repo_name
stringclasses
1 value
pr_number
int64
4.12k
11.2k
pr_title
stringlengths
9
107
pr_description
stringlengths
107
5.48k
author
stringlengths
4
18
date_created
unknown
date_merged
unknown
previous_commit
stringlengths
40
40
pr_commit
stringlengths
40
40
query
stringlengths
118
5.52k
before_content
stringlengths
0
7.93M
after_content
stringlengths
0
7.93M
label
int64
-1
1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points 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 book and author data from https://openlibrary.org ISBN: https://en.wikipedia.org/wiki/International_Standard_Book_Number """ from json import JSONDecodeError # Workaround for requests.exceptions.JSONDecodeError import requests def get_openlibrary_data(olid: str = "isbn/0140328726") -> dict: """ Given an 'isbn/0140328726', return book data from Open Library as a Python dict. Given an '/authors/OL34184A', return authors data as a Python dict. This code must work for olids with or without a leading slash ('/'). # Comment out doctests if they take too long or have results that may change # >>> get_openlibrary_data(olid='isbn/0140328726') # doctest: +ELLIPSIS {'publishers': ['Puffin'], 'number_of_pages': 96, 'isbn_10': ['0140328726'], ... # >>> get_openlibrary_data(olid='/authors/OL7353617A') # doctest: +ELLIPSIS {'name': 'Adrian Brisku', 'created': {'type': '/type/datetime', ... >>> pass # Placate https://github.com/apps/algorithms-keeper """ new_olid = olid.strip().strip("/") # Remove leading/trailing whitespace & slashes if new_olid.count("/") != 1: raise ValueError(f"{olid} is not a valid Open Library olid") return requests.get(f"https://openlibrary.org/{new_olid}.json").json() def summarize_book(ol_book_data: dict) -> dict: """ Given Open Library book data, return a summary as a Python dict. >>> pass # Placate https://github.com/apps/algorithms-keeper """ desired_keys = { "title": "Title", "publish_date": "Publish date", "authors": "Authors", "number_of_pages": "Number of pages:", "first_sentence": "First sentence", "isbn_10": "ISBN (10)", "isbn_13": "ISBN (13)", } data = {better_key: ol_book_data[key] for key, better_key in desired_keys.items()} data["Authors"] = [ get_openlibrary_data(author["key"])["name"] for author in data["Authors"] ] data["First sentence"] = data["First sentence"]["value"] for key, value in data.items(): if isinstance(value, list): data[key] = ", ".join(value) return data if __name__ == "__main__": import doctest doctest.testmod() while True: isbn = input("\nEnter the ISBN code to search (or 'quit' to stop): ").strip() if isbn.lower() in ("", "q", "quit", "exit", "stop"): break if len(isbn) not in (10, 13) or not isbn.isdigit(): print(f"Sorry, {isbn} is not a valid ISBN. Please, input a valid ISBN.") continue print(f"\nSearching Open Library for ISBN: {isbn}...\n") try: book_summary = summarize_book(get_openlibrary_data(f"isbn/{isbn}")) print("\n".join(f"{key}: {value}" for key, value in book_summary.items())) except JSONDecodeError: # Workaround for requests.exceptions.RequestException: print(f"Sorry, there are no results for ISBN: {isbn}.")
""" Get book and author data from https://openlibrary.org ISBN: https://en.wikipedia.org/wiki/International_Standard_Book_Number """ from json import JSONDecodeError # Workaround for requests.exceptions.JSONDecodeError import requests def get_openlibrary_data(olid: str = "isbn/0140328726") -> dict: """ Given an 'isbn/0140328726', return book data from Open Library as a Python dict. Given an '/authors/OL34184A', return authors data as a Python dict. This code must work for olids with or without a leading slash ('/'). # Comment out doctests if they take too long or have results that may change # >>> get_openlibrary_data(olid='isbn/0140328726') # doctest: +ELLIPSIS {'publishers': ['Puffin'], 'number_of_pages': 96, 'isbn_10': ['0140328726'], ... # >>> get_openlibrary_data(olid='/authors/OL7353617A') # doctest: +ELLIPSIS {'name': 'Adrian Brisku', 'created': {'type': '/type/datetime', ... >>> pass # Placate https://github.com/apps/algorithms-keeper """ new_olid = olid.strip().strip("/") # Remove leading/trailing whitespace & slashes if new_olid.count("/") != 1: raise ValueError(f"{olid} is not a valid Open Library olid") return requests.get(f"https://openlibrary.org/{new_olid}.json").json() def summarize_book(ol_book_data: dict) -> dict: """ Given Open Library book data, return a summary as a Python dict. >>> pass # Placate https://github.com/apps/algorithms-keeper """ desired_keys = { "title": "Title", "publish_date": "Publish date", "authors": "Authors", "number_of_pages": "Number of pages:", "first_sentence": "First sentence", "isbn_10": "ISBN (10)", "isbn_13": "ISBN (13)", } data = {better_key: ol_book_data[key] for key, better_key in desired_keys.items()} data["Authors"] = [ get_openlibrary_data(author["key"])["name"] for author in data["Authors"] ] data["First sentence"] = data["First sentence"]["value"] for key, value in data.items(): if isinstance(value, list): data[key] = ", ".join(value) return data if __name__ == "__main__": import doctest doctest.testmod() while True: isbn = input("\nEnter the ISBN code to search (or 'quit' to stop): ").strip() if isbn.lower() in ("", "q", "quit", "exit", "stop"): break if len(isbn) not in (10, 13) or not isbn.isdigit(): print(f"Sorry, {isbn} is not a valid ISBN. Please, input a valid ISBN.") continue print(f"\nSearching Open Library for ISBN: {isbn}...\n") try: book_summary = summarize_book(get_openlibrary_data(f"isbn/{isbn}")) print("\n".join(f"{key}: {value}" for key, value in book_summary.items())) except JSONDecodeError: # Workaround for requests.exceptions.RequestException: print(f"Sorry, there are no results for ISBN: {isbn}.")
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points 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 bin_exp_mod(a, n, b): """ >>> bin_exp_mod(3, 4, 5) 1 >>> bin_exp_mod(7, 13, 10) 7 """ # mod b assert not (b == 0), "This cannot accept modulo that is == 0" if n == 0: return 1 if n % 2 == 1: return (bin_exp_mod(a, n - 1, b) * a) % b r = bin_exp_mod(a, n / 2, b) return (r * r) % b if __name__ == "__main__": try: BASE = int(input("Enter Base : ").strip()) POWER = int(input("Enter Power : ").strip()) MODULO = int(input("Enter Modulo : ").strip()) except ValueError: print("Invalid literal for integer") print(bin_exp_mod(BASE, POWER, MODULO))
def bin_exp_mod(a, n, b): """ >>> bin_exp_mod(3, 4, 5) 1 >>> bin_exp_mod(7, 13, 10) 7 """ # mod b assert not (b == 0), "This cannot accept modulo that is == 0" if n == 0: return 1 if n % 2 == 1: return (bin_exp_mod(a, n - 1, b) * a) % b r = bin_exp_mod(a, n / 2, b) return (r * r) % b if __name__ == "__main__": try: BASE = int(input("Enter Base : ").strip()) POWER = int(input("Enter Power : ").strip()) MODULO = int(input("Enter Modulo : ").strip()) except ValueError: print("Invalid literal for integer") print(bin_exp_mod(BASE, POWER, MODULO))
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points 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 Reverse Polish Nation also known as Polish postfix notation or simply postfix notation. https://en.wikipedia.org/wiki/Reverse_Polish_notation Classic examples of simple stack implementations Valid operators are +, -, *, /. Each operand may be an integer or another expression. """ from __future__ import annotations from typing import Any def evaluate_postfix(postfix_notation: list) -> int: """ >>> evaluate_postfix(["2", "1", "+", "3", "*"]) 9 >>> evaluate_postfix(["4", "13", "5", "/", "+"]) 6 >>> evaluate_postfix([]) 0 """ if not postfix_notation: return 0 operations = {"+", "-", "*", "/"} stack: list[Any] = [] for token in postfix_notation: if token in operations: b, a = stack.pop(), stack.pop() if token == "+": stack.append(a + b) elif token == "-": stack.append(a - b) elif token == "*": stack.append(a * b) else: if a * b < 0 and a % b != 0: stack.append(a // b + 1) else: stack.append(a // b) else: stack.append(int(token)) return stack.pop() if __name__ == "__main__": import doctest doctest.testmod()
""" The Reverse Polish Nation also known as Polish postfix notation or simply postfix notation. https://en.wikipedia.org/wiki/Reverse_Polish_notation Classic examples of simple stack implementations Valid operators are +, -, *, /. Each operand may be an integer or another expression. """ from __future__ import annotations from typing import Any def evaluate_postfix(postfix_notation: list) -> int: """ >>> evaluate_postfix(["2", "1", "+", "3", "*"]) 9 >>> evaluate_postfix(["4", "13", "5", "/", "+"]) 6 >>> evaluate_postfix([]) 0 """ if not postfix_notation: return 0 operations = {"+", "-", "*", "/"} stack: list[Any] = [] for token in postfix_notation: if token in operations: b, a = stack.pop(), stack.pop() if token == "+": stack.append(a + b) elif token == "-": stack.append(a - b) elif token == "*": stack.append(a * b) else: if a * b < 0 and a % b != 0: stack.append(a // b + 1) else: stack.append(a // b) else: stack.append(int(token)) return stack.pop() if __name__ == "__main__": import doctest doctest.testmod()
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points 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
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points 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 check_polygon(nums: list[float]) -> bool: """ Takes list of possible side lengths and determines whether a two-dimensional polygon with such side lengths can exist. Returns a boolean value for the < comparison of the largest side length with sum of the rest. Wiki: https://en.wikipedia.org/wiki/Triangle_inequality >>> check_polygon([6, 10, 5]) True >>> check_polygon([3, 7, 13, 2]) False >>> check_polygon([1, 4.3, 5.2, 12.2]) False >>> nums = [3, 7, 13, 2] >>> _ = check_polygon(nums) # Run function, do not show answer in output >>> nums # Check numbers are not reordered [3, 7, 13, 2] >>> check_polygon([]) Traceback (most recent call last): ... ValueError: Monogons and Digons are not polygons in the Euclidean space >>> check_polygon([-2, 5, 6]) Traceback (most recent call last): ... ValueError: All values must be greater than 0 """ if len(nums) < 2: raise ValueError("Monogons and Digons are not polygons in the Euclidean space") if any(i <= 0 for i in nums): raise ValueError("All values must be greater than 0") copy_nums = nums.copy() copy_nums.sort() return copy_nums[-1] < sum(copy_nums[:-1]) if __name__ == "__main__": import doctest doctest.testmod()
from __future__ import annotations def check_polygon(nums: list[float]) -> bool: """ Takes list of possible side lengths and determines whether a two-dimensional polygon with such side lengths can exist. Returns a boolean value for the < comparison of the largest side length with sum of the rest. Wiki: https://en.wikipedia.org/wiki/Triangle_inequality >>> check_polygon([6, 10, 5]) True >>> check_polygon([3, 7, 13, 2]) False >>> check_polygon([1, 4.3, 5.2, 12.2]) False >>> nums = [3, 7, 13, 2] >>> _ = check_polygon(nums) # Run function, do not show answer in output >>> nums # Check numbers are not reordered [3, 7, 13, 2] >>> check_polygon([]) Traceback (most recent call last): ... ValueError: Monogons and Digons are not polygons in the Euclidean space >>> check_polygon([-2, 5, 6]) Traceback (most recent call last): ... ValueError: All values must be greater than 0 """ if len(nums) < 2: raise ValueError("Monogons and Digons are not polygons in the Euclidean space") if any(i <= 0 for i in nums): raise ValueError("All values must be greater than 0") copy_nums = nums.copy() copy_nums.sort() return copy_nums[-1] < sum(copy_nums[:-1]) if __name__ == "__main__": import doctest doctest.testmod()
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points 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 END = "#" class Trie: def __init__(self) -> None: self._trie: dict = {} def insert_word(self, text: str) -> None: trie = self._trie for char in text: if char not in trie: trie[char] = {} trie = trie[char] trie[END] = True def find_word(self, prefix: str) -> tuple | list: trie = self._trie for char in prefix: if char in trie: trie = trie[char] else: return [] return self._elements(trie) def _elements(self, d: dict) -> tuple: result = [] for c, v in d.items(): if c == END: sub_result = [" "] else: sub_result = [c + s for s in self._elements(v)] result.extend(sub_result) return tuple(result) trie = Trie() words = ("depart", "detergent", "daring", "dog", "deer", "deal") for word in words: trie.insert_word(word) def autocomplete_using_trie(string: str) -> tuple: """ >>> trie = Trie() >>> for word in words: ... trie.insert_word(word) ... >>> matches = autocomplete_using_trie("de") >>> "detergent " in matches True >>> "dog " in matches False """ suffixes = trie.find_word(string) return tuple(string + word for word in suffixes) def main() -> None: print(autocomplete_using_trie("de")) if __name__ == "__main__": import doctest doctest.testmod() main()
from __future__ import annotations END = "#" class Trie: def __init__(self) -> None: self._trie: dict = {} def insert_word(self, text: str) -> None: trie = self._trie for char in text: if char not in trie: trie[char] = {} trie = trie[char] trie[END] = True def find_word(self, prefix: str) -> tuple | list: trie = self._trie for char in prefix: if char in trie: trie = trie[char] else: return [] return self._elements(trie) def _elements(self, d: dict) -> tuple: result = [] for c, v in d.items(): if c == END: sub_result = [" "] else: sub_result = [c + s for s in self._elements(v)] result.extend(sub_result) return tuple(result) trie = Trie() words = ("depart", "detergent", "daring", "dog", "deer", "deal") for word in words: trie.insert_word(word) def autocomplete_using_trie(string: str) -> tuple: """ >>> trie = Trie() >>> for word in words: ... trie.insert_word(word) ... >>> matches = autocomplete_using_trie("de") >>> "detergent " in matches True >>> "dog " in matches False """ suffixes = trie.find_word(string) return tuple(string + word for word in suffixes) def main() -> None: print(autocomplete_using_trie("de")) if __name__ == "__main__": import doctest doctest.testmod() main()
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points 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 74: https://projecteuler.net/problem=74 The number 145 is well known for the property that the sum of the factorial of its digits is equal to 145: 1! + 4! + 5! = 1 + 24 + 120 = 145 Perhaps less well known is 169, in that it produces the longest chain of numbers that link back to 169; it turns out that there are only three such loops that exist: 169 → 363601 → 1454 → 169 871 → 45361 → 871 872 → 45362 → 872 It is not difficult to prove that EVERY starting number will eventually get stuck in a loop. For example, 69 → 363600 → 1454 → 169 → 363601 (→ 1454) 78 → 45360 → 871 → 45361 (→ 871) 540 → 145 (→ 145) Starting with 69 produces a chain of five non-repeating terms, but the longest non-repeating chain with a starting number below one million is sixty terms. How many chains, with a starting number below one million, contain exactly sixty non-repeating terms? """ DIGIT_FACTORIALS = { "0": 1, "1": 1, "2": 2, "3": 6, "4": 24, "5": 120, "6": 720, "7": 5040, "8": 40320, "9": 362880, } CACHE_SUM_DIGIT_FACTORIALS = {145: 145} CHAIN_LENGTH_CACHE = { 145: 0, 169: 3, 36301: 3, 1454: 3, 871: 2, 45361: 2, 872: 2, } def sum_digit_factorials(n: int) -> int: """ Return the sum of the factorial of the digits of n. >>> sum_digit_factorials(145) 145 >>> sum_digit_factorials(45361) 871 >>> sum_digit_factorials(540) 145 """ if n in CACHE_SUM_DIGIT_FACTORIALS: return CACHE_SUM_DIGIT_FACTORIALS[n] ret = sum(DIGIT_FACTORIALS[let] for let in str(n)) CACHE_SUM_DIGIT_FACTORIALS[n] = ret return ret def chain_length(n: int, previous: set = None) -> int: """ Calculate the length of the chain of non-repeating terms starting with n. Previous is a set containing the previous member of the chain. >>> chain_length(10101) 11 >>> chain_length(555) 20 >>> chain_length(178924) 39 """ previous = previous or set() if n in CHAIN_LENGTH_CACHE: return CHAIN_LENGTH_CACHE[n] next_number = sum_digit_factorials(n) if next_number in previous: CHAIN_LENGTH_CACHE[n] = 0 return 0 else: previous.add(n) ret = 1 + chain_length(next_number, previous) CHAIN_LENGTH_CACHE[n] = ret return ret def solution(num_terms: int = 60, max_start: int = 1000000) -> int: """ Return the number of chains with a starting number below one million which contain exactly n non-repeating terms. >>> solution(10,1000) 28 """ return sum(1 for i in range(1, max_start) if chain_length(i) == num_terms) if __name__ == "__main__": print(f"{solution() = }")
""" Project Euler Problem 74: https://projecteuler.net/problem=74 The number 145 is well known for the property that the sum of the factorial of its digits is equal to 145: 1! + 4! + 5! = 1 + 24 + 120 = 145 Perhaps less well known is 169, in that it produces the longest chain of numbers that link back to 169; it turns out that there are only three such loops that exist: 169 → 363601 → 1454 → 169 871 → 45361 → 871 872 → 45362 → 872 It is not difficult to prove that EVERY starting number will eventually get stuck in a loop. For example, 69 → 363600 → 1454 → 169 → 363601 (→ 1454) 78 → 45360 → 871 → 45361 (→ 871) 540 → 145 (→ 145) Starting with 69 produces a chain of five non-repeating terms, but the longest non-repeating chain with a starting number below one million is sixty terms. How many chains, with a starting number below one million, contain exactly sixty non-repeating terms? """ DIGIT_FACTORIALS = { "0": 1, "1": 1, "2": 2, "3": 6, "4": 24, "5": 120, "6": 720, "7": 5040, "8": 40320, "9": 362880, } CACHE_SUM_DIGIT_FACTORIALS = {145: 145} CHAIN_LENGTH_CACHE = { 145: 0, 169: 3, 36301: 3, 1454: 3, 871: 2, 45361: 2, 872: 2, } def sum_digit_factorials(n: int) -> int: """ Return the sum of the factorial of the digits of n. >>> sum_digit_factorials(145) 145 >>> sum_digit_factorials(45361) 871 >>> sum_digit_factorials(540) 145 """ if n in CACHE_SUM_DIGIT_FACTORIALS: return CACHE_SUM_DIGIT_FACTORIALS[n] ret = sum(DIGIT_FACTORIALS[let] for let in str(n)) CACHE_SUM_DIGIT_FACTORIALS[n] = ret return ret def chain_length(n: int, previous: set = None) -> int: """ Calculate the length of the chain of non-repeating terms starting with n. Previous is a set containing the previous member of the chain. >>> chain_length(10101) 11 >>> chain_length(555) 20 >>> chain_length(178924) 39 """ previous = previous or set() if n in CHAIN_LENGTH_CACHE: return CHAIN_LENGTH_CACHE[n] next_number = sum_digit_factorials(n) if next_number in previous: CHAIN_LENGTH_CACHE[n] = 0 return 0 else: previous.add(n) ret = 1 + chain_length(next_number, previous) CHAIN_LENGTH_CACHE[n] = ret return ret def solution(num_terms: int = 60, max_start: int = 1000000) -> int: """ Return the number of chains with a starting number below one million which contain exactly n non-repeating terms. >>> solution(10,1000) 28 """ return sum(1 for i in range(1, max_start) if chain_length(i) == num_terms) if __name__ == "__main__": print(f"{solution() = }")
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points 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 16: https://projecteuler.net/problem=16 2^15 = 32768 and the sum of its digits is 3 + 2 + 7 + 6 + 8 = 26. What is the sum of the digits of the number 2^1000? """ def solution(power: int = 1000) -> int: """Returns the sum of the digits of the number 2^power. >>> solution(1000) 1366 >>> solution(50) 76 >>> solution(20) 31 >>> solution(15) 26 """ n = 2**power r = 0 while n: r, n = r + n % 10, n // 10 return r if __name__ == "__main__": print(solution(int(str(input()).strip())))
""" Problem 16: https://projecteuler.net/problem=16 2^15 = 32768 and the sum of its digits is 3 + 2 + 7 + 6 + 8 = 26. What is the sum of the digits of the number 2^1000? """ def solution(power: int = 1000) -> int: """Returns the sum of the digits of the number 2^power. >>> solution(1000) 1366 >>> solution(50) 76 >>> solution(20) 31 >>> solution(15) 26 """ n = 2**power r = 0 while n: r, n = r + n % 10, n // 10 return r if __name__ == "__main__": print(solution(int(str(input()).strip())))
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" A perfect number is a number for which the sum of its proper divisors is exactly equal to the number. For example, the sum of the proper divisors of 28 would be 1 + 2 + 4 + 7 + 14 = 28, which means that 28 is a perfect number. A number n is called deficient if the sum of its proper divisors is less than n and it is called abundant if this sum exceeds n. As 12 is the smallest abundant number, 1 + 2 + 3 + 4 + 6 = 16, the smallest number that can be written as the sum of two abundant numbers is 24. By mathematical analysis, it can be shown that all integers greater than 28123 can be written as the sum of two abundant numbers. However, this upper limit cannot be reduced any further by analysis even though it is known that the greatest number that cannot be expressed as the sum of two abundant numbers is less than this limit. Find the sum of all the positive integers which cannot be written as the sum of two abundant numbers. """ def solution(limit=28123): """ Finds the sum of all the positive integers which cannot be written as the sum of two abundant numbers as described by the statement above. >>> solution() 4179871 """ sumDivs = [1] * (limit + 1) for i in range(2, int(limit**0.5) + 1): sumDivs[i * i] += i for k in range(i + 1, limit // i + 1): sumDivs[k * i] += k + i abundants = set() res = 0 for n in range(1, limit + 1): if sumDivs[n] > n: abundants.add(n) if not any((n - a in abundants) for a in abundants): res += n return res if __name__ == "__main__": print(solution())
""" A perfect number is a number for which the sum of its proper divisors is exactly equal to the number. For example, the sum of the proper divisors of 28 would be 1 + 2 + 4 + 7 + 14 = 28, which means that 28 is a perfect number. A number n is called deficient if the sum of its proper divisors is less than n and it is called abundant if this sum exceeds n. As 12 is the smallest abundant number, 1 + 2 + 3 + 4 + 6 = 16, the smallest number that can be written as the sum of two abundant numbers is 24. By mathematical analysis, it can be shown that all integers greater than 28123 can be written as the sum of two abundant numbers. However, this upper limit cannot be reduced any further by analysis even though it is known that the greatest number that cannot be expressed as the sum of two abundant numbers is less than this limit. Find the sum of all the positive integers which cannot be written as the sum of two abundant numbers. """ def solution(limit=28123): """ Finds the sum of all the positive integers which cannot be written as the sum of two abundant numbers as described by the statement above. >>> solution() 4179871 """ sumDivs = [1] * (limit + 1) for i in range(2, int(limit**0.5) + 1): sumDivs[i * i] += i for k in range(i + 1, limit // i + 1): sumDivs[k * i] += k + i abundants = set() res = 0 for n in range(1, limit + 1): if sumDivs[n] > n: abundants.add(n) if not any((n - a in abundants) for a in abundants): res += n return res if __name__ == "__main__": print(solution())
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points 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
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" Prime permutations Problem 49 The arithmetic sequence, 1487, 4817, 8147, in which each of the terms increases by 3330, is unusual in two ways: (i) each of the three terms are prime, (ii) each of the 4-digit numbers are permutations of one another. There are no arithmetic sequences made up of three 1-, 2-, or 3-digit primes, exhibiting this property, but there is one other 4-digit increasing sequence. What 12-digit number do you form by concatenating the three terms in this sequence? Solution: First, we need to generate all 4 digits prime numbers. Then greedy all of them and use permutation to form new numbers. Use binary search to check if the permutated numbers is in our prime list and include them in a candidate list. After that, bruteforce all passed candidates sequences using 3 nested loops since we know the answer will be 12 digits. The bruteforce of this solution will be about 1 sec. """ import math from itertools import permutations def is_prime(number: int) -> bool: """Checks to see if a number is a prime in O(sqrt(n)). A number is prime if it has exactly two factors: 1 and itself. >>> is_prime(0) False >>> is_prime(1) False >>> is_prime(2) True >>> is_prime(3) True >>> is_prime(27) False >>> is_prime(87) False >>> is_prime(563) True >>> is_prime(2999) True >>> is_prime(67483) False """ if 1 < number < 4: # 2 and 3 are primes return True elif number < 2 or number % 2 == 0 or number % 3 == 0: # Negatives, 0, 1, all even numbers, all multiples of 3 are not primes return False # All primes number are in format of 6k +/- 1 for i in range(5, int(math.sqrt(number) + 1), 6): if number % i == 0 or number % (i + 2) == 0: return False return True def search(target: int, prime_list: list) -> bool: """ function to search a number in a list using Binary Search. >>> search(3, [1, 2, 3]) True >>> search(4, [1, 2, 3]) False >>> search(101, list(range(-100, 100))) False """ left, right = 0, len(prime_list) - 1 while left <= right: middle = (left + right) // 2 if prime_list[middle] == target: return True elif prime_list[middle] < target: left = middle + 1 else: right = middle - 1 return False def solution(): """ Return the solution of the problem. >>> solution() 296962999629 """ prime_list = [n for n in range(1001, 10000, 2) if is_prime(n)] candidates = [] for number in prime_list: tmp_numbers = [] for prime_member in permutations(list(str(number))): prime = int("".join(prime_member)) if prime % 2 == 0: continue if search(prime, prime_list): tmp_numbers.append(prime) tmp_numbers.sort() if len(tmp_numbers) >= 3: candidates.append(tmp_numbers) passed = [] for candidate in candidates: length = len(candidate) found = False for i in range(length): for j in range(i + 1, length): for k in range(j + 1, length): if ( abs(candidate[i] - candidate[j]) == abs(candidate[j] - candidate[k]) and len({candidate[i], candidate[j], candidate[k]}) == 3 ): passed.append( sorted([candidate[i], candidate[j], candidate[k]]) ) found = True if found: break if found: break if found: break answer = set() for seq in passed: answer.add("".join([str(i) for i in seq])) return max(int(x) for x in answer) if __name__ == "__main__": print(solution())
""" Prime permutations Problem 49 The arithmetic sequence, 1487, 4817, 8147, in which each of the terms increases by 3330, is unusual in two ways: (i) each of the three terms are prime, (ii) each of the 4-digit numbers are permutations of one another. There are no arithmetic sequences made up of three 1-, 2-, or 3-digit primes, exhibiting this property, but there is one other 4-digit increasing sequence. What 12-digit number do you form by concatenating the three terms in this sequence? Solution: First, we need to generate all 4 digits prime numbers. Then greedy all of them and use permutation to form new numbers. Use binary search to check if the permutated numbers is in our prime list and include them in a candidate list. After that, bruteforce all passed candidates sequences using 3 nested loops since we know the answer will be 12 digits. The bruteforce of this solution will be about 1 sec. """ import math from itertools import permutations def is_prime(number: int) -> bool: """Checks to see if a number is a prime in O(sqrt(n)). A number is prime if it has exactly two factors: 1 and itself. >>> is_prime(0) False >>> is_prime(1) False >>> is_prime(2) True >>> is_prime(3) True >>> is_prime(27) False >>> is_prime(87) False >>> is_prime(563) True >>> is_prime(2999) True >>> is_prime(67483) False """ if 1 < number < 4: # 2 and 3 are primes return True elif number < 2 or number % 2 == 0 or number % 3 == 0: # Negatives, 0, 1, all even numbers, all multiples of 3 are not primes return False # All primes number are in format of 6k +/- 1 for i in range(5, int(math.sqrt(number) + 1), 6): if number % i == 0 or number % (i + 2) == 0: return False return True def search(target: int, prime_list: list) -> bool: """ function to search a number in a list using Binary Search. >>> search(3, [1, 2, 3]) True >>> search(4, [1, 2, 3]) False >>> search(101, list(range(-100, 100))) False """ left, right = 0, len(prime_list) - 1 while left <= right: middle = (left + right) // 2 if prime_list[middle] == target: return True elif prime_list[middle] < target: left = middle + 1 else: right = middle - 1 return False def solution(): """ Return the solution of the problem. >>> solution() 296962999629 """ prime_list = [n for n in range(1001, 10000, 2) if is_prime(n)] candidates = [] for number in prime_list: tmp_numbers = [] for prime_member in permutations(list(str(number))): prime = int("".join(prime_member)) if prime % 2 == 0: continue if search(prime, prime_list): tmp_numbers.append(prime) tmp_numbers.sort() if len(tmp_numbers) >= 3: candidates.append(tmp_numbers) passed = [] for candidate in candidates: length = len(candidate) found = False for i in range(length): for j in range(i + 1, length): for k in range(j + 1, length): if ( abs(candidate[i] - candidate[j]) == abs(candidate[j] - candidate[k]) and len({candidate[i], candidate[j], candidate[k]}) == 3 ): passed.append( sorted([candidate[i], candidate[j], candidate[k]]) ) found = True if found: break if found: break if found: break answer = set() for seq in passed: answer.add("".join([str(i) for i in seq])) return max(int(x) for x in answer) if __name__ == "__main__": print(solution())
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
# Numbers of alphabet which we call base alphabet_size = 256 # Modulus to hash a string modulus = 1000003 def rabin_karp(pattern: str, text: str) -> bool: """ The Rabin-Karp Algorithm for finding a pattern within a piece of text with complexity O(nm), most efficient when it is used with multiple patterns as it is able to check if any of a set of patterns match a section of text in o(1) given the precomputed hashes. This will be the simple version which only assumes one pattern is being searched for but it's not hard to modify 1) Calculate pattern hash 2) Step through the text one character at a time passing a window with the same length as the pattern calculating the hash of the text within the window compare it with the hash of the pattern. Only testing equality if the hashes match """ p_len = len(pattern) t_len = len(text) if p_len > t_len: return False p_hash = 0 text_hash = 0 modulus_power = 1 # Calculating the hash of pattern and substring of text for i in range(p_len): p_hash = (ord(pattern[i]) + p_hash * alphabet_size) % modulus text_hash = (ord(text[i]) + text_hash * alphabet_size) % modulus if i == p_len - 1: continue modulus_power = (modulus_power * alphabet_size) % modulus for i in range(0, t_len - p_len + 1): if text_hash == p_hash and text[i : i + p_len] == pattern: return True if i == t_len - p_len: continue # Calculate the https://en.wikipedia.org/wiki/Rolling_hash text_hash = ( (text_hash - ord(text[i]) * modulus_power) * alphabet_size + ord(text[i + p_len]) ) % modulus return False def test_rabin_karp() -> None: """ >>> test_rabin_karp() Success. """ # Test 1) pattern = "abc1abc12" text1 = "alskfjaldsabc1abc1abc12k23adsfabcabc" text2 = "alskfjaldsk23adsfabcabc" assert rabin_karp(pattern, text1) and not rabin_karp(pattern, text2) # Test 2) pattern = "ABABX" text = "ABABZABABYABABX" assert rabin_karp(pattern, text) # Test 3) pattern = "AAAB" text = "ABAAAAAB" assert rabin_karp(pattern, text) # Test 4) pattern = "abcdabcy" text = "abcxabcdabxabcdabcdabcy" assert rabin_karp(pattern, text) # Test 5) pattern = "Lü" text = "Lüsai" assert rabin_karp(pattern, text) pattern = "Lue" assert not rabin_karp(pattern, text) print("Success.") if __name__ == "__main__": test_rabin_karp()
# Numbers of alphabet which we call base alphabet_size = 256 # Modulus to hash a string modulus = 1000003 def rabin_karp(pattern: str, text: str) -> bool: """ The Rabin-Karp Algorithm for finding a pattern within a piece of text with complexity O(nm), most efficient when it is used with multiple patterns as it is able to check if any of a set of patterns match a section of text in o(1) given the precomputed hashes. This will be the simple version which only assumes one pattern is being searched for but it's not hard to modify 1) Calculate pattern hash 2) Step through the text one character at a time passing a window with the same length as the pattern calculating the hash of the text within the window compare it with the hash of the pattern. Only testing equality if the hashes match """ p_len = len(pattern) t_len = len(text) if p_len > t_len: return False p_hash = 0 text_hash = 0 modulus_power = 1 # Calculating the hash of pattern and substring of text for i in range(p_len): p_hash = (ord(pattern[i]) + p_hash * alphabet_size) % modulus text_hash = (ord(text[i]) + text_hash * alphabet_size) % modulus if i == p_len - 1: continue modulus_power = (modulus_power * alphabet_size) % modulus for i in range(0, t_len - p_len + 1): if text_hash == p_hash and text[i : i + p_len] == pattern: return True if i == t_len - p_len: continue # Calculate the https://en.wikipedia.org/wiki/Rolling_hash text_hash = ( (text_hash - ord(text[i]) * modulus_power) * alphabet_size + ord(text[i + p_len]) ) % modulus return False def test_rabin_karp() -> None: """ >>> test_rabin_karp() Success. """ # Test 1) pattern = "abc1abc12" text1 = "alskfjaldsabc1abc1abc12k23adsfabcabc" text2 = "alskfjaldsk23adsfabcabc" assert rabin_karp(pattern, text1) and not rabin_karp(pattern, text2) # Test 2) pattern = "ABABX" text = "ABABZABABYABABX" assert rabin_karp(pattern, text) # Test 3) pattern = "AAAB" text = "ABAAAAAB" assert rabin_karp(pattern, text) # Test 4) pattern = "abcdabcy" text = "abcxabcdabxabcdabcdabcy" assert rabin_karp(pattern, text) # Test 5) pattern = "Lü" text = "Lüsai" assert rabin_karp(pattern, text) pattern = "Lue" assert not rabin_karp(pattern, text) print("Success.") if __name__ == "__main__": test_rabin_karp()
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" Finding the peak of a unimodal list using divide and conquer. A unimodal array is defined as follows: array is increasing up to index p, then decreasing afterwards. (for p >= 1) An obvious solution can be performed in O(n), to find the maximum of the array. (From Kleinberg and Tardos. Algorithm Design. Addison Wesley 2006: Chapter 5 Solved Exercise 1) """ from __future__ import annotations def peak(lst: list[int]) -> int: """ Return the peak value of `lst`. >>> peak([1, 2, 3, 4, 5, 4, 3, 2, 1]) 5 >>> peak([1, 10, 9, 8, 7, 6, 5, 4]) 10 >>> peak([1, 9, 8, 7]) 9 >>> peak([1, 2, 3, 4, 5, 6, 7, 0]) 7 >>> peak([1, 2, 3, 4, 3, 2, 1, 0, -1, -2]) 4 """ # middle index m = len(lst) // 2 # choose the middle 3 elements three = lst[m - 1 : m + 2] # if middle element is peak if three[1] > three[0] and three[1] > three[2]: return three[1] # if increasing, recurse on right elif three[0] < three[2]: if len(lst[:m]) == 2: m -= 1 return peak(lst[m:]) # decreasing else: if len(lst[:m]) == 2: m += 1 return peak(lst[:m]) if __name__ == "__main__": import doctest doctest.testmod()
""" Finding the peak of a unimodal list using divide and conquer. A unimodal array is defined as follows: array is increasing up to index p, then decreasing afterwards. (for p >= 1) An obvious solution can be performed in O(n), to find the maximum of the array. (From Kleinberg and Tardos. Algorithm Design. Addison Wesley 2006: Chapter 5 Solved Exercise 1) """ from __future__ import annotations def peak(lst: list[int]) -> int: """ Return the peak value of `lst`. >>> peak([1, 2, 3, 4, 5, 4, 3, 2, 1]) 5 >>> peak([1, 10, 9, 8, 7, 6, 5, 4]) 10 >>> peak([1, 9, 8, 7]) 9 >>> peak([1, 2, 3, 4, 5, 6, 7, 0]) 7 >>> peak([1, 2, 3, 4, 3, 2, 1, 0, -1, -2]) 4 """ # middle index m = len(lst) // 2 # choose the middle 3 elements three = lst[m - 1 : m + 2] # if middle element is peak if three[1] > three[0] and three[1] > three[2]: return three[1] # if increasing, recurse on right elif three[0] < three[2]: if len(lst[:m]) == 2: m -= 1 return peak(lst[m:]) # decreasing else: if len(lst[:m]) == 2: m += 1 return peak(lst[:m]) if __name__ == "__main__": import doctest doctest.testmod()
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points 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 10: https://projecteuler.net/problem=10 Summation of primes The sum of the primes below 10 is 2 + 3 + 5 + 7 = 17. Find the sum of all the primes below two million. References: - https://en.wikipedia.org/wiki/Prime_number """ import math from collections.abc import Iterator from itertools import takewhile def is_prime(number: int) -> bool: """Checks to see if a number is a prime in O(sqrt(n)). A number is prime if it has exactly two factors: 1 and itself. Returns boolean representing primality of given number num (i.e., if the result is true, then the number is indeed prime else it is not). >>> is_prime(2) True >>> is_prime(3) True >>> is_prime(27) False >>> is_prime(2999) True >>> is_prime(0) False >>> is_prime(1) False """ if 1 < number < 4: # 2 and 3 are primes return True elif number < 2 or number % 2 == 0 or number % 3 == 0: # Negatives, 0, 1, all even numbers, all multiples of 3 are not primes return False # All primes number are in format of 6k +/- 1 for i in range(5, int(math.sqrt(number) + 1), 6): if number % i == 0 or number % (i + 2) == 0: return False return True def prime_generator() -> Iterator[int]: """ Generate a list sequence of prime numbers """ num = 2 while True: if is_prime(num): yield num num += 1 def solution(n: int = 2000000) -> int: """ Returns the sum of all the primes below n. >>> solution(1000) 76127 >>> solution(5000) 1548136 >>> solution(10000) 5736396 >>> solution(7) 10 """ return sum(takewhile(lambda x: x < n, prime_generator())) if __name__ == "__main__": print(f"{solution() = }")
""" Project Euler Problem 10: https://projecteuler.net/problem=10 Summation of primes The sum of the primes below 10 is 2 + 3 + 5 + 7 = 17. Find the sum of all the primes below two million. References: - https://en.wikipedia.org/wiki/Prime_number """ import math from collections.abc import Iterator from itertools import takewhile def is_prime(number: int) -> bool: """Checks to see if a number is a prime in O(sqrt(n)). A number is prime if it has exactly two factors: 1 and itself. Returns boolean representing primality of given number num (i.e., if the result is true, then the number is indeed prime else it is not). >>> is_prime(2) True >>> is_prime(3) True >>> is_prime(27) False >>> is_prime(2999) True >>> is_prime(0) False >>> is_prime(1) False """ if 1 < number < 4: # 2 and 3 are primes return True elif number < 2 or number % 2 == 0 or number % 3 == 0: # Negatives, 0, 1, all even numbers, all multiples of 3 are not primes return False # All primes number are in format of 6k +/- 1 for i in range(5, int(math.sqrt(number) + 1), 6): if number % i == 0 or number % (i + 2) == 0: return False return True def prime_generator() -> Iterator[int]: """ Generate a list sequence of prime numbers """ num = 2 while True: if is_prime(num): yield num num += 1 def solution(n: int = 2000000) -> int: """ Returns the sum of all the primes below n. >>> solution(1000) 76127 >>> solution(5000) 1548136 >>> solution(10000) 5736396 >>> solution(7) 10 """ return sum(takewhile(lambda x: x < n, prime_generator())) if __name__ == "__main__": print(f"{solution() = }")
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points 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 BinaryHeap: """ A max-heap implementation in Python >>> binary_heap = BinaryHeap() >>> binary_heap.insert(6) >>> binary_heap.insert(10) >>> binary_heap.insert(15) >>> binary_heap.insert(12) >>> binary_heap.pop() 15 >>> binary_heap.pop() 12 >>> binary_heap.get_list [10, 6] >>> len(binary_heap) 2 """ def __init__(self): self.__heap = [0] self.__size = 0 def __swap_up(self, i: int) -> None: """Swap the element up""" temporary = self.__heap[i] while i // 2 > 0: if self.__heap[i] > self.__heap[i // 2]: self.__heap[i] = self.__heap[i // 2] self.__heap[i // 2] = temporary i //= 2 def insert(self, value: int) -> None: """Insert new element""" self.__heap.append(value) self.__size += 1 self.__swap_up(self.__size) def __swap_down(self, i: int) -> None: """Swap the element down""" while self.__size >= 2 * i: if 2 * i + 1 > self.__size: bigger_child = 2 * i else: if self.__heap[2 * i] > self.__heap[2 * i + 1]: bigger_child = 2 * i else: bigger_child = 2 * i + 1 temporary = self.__heap[i] if self.__heap[i] < self.__heap[bigger_child]: self.__heap[i] = self.__heap[bigger_child] self.__heap[bigger_child] = temporary i = bigger_child def pop(self) -> int: """Pop the root element""" max_value = self.__heap[1] self.__heap[1] = self.__heap[self.__size] self.__size -= 1 self.__heap.pop() self.__swap_down(1) return max_value @property def get_list(self): return self.__heap[1:] def __len__(self): """Length of the array""" return self.__size if __name__ == "__main__": import doctest doctest.testmod() # create an instance of BinaryHeap binary_heap = BinaryHeap() binary_heap.insert(6) binary_heap.insert(10) binary_heap.insert(15) binary_heap.insert(12) # pop root(max-values because it is max heap) print(binary_heap.pop()) # 15 print(binary_heap.pop()) # 12 # get the list and size after operations print(binary_heap.get_list) print(len(binary_heap))
class BinaryHeap: """ A max-heap implementation in Python >>> binary_heap = BinaryHeap() >>> binary_heap.insert(6) >>> binary_heap.insert(10) >>> binary_heap.insert(15) >>> binary_heap.insert(12) >>> binary_heap.pop() 15 >>> binary_heap.pop() 12 >>> binary_heap.get_list [10, 6] >>> len(binary_heap) 2 """ def __init__(self): self.__heap = [0] self.__size = 0 def __swap_up(self, i: int) -> None: """Swap the element up""" temporary = self.__heap[i] while i // 2 > 0: if self.__heap[i] > self.__heap[i // 2]: self.__heap[i] = self.__heap[i // 2] self.__heap[i // 2] = temporary i //= 2 def insert(self, value: int) -> None: """Insert new element""" self.__heap.append(value) self.__size += 1 self.__swap_up(self.__size) def __swap_down(self, i: int) -> None: """Swap the element down""" while self.__size >= 2 * i: if 2 * i + 1 > self.__size: bigger_child = 2 * i else: if self.__heap[2 * i] > self.__heap[2 * i + 1]: bigger_child = 2 * i else: bigger_child = 2 * i + 1 temporary = self.__heap[i] if self.__heap[i] < self.__heap[bigger_child]: self.__heap[i] = self.__heap[bigger_child] self.__heap[bigger_child] = temporary i = bigger_child def pop(self) -> int: """Pop the root element""" max_value = self.__heap[1] self.__heap[1] = self.__heap[self.__size] self.__size -= 1 self.__heap.pop() self.__swap_down(1) return max_value @property def get_list(self): return self.__heap[1:] def __len__(self): """Length of the array""" return self.__size if __name__ == "__main__": import doctest doctest.testmod() # create an instance of BinaryHeap binary_heap = BinaryHeap() binary_heap.insert(6) binary_heap.insert(10) binary_heap.insert(15) binary_heap.insert(12) # pop root(max-values because it is max heap) print(binary_heap.pop()) # 15 print(binary_heap.pop()) # 12 # get the list and size after operations print(binary_heap.get_list) print(len(binary_heap))
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points 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 Alexandre De Zotti Draws Julia sets of quadratic polynomials and exponential maps. More specifically, this iterates the function a fixed number of times then plots whether the absolute value of the last iterate is greater than a fixed threshold (named "escape radius"). For the exponential map this is not really an escape radius but rather a convenient way to approximate the Julia set with bounded orbits. The examples presented here are: - The Cauliflower Julia set, see e.g. https://en.wikipedia.org/wiki/File:Julia_z2%2B0,25.png - Other examples from https://en.wikipedia.org/wiki/Julia_set - An exponential map Julia set, ambiantly homeomorphic to the examples in http://www.math.univ-toulouse.fr/~cheritat/GalII/galery.html and https://ddd.uab.cat/pub/pubmat/02141493v43n1/02141493v43n1p27.pdf Remark: Some overflow runtime warnings are suppressed. This is because of the way the iteration loop is implemented, using numpy's efficient computations. Overflows and infinites are replaced after each step by a large number. """ import warnings from collections.abc import Callable from typing import Any import numpy from matplotlib import pyplot c_cauliflower = 0.25 + 0.0j c_polynomial_1 = -0.4 + 0.6j c_polynomial_2 = -0.1 + 0.651j c_exponential = -2.0 nb_iterations = 56 window_size = 2.0 nb_pixels = 666 def eval_exponential(c_parameter: complex, z_values: numpy.ndarray) -> numpy.ndarray: """ Evaluate $e^z + c$. >>> eval_exponential(0, 0) 1.0 >>> abs(eval_exponential(1, numpy.pi*1.j)) < 1e-15 True >>> abs(eval_exponential(1.j, 0)-1-1.j) < 1e-15 True """ return numpy.exp(z_values) + c_parameter def eval_quadratic_polynomial( c_parameter: complex, z_values: numpy.ndarray ) -> numpy.ndarray: """ >>> eval_quadratic_polynomial(0, 2) 4 >>> eval_quadratic_polynomial(-1, 1) 0 >>> round(eval_quadratic_polynomial(1.j, 0).imag) 1 >>> round(eval_quadratic_polynomial(1.j, 0).real) 0 """ return z_values * z_values + c_parameter def prepare_grid(window_size: float, nb_pixels: int) -> numpy.ndarray: """ Create a grid of complex values of size nb_pixels*nb_pixels with real and imaginary parts ranging from -window_size to window_size (inclusive). Returns a numpy array. >>> prepare_grid(1,3) array([[-1.-1.j, -1.+0.j, -1.+1.j], [ 0.-1.j, 0.+0.j, 0.+1.j], [ 1.-1.j, 1.+0.j, 1.+1.j]]) """ x = numpy.linspace(-window_size, window_size, nb_pixels) x = x.reshape((nb_pixels, 1)) y = numpy.linspace(-window_size, window_size, nb_pixels) y = y.reshape((1, nb_pixels)) return x + 1.0j * y def iterate_function( eval_function: Callable[[Any, numpy.ndarray], numpy.ndarray], function_params: Any, nb_iterations: int, z_0: numpy.ndarray, infinity: float = None, ) -> numpy.ndarray: """ Iterate the function "eval_function" exactly nb_iterations times. The first argument of the function is a parameter which is contained in function_params. The variable z_0 is an array that contains the initial values to iterate from. This function returns the final iterates. >>> iterate_function(eval_quadratic_polynomial, 0, 3, numpy.array([0,1,2])).shape (3,) >>> numpy.round(iterate_function(eval_quadratic_polynomial, ... 0, ... 3, ... numpy.array([0,1,2]))[0]) 0j >>> numpy.round(iterate_function(eval_quadratic_polynomial, ... 0, ... 3, ... numpy.array([0,1,2]))[1]) (1+0j) >>> numpy.round(iterate_function(eval_quadratic_polynomial, ... 0, ... 3, ... numpy.array([0,1,2]))[2]) (256+0j) """ z_n = z_0.astype("complex64") for i in range(nb_iterations): z_n = eval_function(function_params, z_n) if infinity is not None: numpy.nan_to_num(z_n, copy=False, nan=infinity) z_n[abs(z_n) == numpy.inf] = infinity return z_n def show_results( function_label: str, function_params: Any, escape_radius: float, z_final: numpy.ndarray, ) -> None: """ Plots of whether the absolute value of z_final is greater than the value of escape_radius. Adds the function_label and function_params to the title. >>> show_results('80', 0, 1, numpy.array([[0,1,.5],[.4,2,1.1],[.2,1,1.3]])) """ abs_z_final = (abs(z_final)).transpose() abs_z_final[:, :] = abs_z_final[::-1, :] pyplot.matshow(abs_z_final < escape_radius) pyplot.title(f"Julia set of ${function_label}$, $c={function_params}$") pyplot.show() def ignore_overflow_warnings() -> None: """ Ignore some overflow and invalid value warnings. >>> ignore_overflow_warnings() """ warnings.filterwarnings( "ignore", category=RuntimeWarning, message="overflow encountered in multiply" ) warnings.filterwarnings( "ignore", category=RuntimeWarning, message="invalid value encountered in multiply", ) warnings.filterwarnings( "ignore", category=RuntimeWarning, message="overflow encountered in absolute" ) warnings.filterwarnings( "ignore", category=RuntimeWarning, message="overflow encountered in exp" ) if __name__ == "__main__": z_0 = prepare_grid(window_size, nb_pixels) ignore_overflow_warnings() # See file header for explanations nb_iterations = 24 escape_radius = 2 * abs(c_cauliflower) + 1 z_final = iterate_function( eval_quadratic_polynomial, c_cauliflower, nb_iterations, z_0, infinity=1.1 * escape_radius, ) show_results("z^2+c", c_cauliflower, escape_radius, z_final) nb_iterations = 64 escape_radius = 2 * abs(c_polynomial_1) + 1 z_final = iterate_function( eval_quadratic_polynomial, c_polynomial_1, nb_iterations, z_0, infinity=1.1 * escape_radius, ) show_results("z^2+c", c_polynomial_1, escape_radius, z_final) nb_iterations = 161 escape_radius = 2 * abs(c_polynomial_2) + 1 z_final = iterate_function( eval_quadratic_polynomial, c_polynomial_2, nb_iterations, z_0, infinity=1.1 * escape_radius, ) show_results("z^2+c", c_polynomial_2, escape_radius, z_final) nb_iterations = 12 escape_radius = 10000.0 z_final = iterate_function( eval_exponential, c_exponential, nb_iterations, z_0 + 2, infinity=1.0e10, ) show_results("e^z+c", c_exponential, escape_radius, z_final)
"""Author Alexandre De Zotti Draws Julia sets of quadratic polynomials and exponential maps. More specifically, this iterates the function a fixed number of times then plots whether the absolute value of the last iterate is greater than a fixed threshold (named "escape radius"). For the exponential map this is not really an escape radius but rather a convenient way to approximate the Julia set with bounded orbits. The examples presented here are: - The Cauliflower Julia set, see e.g. https://en.wikipedia.org/wiki/File:Julia_z2%2B0,25.png - Other examples from https://en.wikipedia.org/wiki/Julia_set - An exponential map Julia set, ambiantly homeomorphic to the examples in http://www.math.univ-toulouse.fr/~cheritat/GalII/galery.html and https://ddd.uab.cat/pub/pubmat/02141493v43n1/02141493v43n1p27.pdf Remark: Some overflow runtime warnings are suppressed. This is because of the way the iteration loop is implemented, using numpy's efficient computations. Overflows and infinites are replaced after each step by a large number. """ import warnings from collections.abc import Callable from typing import Any import numpy from matplotlib import pyplot c_cauliflower = 0.25 + 0.0j c_polynomial_1 = -0.4 + 0.6j c_polynomial_2 = -0.1 + 0.651j c_exponential = -2.0 nb_iterations = 56 window_size = 2.0 nb_pixels = 666 def eval_exponential(c_parameter: complex, z_values: numpy.ndarray) -> numpy.ndarray: """ Evaluate $e^z + c$. >>> eval_exponential(0, 0) 1.0 >>> abs(eval_exponential(1, numpy.pi*1.j)) < 1e-15 True >>> abs(eval_exponential(1.j, 0)-1-1.j) < 1e-15 True """ return numpy.exp(z_values) + c_parameter def eval_quadratic_polynomial( c_parameter: complex, z_values: numpy.ndarray ) -> numpy.ndarray: """ >>> eval_quadratic_polynomial(0, 2) 4 >>> eval_quadratic_polynomial(-1, 1) 0 >>> round(eval_quadratic_polynomial(1.j, 0).imag) 1 >>> round(eval_quadratic_polynomial(1.j, 0).real) 0 """ return z_values * z_values + c_parameter def prepare_grid(window_size: float, nb_pixels: int) -> numpy.ndarray: """ Create a grid of complex values of size nb_pixels*nb_pixels with real and imaginary parts ranging from -window_size to window_size (inclusive). Returns a numpy array. >>> prepare_grid(1,3) array([[-1.-1.j, -1.+0.j, -1.+1.j], [ 0.-1.j, 0.+0.j, 0.+1.j], [ 1.-1.j, 1.+0.j, 1.+1.j]]) """ x = numpy.linspace(-window_size, window_size, nb_pixels) x = x.reshape((nb_pixels, 1)) y = numpy.linspace(-window_size, window_size, nb_pixels) y = y.reshape((1, nb_pixels)) return x + 1.0j * y def iterate_function( eval_function: Callable[[Any, numpy.ndarray], numpy.ndarray], function_params: Any, nb_iterations: int, z_0: numpy.ndarray, infinity: float = None, ) -> numpy.ndarray: """ Iterate the function "eval_function" exactly nb_iterations times. The first argument of the function is a parameter which is contained in function_params. The variable z_0 is an array that contains the initial values to iterate from. This function returns the final iterates. >>> iterate_function(eval_quadratic_polynomial, 0, 3, numpy.array([0,1,2])).shape (3,) >>> numpy.round(iterate_function(eval_quadratic_polynomial, ... 0, ... 3, ... numpy.array([0,1,2]))[0]) 0j >>> numpy.round(iterate_function(eval_quadratic_polynomial, ... 0, ... 3, ... numpy.array([0,1,2]))[1]) (1+0j) >>> numpy.round(iterate_function(eval_quadratic_polynomial, ... 0, ... 3, ... numpy.array([0,1,2]))[2]) (256+0j) """ z_n = z_0.astype("complex64") for i in range(nb_iterations): z_n = eval_function(function_params, z_n) if infinity is not None: numpy.nan_to_num(z_n, copy=False, nan=infinity) z_n[abs(z_n) == numpy.inf] = infinity return z_n def show_results( function_label: str, function_params: Any, escape_radius: float, z_final: numpy.ndarray, ) -> None: """ Plots of whether the absolute value of z_final is greater than the value of escape_radius. Adds the function_label and function_params to the title. >>> show_results('80', 0, 1, numpy.array([[0,1,.5],[.4,2,1.1],[.2,1,1.3]])) """ abs_z_final = (abs(z_final)).transpose() abs_z_final[:, :] = abs_z_final[::-1, :] pyplot.matshow(abs_z_final < escape_radius) pyplot.title(f"Julia set of ${function_label}$, $c={function_params}$") pyplot.show() def ignore_overflow_warnings() -> None: """ Ignore some overflow and invalid value warnings. >>> ignore_overflow_warnings() """ warnings.filterwarnings( "ignore", category=RuntimeWarning, message="overflow encountered in multiply" ) warnings.filterwarnings( "ignore", category=RuntimeWarning, message="invalid value encountered in multiply", ) warnings.filterwarnings( "ignore", category=RuntimeWarning, message="overflow encountered in absolute" ) warnings.filterwarnings( "ignore", category=RuntimeWarning, message="overflow encountered in exp" ) if __name__ == "__main__": z_0 = prepare_grid(window_size, nb_pixels) ignore_overflow_warnings() # See file header for explanations nb_iterations = 24 escape_radius = 2 * abs(c_cauliflower) + 1 z_final = iterate_function( eval_quadratic_polynomial, c_cauliflower, nb_iterations, z_0, infinity=1.1 * escape_radius, ) show_results("z^2+c", c_cauliflower, escape_radius, z_final) nb_iterations = 64 escape_radius = 2 * abs(c_polynomial_1) + 1 z_final = iterate_function( eval_quadratic_polynomial, c_polynomial_1, nb_iterations, z_0, infinity=1.1 * escape_radius, ) show_results("z^2+c", c_polynomial_1, escape_radius, z_final) nb_iterations = 161 escape_radius = 2 * abs(c_polynomial_2) + 1 z_final = iterate_function( eval_quadratic_polynomial, c_polynomial_2, nb_iterations, z_0, infinity=1.1 * escape_radius, ) show_results("z^2+c", c_polynomial_2, escape_radius, z_final) nb_iterations = 12 escape_radius = 10000.0 z_final = iterate_function( eval_exponential, c_exponential, nb_iterations, z_0 + 2, infinity=1.0e10, ) show_results("e^z+c", c_exponential, escape_radius, z_final)
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" Convert International System of Units (SI) and Binary prefixes """ from __future__ import annotations from enum import Enum class SI_Unit(Enum): yotta = 24 zetta = 21 exa = 18 peta = 15 tera = 12 giga = 9 mega = 6 kilo = 3 hecto = 2 deca = 1 deci = -1 centi = -2 milli = -3 micro = -6 nano = -9 pico = -12 femto = -15 atto = -18 zepto = -21 yocto = -24 class Binary_Unit(Enum): yotta = 8 zetta = 7 exa = 6 peta = 5 tera = 4 giga = 3 mega = 2 kilo = 1 def convert_si_prefix( known_amount: float, known_prefix: str | SI_Unit, unknown_prefix: str | SI_Unit, ) -> float: """ Wikipedia reference: https://en.wikipedia.org/wiki/Binary_prefix Wikipedia reference: https://en.wikipedia.org/wiki/International_System_of_Units >>> convert_si_prefix(1, SI_Unit.giga, SI_Unit.mega) 1000 >>> convert_si_prefix(1, SI_Unit.mega, SI_Unit.giga) 0.001 >>> convert_si_prefix(1, SI_Unit.kilo, SI_Unit.kilo) 1 >>> convert_si_prefix(1, 'giga', 'mega') 1000 >>> convert_si_prefix(1, 'gIGa', 'mEGa') 1000 """ if isinstance(known_prefix, str): known_prefix = SI_Unit[known_prefix.lower()] if isinstance(unknown_prefix, str): unknown_prefix = SI_Unit[unknown_prefix.lower()] unknown_amount: float = known_amount * ( 10 ** (known_prefix.value - unknown_prefix.value) ) return unknown_amount def convert_binary_prefix( known_amount: float, known_prefix: str | Binary_Unit, unknown_prefix: str | Binary_Unit, ) -> float: """ Wikipedia reference: https://en.wikipedia.org/wiki/Metric_prefix >>> convert_binary_prefix(1, Binary_Unit.giga, Binary_Unit.mega) 1024 >>> convert_binary_prefix(1, Binary_Unit.mega, Binary_Unit.giga) 0.0009765625 >>> convert_binary_prefix(1, Binary_Unit.kilo, Binary_Unit.kilo) 1 >>> convert_binary_prefix(1, 'giga', 'mega') 1024 >>> convert_binary_prefix(1, 'gIGa', 'mEGa') 1024 """ if isinstance(known_prefix, str): known_prefix = Binary_Unit[known_prefix.lower()] if isinstance(unknown_prefix, str): unknown_prefix = Binary_Unit[unknown_prefix.lower()] unknown_amount: float = known_amount * ( 2 ** ((known_prefix.value - unknown_prefix.value) * 10) ) return unknown_amount if __name__ == "__main__": import doctest doctest.testmod()
""" Convert International System of Units (SI) and Binary prefixes """ from __future__ import annotations from enum import Enum class SI_Unit(Enum): yotta = 24 zetta = 21 exa = 18 peta = 15 tera = 12 giga = 9 mega = 6 kilo = 3 hecto = 2 deca = 1 deci = -1 centi = -2 milli = -3 micro = -6 nano = -9 pico = -12 femto = -15 atto = -18 zepto = -21 yocto = -24 class Binary_Unit(Enum): yotta = 8 zetta = 7 exa = 6 peta = 5 tera = 4 giga = 3 mega = 2 kilo = 1 def convert_si_prefix( known_amount: float, known_prefix: str | SI_Unit, unknown_prefix: str | SI_Unit, ) -> float: """ Wikipedia reference: https://en.wikipedia.org/wiki/Binary_prefix Wikipedia reference: https://en.wikipedia.org/wiki/International_System_of_Units >>> convert_si_prefix(1, SI_Unit.giga, SI_Unit.mega) 1000 >>> convert_si_prefix(1, SI_Unit.mega, SI_Unit.giga) 0.001 >>> convert_si_prefix(1, SI_Unit.kilo, SI_Unit.kilo) 1 >>> convert_si_prefix(1, 'giga', 'mega') 1000 >>> convert_si_prefix(1, 'gIGa', 'mEGa') 1000 """ if isinstance(known_prefix, str): known_prefix = SI_Unit[known_prefix.lower()] if isinstance(unknown_prefix, str): unknown_prefix = SI_Unit[unknown_prefix.lower()] unknown_amount: float = known_amount * ( 10 ** (known_prefix.value - unknown_prefix.value) ) return unknown_amount def convert_binary_prefix( known_amount: float, known_prefix: str | Binary_Unit, unknown_prefix: str | Binary_Unit, ) -> float: """ Wikipedia reference: https://en.wikipedia.org/wiki/Metric_prefix >>> convert_binary_prefix(1, Binary_Unit.giga, Binary_Unit.mega) 1024 >>> convert_binary_prefix(1, Binary_Unit.mega, Binary_Unit.giga) 0.0009765625 >>> convert_binary_prefix(1, Binary_Unit.kilo, Binary_Unit.kilo) 1 >>> convert_binary_prefix(1, 'giga', 'mega') 1024 >>> convert_binary_prefix(1, 'gIGa', 'mEGa') 1024 """ if isinstance(known_prefix, str): known_prefix = Binary_Unit[known_prefix.lower()] if isinstance(unknown_prefix, str): unknown_prefix = Binary_Unit[unknown_prefix.lower()] unknown_amount: float = known_amount * ( 2 ** ((known_prefix.value - unknown_prefix.value) * 10) ) return unknown_amount if __name__ == "__main__": import doctest doctest.testmod()
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points 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
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" Implementation Burke's algorithm (dithering) """ import numpy as np from cv2 import destroyAllWindows, imread, imshow, waitKey class Burkes: """ Burke's algorithm is using for converting grayscale image to black and white version Source: Source: https://en.wikipedia.org/wiki/Dither Note: * Best results are given with threshold= ~1/2 * max greyscale value. * This implementation get RGB image and converts it to greyscale in runtime. """ def __init__(self, input_img, threshold: int): self.min_threshold = 0 # max greyscale value for #FFFFFF self.max_threshold = int(self.get_greyscale(255, 255, 255)) if not self.min_threshold < threshold < self.max_threshold: raise ValueError(f"Factor value should be from 0 to {self.max_threshold}") self.input_img = input_img self.threshold = threshold self.width, self.height = self.input_img.shape[1], self.input_img.shape[0] # error table size (+4 columns and +1 row) greater than input image because of # lack of if statements self.error_table = [ [0 for _ in range(self.height + 4)] for __ in range(self.width + 1) ] self.output_img = np.ones((self.width, self.height, 3), np.uint8) * 255 @classmethod def get_greyscale(cls, blue: int, green: int, red: int) -> float: """ >>> Burkes.get_greyscale(3, 4, 5) 3.753 """ return 0.114 * blue + 0.587 * green + 0.2126 * red def process(self) -> None: for y in range(self.height): for x in range(self.width): greyscale = int(self.get_greyscale(*self.input_img[y][x])) if self.threshold > greyscale + self.error_table[y][x]: self.output_img[y][x] = (0, 0, 0) current_error = greyscale + self.error_table[x][y] else: self.output_img[y][x] = (255, 255, 255) current_error = greyscale + self.error_table[x][y] - 255 """ Burkes error propagation (`*` is current pixel): * 8/32 4/32 2/32 4/32 8/32 4/32 2/32 """ self.error_table[y][x + 1] += int(8 / 32 * current_error) self.error_table[y][x + 2] += int(4 / 32 * current_error) self.error_table[y + 1][x] += int(8 / 32 * current_error) self.error_table[y + 1][x + 1] += int(4 / 32 * current_error) self.error_table[y + 1][x + 2] += int(2 / 32 * current_error) self.error_table[y + 1][x - 1] += int(4 / 32 * current_error) self.error_table[y + 1][x - 2] += int(2 / 32 * current_error) if __name__ == "__main__": # create Burke's instances with original images in greyscale burkes_instances = [ Burkes(imread("image_data/lena.jpg", 1), threshold) for threshold in (1, 126, 130, 140) ] for burkes in burkes_instances: burkes.process() for burkes in burkes_instances: imshow( f"Original image with dithering threshold: {burkes.threshold}", burkes.output_img, ) waitKey(0) destroyAllWindows()
""" Implementation Burke's algorithm (dithering) """ import numpy as np from cv2 import destroyAllWindows, imread, imshow, waitKey class Burkes: """ Burke's algorithm is using for converting grayscale image to black and white version Source: Source: https://en.wikipedia.org/wiki/Dither Note: * Best results are given with threshold= ~1/2 * max greyscale value. * This implementation get RGB image and converts it to greyscale in runtime. """ def __init__(self, input_img, threshold: int): self.min_threshold = 0 # max greyscale value for #FFFFFF self.max_threshold = int(self.get_greyscale(255, 255, 255)) if not self.min_threshold < threshold < self.max_threshold: raise ValueError(f"Factor value should be from 0 to {self.max_threshold}") self.input_img = input_img self.threshold = threshold self.width, self.height = self.input_img.shape[1], self.input_img.shape[0] # error table size (+4 columns and +1 row) greater than input image because of # lack of if statements self.error_table = [ [0 for _ in range(self.height + 4)] for __ in range(self.width + 1) ] self.output_img = np.ones((self.width, self.height, 3), np.uint8) * 255 @classmethod def get_greyscale(cls, blue: int, green: int, red: int) -> float: """ >>> Burkes.get_greyscale(3, 4, 5) 3.753 """ return 0.114 * blue + 0.587 * green + 0.2126 * red def process(self) -> None: for y in range(self.height): for x in range(self.width): greyscale = int(self.get_greyscale(*self.input_img[y][x])) if self.threshold > greyscale + self.error_table[y][x]: self.output_img[y][x] = (0, 0, 0) current_error = greyscale + self.error_table[x][y] else: self.output_img[y][x] = (255, 255, 255) current_error = greyscale + self.error_table[x][y] - 255 """ Burkes error propagation (`*` is current pixel): * 8/32 4/32 2/32 4/32 8/32 4/32 2/32 """ self.error_table[y][x + 1] += int(8 / 32 * current_error) self.error_table[y][x + 2] += int(4 / 32 * current_error) self.error_table[y + 1][x] += int(8 / 32 * current_error) self.error_table[y + 1][x + 1] += int(4 / 32 * current_error) self.error_table[y + 1][x + 2] += int(2 / 32 * current_error) self.error_table[y + 1][x - 1] += int(4 / 32 * current_error) self.error_table[y + 1][x - 2] += int(2 / 32 * current_error) if __name__ == "__main__": # create Burke's instances with original images in greyscale burkes_instances = [ Burkes(imread("image_data/lena.jpg", 1), threshold) for threshold in (1, 126, 130, 140) ] for burkes in burkes_instances: burkes.process() for burkes in burkes_instances: imshow( f"Original image with dithering threshold: {burkes.threshold}", burkes.output_img, ) waitKey(0) destroyAllWindows()
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points 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 cv2 import numpy as np def get_neighbors_pixel( image: np.ndarray, x_coordinate: int, y_coordinate: int, center: int ) -> int: """ Comparing local neighborhood pixel value with threshold value of centre pixel. Exception is required when neighborhood value of a center pixel value is null. i.e. values present at boundaries. :param image: The image we're working with :param x_coordinate: x-coordinate of the pixel :param y_coordinate: The y coordinate of the pixel :param center: center pixel value :return: The value of the pixel is being returned. """ try: return int(image[x_coordinate][y_coordinate] >= center) except (IndexError, TypeError): return 0 def local_binary_value(image: np.ndarray, x_coordinate: int, y_coordinate: int) -> int: """ It takes an image, an x and y coordinate, and returns the decimal value of the local binary patternof the pixel at that coordinate :param image: the image to be processed :param x_coordinate: x coordinate of the pixel :param y_coordinate: the y coordinate of the pixel :return: The decimal value of the binary value of the pixels around the center pixel. """ center = image[x_coordinate][y_coordinate] powers = [1, 2, 4, 8, 16, 32, 64, 128] # skip get_neighbors_pixel if center is null if center is None: return 0 # Starting from the top right, assigning value to pixels clockwise binary_values = [ get_neighbors_pixel(image, x_coordinate - 1, y_coordinate + 1, center), get_neighbors_pixel(image, x_coordinate, y_coordinate + 1, center), get_neighbors_pixel(image, x_coordinate - 1, y_coordinate, center), get_neighbors_pixel(image, x_coordinate + 1, y_coordinate + 1, center), get_neighbors_pixel(image, x_coordinate + 1, y_coordinate, center), get_neighbors_pixel(image, x_coordinate + 1, y_coordinate - 1, center), get_neighbors_pixel(image, x_coordinate, y_coordinate - 1, center), get_neighbors_pixel(image, x_coordinate - 1, y_coordinate - 1, center), ] # Converting the binary value to decimal. return sum( binary_value * power for binary_value, power in zip(binary_values, powers) ) if __name__ == "main": # Reading the image and converting it to grayscale. image = cv2.imread( "digital_image_processing/image_data/lena.jpg", cv2.IMREAD_GRAYSCALE ) # Create a numpy array as the same height and width of read image lbp_image = np.zeros((image.shape[0], image.shape[1])) # Iterating through the image and calculating the # local binary pattern value for each pixel. for i in range(0, image.shape[0]): for j in range(0, image.shape[1]): lbp_image[i][j] = local_binary_value(image, i, j) cv2.imshow("local binary pattern", lbp_image) cv2.waitKey(0) cv2.destroyAllWindows()
import cv2 import numpy as np def get_neighbors_pixel( image: np.ndarray, x_coordinate: int, y_coordinate: int, center: int ) -> int: """ Comparing local neighborhood pixel value with threshold value of centre pixel. Exception is required when neighborhood value of a center pixel value is null. i.e. values present at boundaries. :param image: The image we're working with :param x_coordinate: x-coordinate of the pixel :param y_coordinate: The y coordinate of the pixel :param center: center pixel value :return: The value of the pixel is being returned. """ try: return int(image[x_coordinate][y_coordinate] >= center) except (IndexError, TypeError): return 0 def local_binary_value(image: np.ndarray, x_coordinate: int, y_coordinate: int) -> int: """ It takes an image, an x and y coordinate, and returns the decimal value of the local binary patternof the pixel at that coordinate :param image: the image to be processed :param x_coordinate: x coordinate of the pixel :param y_coordinate: the y coordinate of the pixel :return: The decimal value of the binary value of the pixels around the center pixel. """ center = image[x_coordinate][y_coordinate] powers = [1, 2, 4, 8, 16, 32, 64, 128] # skip get_neighbors_pixel if center is null if center is None: return 0 # Starting from the top right, assigning value to pixels clockwise binary_values = [ get_neighbors_pixel(image, x_coordinate - 1, y_coordinate + 1, center), get_neighbors_pixel(image, x_coordinate, y_coordinate + 1, center), get_neighbors_pixel(image, x_coordinate - 1, y_coordinate, center), get_neighbors_pixel(image, x_coordinate + 1, y_coordinate + 1, center), get_neighbors_pixel(image, x_coordinate + 1, y_coordinate, center), get_neighbors_pixel(image, x_coordinate + 1, y_coordinate - 1, center), get_neighbors_pixel(image, x_coordinate, y_coordinate - 1, center), get_neighbors_pixel(image, x_coordinate - 1, y_coordinate - 1, center), ] # Converting the binary value to decimal. return sum( binary_value * power for binary_value, power in zip(binary_values, powers) ) if __name__ == "main": # Reading the image and converting it to grayscale. image = cv2.imread( "digital_image_processing/image_data/lena.jpg", cv2.IMREAD_GRAYSCALE ) # Create a numpy array as the same height and width of read image lbp_image = np.zeros((image.shape[0], image.shape[1])) # Iterating through the image and calculating the # local binary pattern value for each pixel. for i in range(0, image.shape[0]): for j in range(0, image.shape[1]): lbp_image[i][j] = local_binary_value(image, i, j) cv2.imshow("local binary pattern", lbp_image) cv2.waitKey(0) cv2.destroyAllWindows()
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points 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
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points 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
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" Convert Base 10 (Decimal) Values to Hexadecimal Representations """ # set decimal value for each hexadecimal digit values = { 0: "0", 1: "1", 2: "2", 3: "3", 4: "4", 5: "5", 6: "6", 7: "7", 8: "8", 9: "9", 10: "a", 11: "b", 12: "c", 13: "d", 14: "e", 15: "f", } def decimal_to_hexadecimal(decimal: float) -> str: """ take integer decimal value, return hexadecimal representation as str beginning with 0x >>> decimal_to_hexadecimal(5) '0x5' >>> decimal_to_hexadecimal(15) '0xf' >>> decimal_to_hexadecimal(37) '0x25' >>> decimal_to_hexadecimal(255) '0xff' >>> decimal_to_hexadecimal(4096) '0x1000' >>> decimal_to_hexadecimal(999098) '0xf3eba' >>> # negatives work too >>> decimal_to_hexadecimal(-256) '-0x100' >>> # floats are acceptable if equivalent to an int >>> decimal_to_hexadecimal(17.0) '0x11' >>> # other floats will error >>> decimal_to_hexadecimal(16.16) # doctest: +ELLIPSIS Traceback (most recent call last): ... AssertionError >>> # strings will error as well >>> decimal_to_hexadecimal('0xfffff') # doctest: +ELLIPSIS Traceback (most recent call last): ... AssertionError >>> # results are the same when compared to Python's default hex function >>> decimal_to_hexadecimal(-256) == hex(-256) True """ assert type(decimal) in (int, float) and decimal == int(decimal) decimal = int(decimal) hexadecimal = "" negative = False if decimal < 0: negative = True decimal *= -1 while decimal > 0: decimal, remainder = divmod(decimal, 16) hexadecimal = values[remainder] + hexadecimal hexadecimal = "0x" + hexadecimal if negative: hexadecimal = "-" + hexadecimal return hexadecimal if __name__ == "__main__": import doctest doctest.testmod()
""" Convert Base 10 (Decimal) Values to Hexadecimal Representations """ # set decimal value for each hexadecimal digit values = { 0: "0", 1: "1", 2: "2", 3: "3", 4: "4", 5: "5", 6: "6", 7: "7", 8: "8", 9: "9", 10: "a", 11: "b", 12: "c", 13: "d", 14: "e", 15: "f", } def decimal_to_hexadecimal(decimal: float) -> str: """ take integer decimal value, return hexadecimal representation as str beginning with 0x >>> decimal_to_hexadecimal(5) '0x5' >>> decimal_to_hexadecimal(15) '0xf' >>> decimal_to_hexadecimal(37) '0x25' >>> decimal_to_hexadecimal(255) '0xff' >>> decimal_to_hexadecimal(4096) '0x1000' >>> decimal_to_hexadecimal(999098) '0xf3eba' >>> # negatives work too >>> decimal_to_hexadecimal(-256) '-0x100' >>> # floats are acceptable if equivalent to an int >>> decimal_to_hexadecimal(17.0) '0x11' >>> # other floats will error >>> decimal_to_hexadecimal(16.16) # doctest: +ELLIPSIS Traceback (most recent call last): ... AssertionError >>> # strings will error as well >>> decimal_to_hexadecimal('0xfffff') # doctest: +ELLIPSIS Traceback (most recent call last): ... AssertionError >>> # results are the same when compared to Python's default hex function >>> decimal_to_hexadecimal(-256) == hex(-256) True """ assert type(decimal) in (int, float) and decimal == int(decimal) decimal = int(decimal) hexadecimal = "" negative = False if decimal < 0: negative = True decimal *= -1 while decimal > 0: decimal, remainder = divmod(decimal, 16) hexadecimal = values[remainder] + hexadecimal hexadecimal = "0x" + hexadecimal if negative: hexadecimal = "-" + hexadecimal return hexadecimal if __name__ == "__main__": import doctest doctest.testmod()
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points 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
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" Truncatable primes Problem 37: https://projecteuler.net/problem=37 The number 3797 has an interesting property. Being prime itself, it is possible to continuously remove digits from left to right, and remain prime at each stage: 3797, 797, 97, and 7. Similarly we can work from right to left: 3797, 379, 37, and 3. Find the sum of the only eleven primes that are both truncatable from left to right and right to left. NOTE: 2, 3, 5, and 7 are not considered to be truncatable primes. """ from __future__ import annotations import math def is_prime(number: int) -> bool: """Checks to see if a number is a prime in O(sqrt(n)). A number is prime if it has exactly two factors: 1 and itself. >>> is_prime(0) False >>> is_prime(1) False >>> is_prime(2) True >>> is_prime(3) True >>> is_prime(27) False >>> is_prime(87) False >>> is_prime(563) True >>> is_prime(2999) True >>> is_prime(67483) False """ if 1 < number < 4: # 2 and 3 are primes return True elif number < 2 or number % 2 == 0 or number % 3 == 0: # Negatives, 0, 1, all even numbers, all multiples of 3 are not primes return False # All primes number are in format of 6k +/- 1 for i in range(5, int(math.sqrt(number) + 1), 6): if number % i == 0 or number % (i + 2) == 0: return False return True def list_truncated_nums(n: int) -> list[int]: """ Returns a list of all left and right truncated numbers of n >>> list_truncated_nums(927628) [927628, 27628, 92762, 7628, 9276, 628, 927, 28, 92, 8, 9] >>> list_truncated_nums(467) [467, 67, 46, 7, 4] >>> list_truncated_nums(58) [58, 8, 5] """ str_num = str(n) list_nums = [n] for i in range(1, len(str_num)): list_nums.append(int(str_num[i:])) list_nums.append(int(str_num[:-i])) return list_nums def validate(n: int) -> bool: """ To optimize the approach, we will rule out the numbers above 1000, whose first or last three digits are not prime >>> validate(74679) False >>> validate(235693) False >>> validate(3797) True """ if len(str(n)) > 3: if not is_prime(int(str(n)[-3:])) or not is_prime(int(str(n)[:3])): return False return True def compute_truncated_primes(count: int = 11) -> list[int]: """ Returns the list of truncated primes >>> compute_truncated_primes(11) [23, 37, 53, 73, 313, 317, 373, 797, 3137, 3797, 739397] """ list_truncated_primes: list[int] = [] num = 13 while len(list_truncated_primes) != count: if validate(num): list_nums = list_truncated_nums(num) if all(is_prime(i) for i in list_nums): list_truncated_primes.append(num) num += 2 return list_truncated_primes def solution() -> int: """ Returns the sum of truncated primes """ return sum(compute_truncated_primes(11)) if __name__ == "__main__": print(f"{sum(compute_truncated_primes(11)) = }")
""" Truncatable primes Problem 37: https://projecteuler.net/problem=37 The number 3797 has an interesting property. Being prime itself, it is possible to continuously remove digits from left to right, and remain prime at each stage: 3797, 797, 97, and 7. Similarly we can work from right to left: 3797, 379, 37, and 3. Find the sum of the only eleven primes that are both truncatable from left to right and right to left. NOTE: 2, 3, 5, and 7 are not considered to be truncatable primes. """ from __future__ import annotations import math def is_prime(number: int) -> bool: """Checks to see if a number is a prime in O(sqrt(n)). A number is prime if it has exactly two factors: 1 and itself. >>> is_prime(0) False >>> is_prime(1) False >>> is_prime(2) True >>> is_prime(3) True >>> is_prime(27) False >>> is_prime(87) False >>> is_prime(563) True >>> is_prime(2999) True >>> is_prime(67483) False """ if 1 < number < 4: # 2 and 3 are primes return True elif number < 2 or number % 2 == 0 or number % 3 == 0: # Negatives, 0, 1, all even numbers, all multiples of 3 are not primes return False # All primes number are in format of 6k +/- 1 for i in range(5, int(math.sqrt(number) + 1), 6): if number % i == 0 or number % (i + 2) == 0: return False return True def list_truncated_nums(n: int) -> list[int]: """ Returns a list of all left and right truncated numbers of n >>> list_truncated_nums(927628) [927628, 27628, 92762, 7628, 9276, 628, 927, 28, 92, 8, 9] >>> list_truncated_nums(467) [467, 67, 46, 7, 4] >>> list_truncated_nums(58) [58, 8, 5] """ str_num = str(n) list_nums = [n] for i in range(1, len(str_num)): list_nums.append(int(str_num[i:])) list_nums.append(int(str_num[:-i])) return list_nums def validate(n: int) -> bool: """ To optimize the approach, we will rule out the numbers above 1000, whose first or last three digits are not prime >>> validate(74679) False >>> validate(235693) False >>> validate(3797) True """ if len(str(n)) > 3: if not is_prime(int(str(n)[-3:])) or not is_prime(int(str(n)[:3])): return False return True def compute_truncated_primes(count: int = 11) -> list[int]: """ Returns the list of truncated primes >>> compute_truncated_primes(11) [23, 37, 53, 73, 313, 317, 373, 797, 3137, 3797, 739397] """ list_truncated_primes: list[int] = [] num = 13 while len(list_truncated_primes) != count: if validate(num): list_nums = list_truncated_nums(num) if all(is_prime(i) for i in list_nums): list_truncated_primes.append(num) num += 2 return list_truncated_primes def solution() -> int: """ Returns the sum of truncated primes """ return sum(compute_truncated_primes(11)) if __name__ == "__main__": print(f"{sum(compute_truncated_primes(11)) = }")
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points 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 string import ascii_letters def encrypt(input_string: str, key: int, alphabet: str | None = None) -> str: """ encrypt ======= Encodes a given string with the caesar cipher and returns the encoded message Parameters: ----------- * input_string: the plain-text that needs to be encoded * key: the number of letters to shift the message by Optional: * alphabet (None): the alphabet used to encode the cipher, if not specified, the standard english alphabet with upper and lowercase letters is used Returns: * A string containing the encoded cipher-text More on the caesar cipher ========================= The caesar cipher is named after Julius Caesar who used it when sending secret military messages to his troops. This is a simple substitution cipher where very character in the plain-text is shifted by a certain number known as the "key" or "shift". Example: Say we have the following message: "Hello, captain" And our alphabet is made up of lower and uppercase letters: "abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ" And our shift is "2" We can then encode the message, one letter at a time. "H" would become "J", since "J" is two letters away, and so on. If the shift is ever two large, or our letter is at the end of the alphabet, we just start at the beginning ("Z" would shift to "a" then "b" and so on). Our final message would be "Jgnnq, ecrvckp" Further reading =============== * https://en.m.wikipedia.org/wiki/Caesar_cipher Doctests ======== >>> encrypt('The quick brown fox jumps over the lazy dog', 8) 'bpm yCqks jzwEv nwF rCuxA wDmz Bpm tiHG lwo' >>> encrypt('A very large key', 8000) 's nWjq dSjYW cWq' >>> encrypt('a lowercase alphabet', 5, 'abcdefghijklmnopqrstuvwxyz') 'f qtbjwhfxj fqumfgjy' """ # Set default alphabet to lower and upper case english chars alpha = alphabet or ascii_letters # The final result string result = "" for character in input_string: if character not in alpha: # Append without encryption if character is not in the alphabet result += character else: # Get the index of the new key and make sure it isn't too large new_key = (alpha.index(character) + key) % len(alpha) # Append the encoded character to the alphabet result += alpha[new_key] return result def decrypt(input_string: str, key: int, alphabet: str | None = None) -> str: """ decrypt ======= Decodes a given string of cipher-text and returns the decoded plain-text Parameters: ----------- * input_string: the cipher-text that needs to be decoded * key: the number of letters to shift the message backwards by to decode Optional: * alphabet (None): the alphabet used to decode the cipher, if not specified, the standard english alphabet with upper and lowercase letters is used Returns: * A string containing the decoded plain-text More on the caesar cipher ========================= The caesar cipher is named after Julius Caesar who used it when sending secret military messages to his troops. This is a simple substitution cipher where very character in the plain-text is shifted by a certain number known as the "key" or "shift". Please keep in mind, here we will be focused on decryption. Example: Say we have the following cipher-text: "Jgnnq, ecrvckp" And our alphabet is made up of lower and uppercase letters: "abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ" And our shift is "2" To decode the message, we would do the same thing as encoding, but in reverse. The first letter, "J" would become "H" (remember: we are decoding) because "H" is two letters in reverse (to the left) of "J". We would continue doing this. A letter like "a" would shift back to the end of the alphabet, and would become "Z" or "Y" and so on. Our final message would be "Hello, captain" Further reading =============== * https://en.m.wikipedia.org/wiki/Caesar_cipher Doctests ======== >>> decrypt('bpm yCqks jzwEv nwF rCuxA wDmz Bpm tiHG lwo', 8) 'The quick brown fox jumps over the lazy dog' >>> decrypt('s nWjq dSjYW cWq', 8000) 'A very large key' >>> decrypt('f qtbjwhfxj fqumfgjy', 5, 'abcdefghijklmnopqrstuvwxyz') 'a lowercase alphabet' """ # Turn on decode mode by making the key negative key *= -1 return encrypt(input_string, key, alphabet) def brute_force(input_string: str, alphabet: str | None = None) -> dict[int, str]: """ brute_force =========== Returns all the possible combinations of keys and the decoded strings in the form of a dictionary Parameters: ----------- * input_string: the cipher-text that needs to be used during brute-force Optional: * alphabet: (None): the alphabet used to decode the cipher, if not specified, the standard english alphabet with upper and lowercase letters is used More about brute force ====================== Brute force is when a person intercepts a message or password, not knowing the key and tries every single combination. This is easy with the caesar cipher since there are only all the letters in the alphabet. The more complex the cipher, the larger amount of time it will take to do brute force Ex: Say we have a 5 letter alphabet (abcde), for simplicity and we intercepted the following message: "dbc" we could then just write out every combination: ecd... and so on, until we reach a combination that makes sense: "cab" Further reading =============== * https://en.wikipedia.org/wiki/Brute_force Doctests ======== >>> brute_force("jFyuMy xIH'N vLONy zILwy Gy!")[20] "Please don't brute force me!" >>> brute_force(1) Traceback (most recent call last): TypeError: 'int' object is not iterable """ # Set default alphabet to lower and upper case english chars alpha = alphabet or ascii_letters # To store data on all the combinations brute_force_data = {} # Cycle through each combination for key in range(1, len(alpha) + 1): # Decrypt the message and store the result in the data brute_force_data[key] = decrypt(input_string, key, alpha) return brute_force_data if __name__ == "__main__": while True: print(f'\n{"-" * 10}\n Menu\n{"-" * 10}') print(*["1.Encrypt", "2.Decrypt", "3.BruteForce", "4.Quit"], sep="\n") # get user input choice = input("\nWhat would you like to do?: ").strip() or "4" # run functions based on what the user chose if choice not in ("1", "2", "3", "4"): print("Invalid choice, please enter a valid choice") elif choice == "1": input_string = input("Please enter the string to be encrypted: ") key = int(input("Please enter off-set: ").strip()) print(encrypt(input_string, key)) elif choice == "2": input_string = input("Please enter the string to be decrypted: ") key = int(input("Please enter off-set: ").strip()) print(decrypt(input_string, key)) elif choice == "3": input_string = input("Please enter the string to be decrypted: ") brute_force_data = brute_force(input_string) for key, value in brute_force_data.items(): print(f"Key: {key} | Message: {value}") elif choice == "4": print("Goodbye.") break
from __future__ import annotations from string import ascii_letters def encrypt(input_string: str, key: int, alphabet: str | None = None) -> str: """ encrypt ======= Encodes a given string with the caesar cipher and returns the encoded message Parameters: ----------- * input_string: the plain-text that needs to be encoded * key: the number of letters to shift the message by Optional: * alphabet (None): the alphabet used to encode the cipher, if not specified, the standard english alphabet with upper and lowercase letters is used Returns: * A string containing the encoded cipher-text More on the caesar cipher ========================= The caesar cipher is named after Julius Caesar who used it when sending secret military messages to his troops. This is a simple substitution cipher where very character in the plain-text is shifted by a certain number known as the "key" or "shift". Example: Say we have the following message: "Hello, captain" And our alphabet is made up of lower and uppercase letters: "abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ" And our shift is "2" We can then encode the message, one letter at a time. "H" would become "J", since "J" is two letters away, and so on. If the shift is ever two large, or our letter is at the end of the alphabet, we just start at the beginning ("Z" would shift to "a" then "b" and so on). Our final message would be "Jgnnq, ecrvckp" Further reading =============== * https://en.m.wikipedia.org/wiki/Caesar_cipher Doctests ======== >>> encrypt('The quick brown fox jumps over the lazy dog', 8) 'bpm yCqks jzwEv nwF rCuxA wDmz Bpm tiHG lwo' >>> encrypt('A very large key', 8000) 's nWjq dSjYW cWq' >>> encrypt('a lowercase alphabet', 5, 'abcdefghijklmnopqrstuvwxyz') 'f qtbjwhfxj fqumfgjy' """ # Set default alphabet to lower and upper case english chars alpha = alphabet or ascii_letters # The final result string result = "" for character in input_string: if character not in alpha: # Append without encryption if character is not in the alphabet result += character else: # Get the index of the new key and make sure it isn't too large new_key = (alpha.index(character) + key) % len(alpha) # Append the encoded character to the alphabet result += alpha[new_key] return result def decrypt(input_string: str, key: int, alphabet: str | None = None) -> str: """ decrypt ======= Decodes a given string of cipher-text and returns the decoded plain-text Parameters: ----------- * input_string: the cipher-text that needs to be decoded * key: the number of letters to shift the message backwards by to decode Optional: * alphabet (None): the alphabet used to decode the cipher, if not specified, the standard english alphabet with upper and lowercase letters is used Returns: * A string containing the decoded plain-text More on the caesar cipher ========================= The caesar cipher is named after Julius Caesar who used it when sending secret military messages to his troops. This is a simple substitution cipher where very character in the plain-text is shifted by a certain number known as the "key" or "shift". Please keep in mind, here we will be focused on decryption. Example: Say we have the following cipher-text: "Jgnnq, ecrvckp" And our alphabet is made up of lower and uppercase letters: "abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ" And our shift is "2" To decode the message, we would do the same thing as encoding, but in reverse. The first letter, "J" would become "H" (remember: we are decoding) because "H" is two letters in reverse (to the left) of "J". We would continue doing this. A letter like "a" would shift back to the end of the alphabet, and would become "Z" or "Y" and so on. Our final message would be "Hello, captain" Further reading =============== * https://en.m.wikipedia.org/wiki/Caesar_cipher Doctests ======== >>> decrypt('bpm yCqks jzwEv nwF rCuxA wDmz Bpm tiHG lwo', 8) 'The quick brown fox jumps over the lazy dog' >>> decrypt('s nWjq dSjYW cWq', 8000) 'A very large key' >>> decrypt('f qtbjwhfxj fqumfgjy', 5, 'abcdefghijklmnopqrstuvwxyz') 'a lowercase alphabet' """ # Turn on decode mode by making the key negative key *= -1 return encrypt(input_string, key, alphabet) def brute_force(input_string: str, alphabet: str | None = None) -> dict[int, str]: """ brute_force =========== Returns all the possible combinations of keys and the decoded strings in the form of a dictionary Parameters: ----------- * input_string: the cipher-text that needs to be used during brute-force Optional: * alphabet: (None): the alphabet used to decode the cipher, if not specified, the standard english alphabet with upper and lowercase letters is used More about brute force ====================== Brute force is when a person intercepts a message or password, not knowing the key and tries every single combination. This is easy with the caesar cipher since there are only all the letters in the alphabet. The more complex the cipher, the larger amount of time it will take to do brute force Ex: Say we have a 5 letter alphabet (abcde), for simplicity and we intercepted the following message: "dbc" we could then just write out every combination: ecd... and so on, until we reach a combination that makes sense: "cab" Further reading =============== * https://en.wikipedia.org/wiki/Brute_force Doctests ======== >>> brute_force("jFyuMy xIH'N vLONy zILwy Gy!")[20] "Please don't brute force me!" >>> brute_force(1) Traceback (most recent call last): TypeError: 'int' object is not iterable """ # Set default alphabet to lower and upper case english chars alpha = alphabet or ascii_letters # To store data on all the combinations brute_force_data = {} # Cycle through each combination for key in range(1, len(alpha) + 1): # Decrypt the message and store the result in the data brute_force_data[key] = decrypt(input_string, key, alpha) return brute_force_data if __name__ == "__main__": while True: print(f'\n{"-" * 10}\n Menu\n{"-" * 10}') print(*["1.Encrypt", "2.Decrypt", "3.BruteForce", "4.Quit"], sep="\n") # get user input choice = input("\nWhat would you like to do?: ").strip() or "4" # run functions based on what the user chose if choice not in ("1", "2", "3", "4"): print("Invalid choice, please enter a valid choice") elif choice == "1": input_string = input("Please enter the string to be encrypted: ") key = int(input("Please enter off-set: ").strip()) print(encrypt(input_string, key)) elif choice == "2": input_string = input("Please enter the string to be decrypted: ") key = int(input("Please enter off-set: ").strip()) print(decrypt(input_string, key)) elif choice == "3": input_string = input("Please enter the string to be decrypted: ") brute_force_data = brute_force(input_string) for key, value in brute_force_data.items(): print(f"Key: {key} | Message: {value}") elif choice == "4": print("Goodbye.") break
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points 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 """ Provide the current worldwide COVID-19 statistics. This data is being scrapped from 'https://www.worldometers.info/coronavirus/'. """ import requests from bs4 import BeautifulSoup def world_covid19_stats(url: str = "https://www.worldometers.info/coronavirus") -> dict: """ Return a dict of current worldwide COVID-19 statistics """ soup = BeautifulSoup(requests.get(url).text, "html.parser") keys = soup.findAll("h1") values = soup.findAll("div", {"class": "maincounter-number"}) keys += soup.findAll("span", {"class": "panel-title"}) values += soup.findAll("div", {"class": "number-table-main"}) return {key.text.strip(): value.text.strip() for key, value in zip(keys, values)} if __name__ == "__main__": print("\033[1m" + "COVID-19 Status of the World" + "\033[0m\n") for key, value in world_covid19_stats().items(): print(f"{key}\n{value}\n")
#!/usr/bin/env python3 """ Provide the current worldwide COVID-19 statistics. This data is being scrapped from 'https://www.worldometers.info/coronavirus/'. """ import requests from bs4 import BeautifulSoup def world_covid19_stats(url: str = "https://www.worldometers.info/coronavirus") -> dict: """ Return a dict of current worldwide COVID-19 statistics """ soup = BeautifulSoup(requests.get(url).text, "html.parser") keys = soup.findAll("h1") values = soup.findAll("div", {"class": "maincounter-number"}) keys += soup.findAll("span", {"class": "panel-title"}) values += soup.findAll("div", {"class": "number-table-main"}) return {key.text.strip(): value.text.strip() for key, value in zip(keys, values)} if __name__ == "__main__": print("\033[1m" + "COVID-19 Status of the World" + "\033[0m\n") for key, value in world_covid19_stats().items(): print(f"{key}\n{value}\n")
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" Horizontal Projectile Motion problem in physics. This algorithm solves a specific problem in which the motion starts from the ground as can be seen below: (v = 0) ** * * * * * * * * * * GROUND GROUND For more info: https://en.wikipedia.org/wiki/Projectile_motion """ # Importing packages from math import radians as angle_to_radians from math import sin # Acceleration Constant on Earth (unit m/s^2) g = 9.80665 def check_args(init_velocity: float, angle: float) -> None: """ Check that the arguments are valid """ # Ensure valid instance if not isinstance(init_velocity, (int, float)): raise TypeError("Invalid velocity. Should be a positive number.") if not isinstance(angle, (int, float)): raise TypeError("Invalid angle. Range is 1-90 degrees.") # Ensure valid angle if angle > 90 or angle < 1: raise ValueError("Invalid angle. Range is 1-90 degrees.") # Ensure valid velocity if init_velocity < 0: raise ValueError("Invalid velocity. Should be a positive number.") def horizontal_distance(init_velocity: float, angle: float) -> float: """ Returns the horizontal distance that the object cover Formula: v_0^2 * sin(2 * alpha) --------------------- g v_0 - initial velocity alpha - angle >>> horizontal_distance(30, 45) 91.77 >>> horizontal_distance(100, 78) 414.76 >>> horizontal_distance(-1, 20) Traceback (most recent call last): ... ValueError: Invalid velocity. Should be a positive number. >>> horizontal_distance(30, -20) Traceback (most recent call last): ... ValueError: Invalid angle. Range is 1-90 degrees. """ check_args(init_velocity, angle) radians = angle_to_radians(2 * angle) return round(init_velocity**2 * sin(radians) / g, 2) def max_height(init_velocity: float, angle: float) -> float: """ Returns the maximum height that the object reach Formula: v_0^2 * sin^2(alpha) -------------------- 2g v_0 - initial velocity alpha - angle >>> max_height(30, 45) 22.94 >>> max_height(100, 78) 487.82 >>> max_height("a", 20) Traceback (most recent call last): ... TypeError: Invalid velocity. Should be a positive number. >>> horizontal_distance(30, "b") Traceback (most recent call last): ... TypeError: Invalid angle. Range is 1-90 degrees. """ check_args(init_velocity, angle) radians = angle_to_radians(angle) return round(init_velocity**2 * sin(radians) ** 2 / (2 * g), 2) def total_time(init_velocity: float, angle: float) -> float: """ Returns total time of the motion Formula: 2 * v_0 * sin(alpha) -------------------- g v_0 - initial velocity alpha - angle >>> total_time(30, 45) 4.33 >>> total_time(100, 78) 19.95 >>> total_time(-10, 40) Traceback (most recent call last): ... ValueError: Invalid velocity. Should be a positive number. >>> total_time(30, "b") Traceback (most recent call last): ... TypeError: Invalid angle. Range is 1-90 degrees. """ check_args(init_velocity, angle) radians = angle_to_radians(angle) return round(2 * init_velocity * sin(radians) / g, 2) def test_motion() -> None: """ >>> test_motion() """ v0, angle = 25, 20 assert horizontal_distance(v0, angle) == 40.97 assert max_height(v0, angle) == 3.73 assert total_time(v0, angle) == 1.74 if __name__ == "__main__": from doctest import testmod testmod() # Get input from user init_vel = float(input("Initial Velocity: ").strip()) # Get input from user angle = float(input("angle: ").strip()) # Print results print() print("Results: ") print(f"Horizontal Distance: {str(horizontal_distance(init_vel, angle))} [m]") print(f"Maximum Height: {str(max_height(init_vel, angle))} [m]") print(f"Total Time: {str(total_time(init_vel, angle))} [s]")
""" Horizontal Projectile Motion problem in physics. This algorithm solves a specific problem in which the motion starts from the ground as can be seen below: (v = 0) ** * * * * * * * * * * GROUND GROUND For more info: https://en.wikipedia.org/wiki/Projectile_motion """ # Importing packages from math import radians as angle_to_radians from math import sin # Acceleration Constant on Earth (unit m/s^2) g = 9.80665 def check_args(init_velocity: float, angle: float) -> None: """ Check that the arguments are valid """ # Ensure valid instance if not isinstance(init_velocity, (int, float)): raise TypeError("Invalid velocity. Should be a positive number.") if not isinstance(angle, (int, float)): raise TypeError("Invalid angle. Range is 1-90 degrees.") # Ensure valid angle if angle > 90 or angle < 1: raise ValueError("Invalid angle. Range is 1-90 degrees.") # Ensure valid velocity if init_velocity < 0: raise ValueError("Invalid velocity. Should be a positive number.") def horizontal_distance(init_velocity: float, angle: float) -> float: """ Returns the horizontal distance that the object cover Formula: v_0^2 * sin(2 * alpha) --------------------- g v_0 - initial velocity alpha - angle >>> horizontal_distance(30, 45) 91.77 >>> horizontal_distance(100, 78) 414.76 >>> horizontal_distance(-1, 20) Traceback (most recent call last): ... ValueError: Invalid velocity. Should be a positive number. >>> horizontal_distance(30, -20) Traceback (most recent call last): ... ValueError: Invalid angle. Range is 1-90 degrees. """ check_args(init_velocity, angle) radians = angle_to_radians(2 * angle) return round(init_velocity**2 * sin(radians) / g, 2) def max_height(init_velocity: float, angle: float) -> float: """ Returns the maximum height that the object reach Formula: v_0^2 * sin^2(alpha) -------------------- 2g v_0 - initial velocity alpha - angle >>> max_height(30, 45) 22.94 >>> max_height(100, 78) 487.82 >>> max_height("a", 20) Traceback (most recent call last): ... TypeError: Invalid velocity. Should be a positive number. >>> horizontal_distance(30, "b") Traceback (most recent call last): ... TypeError: Invalid angle. Range is 1-90 degrees. """ check_args(init_velocity, angle) radians = angle_to_radians(angle) return round(init_velocity**2 * sin(radians) ** 2 / (2 * g), 2) def total_time(init_velocity: float, angle: float) -> float: """ Returns total time of the motion Formula: 2 * v_0 * sin(alpha) -------------------- g v_0 - initial velocity alpha - angle >>> total_time(30, 45) 4.33 >>> total_time(100, 78) 19.95 >>> total_time(-10, 40) Traceback (most recent call last): ... ValueError: Invalid velocity. Should be a positive number. >>> total_time(30, "b") Traceback (most recent call last): ... TypeError: Invalid angle. Range is 1-90 degrees. """ check_args(init_velocity, angle) radians = angle_to_radians(angle) return round(2 * init_velocity * sin(radians) / g, 2) def test_motion() -> None: """ >>> test_motion() """ v0, angle = 25, 20 assert horizontal_distance(v0, angle) == 40.97 assert max_height(v0, angle) == 3.73 assert total_time(v0, angle) == 1.74 if __name__ == "__main__": from doctest import testmod testmod() # Get input from user init_vel = float(input("Initial Velocity: ").strip()) # Get input from user angle = float(input("angle: ").strip()) # Print results print() print("Results: ") print(f"Horizontal Distance: {str(horizontal_distance(init_vel, angle))} [m]") print(f"Maximum Height: {str(max_height(init_vel, angle))} [m]") print(f"Total Time: {str(total_time(init_vel, angle))} [s]")
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" == Perfect Number == In number theory, a perfect number is a positive integer that is equal to the sum of its positive divisors, excluding the number itself. For example: 6 ==> divisors[1, 2, 3, 6] Excluding 6, the sum(divisors) is 1 + 2 + 3 = 6 So, 6 is a Perfect Number Other examples of Perfect Numbers: 28, 486, ... https://en.wikipedia.org/wiki/Perfect_number """ def perfect(number: int) -> bool: """ >>> perfect(27) False >>> perfect(28) True >>> perfect(29) False Start from 1 because dividing by 0 will raise ZeroDivisionError. A number at most can be divisible by the half of the number except the number itself. For example, 6 is at most can be divisible by 3 except by 6 itself. """ return sum(i for i in range(1, number // 2 + 1) if number % i == 0) == number if __name__ == "__main__": print("Program to check whether a number is a Perfect number or not...") number = int(input("Enter number: ").strip()) print(f"{number} is {'' if perfect(number) else 'not '}a Perfect Number.")
""" == Perfect Number == In number theory, a perfect number is a positive integer that is equal to the sum of its positive divisors, excluding the number itself. For example: 6 ==> divisors[1, 2, 3, 6] Excluding 6, the sum(divisors) is 1 + 2 + 3 = 6 So, 6 is a Perfect Number Other examples of Perfect Numbers: 28, 486, ... https://en.wikipedia.org/wiki/Perfect_number """ def perfect(number: int) -> bool: """ >>> perfect(27) False >>> perfect(28) True >>> perfect(29) False Start from 1 because dividing by 0 will raise ZeroDivisionError. A number at most can be divisible by the half of the number except the number itself. For example, 6 is at most can be divisible by 3 except by 6 itself. """ return sum(i for i in range(1, number // 2 + 1) if number % i == 0) == number if __name__ == "__main__": print("Program to check whether a number is a Perfect number or not...") number = int(input("Enter number: ").strip()) print(f"{number} is {'' if perfect(number) else 'not '}a Perfect Number.")
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
#!/usr/bin/env python3 import hashlib import importlib.util import json import os import pathlib from types import ModuleType import pytest import requests PROJECT_EULER_DIR_PATH = pathlib.Path.cwd().joinpath("project_euler") PROJECT_EULER_ANSWERS_PATH = pathlib.Path.cwd().joinpath( "scripts", "project_euler_answers.json" ) with open(PROJECT_EULER_ANSWERS_PATH) as file_handle: PROBLEM_ANSWERS: dict[str, str] = json.load(file_handle) def convert_path_to_module(file_path: pathlib.Path) -> ModuleType: """Converts a file path to a Python module""" spec = importlib.util.spec_from_file_location(file_path.name, str(file_path)) module = importlib.util.module_from_spec(spec) # type: ignore spec.loader.exec_module(module) # type: ignore return module def all_solution_file_paths() -> list[pathlib.Path]: """Collects all the solution file path in the Project Euler directory""" solution_file_paths = [] for problem_dir_path in PROJECT_EULER_DIR_PATH.iterdir(): if problem_dir_path.is_file() or problem_dir_path.name.startswith("_"): continue for file_path in problem_dir_path.iterdir(): if file_path.suffix != ".py" or file_path.name.startswith(("_", "test")): continue solution_file_paths.append(file_path) return solution_file_paths def get_files_url() -> str: """Return the pull request number which triggered this action.""" with open(os.environ["GITHUB_EVENT_PATH"]) as file: event = json.load(file) return event["pull_request"]["url"] + "/files" def added_solution_file_path() -> list[pathlib.Path]: """Collects only the solution file path which got added in the current pull request. This will only be triggered if the script is ran from GitHub Actions. """ solution_file_paths = [] headers = { "Accept": "application/vnd.github.v3+json", "Authorization": "token " + os.environ["GITHUB_TOKEN"], } files = requests.get(get_files_url(), headers=headers).json() for file in files: filepath = pathlib.Path.cwd().joinpath(file["filename"]) if ( filepath.suffix != ".py" or filepath.name.startswith(("_", "test")) or not filepath.name.startswith("sol") ): continue solution_file_paths.append(filepath) return solution_file_paths def collect_solution_file_paths() -> list[pathlib.Path]: if os.environ.get("CI") and os.environ.get("GITHUB_EVENT_NAME") == "pull_request": # Return only if there are any, otherwise default to all solutions if filepaths := added_solution_file_path(): return filepaths return all_solution_file_paths() @pytest.mark.parametrize( "solution_path", collect_solution_file_paths(), ids=lambda path: f"{path.parent.name}/{path.name}", ) def test_project_euler(solution_path: pathlib.Path) -> None: """Testing for all Project Euler solutions""" # problem_[extract this part] and pad it with zeroes for width 3 problem_number: str = solution_path.parent.name[8:].zfill(3) expected: str = PROBLEM_ANSWERS[problem_number] solution_module = convert_path_to_module(solution_path) answer = str(solution_module.solution()) # type: ignore answer = hashlib.sha256(answer.encode()).hexdigest() assert ( answer == expected ), f"Expected solution to {problem_number} to have hash {expected}, got {answer}"
#!/usr/bin/env python3 import hashlib import importlib.util import json import os import pathlib from types import ModuleType import pytest import requests PROJECT_EULER_DIR_PATH = pathlib.Path.cwd().joinpath("project_euler") PROJECT_EULER_ANSWERS_PATH = pathlib.Path.cwd().joinpath( "scripts", "project_euler_answers.json" ) with open(PROJECT_EULER_ANSWERS_PATH) as file_handle: PROBLEM_ANSWERS: dict[str, str] = json.load(file_handle) def convert_path_to_module(file_path: pathlib.Path) -> ModuleType: """Converts a file path to a Python module""" spec = importlib.util.spec_from_file_location(file_path.name, str(file_path)) module = importlib.util.module_from_spec(spec) # type: ignore spec.loader.exec_module(module) # type: ignore return module def all_solution_file_paths() -> list[pathlib.Path]: """Collects all the solution file path in the Project Euler directory""" solution_file_paths = [] for problem_dir_path in PROJECT_EULER_DIR_PATH.iterdir(): if problem_dir_path.is_file() or problem_dir_path.name.startswith("_"): continue for file_path in problem_dir_path.iterdir(): if file_path.suffix != ".py" or file_path.name.startswith(("_", "test")): continue solution_file_paths.append(file_path) return solution_file_paths def get_files_url() -> str: """Return the pull request number which triggered this action.""" with open(os.environ["GITHUB_EVENT_PATH"]) as file: event = json.load(file) return event["pull_request"]["url"] + "/files" def added_solution_file_path() -> list[pathlib.Path]: """Collects only the solution file path which got added in the current pull request. This will only be triggered if the script is ran from GitHub Actions. """ solution_file_paths = [] headers = { "Accept": "application/vnd.github.v3+json", "Authorization": "token " + os.environ["GITHUB_TOKEN"], } files = requests.get(get_files_url(), headers=headers).json() for file in files: filepath = pathlib.Path.cwd().joinpath(file["filename"]) if ( filepath.suffix != ".py" or filepath.name.startswith(("_", "test")) or not filepath.name.startswith("sol") ): continue solution_file_paths.append(filepath) return solution_file_paths def collect_solution_file_paths() -> list[pathlib.Path]: if os.environ.get("CI") and os.environ.get("GITHUB_EVENT_NAME") == "pull_request": # Return only if there are any, otherwise default to all solutions if filepaths := added_solution_file_path(): return filepaths return all_solution_file_paths() @pytest.mark.parametrize( "solution_path", collect_solution_file_paths(), ids=lambda path: f"{path.parent.name}/{path.name}", ) def test_project_euler(solution_path: pathlib.Path) -> None: """Testing for all Project Euler solutions""" # problem_[extract this part] and pad it with zeroes for width 3 problem_number: str = solution_path.parent.name[8:].zfill(3) expected: str = PROBLEM_ANSWERS[problem_number] solution_module = convert_path_to_module(solution_path) answer = str(solution_module.solution()) # type: ignore answer = hashlib.sha256(answer.encode()).hexdigest() assert ( answer == expected ), f"Expected solution to {problem_number} to have hash {expected}, got {answer}"
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points 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 collatz_sequence(n: int) -> list[int]: """ Collatz conjecture: start with any positive integer n. The next term is obtained as follows: If n term is even, the next term is: n / 2 . If n is odd, the next term is: 3 * n + 1. The conjecture states the sequence will always reach 1 for any starting value n. Example: >>> collatz_sequence(2.1) Traceback (most recent call last): ... Exception: Sequence only defined for natural numbers >>> collatz_sequence(0) Traceback (most recent call last): ... Exception: Sequence only defined for natural numbers >>> collatz_sequence(43) # doctest: +NORMALIZE_WHITESPACE [43, 130, 65, 196, 98, 49, 148, 74, 37, 112, 56, 28, 14, 7, 22, 11, 34, 17, 52, 26, 13, 40, 20, 10, 5, 16, 8, 4, 2, 1] """ if not isinstance(n, int) or n < 1: raise Exception("Sequence only defined for natural numbers") sequence = [n] while n != 1: n = 3 * n + 1 if n & 1 else n // 2 sequence.append(n) return sequence def main(): n = 43 sequence = collatz_sequence(n) print(sequence) print(f"collatz sequence from {n} took {len(sequence)} steps.") if __name__ == "__main__": main()
from __future__ import annotations def collatz_sequence(n: int) -> list[int]: """ Collatz conjecture: start with any positive integer n. The next term is obtained as follows: If n term is even, the next term is: n / 2 . If n is odd, the next term is: 3 * n + 1. The conjecture states the sequence will always reach 1 for any starting value n. Example: >>> collatz_sequence(2.1) Traceback (most recent call last): ... Exception: Sequence only defined for natural numbers >>> collatz_sequence(0) Traceback (most recent call last): ... Exception: Sequence only defined for natural numbers >>> collatz_sequence(43) # doctest: +NORMALIZE_WHITESPACE [43, 130, 65, 196, 98, 49, 148, 74, 37, 112, 56, 28, 14, 7, 22, 11, 34, 17, 52, 26, 13, 40, 20, 10, 5, 16, 8, 4, 2, 1] """ if not isinstance(n, int) or n < 1: raise Exception("Sequence only defined for natural numbers") sequence = [n] while n != 1: n = 3 * n + 1 if n & 1 else n // 2 sequence.append(n) return sequence def main(): n = 43 sequence = collatz_sequence(n) print(sequence) print(f"collatz sequence from {n} took {len(sequence)} steps.") if __name__ == "__main__": main()
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" Highest response ratio next (HRRN) scheduling is a non-preemptive discipline. It was developed as modification of shortest job next or shortest job first (SJN or SJF) to mitigate the problem of process starvation. https://en.wikipedia.org/wiki/Highest_response_ratio_next """ from statistics import mean import numpy as np def calculate_turn_around_time( process_name: list, arrival_time: list, burst_time: list, no_of_process: int ) -> list: """ Calculate the turn around time of each processes Return: The turn around time time for each process. >>> calculate_turn_around_time(["A", "B", "C"], [3, 5, 8], [2, 4, 6], 3) [2, 4, 7] >>> calculate_turn_around_time(["A", "B", "C"], [0, 2, 4], [3, 5, 7], 3) [3, 6, 11] """ current_time = 0 # Number of processes finished finished_process_count = 0 # Displays the finished process. # If it is 0, the performance is completed if it is 1, before the performance. finished_process = [0] * no_of_process # List to include calculation results turn_around_time = [0] * no_of_process # Sort by arrival time. burst_time = [burst_time[i] for i in np.argsort(arrival_time)] process_name = [process_name[i] for i in np.argsort(arrival_time)] arrival_time.sort() while no_of_process > finished_process_count: """ If the current time is less than the arrival time of the process that arrives first among the processes that have not been performed, change the current time. """ i = 0 while finished_process[i] == 1: i += 1 if current_time < arrival_time[i]: current_time = arrival_time[i] response_ratio = 0 # Index showing the location of the process being performed loc = 0 # Saves the current response ratio. temp = 0 for i in range(0, no_of_process): if finished_process[i] == 0 and arrival_time[i] <= current_time: temp = (burst_time[i] + (current_time - arrival_time[i])) / burst_time[ i ] if response_ratio < temp: response_ratio = temp loc = i # Calculate the turn around time turn_around_time[loc] = current_time + burst_time[loc] - arrival_time[loc] current_time += burst_time[loc] # Indicates that the process has been performed. finished_process[loc] = 1 # Increase finished_process_count by 1 finished_process_count += 1 return turn_around_time def calculate_waiting_time( process_name: list, turn_around_time: list, burst_time: list, no_of_process: int ) -> list: """ Calculate the waiting time of each processes. Return: The waiting time for each process. >>> calculate_waiting_time(["A", "B", "C"], [2, 4, 7], [2, 4, 6], 3) [0, 0, 1] >>> calculate_waiting_time(["A", "B", "C"], [3, 6, 11], [3, 5, 7], 3) [0, 1, 4] """ waiting_time = [0] * no_of_process for i in range(0, no_of_process): waiting_time[i] = turn_around_time[i] - burst_time[i] return waiting_time if __name__ == "__main__": no_of_process = 5 process_name = ["A", "B", "C", "D", "E"] arrival_time = [1, 2, 3, 4, 5] burst_time = [1, 2, 3, 4, 5] turn_around_time = calculate_turn_around_time( process_name, arrival_time, burst_time, no_of_process ) waiting_time = calculate_waiting_time( process_name, turn_around_time, burst_time, no_of_process ) print("Process name \tArrival time \tBurst time \tTurn around time \tWaiting time") for i in range(0, no_of_process): print( f"{process_name[i]}\t\t{arrival_time[i]}\t\t{burst_time[i]}\t\t" f"{turn_around_time[i]}\t\t\t{waiting_time[i]}" ) print(f"average waiting time : {mean(waiting_time):.5f}") print(f"average turn around time : {mean(turn_around_time):.5f}")
""" Highest response ratio next (HRRN) scheduling is a non-preemptive discipline. It was developed as modification of shortest job next or shortest job first (SJN or SJF) to mitigate the problem of process starvation. https://en.wikipedia.org/wiki/Highest_response_ratio_next """ from statistics import mean import numpy as np def calculate_turn_around_time( process_name: list, arrival_time: list, burst_time: list, no_of_process: int ) -> list: """ Calculate the turn around time of each processes Return: The turn around time time for each process. >>> calculate_turn_around_time(["A", "B", "C"], [3, 5, 8], [2, 4, 6], 3) [2, 4, 7] >>> calculate_turn_around_time(["A", "B", "C"], [0, 2, 4], [3, 5, 7], 3) [3, 6, 11] """ current_time = 0 # Number of processes finished finished_process_count = 0 # Displays the finished process. # If it is 0, the performance is completed if it is 1, before the performance. finished_process = [0] * no_of_process # List to include calculation results turn_around_time = [0] * no_of_process # Sort by arrival time. burst_time = [burst_time[i] for i in np.argsort(arrival_time)] process_name = [process_name[i] for i in np.argsort(arrival_time)] arrival_time.sort() while no_of_process > finished_process_count: """ If the current time is less than the arrival time of the process that arrives first among the processes that have not been performed, change the current time. """ i = 0 while finished_process[i] == 1: i += 1 if current_time < arrival_time[i]: current_time = arrival_time[i] response_ratio = 0 # Index showing the location of the process being performed loc = 0 # Saves the current response ratio. temp = 0 for i in range(0, no_of_process): if finished_process[i] == 0 and arrival_time[i] <= current_time: temp = (burst_time[i] + (current_time - arrival_time[i])) / burst_time[ i ] if response_ratio < temp: response_ratio = temp loc = i # Calculate the turn around time turn_around_time[loc] = current_time + burst_time[loc] - arrival_time[loc] current_time += burst_time[loc] # Indicates that the process has been performed. finished_process[loc] = 1 # Increase finished_process_count by 1 finished_process_count += 1 return turn_around_time def calculate_waiting_time( process_name: list, turn_around_time: list, burst_time: list, no_of_process: int ) -> list: """ Calculate the waiting time of each processes. Return: The waiting time for each process. >>> calculate_waiting_time(["A", "B", "C"], [2, 4, 7], [2, 4, 6], 3) [0, 0, 1] >>> calculate_waiting_time(["A", "B", "C"], [3, 6, 11], [3, 5, 7], 3) [0, 1, 4] """ waiting_time = [0] * no_of_process for i in range(0, no_of_process): waiting_time[i] = turn_around_time[i] - burst_time[i] return waiting_time if __name__ == "__main__": no_of_process = 5 process_name = ["A", "B", "C", "D", "E"] arrival_time = [1, 2, 3, 4, 5] burst_time = [1, 2, 3, 4, 5] turn_around_time = calculate_turn_around_time( process_name, arrival_time, burst_time, no_of_process ) waiting_time = calculate_waiting_time( process_name, turn_around_time, burst_time, no_of_process ) print("Process name \tArrival time \tBurst time \tTurn around time \tWaiting time") for i in range(0, no_of_process): print( f"{process_name[i]}\t\t{arrival_time[i]}\t\t{burst_time[i]}\t\t" f"{turn_around_time[i]}\t\t\t{waiting_time[i]}" ) print(f"average waiting time : {mean(waiting_time):.5f}") print(f"average turn around time : {mean(turn_around_time):.5f}")
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" A Stack using a linked list like structure """ from __future__ import annotations from collections.abc import Iterator from typing import Generic, TypeVar T = TypeVar("T") class Node(Generic[T]): def __init__(self, data: T): self.data = data self.next: Node[T] | None = None def __str__(self) -> str: return f"{self.data}" class LinkedStack(Generic[T]): """ Linked List Stack implementing push (to top), pop (from top) and is_empty >>> stack = LinkedStack() >>> stack.is_empty() True >>> stack.push(5) >>> stack.push(9) >>> stack.push('python') >>> stack.is_empty() False >>> stack.pop() 'python' >>> stack.push('algorithms') >>> stack.pop() 'algorithms' >>> stack.pop() 9 >>> stack.pop() 5 >>> stack.is_empty() True >>> stack.pop() Traceback (most recent call last): ... IndexError: pop from empty stack """ def __init__(self) -> None: self.top: Node[T] | None = None def __iter__(self) -> Iterator[T]: node = self.top while node: yield node.data node = node.next def __str__(self) -> str: """ >>> stack = LinkedStack() >>> stack.push("c") >>> stack.push("b") >>> stack.push("a") >>> str(stack) 'a->b->c' """ return "->".join([str(item) for item in self]) def __len__(self) -> int: """ >>> stack = LinkedStack() >>> len(stack) == 0 True >>> stack.push("c") >>> stack.push("b") >>> stack.push("a") >>> len(stack) == 3 True """ return len(tuple(iter(self))) def is_empty(self) -> bool: """ >>> stack = LinkedStack() >>> stack.is_empty() True >>> stack.push(1) >>> stack.is_empty() False """ return self.top is None def push(self, item: T) -> None: """ >>> stack = LinkedStack() >>> stack.push("Python") >>> stack.push("Java") >>> stack.push("C") >>> str(stack) 'C->Java->Python' """ node = Node(item) if not self.is_empty(): node.next = self.top self.top = node def pop(self) -> T: """ >>> stack = LinkedStack() >>> stack.pop() Traceback (most recent call last): ... IndexError: pop from empty stack >>> stack.push("c") >>> stack.push("b") >>> stack.push("a") >>> stack.pop() == 'a' True >>> stack.pop() == 'b' True >>> stack.pop() == 'c' True """ if self.is_empty(): raise IndexError("pop from empty stack") assert isinstance(self.top, Node) pop_node = self.top self.top = self.top.next return pop_node.data def peek(self) -> T: """ >>> stack = LinkedStack() >>> stack.push("Java") >>> stack.push("C") >>> stack.push("Python") >>> stack.peek() 'Python' """ if self.is_empty(): raise IndexError("peek from empty stack") assert self.top is not None return self.top.data def clear(self) -> None: """ >>> stack = LinkedStack() >>> stack.push("Java") >>> stack.push("C") >>> stack.push("Python") >>> str(stack) 'Python->C->Java' >>> stack.clear() >>> len(stack) == 0 True """ self.top = None if __name__ == "__main__": from doctest import testmod testmod()
""" A Stack using a linked list like structure """ from __future__ import annotations from collections.abc import Iterator from typing import Generic, TypeVar T = TypeVar("T") class Node(Generic[T]): def __init__(self, data: T): self.data = data self.next: Node[T] | None = None def __str__(self) -> str: return f"{self.data}" class LinkedStack(Generic[T]): """ Linked List Stack implementing push (to top), pop (from top) and is_empty >>> stack = LinkedStack() >>> stack.is_empty() True >>> stack.push(5) >>> stack.push(9) >>> stack.push('python') >>> stack.is_empty() False >>> stack.pop() 'python' >>> stack.push('algorithms') >>> stack.pop() 'algorithms' >>> stack.pop() 9 >>> stack.pop() 5 >>> stack.is_empty() True >>> stack.pop() Traceback (most recent call last): ... IndexError: pop from empty stack """ def __init__(self) -> None: self.top: Node[T] | None = None def __iter__(self) -> Iterator[T]: node = self.top while node: yield node.data node = node.next def __str__(self) -> str: """ >>> stack = LinkedStack() >>> stack.push("c") >>> stack.push("b") >>> stack.push("a") >>> str(stack) 'a->b->c' """ return "->".join([str(item) for item in self]) def __len__(self) -> int: """ >>> stack = LinkedStack() >>> len(stack) == 0 True >>> stack.push("c") >>> stack.push("b") >>> stack.push("a") >>> len(stack) == 3 True """ return len(tuple(iter(self))) def is_empty(self) -> bool: """ >>> stack = LinkedStack() >>> stack.is_empty() True >>> stack.push(1) >>> stack.is_empty() False """ return self.top is None def push(self, item: T) -> None: """ >>> stack = LinkedStack() >>> stack.push("Python") >>> stack.push("Java") >>> stack.push("C") >>> str(stack) 'C->Java->Python' """ node = Node(item) if not self.is_empty(): node.next = self.top self.top = node def pop(self) -> T: """ >>> stack = LinkedStack() >>> stack.pop() Traceback (most recent call last): ... IndexError: pop from empty stack >>> stack.push("c") >>> stack.push("b") >>> stack.push("a") >>> stack.pop() == 'a' True >>> stack.pop() == 'b' True >>> stack.pop() == 'c' True """ if self.is_empty(): raise IndexError("pop from empty stack") assert isinstance(self.top, Node) pop_node = self.top self.top = self.top.next return pop_node.data def peek(self) -> T: """ >>> stack = LinkedStack() >>> stack.push("Java") >>> stack.push("C") >>> stack.push("Python") >>> stack.peek() 'Python' """ if self.is_empty(): raise IndexError("peek from empty stack") assert self.top is not None return self.top.data def clear(self) -> None: """ >>> stack = LinkedStack() >>> stack.push("Java") >>> stack.push("C") >>> stack.push("Python") >>> str(stack) 'Python->C->Java' >>> stack.clear() >>> len(stack) == 0 True """ self.top = None if __name__ == "__main__": from doctest import testmod testmod()
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points 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 import deque class Automaton: def __init__(self, keywords: list[str]): self.adlist: list[dict] = list() self.adlist.append( {"value": "", "next_states": [], "fail_state": 0, "output": []} ) for keyword in keywords: self.add_keyword(keyword) self.set_fail_transitions() def find_next_state(self, current_state: int, char: str) -> int | None: for state in self.adlist[current_state]["next_states"]: if char == self.adlist[state]["value"]: return state return None def add_keyword(self, keyword: str) -> None: current_state = 0 for character in keyword: next_state = self.find_next_state(current_state, character) if next_state is None: self.adlist.append( { "value": character, "next_states": [], "fail_state": 0, "output": [], } ) self.adlist[current_state]["next_states"].append(len(self.adlist) - 1) current_state = len(self.adlist) - 1 else: current_state = next_state self.adlist[current_state]["output"].append(keyword) def set_fail_transitions(self) -> None: q: deque = deque() for node in self.adlist[0]["next_states"]: q.append(node) self.adlist[node]["fail_state"] = 0 while q: r = q.popleft() for child in self.adlist[r]["next_states"]: q.append(child) state = self.adlist[r]["fail_state"] while ( self.find_next_state(state, self.adlist[child]["value"]) is None and state != 0 ): state = self.adlist[state]["fail_state"] self.adlist[child]["fail_state"] = self.find_next_state( state, self.adlist[child]["value"] ) if self.adlist[child]["fail_state"] is None: self.adlist[child]["fail_state"] = 0 self.adlist[child]["output"] = ( self.adlist[child]["output"] + self.adlist[self.adlist[child]["fail_state"]]["output"] ) def search_in(self, string: str) -> dict[str, list[int]]: """ >>> A = Automaton(["what", "hat", "ver", "er"]) >>> A.search_in("whatever, err ... , wherever") {'what': [0], 'hat': [1], 'ver': [5, 25], 'er': [6, 10, 22, 26]} """ result: dict = ( dict() ) # returns a dict with keywords and list of its occurrences current_state = 0 for i in range(len(string)): while ( self.find_next_state(current_state, string[i]) is None and current_state != 0 ): current_state = self.adlist[current_state]["fail_state"] next_state = self.find_next_state(current_state, string[i]) if next_state is None: current_state = 0 else: current_state = next_state for key in self.adlist[current_state]["output"]: if not (key in result): result[key] = [] result[key].append(i - len(key) + 1) return result if __name__ == "__main__": import doctest doctest.testmod()
from __future__ import annotations from collections import deque class Automaton: def __init__(self, keywords: list[str]): self.adlist: list[dict] = list() self.adlist.append( {"value": "", "next_states": [], "fail_state": 0, "output": []} ) for keyword in keywords: self.add_keyword(keyword) self.set_fail_transitions() def find_next_state(self, current_state: int, char: str) -> int | None: for state in self.adlist[current_state]["next_states"]: if char == self.adlist[state]["value"]: return state return None def add_keyword(self, keyword: str) -> None: current_state = 0 for character in keyword: next_state = self.find_next_state(current_state, character) if next_state is None: self.adlist.append( { "value": character, "next_states": [], "fail_state": 0, "output": [], } ) self.adlist[current_state]["next_states"].append(len(self.adlist) - 1) current_state = len(self.adlist) - 1 else: current_state = next_state self.adlist[current_state]["output"].append(keyword) def set_fail_transitions(self) -> None: q: deque = deque() for node in self.adlist[0]["next_states"]: q.append(node) self.adlist[node]["fail_state"] = 0 while q: r = q.popleft() for child in self.adlist[r]["next_states"]: q.append(child) state = self.adlist[r]["fail_state"] while ( self.find_next_state(state, self.adlist[child]["value"]) is None and state != 0 ): state = self.adlist[state]["fail_state"] self.adlist[child]["fail_state"] = self.find_next_state( state, self.adlist[child]["value"] ) if self.adlist[child]["fail_state"] is None: self.adlist[child]["fail_state"] = 0 self.adlist[child]["output"] = ( self.adlist[child]["output"] + self.adlist[self.adlist[child]["fail_state"]]["output"] ) def search_in(self, string: str) -> dict[str, list[int]]: """ >>> A = Automaton(["what", "hat", "ver", "er"]) >>> A.search_in("whatever, err ... , wherever") {'what': [0], 'hat': [1], 'ver': [5, 25], 'er': [6, 10, 22, 26]} """ result: dict = ( dict() ) # returns a dict with keywords and list of its occurrences current_state = 0 for i in range(len(string)): while ( self.find_next_state(current_state, string[i]) is None and current_state != 0 ): current_state = self.adlist[current_state]["fail_state"] next_state = self.find_next_state(current_state, string[i]) if next_state is None: current_state = 0 else: current_state = next_state for key in self.adlist[current_state]["output"]: if not (key in result): result[key] = [] result[key].append(i - len(key) + 1) return result if __name__ == "__main__": import doctest doctest.testmod()
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points 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 3: https://projecteuler.net/problem=3 Largest prime factor The prime factors of 13195 are 5, 7, 13 and 29. What is the largest prime factor of the number 600851475143? References: - https://en.wikipedia.org/wiki/Prime_number#Unique_factorization """ import math def is_prime(number: int) -> bool: """Checks to see if a number is a prime in O(sqrt(n)). A number is prime if it has exactly two factors: 1 and itself. Returns boolean representing primality of given number (i.e., if the result is true, then the number is indeed prime else it is not). >>> is_prime(2) True >>> is_prime(3) True >>> is_prime(27) False >>> is_prime(2999) True >>> is_prime(0) False >>> is_prime(1) False """ if 1 < number < 4: # 2 and 3 are primes return True elif number < 2 or number % 2 == 0 or number % 3 == 0: # Negatives, 0, 1, all even numbers, all multiples of 3 are not primes return False # All primes number are in format of 6k +/- 1 for i in range(5, int(math.sqrt(number) + 1), 6): if number % i == 0 or number % (i + 2) == 0: return False return True def solution(n: int = 600851475143) -> int: """ Returns the largest prime factor of a given number n. >>> solution(13195) 29 >>> solution(10) 5 >>> solution(17) 17 >>> solution(3.4) 3 >>> solution(0) Traceback (most recent call last): ... ValueError: Parameter n must be greater than or equal to one. >>> solution(-17) Traceback (most recent call last): ... ValueError: Parameter n must be greater than or equal to one. >>> solution([]) Traceback (most recent call last): ... TypeError: Parameter n must be int or castable to int. >>> solution("asd") Traceback (most recent call last): ... TypeError: Parameter n must be int or castable to int. """ try: n = int(n) except (TypeError, ValueError): raise TypeError("Parameter n must be int or castable to int.") if n <= 0: raise ValueError("Parameter n must be greater than or equal to one.") max_number = 0 if is_prime(n): return n while n % 2 == 0: n //= 2 if is_prime(n): return n for i in range(3, int(math.sqrt(n)) + 1, 2): if n % i == 0: if is_prime(n // i): max_number = n // i break elif is_prime(i): max_number = i return max_number if __name__ == "__main__": print(f"{solution() = }")
""" Project Euler Problem 3: https://projecteuler.net/problem=3 Largest prime factor The prime factors of 13195 are 5, 7, 13 and 29. What is the largest prime factor of the number 600851475143? References: - https://en.wikipedia.org/wiki/Prime_number#Unique_factorization """ import math def is_prime(number: int) -> bool: """Checks to see if a number is a prime in O(sqrt(n)). A number is prime if it has exactly two factors: 1 and itself. Returns boolean representing primality of given number (i.e., if the result is true, then the number is indeed prime else it is not). >>> is_prime(2) True >>> is_prime(3) True >>> is_prime(27) False >>> is_prime(2999) True >>> is_prime(0) False >>> is_prime(1) False """ if 1 < number < 4: # 2 and 3 are primes return True elif number < 2 or number % 2 == 0 or number % 3 == 0: # Negatives, 0, 1, all even numbers, all multiples of 3 are not primes return False # All primes number are in format of 6k +/- 1 for i in range(5, int(math.sqrt(number) + 1), 6): if number % i == 0 or number % (i + 2) == 0: return False return True def solution(n: int = 600851475143) -> int: """ Returns the largest prime factor of a given number n. >>> solution(13195) 29 >>> solution(10) 5 >>> solution(17) 17 >>> solution(3.4) 3 >>> solution(0) Traceback (most recent call last): ... ValueError: Parameter n must be greater than or equal to one. >>> solution(-17) Traceback (most recent call last): ... ValueError: Parameter n must be greater than or equal to one. >>> solution([]) Traceback (most recent call last): ... TypeError: Parameter n must be int or castable to int. >>> solution("asd") Traceback (most recent call last): ... TypeError: Parameter n must be int or castable to int. """ try: n = int(n) except (TypeError, ValueError): raise TypeError("Parameter n must be int or castable to int.") if n <= 0: raise ValueError("Parameter n must be greater than or equal to one.") max_number = 0 if is_prime(n): return n while n % 2 == 0: n //= 2 if is_prime(n): return n for i in range(3, int(math.sqrt(n)) + 1, 2): if n % i == 0: if is_prime(n // i): max_number = n // i break elif is_prime(i): max_number = i return max_number if __name__ == "__main__": print(f"{solution() = }")
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" Numerical integration or quadrature for a smooth function f with known values at x_i This method is the classical approach of suming 'Equally Spaced Abscissas' method 1: "extended trapezoidal rule" """ def method_1(boundary, steps): # "extended trapezoidal rule" # int(f) = dx/2 * (f1 + 2f2 + ... + fn) h = (boundary[1] - boundary[0]) / steps a = boundary[0] b = boundary[1] x_i = make_points(a, b, h) y = 0.0 y += (h / 2.0) * f(a) for i in x_i: # print(i) y += h * f(i) y += (h / 2.0) * f(b) return y def make_points(a, b, h): x = a + h while x < (b - h): yield x x = x + h def f(x): # enter your function here y = (x - 0) * (x - 0) return y def main(): a = 0.0 # Lower bound of integration b = 1.0 # Upper bound of integration steps = 10.0 # define number of steps or resolution boundary = [a, b] # define boundary of integration y = method_1(boundary, steps) print(f"y = {y}") if __name__ == "__main__": main()
""" Numerical integration or quadrature for a smooth function f with known values at x_i This method is the classical approach of suming 'Equally Spaced Abscissas' method 1: "extended trapezoidal rule" """ def method_1(boundary, steps): # "extended trapezoidal rule" # int(f) = dx/2 * (f1 + 2f2 + ... + fn) h = (boundary[1] - boundary[0]) / steps a = boundary[0] b = boundary[1] x_i = make_points(a, b, h) y = 0.0 y += (h / 2.0) * f(a) for i in x_i: # print(i) y += h * f(i) y += (h / 2.0) * f(b) return y def make_points(a, b, h): x = a + h while x < (b - h): yield x x = x + h def f(x): # enter your function here y = (x - 0) * (x - 0) return y def main(): a = 0.0 # Lower bound of integration b = 1.0 # Upper bound of integration steps = 10.0 # define number of steps or resolution boundary = [a, b] # define boundary of integration y = method_1(boundary, steps) print(f"y = {y}") if __name__ == "__main__": main()
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points 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
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points 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
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points 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 from .number_theory.prime_numbers import next_prime class HashTable: """ Basic Hash Table example with open addressing and linear probing """ def __init__(self, size_table, charge_factor=None, lim_charge=None): self.size_table = size_table self.values = [None] * self.size_table self.lim_charge = 0.75 if lim_charge is None else lim_charge self.charge_factor = 1 if charge_factor is None else charge_factor self.__aux_list = [] self._keys = {} def keys(self): return self._keys def balanced_factor(self): return sum(1 for slot in self.values if slot is not None) / ( self.size_table * self.charge_factor ) def hash_function(self, key): return key % self.size_table def _step_by_step(self, step_ord): print(f"step {step_ord}") print([i for i in range(len(self.values))]) print(self.values) def bulk_insert(self, values): i = 1 self.__aux_list = values for value in values: self.insert_data(value) self._step_by_step(i) i += 1 def _set_value(self, key, data): self.values[key] = data self._keys[key] = data def _collision_resolution(self, key, data=None): new_key = self.hash_function(key + 1) while self.values[new_key] is not None and self.values[new_key] != key: if self.values.count(None) > 0: new_key = self.hash_function(new_key + 1) else: new_key = None break return new_key def rehashing(self): survivor_values = [value for value in self.values if value is not None] self.size_table = next_prime(self.size_table, factor=2) self._keys.clear() self.values = [None] * self.size_table # hell's pointers D: don't DRY ;/ for value in survivor_values: self.insert_data(value) def insert_data(self, data): key = self.hash_function(data) if self.values[key] is None: self._set_value(key, data) elif self.values[key] == data: pass else: collision_resolution = self._collision_resolution(key, data) if collision_resolution is not None: self._set_value(collision_resolution, data) else: self.rehashing() self.insert_data(data)
#!/usr/bin/env python3 from .number_theory.prime_numbers import next_prime class HashTable: """ Basic Hash Table example with open addressing and linear probing """ def __init__(self, size_table, charge_factor=None, lim_charge=None): self.size_table = size_table self.values = [None] * self.size_table self.lim_charge = 0.75 if lim_charge is None else lim_charge self.charge_factor = 1 if charge_factor is None else charge_factor self.__aux_list = [] self._keys = {} def keys(self): return self._keys def balanced_factor(self): return sum(1 for slot in self.values if slot is not None) / ( self.size_table * self.charge_factor ) def hash_function(self, key): return key % self.size_table def _step_by_step(self, step_ord): print(f"step {step_ord}") print([i for i in range(len(self.values))]) print(self.values) def bulk_insert(self, values): i = 1 self.__aux_list = values for value in values: self.insert_data(value) self._step_by_step(i) i += 1 def _set_value(self, key, data): self.values[key] = data self._keys[key] = data def _collision_resolution(self, key, data=None): new_key = self.hash_function(key + 1) while self.values[new_key] is not None and self.values[new_key] != key: if self.values.count(None) > 0: new_key = self.hash_function(new_key + 1) else: new_key = None break return new_key def rehashing(self): survivor_values = [value for value in self.values if value is not None] self.size_table = next_prime(self.size_table, factor=2) self._keys.clear() self.values = [None] * self.size_table # hell's pointers D: don't DRY ;/ for value in survivor_values: self.insert_data(value) def insert_data(self, data): key = self.hash_function(data) if self.values[key] is None: self._set_value(key, data) elif self.values[key] == data: pass else: collision_resolution = self._collision_resolution(key, data) if collision_resolution is not None: self._set_value(collision_resolution, data) else: self.rehashing() self.insert_data(data)
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
[pytest] markers = mat_ops: tests for matrix operations
[pytest] markers = mat_ops: tests for matrix operations
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
08 02 22 97 38 15 00 40 00 75 04 05 07 78 52 12 50 77 91 08 49 49 99 40 17 81 18 57 60 87 17 40 98 43 69 48 04 56 62 00 81 49 31 73 55 79 14 29 93 71 40 67 53 88 30 03 49 13 36 65 52 70 95 23 04 60 11 42 69 24 68 56 01 32 56 71 37 02 36 91 22 31 16 71 51 67 63 89 41 92 36 54 22 40 40 28 66 33 13 80 24 47 32 60 99 03 45 02 44 75 33 53 78 36 84 20 35 17 12 50 32 98 81 28 64 23 67 10 26 38 40 67 59 54 70 66 18 38 64 70 67 26 20 68 02 62 12 20 95 63 94 39 63 08 40 91 66 49 94 21 24 55 58 05 66 73 99 26 97 17 78 78 96 83 14 88 34 89 63 72 21 36 23 09 75 00 76 44 20 45 35 14 00 61 33 97 34 31 33 95 78 17 53 28 22 75 31 67 15 94 03 80 04 62 16 14 09 53 56 92 16 39 05 42 96 35 31 47 55 58 88 24 00 17 54 24 36 29 85 57 86 56 00 48 35 71 89 07 05 44 44 37 44 60 21 58 51 54 17 58 19 80 81 68 05 94 47 69 28 73 92 13 86 52 17 77 04 89 55 40 04 52 08 83 97 35 99 16 07 97 57 32 16 26 26 79 33 27 98 66 88 36 68 87 57 62 20 72 03 46 33 67 46 55 12 32 63 93 53 69 04 42 16 73 38 25 39 11 24 94 72 18 08 46 29 32 40 62 76 36 20 69 36 41 72 30 23 88 34 62 99 69 82 67 59 85 74 04 36 16 20 73 35 29 78 31 90 01 74 31 49 71 48 86 81 16 23 57 05 54 01 70 54 71 83 51 54 69 16 92 33 48 61 43 52 01 89 19 67 48
08 02 22 97 38 15 00 40 00 75 04 05 07 78 52 12 50 77 91 08 49 49 99 40 17 81 18 57 60 87 17 40 98 43 69 48 04 56 62 00 81 49 31 73 55 79 14 29 93 71 40 67 53 88 30 03 49 13 36 65 52 70 95 23 04 60 11 42 69 24 68 56 01 32 56 71 37 02 36 91 22 31 16 71 51 67 63 89 41 92 36 54 22 40 40 28 66 33 13 80 24 47 32 60 99 03 45 02 44 75 33 53 78 36 84 20 35 17 12 50 32 98 81 28 64 23 67 10 26 38 40 67 59 54 70 66 18 38 64 70 67 26 20 68 02 62 12 20 95 63 94 39 63 08 40 91 66 49 94 21 24 55 58 05 66 73 99 26 97 17 78 78 96 83 14 88 34 89 63 72 21 36 23 09 75 00 76 44 20 45 35 14 00 61 33 97 34 31 33 95 78 17 53 28 22 75 31 67 15 94 03 80 04 62 16 14 09 53 56 92 16 39 05 42 96 35 31 47 55 58 88 24 00 17 54 24 36 29 85 57 86 56 00 48 35 71 89 07 05 44 44 37 44 60 21 58 51 54 17 58 19 80 81 68 05 94 47 69 28 73 92 13 86 52 17 77 04 89 55 40 04 52 08 83 97 35 99 16 07 97 57 32 16 26 26 79 33 27 98 66 88 36 68 87 57 62 20 72 03 46 33 67 46 55 12 32 63 93 53 69 04 42 16 73 38 25 39 11 24 94 72 18 08 46 29 32 40 62 76 36 20 69 36 41 72 30 23 88 34 62 99 69 82 67 59 85 74 04 36 16 20 73 35 29 78 31 90 01 74 31 49 71 48 86 81 16 23 57 05 54 01 70 54 71 83 51 54 69 16 92 33 48 61 43 52 01 89 19 67 48
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points 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
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points 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 sys import maxsize def max_sub_array_sum(a: list, size: int = 0): """ >>> max_sub_array_sum([-13, -3, -25, -20, -3, -16, -23, -12, -5, -22, -15, -4, -7]) -3 """ size = size or len(a) max_so_far = -maxsize - 1 max_ending_here = 0 for i in range(0, size): max_ending_here = max_ending_here + a[i] if max_so_far < max_ending_here: max_so_far = max_ending_here if max_ending_here < 0: max_ending_here = 0 return max_so_far if __name__ == "__main__": a = [-13, -3, -25, -20, 1, -16, -23, -12, -5, -22, -15, -4, -7] print(("Maximum contiguous sum is", max_sub_array_sum(a, len(a))))
from sys import maxsize def max_sub_array_sum(a: list, size: int = 0): """ >>> max_sub_array_sum([-13, -3, -25, -20, -3, -16, -23, -12, -5, -22, -15, -4, -7]) -3 """ size = size or len(a) max_so_far = -maxsize - 1 max_ending_here = 0 for i in range(0, size): max_ending_here = max_ending_here + a[i] if max_so_far < max_ending_here: max_so_far = max_ending_here if max_ending_here < 0: max_ending_here = 0 return max_so_far if __name__ == "__main__": a = [-13, -3, -25, -20, 1, -16, -23, -12, -5, -22, -15, -4, -7] print(("Maximum contiguous sum is", max_sub_array_sum(a, len(a))))
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points 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 587: https://projecteuler.net/problem=587 A square is drawn around a circle as shown in the diagram below on the left. We shall call the blue shaded region the L-section. A line is drawn from the bottom left of the square to the top right as shown in the diagram on the right. We shall call the orange shaded region a concave triangle. It should be clear that the concave triangle occupies exactly half of the L-section. Two circles are placed next to each other horizontally, a rectangle is drawn around both circles, and a line is drawn from the bottom left to the top right as shown in the diagram below. This time the concave triangle occupies approximately 36.46% of the L-section. If n circles are placed next to each other horizontally, a rectangle is drawn around the n circles, and a line is drawn from the bottom left to the top right, then it can be shown that the least value of n for which the concave triangle occupies less than 10% of the L-section is n = 15. What is the least value of n for which the concave triangle occupies less than 0.1% of the L-section? """ from itertools import count from math import asin, pi, sqrt def circle_bottom_arc_integral(point: float) -> float: """ Returns integral of circle bottom arc y = 1 / 2 - sqrt(1 / 4 - (x - 1 / 2) ^ 2) >>> circle_bottom_arc_integral(0) 0.39269908169872414 >>> circle_bottom_arc_integral(1 / 2) 0.44634954084936207 >>> circle_bottom_arc_integral(1) 0.5 """ return ( (1 - 2 * point) * sqrt(point - point**2) + 2 * point + asin(sqrt(1 - point)) ) / 4 def concave_triangle_area(circles_number: int) -> float: """ Returns area of concave triangle >>> concave_triangle_area(1) 0.026825229575318944 >>> concave_triangle_area(2) 0.01956236140083944 """ intersection_y = (circles_number + 1 - sqrt(2 * circles_number)) / ( 2 * (circles_number**2 + 1) ) intersection_x = circles_number * intersection_y triangle_area = intersection_x * intersection_y / 2 concave_region_area = circle_bottom_arc_integral( 1 / 2 ) - circle_bottom_arc_integral(intersection_x) return triangle_area + concave_region_area def solution(fraction: float = 1 / 1000) -> int: """ Returns least value of n for which the concave triangle occupies less than fraction of the L-section >>> solution(1 / 10) 15 """ l_section_area = (1 - pi / 4) / 4 for n in count(1): if concave_triangle_area(n) / l_section_area < fraction: return n return -1 if __name__ == "__main__": print(f"{solution() = }")
""" Project Euler Problem 587: https://projecteuler.net/problem=587 A square is drawn around a circle as shown in the diagram below on the left. We shall call the blue shaded region the L-section. A line is drawn from the bottom left of the square to the top right as shown in the diagram on the right. We shall call the orange shaded region a concave triangle. It should be clear that the concave triangle occupies exactly half of the L-section. Two circles are placed next to each other horizontally, a rectangle is drawn around both circles, and a line is drawn from the bottom left to the top right as shown in the diagram below. This time the concave triangle occupies approximately 36.46% of the L-section. If n circles are placed next to each other horizontally, a rectangle is drawn around the n circles, and a line is drawn from the bottom left to the top right, then it can be shown that the least value of n for which the concave triangle occupies less than 10% of the L-section is n = 15. What is the least value of n for which the concave triangle occupies less than 0.1% of the L-section? """ from itertools import count from math import asin, pi, sqrt def circle_bottom_arc_integral(point: float) -> float: """ Returns integral of circle bottom arc y = 1 / 2 - sqrt(1 / 4 - (x - 1 / 2) ^ 2) >>> circle_bottom_arc_integral(0) 0.39269908169872414 >>> circle_bottom_arc_integral(1 / 2) 0.44634954084936207 >>> circle_bottom_arc_integral(1) 0.5 """ return ( (1 - 2 * point) * sqrt(point - point**2) + 2 * point + asin(sqrt(1 - point)) ) / 4 def concave_triangle_area(circles_number: int) -> float: """ Returns area of concave triangle >>> concave_triangle_area(1) 0.026825229575318944 >>> concave_triangle_area(2) 0.01956236140083944 """ intersection_y = (circles_number + 1 - sqrt(2 * circles_number)) / ( 2 * (circles_number**2 + 1) ) intersection_x = circles_number * intersection_y triangle_area = intersection_x * intersection_y / 2 concave_region_area = circle_bottom_arc_integral( 1 / 2 ) - circle_bottom_arc_integral(intersection_x) return triangle_area + concave_region_area def solution(fraction: float = 1 / 1000) -> int: """ Returns least value of n for which the concave triangle occupies less than fraction of the L-section >>> solution(1 / 10) 15 """ l_section_area = (1 - pi / 4) / 4 for n in count(1): if concave_triangle_area(n) / l_section_area < fraction: return n return -1 if __name__ == "__main__": print(f"{solution() = }")
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points 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/Rayleigh_quotient """ from typing import Any import numpy as np def is_hermitian(matrix: np.ndarray) -> bool: """ Checks if a matrix is Hermitian. >>> import numpy as np >>> A = np.array([ ... [2, 2+1j, 4], ... [2-1j, 3, 1j], ... [4, -1j, 1]]) >>> is_hermitian(A) True >>> A = np.array([ ... [2, 2+1j, 4+1j], ... [2-1j, 3, 1j], ... [4, -1j, 1]]) >>> is_hermitian(A) False """ return np.array_equal(matrix, matrix.conjugate().T) def rayleigh_quotient(A: np.ndarray, v: np.ndarray) -> Any: """ Returns the Rayleigh quotient of a Hermitian matrix A and vector v. >>> import numpy as np >>> A = np.array([ ... [1, 2, 4], ... [2, 3, -1], ... [4, -1, 1] ... ]) >>> v = np.array([ ... [1], ... [2], ... [3] ... ]) >>> rayleigh_quotient(A, v) array([[3.]]) """ v_star = v.conjugate().T v_star_dot = v_star.dot(A) assert isinstance(v_star_dot, np.ndarray) return (v_star_dot.dot(v)) / (v_star.dot(v)) def tests() -> None: A = np.array([[2, 2 + 1j, 4], [2 - 1j, 3, 1j], [4, -1j, 1]]) v = np.array([[1], [2], [3]]) assert is_hermitian(A), f"{A} is not hermitian." print(rayleigh_quotient(A, v)) A = np.array([[1, 2, 4], [2, 3, -1], [4, -1, 1]]) assert is_hermitian(A), f"{A} is not hermitian." assert rayleigh_quotient(A, v) == float(3) if __name__ == "__main__": import doctest doctest.testmod() tests()
""" https://en.wikipedia.org/wiki/Rayleigh_quotient """ from typing import Any import numpy as np def is_hermitian(matrix: np.ndarray) -> bool: """ Checks if a matrix is Hermitian. >>> import numpy as np >>> A = np.array([ ... [2, 2+1j, 4], ... [2-1j, 3, 1j], ... [4, -1j, 1]]) >>> is_hermitian(A) True >>> A = np.array([ ... [2, 2+1j, 4+1j], ... [2-1j, 3, 1j], ... [4, -1j, 1]]) >>> is_hermitian(A) False """ return np.array_equal(matrix, matrix.conjugate().T) def rayleigh_quotient(A: np.ndarray, v: np.ndarray) -> Any: """ Returns the Rayleigh quotient of a Hermitian matrix A and vector v. >>> import numpy as np >>> A = np.array([ ... [1, 2, 4], ... [2, 3, -1], ... [4, -1, 1] ... ]) >>> v = np.array([ ... [1], ... [2], ... [3] ... ]) >>> rayleigh_quotient(A, v) array([[3.]]) """ v_star = v.conjugate().T v_star_dot = v_star.dot(A) assert isinstance(v_star_dot, np.ndarray) return (v_star_dot.dot(v)) / (v_star.dot(v)) def tests() -> None: A = np.array([[2, 2 + 1j, 4], [2 - 1j, 3, 1j], [4, -1j, 1]]) v = np.array([[1], [2], [3]]) assert is_hermitian(A), f"{A} is not hermitian." print(rayleigh_quotient(A, v)) A = np.array([[1, 2, 4], [2, 3, -1], [4, -1, 1]]) assert is_hermitian(A), f"{A} is not hermitian." assert rayleigh_quotient(A, v) == float(3) if __name__ == "__main__": import doctest doctest.testmod() tests()
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
JFIF``C      C  9:" }!1AQa"q2#BR$3br %&'()*456789:CDEFGHIJSTUVWXYZcdefghijstuvwxyz w!1AQaq"2B #3Rbr $4%&'()*56789:CDEFGHIJSTUVWXYZcdefghijstuvwxyz ?361@MK` 4wgNc]wb;[Y,T~5i_58Da^a&o uNE*twimCYNӚӶR6.۷8"K5Γo& ȀFepEH!(Vr$i ufH\p[gJ᷇iv!b.x]>,'Z?ZGo$Cq#z5` (`T /i!5 XXdz<,!+YgRPV5+ \Y]WҖ0Xp›@Mej52[ڣ4揭^Ib?Mt+ w(mt?صzmˏ0>JZE 81(-|CebI>֬kDԜOOmIԴɧVݞ#`. ?h.i'h"TcpWxMui@}o4ʹfD|W#k)fM23@aDl`1PԒO.9֤uUUA*lE'h#^Nj,$dwEui+(ygkeĆOMpcc_TMNj4S2?z>&['ՀTmR3ϽryEx*ɫ2_[HæhYB+ \լQh/+կ4 ^ahwC7 Q |o]SJOisZe޸KsAlbyZgnhdz"26Ҽ.GޫfnVaz iK=v~nhЬ0? }^55sp.KmKmQl_.~}7)$bcw<{HgrHsCjE*C8㚩D[H换?ĺ"{[k9<U.G3=+& :nu"C_MqcgZ˸m~cP3㿅Qk[wԂ 8n&hf3V+ܴK;}ni.dPF~0Eid+U +u umtb9@#J=q=讋<6v_OZh((((&S_WpqUg Uz(L`20jޡdu~Vʐp2}JO+8=(B Xv\һ,v&4ow]}kҞ7R`sR {z!UX}Ze-f٣gҲ,VŚ]H*h4n8@Z?)M=PnÖeQ2ɍ[ )HGo3Em=MlGxcߨ~R$iFI_JdvFZoܿ=IL^vs?T.Ll?v6҅0;@o& zԒx_1wְ'l̾/ rWPvm=Zwo5+&Il<{ǂeK}=;F5𕇄mCy`C?ZƱpj% d*H?fO rQqpWjB-6f 2W9+;G]4.iZiXQ*Ѹ~MxD6Q~oqL:)w^(#4"ȮgWY.H&U8F$AoL ݑ#I!<{$کη}xګM;I4azݸUU=qUoU5n#@тMs3Ku sdֺ7'NBz$]]Yʌeg^n,ۏU_ZpHjI6y#Sր5<A\A!8º٣{UW` MVؚIgnOMWqs@F>8`eB>cKw$ݕ9+)#h7[̍;OVtMnO BVifIctdEbrj:pDbO?p(`u>BNњ;]~.e (ʏz5]d)*O )|<ǟ\i23ƠoכIA#+)VS_UMrlkpw^o'D~ P_dB0'{-j4Zq>5'n1q޼sm&Xmв6VV8bi~ i Z$t7Y *0H3Ҵ[Heޣh@X$|5n b}\E&^I}5|Sb}vDFcu1Y|A&c,~m}tSXE8dX#Pzc[009}4ֹF[9$o Ok#7v(ͷF3hOWQS^7v,qYz<2+04&!Uh]]\EeUhv)cՋ{Ȼ|G^FoIx٦+ O<Tz X͊?Z5n Z_iáܺs2Qrk6i~uѪ]SFY"[cT66KUf~CJE.eW|oq[Iow ,cޫ\4%TI>Քk׭o4~[)_JŠ(((((( nԐjfPc!qUh VhZ~Ii.9Qj>;|N&6۸㎕Ӷ0RCXTڃ\_--%ǘ+vQ~q#6k0|=( %Ys6Ԙ|è:Us )\5+Sk?g)oG@c\H4d?"j}g$|~b. ̙MpFh1>KsZ% H5P no 5 d~ڴtZPmBlqia 0WYfԆ-HI%Q;d2+#BburKTVuYff91fk;WUm ;dd6*REPAl[Qq u5KẒѻ֡-ôqq#F*XHL?ʽg\Oت4U%:ϸQV6$P-_1&;E1o R˴n՝t4*~D#$ۙF 97ݗj}PK{8i${g8%(Rᷥ1KDPI9nhJYmH&6~G"ȿ3j͒{s'2Hڡ/'z*wր/XV9$nV-/)8#| ;u -1ڀ5- d8ӒOUmm01ޱ'ْ))HTڀ:R^GcS-۝oqd?׮ I۫E뒸k-ŨЩ\lSՃoF)Ui}MK&%|SMZ"7\O8AC |d?wEMn_ EW`Iy644Q8VdGSS_ֶ $q<j~"@5Xvkus>`{PKq5Sw;U;NK,f8I!@V[6]<g؛Ҁ&=ry}Od{<Su+4}K~#b&^7Pzm$rOmKO[/.lplsIcZ[[;VMޫĪТ0q@\嫒}2LsY:]60#)2̣ր-H$t.haS @yg%q1p=w:h^oq|Uloʿ`Zʟu/9-^V%Vc8+N%vۺ2m2(n[U1v죑LHD-2N:BU ~-S*h&m4~׹-|ĞMEq6ce,~@9oYt֞au=6")rPڀ1VVm>M%Y0%kKSvGtm>J{ٕ<`|O-,+z{As ,8{. zZfvbEo ^#tr`Oր0m~p 27L3eskW!y^YʳF$7Oh%hH8b\$֭UEk򌝳7-̲[*?{ݶ,LxȠ6dd?2E 9S$Gq{Y<a}.v011P]Uõv& xBLhwF2(.tоR:M((((Q@Q@Q@(-Bu yfaqGe$e:zNS,mx$NKfxu4׾)&Em55 |~Sr1hefST~eCёFM,6"U(Eq[) IޣF{v:j>FmsI5žU|&iqo2FX>P{UYJ Ɛ䢳|IPJsz 9.wͻf:_HOWHx3אhBE`s55i K 7cWU+TR3 (r3IHRPj|<|sg"enl~>psހ7"HzҖ)n^>cֱmbcON^zP]zޟ#c zg6f_,,+cJ]s=eY>m|Df~##$$zܳQ}{eB˚S}✎ajZEKבH~:^FA拏Fhujkeo0 0:ֱϛ/{Fwo"S{d]hԦe*1CȬUq L<.x Lv2V]#z-İachěsS>Z,qҳ|=-Ȫmcojnh6vz&hB I3s}؞դUޔQ-m&xf|lu5WU_i7(:}jMj8Fxsm Q@ oqwvw c2K^ֵ/nDmo0V^qֲf9rzyeˍTmJhZUddu]>E>.pzջ8rk,3ڀ9oxsCTUܟ}zU4K/~nBk]?e5;q\BE1@1]Ejw2;ܰe=1֋BE4YGU?Whnh0Qh<qT~Ic'RzU`5ydQiKeNN ȬU2Rq^ej^'nl> 9 76=B&b}ckm(>P2>%\<E3VeSiUGPj|&qjb#6en6:E|Aᔑ2(\gn4mڀ7'q'ZMs1kuX^bYdn@IX0 RJ⡃IX'ܬr@<K4\|D#]l_,]9+Nb,sN$C)o4x~ B[nEj_i&n;V:S~%ᇘ6p@Gqn͵ѕz[QѬD2*l^Ik~MnZK\e@{ir+FR9(((?((((! ,wOl'\0 9Oj_+ YPȧ1Uf"g¬pFj[!iv=sz8cqnf{@3fs#ڳum]chSW$ [k@Q/hb |c0ln+6͘E _RhzqWl4$ӎ( [/dcHg<vi5'-^'8[9G=HGe.XO~n=*^dE$f!Fq^| lfy 20+r}F8I%Ļ#zV|%ԙWe}oݪ@,zr1*w'3nEii߳qGok~˰}2D:@kVPL)w_BzWu vV8HGZ=҇UU[޳5FUUUƀ4hZHc߷gfIvyZ654"T:ɞFVr2ꣽt,VS=AvcL$xGL3qk3JOQIØA@5NJ{x(Wr=MQYI&U=Eb<q2;;Gjqk53+ "8[Y$Xس8mKZe\mW|VŤIFAՄha~HQՐ6ⶓgE!rq"T&k,AOq%ʈfrhӯa6[iۑ*֠f,6OaF=j9`0ެY}]5$p( gpnRcZ1\34{±]ٴt <k6ֺ찪3gGޠqG$+isż6{,~dظ^xMn rhv[[{ 5c5[I^kspՇƺe´o$խo{2M$Z5IknUh,Ѷ+.?ӍѤ &0J\"kaǠ_L.t g ,[vzw3kfA*8ozfaRmҀ4{X[Бei;L6y*k4um5]N1@iK\Jc k>Ķz+[;TH?ZXO,vV)=EL2=sy0܅Mִ_=Bq6wGڦV[L[ IbGW.YwDžn€#k/7Z\Wjc+G]>]2>ްo4o4&WIe!O_1Oz? `Ƕ:U;=FAuVRЃֻ)kgfPc z@4mF=Jrj֎\~Uh[վl\{:43s뚞[<bF=F>7(]f6P@ ]e.Eo19wbW+qUy`T $aʓրmiyO)wF;0fzYck/cw<#g7,ϙ> _DHr z5yfajigڲC6r@h:@CIk-Xx ( ( )͜{PhQEQE}C+i$b 8*zs,DaP~#uZgpټxcP+mMxi=+J XHяP:k,>]Jz 괯eY<K*++x 5 5H76h?xjZi{|}ܑ֭y>JczP|4+IpNk]6 iZՓ_j,__F5`PƬm|fdY5b \UPv77*7Ff#t=ɇ#{?Bdm<U^l5uAȥy'Ҁ5'u[uQF|o-j7աFHvG'U^JZ}ŹVY8k:?yNBK}]DR2iӵb@ù47373Ixr>\'=*_]XgPKbvݪ v \a?΂HV9!3-gU<;5Ө޹x=*2H bT][Ɏ1岵szYjD[OAWtȲ L|E!k"λ=Ƞ 6X!}I&=z95 ԣK|ts ,=@2'pUA.ZXxWԚbzQφY;=tIjv5>ڸY|g5YeFI[Ys@@Tegn@'Yޛ &Ue<St Nj O d t!IާQBbhn$ \G[UagZhvxRL)_ֵ̉~PhRKiJJ j#Z6<GCD+EeTSҥH٦z(IV~cH\h[mjFZ^&EeSPj.c"euTVZ~d=4mNGݪ+GdMV}ӦaFfn=*aܩ5FT:-ipL{hSG551č;Tҝ .Gs!YqM,Qmm܌jسo._}:.M4C =EE5ڮUcżqsw]%ʖY GVm2XV;-(4agow_j*`4r(i6TbRVkӄKc9R;W LͽkY[dZə;^ր9'ďk:tM]TeLCdX5h1\chtVӅ1^9=hǹ˵ s#̴MB1 Q5l?,\iM91.u]\|nW,N; jny$MCum ج{U8O3fn4r'/9c@ -!ӧY~= y4pp z4< $8DȑXÞz h\V45Hm!:VJ\PӚ279dr@#bJG:ЁJ6wn2vziBw>5.lsL+Ͼ(QO>mۻ S(mxmv`i4w Tω>Qޚҳmeqz8}J-qA6u.i >As@]=J*Is{$g8j9J_cT&mVc(_jd(S(X,j́6I7-P;,󪕖M.uU)uhl\Dp=f<h+w5Z;4^EJג0#ALex6βfY8 =}*5nVmLjj"ޮ&w :) 4Ny431)uoZK8 *_],"<d$7m)zSnV;Ź#v;bHt{|v*u@IlDfUZxofqދmtzSo.XBoZn7,s7fg\,z .8ɡ^  SӢ[i:(gY$UqQ\}1hՆޣ79?%v~r&Yy~g@ >-IJ,tOן_IutHgri&I1=Ubp,ˎO|kƺrxvM$YWH`=5xSX+&0M`~|UV8$RKo/P+ͭn<i#r}ˁ`aAIZ,w=u믵yCZEq["A|odo1󢏣ր G_-cidrj[[=;T;ŸmĶFem;hմQ]5[u{_PӵH/1YϻZn5ƁnTPjZΰm]mTkB㲲{{=)@ M2$i*M?@-ٙ4݂)4j#p~5G_#zZ۪ȸݞtk3Eݩx"'կ[} {-?+p(эsx#((lӠe3yc!aT46<޴R8m&n+֒mF(n ZV۷#)V}& O٥fHNwky.4i57Kt,(썥0Lfan-ҪO% (qSNǸH$v$H!]!H嶑p!/31+~N٤!hEY k"#v-\jl%3yqU3Pwtn6}?5AYahzqV-fRiѲ,{@6' HTUl!0R$k,?e+p\oD#Y恊)U^M "E"?ڧkAA4UܫŤrFa8 \nz$cQ Ҁ9tf$-ٙZiyǹG-o '_nCPӳ/gH9=*T\*-fiZfH)-*-0[lnHҴjzT+(mtNݥR=(hQc<ȗR#̴=j~jݡ߼G=~^J̴𿗥|ٷLeYpis4|2FZNB!mn1_6GV tk[|vI%쥊#gfҀ2=I1HDۭ>%)2C@>Y LScMsoTOiqmGysR7m_)e'o|sZ nLJHPp ~m5k=Ğs/joIr77DȠ L_A^NuR,ĎS&ø\: CAlۻ6uK(G:]2HI$=ơ%,lY#S.fKP]H#k OS]F&Y0Ӝ#?E\!7%ٷC.חM .1Ҁ$YfU(:Q{\2\O9:=u1.AZisO o.9<'Ln/UGxXO,SK' ۹6>ż9:P;yiYfbLŏO ; xpd#V.,Z-r(vNwJz;emXN:S)yPA\Al֡?(4[ȍ,JAY.& czVv,.$RnM/u[{_3'rTVYxW3?jR24q?/xohD;ڹO4ZCPb>WߎP7j_ΌݻN:?w m]GQ7CVcpЃ &+5ʯ< \y׭(+9wfwI ʞ_A\]Zg\kwzuܑty$ԬpW)Ցa_)E5iX*n.mg4ePX юdgdžcq\jѱޝٶa[8x2ChO#,t_@D\̓Zj> t[Stڮ[$jW:Vm.>\ N uujo ""SEjzT"i~+Kiz埈t֖h䍐|5s~SVvE6;]."Ul3vAf;8yLabFYWM@<jxc\6љYÊh-_#haV^մ-bKr0۽fRo|`VoV m tݑҀ9mF]+ShHGF}(i'qc[5Y4fynEg|_{F6?5U/m "jBCV\w+?OPPVx`1C{yuy1~X<pW|Rf<rj;v,R2/:kps#Zsc3ZD'<W3}G[&Ԍ?u|f8X:xQww'8 ffoet5zE86v*hyiM7i}(VІ/ J$G}}L`w/QSހ+EqTs9%J6NjGwɽᙋ/gg[.v{{QfjZhh@]QJFUk}q˥Fi#ڊoE=z(ac¢䊑sc_EGF"v"x)luǘn 72"ْV O̚Mmr(e{ªr+&]2Kpj#xNO/zt{YG@~<<rHܙ۷'8-CJxK|- #*<zT+\ʷOjH!STG㿯X,{Ծbhgt<RϪHAOk}[ZVi%㉰ Yע<leܠ, k-CR}.hHI}*hgoO!m'95'oj~i$I nx (N;<sH>Rk6;X]Ň1ɦ3F6gl R\]>nEx<o#YArҷNj!^ObsLB@FsPr򖑛UWYU[JxF[G3$*quޣsr VH U']QJ8_N2h^nL$m<]Lmqyj;s*[/z鷑y iV?xTiز:z7~Q*ic߶1R@i.ZK=G-ZLҩkڤR=x.Kn?8 32ǭ$+/R.6۲>5y c]\I;ycpieҕ wA9'!yT|Tt Sd9l&!n]s3ۇZYWF ]qMhӜPy-18Ft3ynI>y`{T`rAִlYw'Nk<o֬ZJM@çya!o2pq.W/+2eZCog%T;Zo.4멒x%wMSЉvqOOZy5_6|GUVm {fwֵ ;RWYݡx t%貞Oz|P}mj$Q"l3w[xۏq@o:^c2=*햵IlvSt~ʶڔ|Qm&[?"X8V#mw m-KDT?:ϵ\KKG˷XV.xվmu}Bm&<k} kK2QKdiNא*{:ޏ4r,qOJڃM[y[ooJS"mVZOJ}\pt9j~&m?QB@ʐZ FYXmݏ\nbVqQu֖ _)|REe@b]*G OuY.6m3UTcf8>cYZgsv 6r+BB+c ̿Oc(9khHU[ˉ9 0Wk8n#b(<O]<ߞ^Zig?,\]!l)ֺhvw(㡠9b\`硭d]F>47˻77F̾p'^ .mVQQfib ff&W`,VmUPѺ< M :mU;{A$sn:l˞=h4=j"ە+ĢUSzPb@ E>XP=)]rnhs(?v-6Ȧjau=h +Ż ѐ9*sMǀc<t FNեk^, `mJ'Uy5 >}iȦV_GJ,yl Uu(C%Z%!q$4)$xffp3sw6bpwn]COgۚߖ6ip2W6V42lRצjݲCP68}JRfր=;FHHm gk\ͷtȣj<O}`J4r;=kֲe*ۭng>Cמi]ѪƵīxW#gr@dkflYrIo~_=khҬq#y|MQfKqox-$my-5OLyksw'P~"X Y[z޸_#PA|n{$lws\蠅U VNU-ՕOǨPPGjj3xO5&^Ru;#e$6)n4C<°bNjXa|,ioVfch#Xsa#X1#4{T#b8Wl_5WlUJo,{U b*nn:>c|_lV_-J@evPF)J=)(ߵO˻TU 9l#@ $tiK{~Dui-![\@0nE6sր%-RJjY]sw4vҮ+g-ckɳ*:WUmlazgu{c*nWڻ2;T#G/`ԭػFz^cE CT[G\[3B߻l5nB{|9XkMВ(Z0vV}Xv0\M,3t|~t^T>lźbc_Yj^^x h0^lrʏMO%o0_j~mל43BG(;zonFMeϯfiv)<H@V!ʍ.8DaI>nV΍+ yjO̾՞F=ԉ3\B2}#HGcIBzb295&Ծ ¨=EE,c?6тjY} aO%T'v2(KZ+;\7sTXk~`K@t֨Z-MQm8/_-aBz=( #hY'jд%cl2KAr#/EgY4EhcTVDV_)Ub@'ojw B h'DGZ#%5vrIh3kY$ڂǸҮ_B-X> d:Hd\WOg,v~dwBh'ۓsK?`w{U'|K<K}9K[cA44L4j2*Սu"*x{O3q& 2Fs@;=)dzQԅq|S (@^>v*$ۊ#-"1y4ًE74- >bx9V%eX1})U0 1ˊɼ$<SK[QB#/= P% on]/F~]UgV[~:Y~ᗶh\0-{:SXgf=(?/={#il뎴G^hڸF2^G9ccnGi$M`ZT,޻BW_8Z%=>P}+p{կ{~|rh˴ȼd>n>f.=j-=dH8ZuBHDmT2@@Nxmu F%dd0KeqGZf]wrbc%ښvJi0W׽C>-zP-4niJm"E*q_$n*(Uzk}AUC\J>]ʼςUFLP*~V;ִcO[įMQ`Uі}Uv}f6 \_@% R][t`x7Rr1(aiD`Ӛ]2ґ}"LH=qLPSŸ]{;@ Y1ʚNM"f?*@ܿ\ c:>jnh~޶4MO1w|v\<Ҁ;ek_:[wܬYjSxN,2: ޭ͖bO[ֺ}2I$R|Z[h "5nH<(?vx{Zͮ^vhʪ#/MR]t M OMch,-hiZ--qeМ(=ꦇGA$jqi7z ؑj6J[ZpK~3,v쏭;S5}5Ud*0TMՖ#x/Ӯ#+79SM ZYrH2S֪jz%ڦK6-o^&|Y&bkHsiz}vbmk/3P-#n2a63@֡c-lc@>t8ZH$6P+/L>U(e@<rIѓ"m,faq 5¬YMtxKC2zrHh@%*cjxf8Z!%+pw[{4Vo|Ȧc"W%[O Y$֪HVd fD+RğGX,VI8@'<O,36*HI-}jǎoČjcPH0PmE6]O94ELNNLm6<W-nÞPn#bH0GZ ~ t ir틽4\o5U;dSˈ];$yaw?J56/29x!F~7`2Xyw< qҝ c3.n@j2 M4o˵vgNK_9|e5|nۆ;~j%ʦ26P{{tp˵S,jfvظTZv;w/^1ذ3']Qi;c,۷`8d*客RòǥQFw~NkI~niʮ޴{W@(QTt)"Wjk[3B~*ޣ2=jhu2VTpvv Y4]V`"],yViYXŒv*47"qNkId# 6k1TKwdViJdeUIrpۉ*p_ -@iH,ku#:s6EjElіm3{қ}Ý߅g?^46g үUi6?둂(ZVI8ic%# xSսM9!>fgQ6L TV+N2qZ2폺xKvvF={oa+.LiXn>q$- W+K0)]I *w\vn+s$x?Q@*[55!tOf6c?<юv/ӏ-wP9G4jV ǥwLr7=ԴmWO=T;˽5GK/4ۏ3/nǕnYp[n3Kk$\̲&zP,1녹vX WIԉ+NIm k;Aӯ4yn&IUMBUucfº*#,%l<Oݪo$r&5AykcF](};\\i naq=h!62}oɾׁCj$kGi4۴3H84i$̣<hXIV6y$+R}$RBKHiY!o?o1;Vր*]'RVpq׵7X:ݤUA=p{StM?OE3yL M{[2v+LPG#W!Z6Y1n7iѴ@|WyEm%nUC00zU/gn0w:cItۚ8 ;^j\ %?/!s+zvXTCHOII']Ŷg=H+%я#qڞd{36W̙Wr_ޯZ2OWݜ:ݰ|r^7YP dVPp֮[!QPos!cIy"Z媱:Бym6_ky-3) 8#n޵ad{^R0l#Q={*q2ph1,72OBic9ǽ:u.VhRcs@ E;͌t01N}pR06YqҀ#^5s梷hV?:UUMĝښbf,ހ" ygҳuY Vh٤kB[f y}qY:lt-@zpiwZ4?2:TZl^q4P=']JCjRkS7 9ӧN`S|TC8<5[[V{$3/\v=CIpZ&8 _;Z.r:ץMdVI<b?3};Px;GM /PcqIlNmqVn=kZ]`3km}̟>0a@B9m<J7g 笵4U/TVbu D ~cGo̭WPP޴Knmzv*9^I$W, AU)P."e cWD+*ɹĚmP:zul5ݙ秵'Jnvh<Tdvd~i4-DlWԘۜ@ vҕ9}zRI4ScMr)@ UqNս엊=NN[ѬXWˌFZc}A>WH7ZO*CZ [h2MFfCTڏ!<@<srAx k)uɗkGKb̚ ۆJ'OӭK'd:G#ӮZuf8@j 'Nx8vg}v v# Rj:k'JcoCm{]82"`5+Iv&~RV4[UM>8;QR>%=̜Zlz=խI$͵Bpt9AI.6< sNXh}FtNeXgd=wpH|?1PhQ|ƏzA<v"qC~˱mmNkhn @(3@~)Lf+h?=Uu65OJn?t 6]8N8'iOʲ2ep:M3[k?ژcڹu8Sgw 8*(ХI|˸ޕ[~ͶSeowJ׼"ځ9#=h&ʯNzVť5oWeeڥe۸mf]wgjqڧ.*sֱu=ʠ6zַu)n1@;0y<CTVAjr{P}?ۊ[y=k*ݽI dGf^\anǵBbiȬGʣhtk3L1mA5ia H/oQQ#s6@yJ_v>.Æ;j[?kHV.k+7Zό ְۏ2!lZ%dmOZŽ\jTq@ZZ$: c%W>/oiJm*1WC?G(]vc^=(;uU9qӇVK}w]UqskE^QjR_])0UFh c$*z⸍gm֜%yȯj)wx -*'^hVFYe뚉^m:W ?D߹&xZ9RK0jgᑕAM8s@KRdèv&,dNd)-؜n{SfWڱPxٽM4[UYihyFb͸zm8~gr}9fz'ktR:PYY$o-Xddײ 0VLOďzNR2F.1Ҁ0C`0xz[*Vi q VU px&g܄+6Fz֋d犢~V$e[84W~R m5PpU*)ljцTz?pa@lT҃C<krv5`je6=(fH/:֟3L LHx_̵]wCv>V4G;žޔurz=iͬFѐ{F -۵enD\/Z|/uʥ#,u JV5f".Ь[ހxa #}㚷 壱EKpCo!<(_Eu}~V_ڏ1:8\Y6]ޡ !`_IQ,`h |qU 6QxY#U@jsH&UU&X(ڴ~ Ps2$o1' U ƛ3a< #]A,EP-3q" XE嬯hE4v:z‚U2B,|Ƅ(AKv4'ۍ(mĒl3kVɄP MaC J^"gKy$^V6!Q5޹>m>r+)^>uヌZMl>zk7niWqY߆4i?x+U/ >l<Pqg0qV^~sXZU7_z۷#h\BV߼,%ݪI4G'͌zMlѷHqu+yzlq3ɷ?k7eH%m+'#Cq0qHH#& *ÅF1* Wr?{N( QVm 栐32S  ydP459'ր(_۴36=럲Mr[mGm3ӵ`h8Qzֵco +jYvtxg+/WIAW<f_}(JK -vv/s5.!fo#%x۝.M(ҫi`~%P.fc *I$9hW'ޛG~a~y!n.ҳ/YY.9wgGdyZӭcI²kKZt GYm?]m6>hwLƫY>dm^ElaV6 OC\&%M 5cѳχrK`vk! A\ii0*8 jcc揳sh=ѳ?ÊuӶZti+c+P x~+p]E[$M)KF*GZokmq_,4Dd=x87yto? )zK{w|ƟSOHfX~/{k pC5ۈ+#)e4x@[ }JG[続%Ո"YmPWq:QnL6xj0UGvXGp~e}Mgk0d/2/f `Ȫ6DV J]4b1S݉Rv=^|v=Ew )6|p՟hRMxD@whw va>b+-xw-qްn|(Y2䒼o_~BNew*̓nϽ^o61HVXU:syWtM?RYW}&M`+c95oMmxl5hT;Z'QmFP\XZ4VeNAKtWTT+>*HE>ЅWb+ۥO5~ uzۤiEmp{=,kN(W0iP{AD[6˶%(xn 63zzֆu eBI4x<&ەEEH59 o9qVɔEɡPMgmu]Uhs@c4wJtG. L.Q\FѶJzU__t\'9 d-U ̗pIesZZ5ė0|c{?{u &E'<PHUU]zr"+J3wQ< S9@QMpo Ui $qYȯ˻FU|q@&n")*+k'FkC=+1`>eJH#=h.>i:rmcZme>TްZmahvEWҤ,Z&:(65ctpcDm8=*HQInBf)L=K#c}E<}슊NV34ݢ<)fFf{mn>O7v5VI=i:u rU7F8Hz((7Uy&co-ز^uitnq|l͎[Vyv`y?ʰ46N1ۚ|:=0F~^+]5j7@s>3/-O1aPpG=ċaү]x}-8QVy@Fn x +Xۉ<]X4vndhyRUwuG  qY ԯ䷆II RGݠ ũʗR+E*j@nQ{@tvS{$04|qހ1'f]ZgbEuhciYC2 5pr]]kM 픱UEIwkoٵI"Ip$o|?W9,w*9Y]JX(.XȫiӋV^z&;G"4mrj靼qz e#6?yI#tc#\duG*Q0YO;f n~^n85 ۓ\wtuەWzUۏ1wuv04(႞OAMuITti-KR$hS#8ݎl̎0yw١12Ȭ0Q,%lp VݕƑiq I 6ZFig"k+[F#< x]jk{R7^Ovf!h© 5QO굟?^]ܹNb>d1@@[vg IH.eu<2o51+Y{h65iqpnXދy0"oY |Wy>o$IJ?z4;8(yFUҘS[h..1 u߅-ueu;¶ "䵺 tu<@K=VI՜;Au6RgpkAg/=sYfpðV8(3ĺm ی yJ0u>.i$gy~jgp5h7ƫ{PKpw[]GMnR}>d*@\q:A'vMgF3&sHGVzC;mA)?R3Wm5b檨W U|c1SWy$XtZ},1/VZnvdsZ䴉dZu41VSI#clZ_ "qґ]J<˓ֱXiӅ|l 8ペPԖd<̠x,#~fmߒ>fqʑQmahԒdBtwG Yg?{.=s5+b]*煠_Ht2WSln?fũv~oU. vڝzPʰyqZ"m빇?Z9s2;UY.}[ӭjw6S\IEe%jT`$l<P^_є~LOFEY~a/؄<NX|_сXkzVmu!q LL~=2)88⸆DH|}jn~x᩷1 w#'Qhi~4~{.Y6z(U l`*z 5n׽$5쪍wiZA6 60ڽ+oY,An/ \ax*ϒfu#^tgl߀ Gv$!MFeXfMS:Kqܢ#@y3?YjzCn@yϏ|1nTegq@i:_̸kGĠGއ{?\@R6$qER1bųw:<Mk$X|V[IUY#nckVe5 ZޥX]L,6Ƞ?Ol ĜeI=CQ6͋B-1@7M{]Nm=-~tlmu9sZx[Fѥ<Z "C@qggi6Asp[|!ZQk2xLةi;xd=Ȥeykn-fo9$Wdc7hBB~?Ro"UmlV8'x^GakMF&fdn:/u-0GmJgImmbB>RB6Izul]Cd8$q׽yɣ^IV)>ypu#pk!gG+~b_k%³mlSJu#4mhg ։Tuk`EU/p k0VcP^ 2Qqf|k3ךmmYfPP@M3R{h hum=g^ MF?I8ǵhZiVzȷVEiO?T'z6>9r+gú0̉oOCҕm,#KZN&f֩4Ve@5>O8#Z 7]Ҽyk]-D.gsx"۰m3 ,6C7jϞUo#Sf񭶗<6w#ސQou+[NzԺd:xI.ι`a[ʰγB䗐pkSքgr|@4OԖ}'I[\kۇ˸Ik2F,sHq5QYi7s78D@x>l'VAѫMc!^w$2jI^xO_Zoo <JVnWle*&62pk:ua9-%5Z<4^iY%_#8)n$'ɋ;Fq{Vcܨy5ORҮ.uT.lcKNyڴ3!Ç}8+_9Ub'BkrU;jq5͗$Ft>z>pcX⢎G1\\|>"wĞY=[Jc7汉d,z`rހ7d}ִۤF\{V7_eM7V <] o3D.zt39A8X[D/{ϲ;3o9*Ϻk˟0_J]z׶HK4}Vdl1QwvS+ګ1,O@SZFJŬ}7œo{yY+ {KLXcqO|*1#D[ũ\ZЊ<:ܴg}L2k@ܙcݹU=sIwIc_Ǖ 4!]ʪNC\:>GO6`Wq@oh85,K.￸d:-ϻ޴-v;PV)%֦C8Zm8V *ֻ<20&ٖ%a5žLݳXVZy.e Tտ~i=L|'pơSZ>iՉe%-oi$4 xeUŻzbY4eè\Sj6UOD@6kv5XN#jOGa?\ e&F}=MW:zgr0c&;H%o"20xOG4 {{ Jר 4w3yl }K/ztVj]d'qThm,OV& @?yD=Cw[9eTm, cc @hM4pO|P'׌m6;ˋ(´3gG"S6}]< 9< 8N:-UԵ(۸^{Tqny/#; P:z]1<2V񅭶W4Jmj?.dx 鞔ɼh:/ ]-@j֡i_*Ƭ_Z=fK2s.LDOt^,ծJ5XdUmçĺ");}i:얻~Y{WQ$nۂhKGRq -"=kM0}XgVV<zUɢUa(1޹94hW]uDXc܍}hX_}h_t/)UuD"aqI8V-#C]2['qޖcd!:OnqY.n5Ukv#C~GVuM& Wo>tݬpd]A2̻c]{1iI"ə ڂoYǨ}2*ziwc%ͫ2H ;±|GXp;o<dRY yYϲ#݃kx_[Z8[̈Sq`y<c3Fy`!xcP0FafE2G$dךvkۛŲhڬ Rj=BFh|XUkZIR{{PƳᡬq+lP0Y>.Sg6?Үx_\}hwuNFҮ^ضߓ* QU՞ţ127;M?PX!ןJt9Gڤm>UѪ\> r-io!-X~UOnTV6\6+-af9[Z/x[D{@orh~af@?ZC[Uh3Rhc[{˖nqTv@|I,L[9m*2;! #IyZ.oĦKVNU/ş?&2YQG^w}e&3G7 $k<QrBe]&MÚ=c-ݮ|m徴>~-JiIZ6xaGp8?J(s6ڀ2ۛ8y#o0+SMKua /d̉RK`ݨ,gpUrƀ-H֣?wR ;~5 rZO1GP0h|HWQCH ҕfBi<ԛjooqUpNiN743r@%8JwlzT"~?ZVQ@:SC{n*l^ɠ j*|QG%ʫNt*ҷOOE[M|ӒHUloUb6psRR\Fv@A@nn#Yo5LLr7Z,4:*C_|YZ0+(s^ki׀gudnܿ+nu[}:6mxfx[hfMҀ<@L:aqҖG #֬xߑs[mk]~×-k8W :l򬋴xXv̰VMݲțeV8ݞv9fgl[yI 1VheZSY8GdYzhH-Ck+~ȐZ{-tJHI5Ф_Aqb$luF{ds$U{l+I%Y:x+xColj#ܫ2KX[ti֠B^^̠a[ yi'o΀3|Ksc{ o6EdIo j2G~Cx {JKldSKdjǨF>ʡik: </o9 Vt.&uv *|N@ GgkekY3|SnI̊2MU5/K/Pmk::20ή3Z^ ޖrCUbj\ΟwtZ8G:k6xeo i6.,4xM.D];d\P)w)'2Oi[j7-n>BchbViMMGb9;Q@ #jugjjru! ΦOk2G֤MMݶm~XMѠCGXiX g-l'Kp$]ثtuF(ޅdH`e5W~ҷ;AT{q]M;X⍘YT8Sv44IVkV-Znf]C[MXc\n m,u]C&~aBŒKggS Vŵg[.HA.>R}+"]ӢrگZlKhdi1'kp}׼g(IY7VP.YaS}̳y} ۫[o &(n9#V/Ҳ5Oݱnќkk>&Mq<oʰ-Z`C5׌<ހ(vvl- ]A~ پX)+u';_{y-գ*6"`x:Ho"X)P`D=+O \h@\~3v?zw u*<grm>Zm9v/J./?~qYڦ 4VWy~`Ǿ±sR{Bp(PŅ:ulzЧwP bMgiX>o)`-=m4Scyn1:PE4œӗ%hŔ?6(kSEH퇛1 HV%k k4-Offo1=au%r:Qai4W.xQZcՍFz-X#UUUP<vi(J r@,=hA|SdVFc"À>3P/ZC-RR'fgyjpQ7i> ^oA fӦ R_ukxզ]w\8tCK)Ly:I5 2Ֆ5d7 u/FiLōۿXwo&d&?+WI<< c7*}kQ6Zwf;cW!@2jeWjsަ/!4$y 1XV-2CyEK5|"7c/ԛ/d7hǒ2VMۋj5gV<iQj>VsNG"9CѽB 8[Y#_1d:) ZMt-Gu2(sP{K_3?t8Ʊ8_3;`G8KvV# YzΗ[ޘ[ I٣XTMt7#@_i:\o+;jIUkZž-^ɣ0Y8ݎ1ڀ:]J5Ē%H0Cweo=YwP:VΚ͹WڪZhqiD+@,ٕ[ jZ ;ee6u?wڞ^g<u_>=sʎSLӦE2`!{{_ Zd4rCx~X Q[-f+.}Kn f6Wj&gk3e)p$3S4#=~JZ1鸟PM _ 4 u˃9(,˒ZHy#?zub*?VV]-41CvZy,3b+:HeDs֍KVw57~ UҮ-m$sVIG-@hf,Uaוz՛H5;YZ9ʃY'<-I I N; n5J($RGp̶qAmt7U9Lc&S^uouq'F"Yk[wSH푨U';WAYlQZO-UPC֫7xN[</9hb4{?㙃q6UuYlZ;oʎ]AupUX!GN+mgiK`@д;kf2ڹ-Oᅦ ~^lK/Ka-♭HUP5kI$!Kc">1ڀ8*Mlsn0N֎[kma†ܱ=yhaxY媏<5.$k;xVQր9-I/ ϟ)xn伅 ejϠѐ^߅/!!2"@<Qi3&Qq5z6;A<f9S!zgwVvV|UxS$&ihԳV5:].Hf]Fy_oQUJ(7楓@ =hMEPM.b#;`-4Pi>v;Rh{)ڂw^#h'R>qҕ|{E[wFAeV=v4nGP)m<Fn[k tpGE,CU-5H|ɺjVң[h.;6אpQR 7qw]h:dPUu\,(Pz|3nV&i8=ƭ{=}u?rZy W,3U<<$״<߬PޫAi?U]֯oX}'&\=/_PN>Ygz)aFR#(jOI$IGtxHӵ-aV?1$èh_ʍɫ+IඓP`d6u팒=MO厳;~n.h+6pV{OL0h-'w[P+#F8'h$cIKeL+jQkMOMPvaTwz̷Y#*"uz>G%M8ǵr>:sмϘߥoD:*} 142n_^^@vaZGc~5YmR6х^ t8 ׽6⪤M sޛ&%EVG4c؎T@ox̿ι?hqnk&SZ46cN;PYjMr+e eV+V&%GsWWR:lN(g]I4 f<8f"1'G̸].MIo KV:b޳42'VOJwpV[!e v0kgĖhaV1u%n4.$ShgRaL[bHogMfR*kT@h މ8Q ; thk.]M/-hc_Ec*m+FO[RY؟-y-M֮\ڤ;G ?ڦѴxc}}p(Yt}jr.V]T[;&RNUec媞i^^n%c@|;G]Bfi7vJKMaZHc~V\7^ܼ:7zwcouhG=MèYIoG՘pj+X`v}mWM=2, POtiۣ<g_\FC+>Kqn9SRP"Ss@u}{u<O5Cm;vi$X㞴Zd Pq)O[4N+:Bv+9pNsZOguwdsQYqZqlJN+B'_.;<uYրFL4j7bxTմx#SK/Z<UѺR8XY1s<a`Oܽ(oMq5֟5vr[!ϥwޗ-o55W<VG4*̬nҀ<kKXKxPVƩ{}X[eSNTm7ܮ1XR[+VQWp_c@/[WIp>yMmk; exR9SڽGέWwQ>d{X)7ӥBszk&֠ 8rhQ(%ӌozvqFߛ5ǟN%(_}7ooHco( ڀؠo)HiD(%~|4nWL&ۭiKiЬfM_Ca̗XOSPul'ۅq{{,8ڜ@ 6vmIE2uǥ%#n3JM;AkmA$6H-.ojU=Ga@ R$MqtFmL.۔9-]sTFn*(jy'|';jWQtBWjq:嬓(##+I ]x;[X8dya(|*Gdž%:b-<Mw;Eiԕ ;Vy<=Wn8PxdxBLLWד\qV|.嬅 zbk j{[Yni8*9 ;ht[-7yiyZ׌n-mKUm1T/t.EX\|.jow29]q6J>&ѬhIgֹkI v'pEO[7Qj±2ހ,xsE@u"p JUTn[޶7^`XfeG*ZiiM6LD|vX/ΏqY,m9>=w$,q÷s>(&Qa\ʀ3ax`mjtfTЌԗZMœUdGUeZ 8y_<W `mx)bTj}V|Lcpzy'fm]NzqX:&fz X ܊uUخNm1(=+cN[Y<pp+mV]VS rnzd_}sjmf PݥrJ`zN}ʕI ր12TfY$\9ҵ"3 ~4AfY6~8hB˿w?Wrսk;ǞֱA;we)ZKe? 'P݃[H8OZxU N;fLVZ6ZFvoj?KkmRقL)j}cP,[;vz2Z-t!l|~Y5ٮ|Z@u5V@= VT1+gaZ↚r}e,Vg[U4Oa67Z#d8OsZޯj4,C&266rVhP5? dNy jo.Y#ngvxzQXV&>w -?JDk#[}ǭIuk*ߪT>.K9 _-Ď`(xī̭56ʚ,-cHٱX͟CEIrTGZײ2@(Լ@8;x,?ڝ7m[`N int/fXaTMm9g;n"2yv8T^vcVi{En=Y֍GQK$r_=:KX.<(>R~40$Ʒ?Z5쬱Tea)XpMy_ğV2I lʪ>S\<}6&&i3r_^IQxj,γ-=v噹SKsҕsϿm36 bBր0jn5%n4P ~9 #F*Pdf VރwzA)h+[܁Yu^x c\;kf>l`zVB!<Tkhp_\UQi c1Ҁ.ȗ8Măˆi3y{qW %0y(͕jsZG>"ms-9$u-ìjp;V/ i$UJ<*m^inW1b+mni,o/Iγ? ʺ'MҴHE8W)_ֺͽlxW<g{]2(!16=-οi>mcp9ǵTeHTbos"Y)ߌ8e\3'AMuyl( vmu_BZ1&Ij~%M޶ z|k SY.]$PZC 5X)[sf*:#Fk{ n*aEBȭ}5fc':S 'Y6|'gGK+pHf[V8b$n=akXVPhvE0wG75sQ+It9ªتFQIdrz psPt`*,9Tn?NnM M1.Ģv.ɽY^5+*{Gkgbo;wj&MFP1$kW]e| 9GL8f8PɴSV۴xeQ׸[7⹻K紸Uך4ڎ VMUT7i9咵ıﮖHn,2?7I-S\ޣu?ͷδ5ۍB4U4j:V|6t wSWxSN Y#j^%ݹv6;sWPsl,3oD ; ެ<42.@nux\;5um|=2ՌkGq43cqM2-3Z|ݮ %d\,P;]u -b pDREԳ:W/kˆ˚~l[ki2͵8<t W7:=%,;T>o+Y>a Fl)m㵞5u7㩨:\m- y=sNk~)Ðı$sM;+} +#>\}UOQ8lr>[i"p>u"MOzzI1hͲΗAWnx=*{+IϺ6h|/]kj7 uLT٥m4mb\m=W53ij?4hXw?uAK*=pMnƿsk,aTd㨬/x3<rf@r2TKՌ6m ~5[^ͽ27̱rNr+זĶ]i\6HQ+ZĒx;˹CuhІ( EP4f{rXrՏoe,6BƭiŦi9@#-okH5m #8 s]^ݖ{.J& Zʼ;W>LRhekߵ_ CI%ƅYhp)Tv7 ??vA#uo4hk[pmw݇ǨD:AP94sJPt5Ͱܿ1ֱ3 =eϥuC$W6bGAF3YrijƥZ^)',":o1/o 句A53@sV^;4w R{4h:dneZ먨Q[oo[$o"Ouw:zPωY CZod9Y,txa-1A[MBVEvwChf! ׾[%~SZ>4Oxfd,+Q| &7ӡ;h&E;A~jiG*̼V_gӂɟz4K]& [OP# _y^b3cF(G6zkd>X᫦d df[ٮn6!I{7Kyh - J"_hx6F wp[b~1ҴŚ/;vԟ-mtn @[:kILF0~?KFHˌn⢻kc{ jY~xs\%"O)1CGM2mUV/[zVq7דdkBE2yIw?s/KOdlU+ymYcU̞t`nG1E^(vqi7r9w 9oA<ѕ2,tO&]}Uýr>%pY/( @W1\NU[՝!dkIH@O>hf]t?OxtOlp= (CFդ/Hrzֻ+V,q.:T8Үiwe0}##ր=+2kx9JGD5 hT3?vll$Sր)R]Yg#;Xڢ#ҞViZMO,x)qKZvku7|ýH6JtTrΤ/Ե7>CtW5}NeOr[lؿʱ޳-$ᦅ\t_i@#Vݽ~SCṴAtmEZ5-Z8f`TkrKFhg\:x~8[[tqկ -vHԞvqƟee<|ɸW[frvTneԴv}>RtgX|t`O,(m/\Ec$w4HymZedO7őx)-hZ|:Uūe ,ZLnr*yGRlTSZEFLzG@<]qLɵx5[ˏݰn: ÿ񵾓kin;ֶ;[hl4 ր.mpyVO _ [F,sy~т;Y #r?Zxb4729"-iv?B*6MnnYpacKu >R۟0/Qր9ܖ>[=4/'9 I^c0Æz0I5 V 4NeW0]­>44WLQ-ƦTCQQO/C u[,D1~!Tk:OڢϚr=+a.kņ )֍AVwUb?=¥9&@ǧ5|FJ_]1 sZ"+PzQE3q?~q@ޔbg4)S NၘdW8սd. asY^X吶E{P,˷C}żKɶ0 ֢RiQk+o,H8[K'^oA8"_|7SMѪ7@Y@n2t Wp$!˂>\?g?ٿ!-VyO1#iAq͓ZHnyIèU/YӵVͭb>W Y^#i p2[Ƚ1Vݕeڀ:7} %TtMm9eF*s]g-.ArV7jWl}~?A ح8Ԭ}hymɎ[9j&M7 $G <b4e㻲I.㏦T@ Y:;%7ny~Ʊ̜oJtf9]E9ПpP7:/.V͞hŻaXcuqoxхo6E9rzfo<Of,\ V=ēG`ֶ-Kyl|KvYg{Xlk>m#>Fcr,k pku?#Wl0?ŎQjXI Œc5[Z8Er3(8 w 7~ƩZ̓]:xu_N|gkK[Bo?1?Uk7<v%Ɵoplg46M1 O9Q2Bq$/ 6CzuMdUy$XtVUl}rxu&qIlv {W0#M?xnF9bp;W6#%jƫ|ܪCsmI X9SD:63@BM:lz)(̓6pR>#Ye"@$7?ߡ^TQci9lxw2x`CT+wqjM65Hdcgb*+.#+C5$vfEp*qcqڀ.[Yd|LJcM# Hjvn$Heު:u|Eb\(EVM?Y{]5դpZ9$cg4H!z{:h2Fw@Zs/5C2x56oP95SY>t@vq2Ys2 oZxX?#6Wjr@kWGNs-/(|+s}{x_͈[=k)[m~O<xmmlDE9 Mpo#ߕXetXe+Ѽq"1]UON:U B(Ybq"(vʘ0Y[email protected]}LבqPki:elcy iv6k[P\I^>l[ʾJMÁYZo.-4Y~=O rm/衿P+jD{MexƤ={[%pKTRFUHaހg&Cq5r`(5<ZmԞdiP?1gq mkwie?uj L}yLgHQrpխa.4Əxx8DvSRCڸV؉_͕~#6SP>>^*sn W GLPtmC)>ԗ{o,SAs|v=E|? G*(Wq_7hy9x &9goN{/OBf]µm*g=s4|1\d$WBȥGv'9y ;ޭ;L{Hj|ɪ:ƑuP[nz/ d󙟨t"kVEڝ-Wt8v{RgVUTPI-;c8?ȼnS]yQWҵ) N>3YRfgau@1=~İhY 6*r1ڀ=:姆8H#l S4$%ǵpV~0|F tnd҂ikq4lkGUH"@]wdS\,̿($eo[$x`܂ǨȯbڭL>hڬFolA`ݨb+d.GzC}GfiMB[Wִk"jjwZ1hW"?z]&h?0P: bE p{֕qHchdxVuTVXnXcuڪe?0Ut~=UMטTuS7Enu;<_1g >7\]]>FTRx[ŗz֣'>kv}Fq gRڍƱn6,3#0js39\ɨooZݼ̘Wj #&~BO^qxؙvzgq+_ʍ ^E;#@ {mNHSu,C=?Fd<7U}jGb5̊sP2;0 t4|ˎ(|_-k_FLPÔڍAۮs@弲\,,@h=[z:r\ )QR C޼N՟OE+Okwm'xA\ζz;*umha+96*SfRM>M0SG#X'@t^y5fm£Y3EIQ֍յlu|9Z^u9QdYۗWsp3֜Vh#`˸psޛ#XZeSʿi:쉫Ild>BG[[UJJ.<,?taMVXn-)k{lцE8>ƀ,iZ,efBfroY$N[m%kgKc`?'w-@P!pДTY {mنSIml\m*hy=(Ҽ }̸Vʄ߅Uia /F&(Q9VBOJID6 Osڀ05f!)-HVHi#_4UkvڣTOڮѳ}@<>5kaxjd/ үq~MHS3*ٛF"c @&OX`}E#nl [X H"OxZ_%TWxmEWaYɖ42ZŠam7Xuh^&hXb(sĐ6a3+ڹ-Hyu^/$/]}+o2 I3ߨ45Rܻqy[Fn(6[fDb`x u%jFA8c)1ӏ+&)Q0. l8-€"Fz4?nm]'Sm-ZЋGC @ceR քw0*:cvg2{V݅u ݃ڴK,2t݌;W6sڬ&̱m#=eEI&i*!1<޴XV=8OН#ҷ4cFa 7jUn?ګ+ aY28Fx <|Һ Kxdj1[w SV^(~Zkb$Qxtm20Z۰{d}O?s٢;_X_[7IGZX^aKncfS@c,y7Bչ`Ӗ;v]kδY\>k[Kqnhjq+?5H4M~h=E`Z)^B}1V!cHJcj4_e$UB*D `gZfxA4ۛoݟNh^6Kn,'cΏXkI#!'5k5=hrPuk7j0ܒGJy}w5u4p6z@|uԆ6ڻ wV~L}ܭ:%XqWy MoF"Y#mP$i3of͗pjMGqSRpKqډeS<wgl7\eTYïPA ,r<RMl,f- OFLMg޸SA;Dۣ8nBѤӵS4M2xj֩|[m k q5UVWڵ!+HMuj~p#CM7K9tLSlVg,Pw5g}KLdFȠ#8@o>ne#mKKMGNh6Gz˵]J$L"rd~L}FYSI! sݭ;_1ޕ:م/1uY-w kыPR5N]/x jM1hؕcn9\1.C[Ʌ銃NveLjk87E"CܞT\F{Q<_25RM>m=P,+[dh[G ƫx"kaN1U̷VvHq@ ڄɏ*`%k<b8R&aqaE+YIf*72};륊6fnP^_?%\w">UtKyνWҲ5˿촚E&(?@MlT1cI]P&i׳}| B}j;&MʫɎk5̭n{;k phaY9&$h>eDm)YJU72cSfv{DdG@lcߥ5f$Ǡɸ7"YSڀXJkwQ)?{@Jw&OW\|(*3!ǠZ۶m wd o8WuM>Uv˵j[@CN֦G:ǝ+khb"/Tdiz䞞<#;7%iC2ƨݍ,֫4"?Z m*ݣ_4b}f-Xj_HIYLP}F<Pj-/֡I[sIƝ3To$\P^3UfP2K8)02Rx]Ƞ &oNx& 4G͊K(ˍKe E ͖Jjd" $֭x/7nƁo$I&>V{KV,Py ϭ\P]ی5Be .t&+/>a8K)F  f7{~muڠR+ͣ9"Q}U[uGǰIu87]~DbٙV^q maϵK2NGԵ1ْ [*LfCnqo\QibTg&c΅:8V|pqNIde*tW͆fLGd/ ՛d/Q`yE~(RdzglH~QDM@8Jpa6bOe85kvZ9(8XI&Ӥb*+M=X7^(hݴ~; vZֽ$,ՎkkFVҹ}ԡ=h<9HӚ791YҵXu ?sq2Mys؞WKylpPgaVJʲNHg1Ҿ$}/D'fMnwʃ'v5YpJCd,}rZjn@$ֺ6Y-L'ݕ#aG{&CвiRUZV0Z3ր4ewɝ=1ު<k#Vh7JйgUe=T&_56Qh&ixVPIoc7́Yωԭmm-t2UNdڛG=k6=T\u(m-f(=M`6e$(Z<C#U MjO3l:/51|GV%kK/"I$Y5xUE^_s^=7F>\gY4-Y4Umn۵B;hF?= \4yodݷ֢U}h7ZUԜ})d޴TG@wu<RvJ翽6 qAN:q\u?6x^W???Z 2]̼ GjZ2t^+@Y>QڏEh[{ nS$_g,3/.zYHѤj̻~g9h *ۑz@}ukA.x. /%1:]Fxf?0eM4ad!ܪxz۩ !<JvZ9'(~jιo<RĶi3e t!UM {rjnkI+& vJܘLl-q3WM*Ia +SWC[ȶH`Pfaăs=O;[${\Uk) xMZ!4/B6YzT۬SnUzStr6݌MgX,`ޠKnl{U֛ݓe`di<`rvaYCu>&$[ kTB5:Ay۸h U0=|/Mlރb{h=/X-VI;8q*촯ُOdI:(Y6t~lZlk;<-uWt[ոwuһˋ";|;ZtfE#~(ٺܫU6kgXТV+2CWstoI0ʻqxVF 6;hmqb{1Fo_Ӂ1>K Z&#dDq>=}(7]WǗd\)t&$k-ʏq3La,㷆5%l;St9Ҁ0|g[mo݃NKEǞgCWZi<n56`40q(>,SI0 r>,ceyܣW]{sg^--L`ր<G& M yЯ nHE<澂ӠF`*ڼ_d71*!of;6ݧpUkP4l[Gr2""e9QL4ҡ|s[&q3-?Ś,)t2d {U| mϸhX~&KqEnEeYGZ7!7C1Ul;q^4FЮn#jfܫ"Rijy7npJ.|>*ʫۭ4y[ o8UhKmaiW.0[.VFWl<*֐ʭ#v ^%ˁi`Z-ei6s Iy4.HS Yf*6zP%v@+Koj* lPjl/;}a^w/MJ0Y;0r12m!uہPn5U{ Gi ygt8'Dwrǭ@%.l(*'ٕlri :F[49ͪ/s@&]Q]u41y%Q^1{Qs@ ?4(zJ|kOҢ0n?Sʲ4_u8:\g^{/MB1׽t^-dzitֿ0 U&1:VUߘ̭&>F+ZͶP7ZXun'oZXӡ0]:X,ٸyv0b:*E8VDwN#3+mX>71nnqPT̺co*ޜ ɨnaAVNYsؕ߅Wݟǚ*F-9l@ݸ"vEuKc(Li/l&Vj=ߕwGC|}#ˑҺ CFR2c'c@yy[{Tfѭ]6e0*YOU#hޮvD*v۵"O֔6fo1 nڧq]g/3xYW(Xdfaդ`3_DWEoe l7mhiJ@(;@U*ݦ1c>)Hܬ˅?0KN}Q~(Veq mܾj Yn8ז崭*GtE8@Љ61жxY[֟V-9iIZ1בi{sP{^ź6[!DoO,-uXm6OtcP}*eO-8Z$;nޣ@oZeZƾYw\s0 l7 &$t2GտpZ;qҵG~5K_zּwrGL0(  +[QxGӴEs] {֮PEyM˃UGH·g~h:Z0ƻ5im_`/ma?z+{yѶO0 =UFQ޸Vʦ~V1ҽ^-p㌅p+|Qgv[€9 9Lh/zyÚK*uQlR[8We$py+3qU<vԯ}ȎpGZ+M|Gqe˷|=y=pAG-ɵ{5G`Ȼ@ghx:K7M- c- w]M8X?2>\\֩k]k$90 z ־kpn$UB2u|;n**]N<͌VΨʛTZd?;792GtsF9N*QrDZM0QՈ9ǭg9lF0L&"84ʸ}9dm+ԁր)çGTn}ȟMm/lʌ<)8"Ѿ}[Jv 47vfѴ٭Y'+\®s~+iݾj(B8渐d$eq@%#ߍE<lyPzҴ1=q>9J r>¤fH-{H{ {|)] [;:_68R Ҁ[jYpͺ%6b eުR*kn {qhEWX7 ܯJFxo]I'ހ;Ox\ʫ"񸞵C?*Ñ+̭ߘ߽t*͖b@<Pj8Y}SQϾ}i;v%. a@h3N\.cΝuypV(&o||?Ԉy?u_j(Q'W$IުsT9(2rUvRVփ@Ci^c lv5ifD2W9~P( vJ~\WQuqXs͵.Tu47Q}=뛽h~U ZS(ўՠfqy#Yn мjmCpVլ#>P;PTLrMrsJ{={#"*Yhտg&<zѯH^c{oxFI9a0ңҼ cUdU2{VĿڣ_fHBrj0g㑿xvIo#nD-7|qTm|^YۭH#LWqq4MyX;kVVOީ̟8힕=Ԟ$M£.̚~Lq2ۨsހ4$e`@a7FA Ci QFj"8YW]g:m.og5 h)w3m (}=6Q_\<,%5[?,m'ۜtTH)s*; ·j!4G KդBw|ޕ0hTX[-r!O4.vMĺ0X+J\cV&/qT,4{;A[ԚJ&m>)%;Th$3E f|1ҵoc6i~cxfMRErpZ}\;II3?ZGof2G b=KMh剙])Oex|;pm٦Mdž8ē ӮjKvYH=*[i8 K43H3A@ŁUw kkh3,s3Hd`@fiZƞF9^4"X.Z6hA|@K5UˏJӀyMzW=a]]ظ8ʭuB)<@9h%Lc0Sڱ|m~c"I]VknnBˀExn2(qᗗW/$kbH%!籫{2y.285M.X#[dy5$v)&FJ aBq@ ba[P J|;UGXfvfrIՈ4Uo94+G$;x SԮⲑd Avְ mUWtc] @1Y7A_,˅LLҼet\w?}A&\pʶO><W붉k3|Q~)1.oJ[GjsEN?3M 6籠fg=Nŷ隑Sa9~|YG%U9TP{_4⣞-q֠\corsҘw6UiGĝ*@yҎhb\/Εa%Cn 2ƀHO vWH#^sP[Y V`$_++x2h9@2QcOboNG&UD1֓+ YldUBsrGVM6&56+.8ʞ,6 oi.Zl,Ƕ)NA<qҀ>F9CXNmu23-BBؚa(,^9HTy@姉}V.)K:(<XhЧ]wJu']n4=qQKqqz#mnJIji<f?{ޠUNOZd3ssҷ|leݻsiktG9|xik+WDl5%e2MsYUjihЫ7]Abh X6=6?, Y7nn:0*8g<}tJdrH ci#XD-º\K/psZW\mTrk]I 4țd4ne6qqO8vm $٤>a;z9?/9-lMTw4[Em;2i%.LmCPDQڡ๒f}Igi!-ޤ='8 s$EDa,ۂu$WQp|x\ڤ@-ȐAsm; ~\}\e[~3ռEwoj[{+lyfpá m7(>:^6;I=G B^F4ܪ ^%2Iz굉w[PI,&TzWIiG}bQ2`@j? \jD0`ƍ\.݀pF9}-&Vp>^ps]e ck/VZՄ'2ZT6\h EbXSd-dlt+ F}zU\q ҽ+:Q-TF3T^}G\ '* OI9u 1KG8cC 9I1H/Y-"`W5vwkXv;1;}xkM~V;ֵ \VzխC rc.dǾ2n6|y iCooGZRa@ l}+o-y0siZw i7~TumT;$mxju EM%x/JFԯR$c?w>V=!j'1ҫl40/hn㯵9%sHtf[d}%*Q~;QG::2t{P6ی<ݐzJf5χ=k 즒I eRsX'/EwbA]àFE6A<^MGLkOLYv1q3. j"Y\LFuSLyڥ~w3zHAܧE (`Usqk\gU4 SP?̧ M#oLзQoR*XY$3g:- zSB aoa@q0횓Lf6v<*Wx }D[{ɏ0 @7ա-Fk{i? VO)o.IdZ6/j«)m[߽Ҁ#a1#y3IPi ",N $p+giϧnēI.(a| *d#(6BẰ<mz淅[U/dy`;4hᵳ1NÁL .?*;y XGY{;/m}i|E5 tj~c_SF|idbGUO'ٙտgɡԮ=3B|t.B u F2y۟;jUo1›$㏯1J{β&o Mv?JqE92XOjЮ`A95X_lqؠXP´,5u[s7octӞt;mkNHbTVnROFVPekv;v:N6[l+gRuX6r}Y>KCz.t ^{:v>s{5nɏZIc&ڹ3+dRyQCA%+CTNIxҀ3|U_\[[Hd/+xsPR:KoՐ :h Z/u4qҺsh'1#c'\ ֻ&f0SOu!}b7u9jѷC^ipYʎk'AH9n V浐дZ%!Xt ,(<$z/ȉ?/'# q'7˥FEeBKޓPlY^aȊAM$7?@Qu%67m:t6!x~U"y"[vDk sNâLdʢŷick}wz<O|M,ʫ=5cP[es6One7Y!9(>=BQ{#@Db= \7ƽa|o m8I4,py?a/PqkC@1]tsr9Uq~l7z0gRnl5xK}+TU|PzPl3۴MoլJ&;!V"'@Gɴ=6v7kC> JKZ8$heul}ƺ LKsX>1 ƊVHcsP{=SEoZd7]dҀ:iF%+ިeM /z_tB $lˮYq!hqI./w3<1>^U#H U۽mu=>5sD}YRN7П&&XW8ϠOR1Nnc89cՀ@<XTM+)Nc[[|"r:)EZ1^ /eEcjZm7W-<̭#+5.EXP`|amoiOY #Um:M1]9ܹh+nfUr#-WcIà<b&y\ä\)<\ěm|%.FeF^€<Yu[Fl֛&yߥ;V|y0_45 :SҀ}>(~‘|.[TmH0's l7lV<#yAmlyr:b燮<Ikk LB:{jo h<` @>#]M@WhpSC#`T:$2xѨ.$gdc4F6:f-#I61tK$M{}k &Ȳ'U=plYV c$P,JP:KsM5ZG^Hr;TqA'2q@%ZV'xjVci<sNaXmMl:$G&rǮ(d:E*Z*kUeڧ.n䔯#$gs*UuU$pO|es+{w МȻs'͹x d*ve=hip692)̭ߚmQEQE*`ҥ[m6zW{bpP֝wvQ\T2 i}>fr3zo-Hط"7fyqۯ_z~w`˃k>xuXYWRؓqUJk&̛h9<畨ai̫=q@ŧ:6Gj6;X9.̍r@Po0z=J- yK,vdw^\|Iۚ56"B +;yrF7h#RR8HÞ@?Zu6E>8]IcդÌTKqq?8Y6V3 H0Pw.4P_5~Q#p+S±Q-\Tm<5&pfݸ)٧NSOZԻi% 3pKxm<͆IL2si'qҴJZi%#%Fn>60z t\Ek947J|3&li$<sƳGogxc>b^[mdFcvk7]hћlGB;Nehl8iײ#Ibv@+7QmG2a+3 Yڶ7s@TJ6_'c?*I.C$WT$rۏ$4 M=O`@f]]葷Dqǵt+nJIc ?ajo9YV|I}Z r (yov]j|CI3dKnp,Z=ZK ͌m55#ƾހ-O&mF;#62ҽKF!c@xu 7W{>٥iյH j6˶,Y|2ndo qDwЪv EOar)O-źՃNѦcf!4TzVmC4+vR~_lHc:UlC<";I!fAh6XͰv58af 1N#ʗr h[no4Y_2sKt0| Wn{%H|lbHL'@f6|vA _Wi$=܀[=w`cſjd23r(_ŏx;CAK]- P |S P"'"t?V#KsxKx=sH9<NIɤoyf-t$qc9``ʥpXtD6ϵUK/rj*w'*qmN$zW~#MB֚{P\|{q}vQH^eZ[*x9ڢ4EVhִyvdhͷrOLTrV 2zmKۛ}&ZLңV_ ,c9;ln5jgU}F[Ǝ5,?I";vQ>Dҷ CҀ m4iS0F侑goAN$We;py_۬)pn  ?!ծ#[$gt̾J~ qnQN[QYcn sja,(%mѴpwvxf>?<q֛F((ӟZ(Kƕd*(4T蘕@;Y?zɠGҒcgҐQ@ ʎOԶ YzԪ ۞hR0H]KgrɶE: kr2ڞe`|h/{? owjYP9e2zzרݵ>Ma&\#ҡUZi1}Foc>J9 ک[ݘՋzUɮK-|}({/T*p9Td[y`Ir!Rbb_)[ F ,mo3]CfK V2͹չOJBfY 㹾jq{%͇SoVZ͒ X/~Oj~ز&V@\H (2}ȿ) ֲ_tq/ *xf=_Mkveyq@Ua'U<Li53_XzMbj>wr[[n1PsRKV gq~,-~scʊ]gU%cuJEP78$o|}w|+I 5 +/_je결ݝU9<Î^дwpy]9 hn噸Ʊ|?Ȉ̪ ;Wi 坼nR(U2ZU~}~aSxCO ʊ7㚱jM},Y9- "Xo"h Z+[6 Ӌ(_kp .ҽ@_–IVBCV _}.uw@7ltBAg3 `U[H3֥tb[1cx`*)_n_}OS@5k?\6u,[#4<ǭaj|E4ur̶βGsʮ[t=P9쎵i 0eX뚯zp3ڀ.<,/w^Y4V?5`>jA+繢+۔2~q8@^;aiq̎zt<p6G\ҵ /lj)mͷ>l扚Nހ%ӧrѲ\ݎ}?/nGk |uڶ5 ?nn!/'[/M2m< :/x^0CesdVG%'UgbI(w=hcq)!OK!Y7,la@~}M7?SE*YeeflĊ,.H1s@4?\Ċ6# |##ofyt5?,zJO⾤ql@Enkc%ǒUu kQ$VV<pMG"1jGCucS֝Qgܽ꽼ma 2{5 4`r_U% ti؛njm<}'f*$ek{v۟#IgF)#/ U Y~ˁ^h4Nf\nWfc;P /r$͵Ͻ0h|&Pk"JhhU#nw[s/'>l4Y9#LyQ ?a.+S\LzG˺P3|wJ_Q |I:(-:wP@ZrPXhWI?֭I3M((Q@±>VqW"vӾyQ5!>z-j8jŲqV!ψm pWK`RאΟ3Zv3۞NxUu!_S+3ZlQ@zJFH.+Sep1 3 Ǖ_7EU6*+++O,_R!++2(O*GޭK[qoF~SU+_o#hZ(|U.8:f2ѕ^Uޟm3lsz+,(;gV>ϦMMw7l&qy5ЫQ<{U)ԿUʀ;O{,eV]k+~̸. OŸ[Z:k,/坥HY!Mm |WIR?@B~It6 O:Wo=?UռCcٙ/h5ej~+iP8 Oi_!tPf70}_ nOioy7989rQfxi{[-`e F6S.Ϝ{TwfQkZC$ ۡSiX͖o69EV TEvB -u8?7Zo߳~VZۏk7y@uo뚒N0_ *;/IBIvj/I''=?,ZY4ŷ1 t&hWG@{Ww/hr86(EW4FP͹*cvjt_ m@H|D iP lj,Tp3֣<N\@SH#>b1Luv҆=Oj~X=@mlU<S.(lWZ/EW,|sdb|ʁL1/ҝPgYkLUX [r^qESB: |SxO;FLq}[ȿY{@|;WqVo~}Es
JFIF``C      C  9:" }!1AQa"q2#BR$3br %&'()*456789:CDEFGHIJSTUVWXYZcdefghijstuvwxyz w!1AQaq"2B #3Rbr $4%&'()*56789:CDEFGHIJSTUVWXYZcdefghijstuvwxyz ?361@MK` 4wgNc]wb;[Y,T~5i_58Da^a&o uNE*twimCYNӚӶR6.۷8"K5Γo& ȀFepEH!(Vr$i ufH\p[gJ᷇iv!b.x]>,'Z?ZGo$Cq#z5` (`T /i!5 XXdz<,!+YgRPV5+ \Y]WҖ0Xp›@Mej52[ڣ4揭^Ib?Mt+ w(mt?صzmˏ0>JZE 81(-|CebI>֬kDԜOOmIԴɧVݞ#`. ?h.i'h"TcpWxMui@}o4ʹfD|W#k)fM23@aDl`1PԒO.9֤uUUA*lE'h#^Nj,$dwEui+(ygkeĆOMpcc_TMNj4S2?z>&['ՀTmR3ϽryEx*ɫ2_[HæhYB+ \լQh/+կ4 ^ahwC7 Q |o]SJOisZe޸KsAlbyZgnhdz"26Ҽ.GޫfnVaz iK=v~nhЬ0? }^55sp.KmKmQl_.~}7)$bcw<{HgrHsCjE*C8㚩D[H换?ĺ"{[k9<U.G3=+& :nu"C_MqcgZ˸m~cP3㿅Qk[wԂ 8n&hf3V+ܴK;}ni.dPF~0Eid+U +u umtb9@#J=q=讋<6v_OZh((((&S_WpqUg Uz(L`20jޡdu~Vʐp2}JO+8=(B Xv\һ,v&4ow]}kҞ7R`sR {z!UX}Ze-f٣gҲ,VŚ]H*h4n8@Z?)M=PnÖeQ2ɍ[ )HGo3Em=MlGxcߨ~R$iFI_JdvFZoܿ=IL^vs?T.Ll?v6҅0;@o& zԒx_1wְ'l̾/ rWPvm=Zwo5+&Il<{ǂeK}=;F5𕇄mCy`C?ZƱpj% d*H?fO rQqpWjB-6f 2W9+;G]4.iZiXQ*Ѹ~MxD6Q~oqL:)w^(#4"ȮgWY.H&U8F$AoL ݑ#I!<{$کη}xګM;I4azݸUU=qUoU5n#@тMs3Ku sdֺ7'NBz$]]Yʌeg^n,ۏU_ZpHjI6y#Sր5<A\A!8º٣{UW` MVؚIgnOMWqs@F>8`eB>cKw$ݕ9+)#h7[̍;OVtMnO BVifIctdEbrj:pDbO?p(`u>BNњ;]~.e (ʏz5]d)*O )|<ǟ\i23ƠoכIA#+)VS_UMrlkpw^o'D~ P_dB0'{-j4Zq>5'n1q޼sm&Xmв6VV8bi~ i Z$t7Y *0H3Ҵ[Heޣh@X$|5n b}\E&^I}5|Sb}vDFcu1Y|A&c,~m}tSXE8dX#Pzc[009}4ֹF[9$o Ok#7v(ͷF3hOWQS^7v,qYz<2+04&!Uh]]\EeUhv)cՋ{Ȼ|G^FoIx٦+ O<Tz X͊?Z5n Z_iáܺs2Qrk6i~uѪ]SFY"[cT66KUf~CJE.eW|oq[Iow ,cޫ\4%TI>Քk׭o4~[)_JŠ(((((( nԐjfPc!qUh VhZ~Ii.9Qj>;|N&6۸㎕Ӷ0RCXTڃ\_--%ǘ+vQ~q#6k0|=( %Ys6Ԙ|è:Us )\5+Sk?g)oG@c\H4d?"j}g$|~b. ̙MpFh1>KsZ% H5P no 5 d~ڴtZPmBlqia 0WYfԆ-HI%Q;d2+#BburKTVuYff91fk;WUm ;dd6*REPAl[Qq u5KẒѻ֡-ôqq#F*XHL?ʽg\Oت4U%:ϸQV6$P-_1&;E1o R˴n՝t4*~D#$ۙF 97ݗj}PK{8i${g8%(Rᷥ1KDPI9nhJYmH&6~G"ȿ3j͒{s'2Hڡ/'z*wր/XV9$nV-/)8#| ;u -1ڀ5- d8ӒOUmm01ޱ'ْ))HTڀ:R^GcS-۝oqd?׮ I۫E뒸k-ŨЩ\lSՃoF)Ui}MK&%|SMZ"7\O8AC |d?wEMn_ EW`Iy644Q8VdGSS_ֶ $q<j~"@5Xvkus>`{PKq5Sw;U;NK,f8I!@V[6]<g؛Ҁ&=ry}Od{<Su+4}K~#b&^7Pzm$rOmKO[/.lplsIcZ[[;VMޫĪТ0q@\嫒}2LsY:]60#)2̣ր-H$t.haS @yg%q1p=w:h^oq|Uloʿ`Zʟu/9-^V%Vc8+N%vۺ2m2(n[U1v죑LHD-2N:BU ~-S*h&m4~׹-|ĞMEq6ce,~@9oYt֞au=6")rPڀ1VVm>M%Y0%kKSvGtm>J{ٕ<`|O-,+z{As ,8{. zZfvbEo ^#tr`Oր0m~p 27L3eskW!y^YʳF$7Oh%hH8b\$֭UEk򌝳7-̲[*?{ݶ,LxȠ6dd?2E 9S$Gq{Y<a}.v011P]Uõv& xBLhwF2(.tоR:M((((Q@Q@Q@(-Bu yfaqGe$e:zNS,mx$NKfxu4׾)&Em55 |~Sr1hefST~eCёFM,6"U(Eq[) IޣF{v:j>FmsI5žU|&iqo2FX>P{UYJ Ɛ䢳|IPJsz 9.wͻf:_HOWHx3אhBE`s55i K 7cWU+TR3 (r3IHRPj|<|sg"enl~>psހ7"HzҖ)n^>cֱmbcON^zP]zޟ#c zg6f_,,+cJ]s=eY>m|Df~##$$zܳQ}{eB˚S}✎ajZEKבH~:^FA拏Fhujkeo0 0:ֱϛ/{Fwo"S{d]hԦe*1CȬUq L<.x Lv2V]#z-İachěsS>Z,qҳ|=-Ȫmcojnh6vz&hB I3s}؞դUޔQ-m&xf|lu5WU_i7(:}jMj8Fxsm Q@ oqwvw c2K^ֵ/nDmo0V^qֲf9rzyeˍTmJhZUddu]>E>.pzջ8rk,3ڀ9oxsCTUܟ}zU4K/~nBk]?e5;q\BE1@1]Ejw2;ܰe=1֋BE4YGU?Whnh0Qh<qT~Ic'RzU`5ydQiKeNN ȬU2Rq^ej^'nl> 9 76=B&b}ckm(>P2>%\<E3VeSiUGPj|&qjb#6en6:E|Aᔑ2(\gn4mڀ7'q'ZMs1kuX^bYdn@IX0 RJ⡃IX'ܬr@<K4\|D#]l_,]9+Nb,sN$C)o4x~ B[nEj_i&n;V:S~%ᇘ6p@Gqn͵ѕz[QѬD2*l^Ik~MnZK\e@{ir+FR9(((?((((! ,wOl'\0 9Oj_+ YPȧ1Uf"g¬pFj[!iv=sz8cqnf{@3fs#ڳum]chSW$ [k@Q/hb |c0ln+6͘E _RhzqWl4$ӎ( [/dcHg<vi5'-^'8[9G=HGe.XO~n=*^dE$f!Fq^| lfy 20+r}F8I%Ļ#zV|%ԙWe}oݪ@,zr1*w'3nEii߳qGok~˰}2D:@kVPL)w_BzWu vV8HGZ=҇UU[޳5FUUUƀ4hZHc߷gfIvyZ654"T:ɞFVr2ꣽt,VS=AvcL$xGL3qk3JOQIØA@5NJ{x(Wr=MQYI&U=Eb<q2;;Gjqk53+ "8[Y$Xس8mKZe\mW|VŤIFAՄha~HQՐ6ⶓgE!rq"T&k,AOq%ʈfrhӯa6[iۑ*֠f,6OaF=j9`0ެY}]5$p( gpnRcZ1\34{±]ٴt <k6ֺ찪3gGޠqG$+isż6{,~dظ^xMn rhv[[{ 5c5[I^kspՇƺe´o$խo{2M$Z5IknUh,Ѷ+.?ӍѤ &0J\"kaǠ_L.t g ,[vzw3kfA*8ozfaRmҀ4{X[Бei;L6y*k4um5]N1@iK\Jc k>Ķz+[;TH?ZXO,vV)=EL2=sy0܅Mִ_=Bq6wGڦV[L[ IbGW.YwDžn€#k/7Z\Wjc+G]>]2>ްo4o4&WIe!O_1Oz? `Ƕ:U;=FAuVRЃֻ)kgfPc z@4mF=Jrj֎\~Uh[վl\{:43s뚞[<bF=F>7(]f6P@ ]e.Eo19wbW+qUy`T $aʓրmiyO)wF;0fzYck/cw<#g7,ϙ> _DHr z5yfajigڲC6r@h:@CIk-Xx ( ( )͜{PhQEQE}C+i$b 8*zs,DaP~#uZgpټxcP+mMxi=+J XHяP:k,>]Jz 괯eY<K*++x 5 5H76h?xjZi{|}ܑ֭y>JczP|4+IpNk]6 iZՓ_j,__F5`PƬm|fdY5b \UPv77*7Ff#t=ɇ#{?Bdm<U^l5uAȥy'Ҁ5'u[uQF|o-j7աFHvG'U^JZ}ŹVY8k:?yNBK}]DR2iӵb@ù47373Ixr>\'=*_]XgPKbvݪ v \a?΂HV9!3-gU<;5Ө޹x=*2H bT][Ɏ1岵szYjD[OAWtȲ L|E!k"λ=Ƞ 6X!}I&=z95 ԣK|ts ,=@2'pUA.ZXxWԚbzQφY;=tIjv5>ڸY|g5YeFI[Ys@@Tegn@'Yޛ &Ue<St Nj O d t!IާQBbhn$ \G[UagZhvxRL)_ֵ̉~PhRKiJJ j#Z6<GCD+EeTSҥH٦z(IV~cH\h[mjFZ^&EeSPj.c"euTVZ~d=4mNGݪ+GdMV}ӦaFfn=*aܩ5FT:-ipL{hSG551č;Tҝ .Gs!YqM,Qmm܌jسo._}:.M4C =EE5ڮUcżqsw]%ʖY GVm2XV;-(4agow_j*`4r(i6TbRVkӄKc9R;W LͽkY[dZə;^ր9'ďk:tM]TeLCdX5h1\chtVӅ1^9=hǹ˵ s#̴MB1 Q5l?,\iM91.u]\|nW,N; jny$MCum ج{U8O3fn4r'/9c@ -!ӧY~= y4pp z4< $8DȑXÞz h\V45Hm!:VJ\PӚ279dr@#bJG:ЁJ6wn2vziBw>5.lsL+Ͼ(QO>mۻ S(mxmv`i4w Tω>Qޚҳmeqz8}J-qA6u.i >As@]=J*Is{$g8j9J_cT&mVc(_jd(S(X,j́6I7-P;,󪕖M.uU)uhl\Dp=f<h+w5Z;4^EJג0#ALex6βfY8 =}*5nVmLjj"ޮ&w :) 4Ny431)uoZK8 *_],"<d$7m)zSnV;Ź#v;bHt{|v*u@IlDfUZxofqދmtzSo.XBoZn7,s7fg\,z .8ɡ^  SӢ[i:(gY$UqQ\}1hՆޣ79?%v~r&Yy~g@ >-IJ,tOן_IutHgri&I1=Ubp,ˎO|kƺrxvM$YWH`=5xSX+&0M`~|UV8$RKo/P+ͭn<i#r}ˁ`aAIZ,w=u믵yCZEq["A|odo1󢏣ր G_-cidrj[[=;T;ŸmĶFem;hմQ]5[u{_PӵH/1YϻZn5ƁnTPjZΰm]mTkB㲲{{=)@ M2$i*M?@-ٙ4݂)4j#p~5G_#zZ۪ȸݞtk3Eݩx"'կ[} {-?+p(эsx#((lӠe3yc!aT46<޴R8m&n+֒mF(n ZV۷#)V}& O٥fHNwky.4i57Kt,(썥0Lfan-ҪO% (qSNǸH$v$H!]!H嶑p!/31+~N٤!hEY k"#v-\jl%3yqU3Pwtn6}?5AYahzqV-fRiѲ,{@6' HTUl!0R$k,?e+p\oD#Y恊)U^M "E"?ڧkAA4UܫŤrFa8 \nz$cQ Ҁ9tf$-ٙZiyǹG-o '_nCPӳ/gH9=*T\*-fiZfH)-*-0[lnHҴjzT+(mtNݥR=(hQc<ȗR#̴=j~jݡ߼G=~^J̴𿗥|ٷLeYpis4|2FZNB!mn1_6GV tk[|vI%쥊#gfҀ2=I1HDۭ>%)2C@>Y LScMsoTOiqmGysR7m_)e'o|sZ nLJHPp ~m5k=Ğs/joIr77DȠ L_A^NuR,ĎS&ø\: CAlۻ6uK(G:]2HI$=ơ%,lY#S.fKP]H#k OS]F&Y0Ӝ#?E\!7%ٷC.חM .1Ҁ$YfU(:Q{\2\O9:=u1.AZisO o.9<'Ln/UGxXO,SK' ۹6>ż9:P;yiYfbLŏO ; xpd#V.,Z-r(vNwJz;emXN:S)yPA\Al֡?(4[ȍ,JAY.& czVv,.$RnM/u[{_3'rTVYxW3?jR24q?/xohD;ڹO4ZCPb>WߎP7j_ΌݻN:?w m]GQ7CVcpЃ &+5ʯ< \y׭(+9wfwI ʞ_A\]Zg\kwzuܑty$ԬpW)Ցa_)E5iX*n.mg4ePX юdgdžcq\jѱޝٶa[8x2ChO#,t_@D\̓Zj> t[Stڮ[$jW:Vm.>\ N uujo ""SEjzT"i~+Kiz埈t֖h䍐|5s~SVvE6;]."Ul3vAf;8yLabFYWM@<jxc\6љYÊh-_#haV^մ-bKr0۽fRo|`VoV m tݑҀ9mF]+ShHGF}(i'qc[5Y4fynEg|_{F6?5U/m "jBCV\w+?OPPVx`1C{yuy1~X<pW|Rf<rj;v,R2/:kps#Zsc3ZD'<W3}G[&Ԍ?u|f8X:xQww'8 ffoet5zE86v*hyiM7i}(VІ/ J$G}}L`w/QSހ+EqTs9%J6NjGwɽᙋ/gg[.v{{QfjZhh@]QJFUk}q˥Fi#ڊoE=z(ac¢䊑sc_EGF"v"x)luǘn 72"ْV O̚Mmr(e{ªr+&]2Kpj#xNO/zt{YG@~<<rHܙ۷'8-CJxK|- #*<zT+\ʷOjH!STG㿯X,{Ծbhgt<RϪHAOk}[ZVi%㉰ Yע<leܠ, k-CR}.hHI}*hgoO!m'95'oj~i$I nx (N;<sH>Rk6;X]Ň1ɦ3F6gl R\]>nEx<o#YArҷNj!^ObsLB@FsPr򖑛UWYU[JxF[G3$*quޣsr VH U']QJ8_N2h^nL$m<]Lmqyj;s*[/z鷑y iV?xTiز:z7~Q*ic߶1R@i.ZK=G-ZLҩkڤR=x.Kn?8 32ǭ$+/R.6۲>5y c]\I;ycpieҕ wA9'!yT|Tt Sd9l&!n]s3ۇZYWF ]qMhӜPy-18Ft3ynI>y`{T`rAִlYw'Nk<o֬ZJM@çya!o2pq.W/+2eZCog%T;Zo.4멒x%wMSЉvqOOZy5_6|GUVm {fwֵ ;RWYݡx t%貞Oz|P}mj$Q"l3w[xۏq@o:^c2=*햵IlvSt~ʶڔ|Qm&[?"X8V#mw m-KDT?:ϵ\KKG˷XV.xվmu}Bm&<k} kK2QKdiNא*{:ޏ4r,qOJڃM[y[ooJS"mVZOJ}\pt9j~&m?QB@ʐZ FYXmݏ\nbVqQu֖ _)|REe@b]*G OuY.6m3UTcf8>cYZgsv 6r+BB+c ̿Oc(9khHU[ˉ9 0Wk8n#b(<O]<ߞ^Zig?,\]!l)ֺhvw(㡠9b\`硭d]F>47˻77F̾p'^ .mVQQfib ff&W`,VmUPѺ< M :mU;{A$sn:l˞=h4=j"ە+ĢUSzPb@ E>XP=)]rnhs(?v-6Ȧjau=h +Ż ѐ9*sMǀc<t FNեk^, `mJ'Uy5 >}iȦV_GJ,yl Uu(C%Z%!q$4)$xffp3sw6bpwn]COgۚߖ6ip2W6V42lRצjݲCP68}JRfր=;FHHm gk\ͷtȣj<O}`J4r;=kֲe*ۭng>Cמi]ѪƵīxW#gr@dkflYrIo~_=khҬq#y|MQfKqox-$my-5OLyksw'P~"X Y[z޸_#PA|n{$lws\蠅U VNU-ՕOǨPPGjj3xO5&^Ru;#e$6)n4C<°bNjXa|,ioVfch#Xsa#X1#4{T#b8Wl_5WlUJo,{U b*nn:>c|_lV_-J@evPF)J=)(ߵO˻TU 9l#@ $tiK{~Dui-![\@0nE6sր%-RJjY]sw4vҮ+g-ckɳ*:WUmlazgu{c*nWڻ2;T#G/`ԭػFz^cE CT[G\[3B߻l5nB{|9XkMВ(Z0vV}Xv0\M,3t|~t^T>lźbc_Yj^^x h0^lrʏMO%o0_j~mל43BG(;zonFMeϯfiv)<H@V!ʍ.8DaI>nV΍+ yjO̾՞F=ԉ3\B2}#HGcIBzb295&Ծ ¨=EE,c?6тjY} aO%T'v2(KZ+;\7sTXk~`K@t֨Z-MQm8/_-aBz=( #hY'jд%cl2KAr#/EgY4EhcTVDV_)Ub@'ojw B h'DGZ#%5vrIh3kY$ڂǸҮ_B-X> d:Hd\WOg,v~dwBh'ۓsK?`w{U'|K<K}9K[cA44L4j2*Սu"*x{O3q& 2Fs@;=)dzQԅq|S (@^>v*$ۊ#-"1y4ًE74- >bx9V%eX1})U0 1ˊɼ$<SK[QB#/= P% on]/F~]UgV[~:Y~ᗶh\0-{:SXgf=(?/={#il뎴G^hڸF2^G9ccnGi$M`ZT,޻BW_8Z%=>P}+p{կ{~|rh˴ȼd>n>f.=j-=dH8ZuBHDmT2@@Nxmu F%dd0KeqGZf]wrbc%ښvJi0W׽C>-zP-4niJm"E*q_$n*(Uzk}AUC\J>]ʼςUFLP*~V;ִcO[įMQ`Uі}Uv}f6 \_@% R][t`x7Rr1(aiD`Ӛ]2ґ}"LH=qLPSŸ]{;@ Y1ʚNM"f?*@ܿ\ c:>jnh~޶4MO1w|v\<Ҁ;ek_:[wܬYjSxN,2: ޭ͖bO[ֺ}2I$R|Z[h "5nH<(?vx{Zͮ^vhʪ#/MR]t M OMch,-hiZ--qeМ(=ꦇGA$jqi7z ؑj6J[ZpK~3,v쏭;S5}5Ud*0TMՖ#x/Ӯ#+79SM ZYrH2S֪jz%ڦK6-o^&|Y&bkHsiz}vbmk/3P-#n2a63@֡c-lc@>t8ZH$6P+/L>U(e@<rIѓ"m,faq 5¬YMtxKC2zrHh@%*cjxf8Z!%+pw[{4Vo|Ȧc"W%[O Y$֪HVd fD+RğGX,VI8@'<O,36*HI-}jǎoČjcPH0PmE6]O94ELNNLm6<W-nÞPn#bH0GZ ~ t ir틽4\o5U;dSˈ];$yaw?J56/29x!F~7`2Xyw< qҝ c3.n@j2 M4o˵vgNK_9|e5|nۆ;~j%ʦ26P{{tp˵S,jfvظTZv;w/^1ذ3']Qi;c,۷`8d*客RòǥQFw~NkI~niʮ޴{W@(QTt)"Wjk[3B~*ޣ2=jhu2VTpvv Y4]V`"],yViYXŒv*47"qNkId# 6k1TKwdViJdeUIrpۉ*p_ -@iH,ku#:s6EjElіm3{қ}Ý߅g?^46g үUi6?둂(ZVI8ic%# xSսM9!>fgQ6L TV+N2qZ2폺xKvvF={oa+.LiXn>q$- W+K0)]I *w\vn+s$x?Q@*[55!tOf6c?<юv/ӏ-wP9G4jV ǥwLr7=ԴmWO=T;˽5GK/4ۏ3/nǕnYp[n3Kk$\̲&zP,1녹vX WIԉ+NIm k;Aӯ4yn&IUMBUucfº*#,%l<Oݪo$r&5AykcF](};\\i naq=h!62}oɾׁCj$kGi4۴3H84i$̣<hXIV6y$+R}$RBKHiY!o?o1;Vր*]'RVpq׵7X:ݤUA=p{StM?OE3yL M{[2v+LPG#W!Z6Y1n7iѴ@|WyEm%nUC00zU/gn0w:cItۚ8 ;^j\ %?/!s+zvXTCHOII']Ŷg=H+%я#qڞd{36W̙Wr_ޯZ2OWݜ:ݰ|r^7YP dVPp֮[!QPos!cIy"Z媱:Бym6_ky-3) 8#n޵ad{^R0l#Q={*q2ph1,72OBic9ǽ:u.VhRcs@ E;͌t01N}pR06YqҀ#^5s梷hV?:UUMĝښbf,ހ" ygҳuY Vh٤kB[f y}qY:lt-@zpiwZ4?2:TZl^q4P=']JCjRkS7 9ӧN`S|TC8<5[[V{$3/\v=CIpZ&8 _;Z.r:ץMdVI<b?3};Px;GM /PcqIlNmqVn=kZ]`3km}̟>0a@B9m<J7g 笵4U/TVbu D ~cGo̭WPP޴Knmzv*9^I$W, AU)P."e cWD+*ɹĚmP:zul5ݙ秵'Jnvh<Tdvd~i4-DlWԘۜ@ vҕ9}zRI4ScMr)@ UqNս엊=NN[ѬXWˌFZc}A>WH7ZO*CZ [h2MFfCTڏ!<@<srAx k)uɗkGKb̚ ۆJ'OӭK'd:G#ӮZuf8@j 'Nx8vg}v v# Rj:k'JcoCm{]82"`5+Iv&~RV4[UM>8;QR>%=̜Zlz=խI$͵Bpt9AI.6< sNXh}FtNeXgd=wpH|?1PhQ|ƏzA<v"qC~˱mmNkhn @(3@~)Lf+h?=Uu65OJn?t 6]8N8'iOʲ2ep:M3[k?ژcڹu8Sgw 8*(ХI|˸ޕ[~ͶSeowJ׼"ځ9#=h&ʯNzVť5oWeeڥe۸mf]wgjqڧ.*sֱu=ʠ6zַu)n1@;0y<CTVAjr{P}?ۊ[y=k*ݽI dGf^\anǵBbiȬGʣhtk3L1mA5ia H/oQQ#s6@yJ_v>.Æ;j[?kHV.k+7Zό ְۏ2!lZ%dmOZŽ\jTq@ZZ$: c%W>/oiJm*1WC?G(]vc^=(;uU9qӇVK}w]UqskE^QjR_])0UFh c$*z⸍gm֜%yȯj)wx -*'^hVFYe뚉^m:W ?D߹&xZ9RK0jgᑕAM8s@KRdèv&,dNd)-؜n{SfWڱPxٽM4[UYihyFb͸zm8~gr}9fz'ktR:PYY$o-Xddײ 0VLOďzNR2F.1Ҁ0C`0xz[*Vi q VU px&g܄+6Fz֋d犢~V$e[84W~R m5PpU*)ljцTz?pa@lT҃C<krv5`je6=(fH/:֟3L LHx_̵]wCv>V4G;žޔurz=iͬFѐ{F -۵enD\/Z|/uʥ#,u JV5f".Ь[ހxa #}㚷 壱EKpCo!<(_Eu}~V_ڏ1:8\Y6]ޡ !`_IQ,`h |qU 6QxY#U@jsH&UU&X(ڴ~ Ps2$o1' U ƛ3a< #]A,EP-3q" XE嬯hE4v:z‚U2B,|Ƅ(AKv4'ۍ(mĒl3kVɄP MaC J^"gKy$^V6!Q5޹>m>r+)^>uヌZMl>zk7niWqY߆4i?x+U/ >l<Pqg0qV^~sXZU7_z۷#h\BV߼,%ݪI4G'͌zMlѷHqu+yzlq3ɷ?k7eH%m+'#Cq0qHH#& *ÅF1* Wr?{N( QVm 栐32S  ydP459'ր(_۴36=럲Mr[mGm3ӵ`h8Qzֵco +jYvtxg+/WIAW<f_}(JK -vv/s5.!fo#%x۝.M(ҫi`~%P.fc *I$9hW'ޛG~a~y!n.ҳ/YY.9wgGdyZӭcI²kKZt GYm?]m6>hwLƫY>dm^ElaV6 OC\&%M 5cѳχrK`vk! A\ii0*8 jcc揳sh=ѳ?ÊuӶZti+c+P x~+p]E[$M)KF*GZokmq_,4Dd=x87yto? )zK{w|ƟSOHfX~/{k pC5ۈ+#)e4x@[ }JG[続%Ո"YmPWq:QnL6xj0UGvXGp~e}Mgk0d/2/f `Ȫ6DV J]4b1S݉Rv=^|v=Ew )6|p՟hRMxD@whw va>b+-xw-qްn|(Y2䒼o_~BNew*̓nϽ^o61HVXU:syWtM?RYW}&M`+c95oMmxl5hT;Z'QmFP\XZ4VeNAKtWTT+>*HE>ЅWb+ۥO5~ uzۤiEmp{=,kN(W0iP{AD[6˶%(xn 63zzֆu eBI4x<&ەEEH59 o9qVɔEɡPMgmu]Uhs@c4wJtG. L.Q\FѶJzU__t\'9 d-U ̗pIesZZ5ė0|c{?{u &E'<PHUU]zr"+J3wQ< S9@QMpo Ui $qYȯ˻FU|q@&n")*+k'FkC=+1`>eJH#=h.>i:rmcZme>TްZmahvEWҤ,Z&:(65ctpcDm8=*HQInBf)L=K#c}E<}슊NV34ݢ<)fFf{mn>O7v5VI=i:u rU7F8Hz((7Uy&co-ز^uitnq|l͎[Vyv`y?ʰ46N1ۚ|:=0F~^+]5j7@s>3/-O1aPpG=ċaү]x}-8QVy@Fn x +Xۉ<]X4vndhyRUwuG  qY ԯ䷆II RGݠ ũʗR+E*j@nQ{@tvS{$04|qހ1'f]ZgbEuhciYC2 5pr]]kM 픱UEIwkoٵI"Ip$o|?W9,w*9Y]JX(.XȫiӋV^z&;G"4mrj靼qz e#6?yI#tc#\duG*Q0YO;f n~^n85 ۓ\wtuەWzUۏ1wuv04(႞OAMuITti-KR$hS#8ݎl̎0yw١12Ȭ0Q,%lp VݕƑiq I 6ZFig"k+[F#< x]jk{R7^Ovf!h© 5QO굟?^]ܹNb>d1@@[vg IH.eu<2o51+Y{h65iqpnXދy0"oY |Wy>o$IJ?z4;8(yFUҘS[h..1 u߅-ueu;¶ "䵺 tu<@K=VI՜;Au6RgpkAg/=sYfpðV8(3ĺm ی yJ0u>.i$gy~jgp5h7ƫ{PKpw[]GMnR}>d*@\q:A'vMgF3&sHGVzC;mA)?R3Wm5b檨W U|c1SWy$XtZ},1/VZnvdsZ䴉dZu41VSI#clZ_ "qґ]J<˓ֱXiӅ|l 8ペPԖd<̠x,#~fmߒ>fqʑQmahԒdBtwG Yg?{.=s5+b]*煠_Ht2WSln?fũv~oU. vڝzPʰyqZ"m빇?Z9s2;UY.}[ӭjw6S\IEe%jT`$l<P^_є~LOFEY~a/؄<NX|_сXkzVmu!q LL~=2)88⸆DH|}jn~x᩷1 w#'Qhi~4~{.Y6z(U l`*z 5n׽$5쪍wiZA6 60ڽ+oY,An/ \ax*ϒfu#^tgl߀ Gv$!MFeXfMS:Kqܢ#@y3?YjzCn@yϏ|1nTegq@i:_̸kGĠGއ{?\@R6$qER1bųw:<Mk$X|V[IUY#nckVe5 ZޥX]L,6Ƞ?Ol ĜeI=CQ6͋B-1@7M{]Nm=-~tlmu9sZx[Fѥ<Z "C@qggi6Asp[|!ZQk2xLةi;xd=Ȥeykn-fo9$Wdc7hBB~?Ro"UmlV8'x^GakMF&fdn:/u-0GmJgImmbB>RB6Izul]Cd8$q׽yɣ^IV)>ypu#pk!gG+~b_k%³mlSJu#4mhg ։Tuk`EU/p k0VcP^ 2Qqf|k3ךmmYfPP@M3R{h hum=g^ MF?I8ǵhZiVzȷVEiO?T'z6>9r+gú0̉oOCҕm,#KZN&f֩4Ve@5>O8#Z 7]Ҽyk]-D.gsx"۰m3 ,6C7jϞUo#Sf񭶗<6w#ސQou+[NzԺd:xI.ι`a[ʰγB䗐pkSքgr|@4OԖ}'I[\kۇ˸Ik2F,sHq5QYi7s78D@x>l'VAѫMc!^w$2jI^xO_Zoo <JVnWle*&62pk:ua9-%5Z<4^iY%_#8)n$'ɋ;Fq{Vcܨy5ORҮ.uT.lcKNyڴ3!Ç}8+_9Ub'BkrU;jq5͗$Ft>z>pcX⢎G1\\|>"wĞY=[Jc7汉d,z`rހ7d}ִۤF\{V7_eM7V <] o3D.zt39A8X[D/{ϲ;3o9*Ϻk˟0_J]z׶HK4}Vdl1QwvS+ګ1,O@SZFJŬ}7œo{yY+ {KLXcqO|*1#D[ũ\ZЊ<:ܴg}L2k@ܙcݹU=sIwIc_Ǖ 4!]ʪNC\:>GO6`Wq@oh85,K.￸d:-ϻ޴-v;PV)%֦C8Zm8V *ֻ<20&ٖ%a5žLݳXVZy.e Tտ~i=L|'pơSZ>iՉe%-oi$4 xeUŻzbY4eè\Sj6UOD@6kv5XN#jOGa?\ e&F}=MW:zgr0c&;H%o"20xOG4 {{ Jר 4w3yl }K/ztVj]d'qThm,OV& @?yD=Cw[9eTm, cc @hM4pO|P'׌m6;ˋ(´3gG"S6}]< 9< 8N:-UԵ(۸^{Tqny/#; P:z]1<2V񅭶W4Jmj?.dx 鞔ɼh:/ ]-@j֡i_*Ƭ_Z=fK2s.LDOt^,ծJ5XdUmçĺ");}i:얻~Y{WQ$nۂhKGRq -"=kM0}XgVV<zUɢUa(1޹94hW]uDXc܍}hX_}h_t/)UuD"aqI8V-#C]2['qޖcd!:OnqY.n5Ukv#C~GVuM& Wo>tݬpd]A2̻c]{1iI"ə ڂoYǨ}2*ziwc%ͫ2H ;±|GXp;o<dRY yYϲ#݃kx_[Z8[̈Sq`y<c3Fy`!xcP0FafE2G$dךvkۛŲhڬ Rj=BFh|XUkZIR{{PƳᡬq+lP0Y>.Sg6?Үx_\}hwuNFҮ^ضߓ* QU՞ţ127;M?PX!ןJt9Gڤm>UѪ\> r-io!-X~UOnTV6\6+-af9[Z/x[D{@orh~af@?ZC[Uh3Rhc[{˖nqTv@|I,L[9m*2;! #IyZ.oĦKVNU/ş?&2YQG^w}e&3G7 $k<QrBe]&MÚ=c-ݮ|m徴>~-JiIZ6xaGp8?J(s6ڀ2ۛ8y#o0+SMKua /d̉RK`ݨ,gpUrƀ-H֣?wR ;~5 rZO1GP0h|HWQCH ҕfBi<ԛjooqUpNiN743r@%8JwlzT"~?ZVQ@:SC{n*l^ɠ j*|QG%ʫNt*ҷOOE[M|ӒHUloUb6psRR\Fv@A@nn#Yo5LLr7Z,4:*C_|YZ0+(s^ki׀gudnܿ+nu[}:6mxfx[hfMҀ<@L:aqҖG #֬xߑs[mk]~×-k8W :l򬋴xXv̰VMݲțeV8ݞv9fgl[yI 1VheZSY8GdYzhH-Ck+~ȐZ{-tJHI5Ф_Aqb$luF{ds$U{l+I%Y:x+xColj#ܫ2KX[ti֠B^^̠a[ yi'o΀3|Ksc{ o6EdIo j2G~Cx {JKldSKdjǨF>ʡik: </o9 Vt.&uv *|N@ GgkekY3|SnI̊2MU5/K/Pmk::20ή3Z^ ޖrCUbj\ΟwtZ8G:k6xeo i6.,4xM.D];d\P)w)'2Oi[j7-n>BchbViMMGb9;Q@ #jugjjru! ΦOk2G֤MMݶm~XMѠCGXiX g-l'Kp$]ثtuF(ޅdH`e5W~ҷ;AT{q]M;X⍘YT8Sv44IVkV-Znf]C[MXc\n m,u]C&~aBŒKggS Vŵg[.HA.>R}+"]ӢrگZlKhdi1'kp}׼g(IY7VP.YaS}̳y} ۫[o &(n9#V/Ҳ5Oݱnќkk>&Mq<oʰ-Z`C5׌<ހ(vvl- ]A~ پX)+u';_{y-գ*6"`x:Ho"X)P`D=+O \h@\~3v?zw u*<grm>Zm9v/J./?~qYڦ 4VWy~`Ǿ±sR{Bp(PŅ:ulzЧwP bMgiX>o)`-=m4Scyn1:PE4œӗ%hŔ?6(kSEH퇛1 HV%k k4-Offo1=au%r:Qai4W.xQZcՍFz-X#UUUP<vi(J r@,=hA|SdVFc"À>3P/ZC-RR'fgyjpQ7i> ^oA fӦ R_ukxզ]w\8tCK)Ly:I5 2Ֆ5d7 u/FiLōۿXwo&d&?+WI<< c7*}kQ6Zwf;cW!@2jeWjsަ/!4$y 1XV-2CyEK5|"7c/ԛ/d7hǒ2VMۋj5gV<iQj>VsNG"9CѽB 8[Y#_1d:) ZMt-Gu2(sP{K_3?t8Ʊ8_3;`G8KvV# YzΗ[ޘ[ I٣XTMt7#@_i:\o+;jIUkZž-^ɣ0Y8ݎ1ڀ:]J5Ē%H0Cweo=YwP:VΚ͹WڪZhqiD+@,ٕ[ jZ ;ee6u?wڞ^g<u_>=sʎSLӦE2`!{{_ Zd4rCx~X Q[-f+.}Kn f6Wj&gk3e)p$3S4#=~JZ1鸟PM _ 4 u˃9(,˒ZHy#?zub*?VV]-41CvZy,3b+:HeDs֍KVw57~ UҮ-m$sVIG-@hf,Uaוz՛H5;YZ9ʃY'<-I I N; n5J($RGp̶qAmt7U9Lc&S^uouq'F"Yk[wSH푨U';WAYlQZO-UPC֫7xN[</9hb4{?㙃q6UuYlZ;oʎ]AupUX!GN+mgiK`@д;kf2ڹ-Oᅦ ~^lK/Ka-♭HUP5kI$!Kc">1ڀ8*Mlsn0N֎[kma†ܱ=yhaxY媏<5.$k;xVQր9-I/ ϟ)xn伅 ejϠѐ^߅/!!2"@<Qi3&Qq5z6;A<f9S!zgwVvV|UxS$&ihԳV5:].Hf]Fy_oQUJ(7楓@ =hMEPM.b#;`-4Pi>v;Rh{)ڂw^#h'R>qҕ|{E[wFAeV=v4nGP)m<Fn[k tpGE,CU-5H|ɺjVң[h.;6אpQR 7qw]h:dPUu\,(Pz|3nV&i8=ƭ{=}u?rZy W,3U<<$״<߬PޫAi?U]֯oX}'&\=/_PN>Ygz)aFR#(jOI$IGtxHӵ-aV?1$èh_ʍɫ+IඓP`d6u팒=MO厳;~n.h+6pV{OL0h-'w[P+#F8'h$cIKeL+jQkMOMPvaTwz̷Y#*"uz>G%M8ǵr>:sмϘߥoD:*} 142n_^^@vaZGc~5YmR6х^ t8 ׽6⪤M sޛ&%EVG4c؎T@ox̿ι?hqnk&SZ46cN;PYjMr+e eV+V&%GsWWR:lN(g]I4 f<8f"1'G̸].MIo KV:b޳42'VOJwpV[!e v0kgĖhaV1u%n4.$ShgRaL[bHogMfR*kT@h މ8Q ; thk.]M/-hc_Ec*m+FO[RY؟-y-M֮\ڤ;G ?ڦѴxc}}p(Yt}jr.V]T[;&RNUec媞i^^n%c@|;G]Bfi7vJKMaZHc~V\7^ܼ:7zwcouhG=MèYIoG՘pj+X`v}mWM=2, POtiۣ<g_\FC+>Kqn9SRP"Ss@u}{u<O5Cm;vi$X㞴Zd Pq)O[4N+:Bv+9pNsZOguwdsQYqZqlJN+B'_.;<uYրFL4j7bxTմx#SK/Z<UѺR8XY1s<a`Oܽ(oMq5֟5vr[!ϥwޗ-o55W<VG4*̬nҀ<kKXKxPVƩ{}X[eSNTm7ܮ1XR[+VQWp_c@/[WIp>yMmk; exR9SڽGέWwQ>d{X)7ӥBszk&֠ 8rhQ(%ӌozvqFߛ5ǟN%(_}7ooHco( ڀؠo)HiD(%~|4nWL&ۭiKiЬfM_Ca̗XOSPul'ۅq{{,8ڜ@ 6vmIE2uǥ%#n3JM;AkmA$6H-.ojU=Ga@ R$MqtFmL.۔9-]sTFn*(jy'|';jWQtBWjq:嬓(##+I ]x;[X8dya(|*Gdž%:b-<Mw;Eiԕ ;Vy<=Wn8PxdxBLLWד\qV|.嬅 zbk j{[Yni8*9 ;ht[-7yiyZ׌n-mKUm1T/t.EX\|.jow29]q6J>&ѬhIgֹkI v'pEO[7Qj±2ހ,xsE@u"p JUTn[޶7^`XfeG*ZiiM6LD|vX/ΏqY,m9>=w$,q÷s>(&Qa\ʀ3ax`mjtfTЌԗZMœUdGUeZ 8y_<W `mx)bTj}V|Lcpzy'fm]NzqX:&fz X ܊uUخNm1(=+cN[Y<pp+mV]VS rnzd_}sjmf PݥrJ`zN}ʕI ր12TfY$\9ҵ"3 ~4AfY6~8hB˿w?Wrսk;ǞֱA;we)ZKe? 'P݃[H8OZxU N;fLVZ6ZFvoj?KkmRقL)j}cP,[;vz2Z-t!l|~Y5ٮ|Z@u5V@= VT1+gaZ↚r}e,Vg[U4Oa67Z#d8OsZޯj4,C&266rVhP5? dNy jo.Y#ngvxzQXV&>w -?JDk#[}ǭIuk*ߪT>.K9 _-Ď`(xī̭56ʚ,-cHٱX͟CEIrTGZײ2@(Լ@8;x,?ڝ7m[`N int/fXaTMm9g;n"2yv8T^vcVi{En=Y֍GQK$r_=:KX.<(>R~40$Ʒ?Z5쬱Tea)XpMy_ğV2I lʪ>S\<}6&&i3r_^IQxj,γ-=v噹SKsҕsϿm36 bBր0jn5%n4P ~9 #F*Pdf VރwzA)h+[܁Yu^x c\;kf>l`zVB!<Tkhp_\UQi c1Ҁ.ȗ8Măˆi3y{qW %0y(͕jsZG>"ms-9$u-ìjp;V/ i$UJ<*m^inW1b+mni,o/Iγ? ʺ'MҴHE8W)_ֺͽlxW<g{]2(!16=-οi>mcp9ǵTeHTbos"Y)ߌ8e\3'AMuyl( vmu_BZ1&Ij~%M޶ z|k SY.]$PZC 5X)[sf*:#Fk{ n*aEBȭ}5fc':S 'Y6|'gGK+pHf[V8b$n=akXVPhvE0wG75sQ+It9ªتFQIdrz psPt`*,9Tn?NnM M1.Ģv.ɽY^5+*{Gkgbo;wj&MFP1$kW]e| 9GL8f8PɴSV۴xeQ׸[7⹻K紸Uך4ڎ VMUT7i9咵ıﮖHn,2?7I-S\ޣu?ͷδ5ۍB4U4j:V|6t wSWxSN Y#j^%ݹv6;sWPsl,3oD ; ެ<42.@nux\;5um|=2ՌkGq43cqM2-3Z|ݮ %d\,P;]u -b pDREԳ:W/kˆ˚~l[ki2͵8<t W7:=%,;T>o+Y>a Fl)m㵞5u7㩨:\m- y=sNk~)Ðı$sM;+} +#>\}UOQ8lr>[i"p>u"MOzzI1hͲΗAWnx=*{+IϺ6h|/]kj7 uLT٥m4mb\m=W53ij?4hXw?uAK*=pMnƿsk,aTd㨬/x3<rf@r2TKՌ6m ~5[^ͽ27̱rNr+זĶ]i\6HQ+ZĒx;˹CuhІ( EP4f{rXrՏoe,6BƭiŦi9@#-okH5m #8 s]^ݖ{.J& Zʼ;W>LRhekߵ_ CI%ƅYhp)Tv7 ??vA#uo4hk[pmw݇ǨD:AP94sJPt5Ͱܿ1ֱ3 =eϥuC$W6bGAF3YrijƥZ^)',":o1/o 句A53@sV^;4w R{4h:dneZ먨Q[oo[$o"Ouw:zPωY CZod9Y,txa-1A[MBVEvwChf! ׾[%~SZ>4Oxfd,+Q| &7ӡ;h&E;A~jiG*̼V_gӂɟz4K]& [OP# _y^b3cF(G6zkd>X᫦d df[ٮn6!I{7Kyh - J"_hx6F wp[b~1ҴŚ/;vԟ-mtn @[:kILF0~?KFHˌn⢻kc{ jY~xs\%"O)1CGM2mUV/[zVq7דdkBE2yIw?s/KOdlU+ymYcU̞t`nG1E^(vqi7r9w 9oA<ѕ2,tO&]}Uýr>%pY/( @W1\NU[՝!dkIH@O>hf]t?OxtOlp= (CFդ/Hrzֻ+V,q.:T8Үiwe0}##ր=+2kx9JGD5 hT3?vll$Sր)R]Yg#;Xڢ#ҞViZMO,x)qKZvku7|ýH6JtTrΤ/Ե7>CtW5}NeOr[lؿʱ޳-$ᦅ\t_i@#Vݽ~SCṴAtmEZ5-Z8f`TkrKFhg\:x~8[[tqկ -vHԞvqƟee<|ɸW[frvTneԴv}>RtgX|t`O,(m/\Ec$w4HymZedO7őx)-hZ|:Uūe ,ZLnr*yGRlTSZEFLzG@<]qLɵx5[ˏݰn: ÿ񵾓kin;ֶ;[hl4 ր.mpyVO _ [F,sy~т;Y #r?Zxb4729"-iv?B*6MnnYpacKu >R۟0/Qր9ܖ>[=4/'9 I^c0Æz0I5 V 4NeW0]­>44WLQ-ƦTCQQO/C u[,D1~!Tk:OڢϚr=+a.kņ )֍AVwUb?=¥9&@ǧ5|FJ_]1 sZ"+PzQE3q?~q@ޔbg4)S NၘdW8սd. asY^X吶E{P,˷C}żKɶ0 ֢RiQk+o,H8[K'^oA8"_|7SMѪ7@Y@n2t Wp$!˂>\?g?ٿ!-VyO1#iAq͓ZHnyIèU/YӵVͭb>W Y^#i p2[Ƚ1Vݕeڀ:7} %TtMm9eF*s]g-.ArV7jWl}~?A ح8Ԭ}hymɎ[9j&M7 $G <b4e㻲I.㏦T@ Y:;%7ny~Ʊ̜oJtf9]E9ПpP7:/.V͞hŻaXcuqoxхo6E9rzfo<Of,\ V=ēG`ֶ-Kyl|KvYg{Xlk>m#>Fcr,k pku?#Wl0?ŎQjXI Œc5[Z8Er3(8 w 7~ƩZ̓]:xu_N|gkK[Bo?1?Uk7<v%Ɵoplg46M1 O9Q2Bq$/ 6CzuMdUy$XtVUl}rxu&qIlv {W0#M?xnF9bp;W6#%jƫ|ܪCsmI X9SD:63@BM:lz)(̓6pR>#Ye"@$7?ߡ^TQci9lxw2x`CT+wqjM65Hdcgb*+.#+C5$vfEp*qcqڀ.[Yd|LJcM# Hjvn$Heު:u|Eb\(EVM?Y{]5դpZ9$cg4H!z{:h2Fw@Zs/5C2x56oP95SY>t@vq2Ys2 oZxX?#6Wjr@kWGNs-/(|+s}{x_͈[=k)[m~O<xmmlDE9 Mpo#ߕXetXe+Ѽq"1]UON:U B(Ybq"(vʘ0Y[email protected]}LבqPki:elcy iv6k[P\I^>l[ʾJMÁYZo.-4Y~=O rm/衿P+jD{MexƤ={[%pKTRFUHaހg&Cq5r`(5<ZmԞdiP?1gq mkwie?uj L}yLgHQrpխa.4Əxx8DvSRCڸV؉_͕~#6SP>>^*sn W GLPtmC)>ԗ{o,SAs|v=E|? G*(Wq_7hy9x &9goN{/OBf]µm*g=s4|1\d$WBȥGv'9y ;ޭ;L{Hj|ɪ:ƑuP[nz/ d󙟨t"kVEڝ-Wt8v{RgVUTPI-;c8?ȼnS]yQWҵ) N>3YRfgau@1=~İhY 6*r1ڀ=:姆8H#l S4$%ǵpV~0|F tnd҂ikq4lkGUH"@]wdS\,̿($eo[$x`܂ǨȯbڭL>hڬFolA`ݨb+d.GzC}GfiMB[Wִk"jjwZ1hW"?z]&h?0P: bE p{֕qHchdxVuTVXnXcuڪe?0Ut~=UMטTuS7Enu;<_1g >7\]]>FTRx[ŗz֣'>kv}Fq gRڍƱn6,3#0js39\ɨooZݼ̘Wj #&~BO^qxؙvzgq+_ʍ ^E;#@ {mNHSu,C=?Fd<7U}jGb5̊sP2;0 t4|ˎ(|_-k_FLPÔڍAۮs@弲\,,@h=[z:r\ )QR C޼N՟OE+Okwm'xA\ζz;*umha+96*SfRM>M0SG#X'@t^y5fm£Y3EIQ֍յlu|9Z^u9QdYۗWsp3֜Vh#`˸psޛ#XZeSʿi:쉫Ild>BG[[UJJ.<,?taMVXn-)k{lцE8>ƀ,iZ,efBfroY$N[m%kgKc`?'w-@P!pДTY {mنSIml\m*hy=(Ҽ }̸Vʄ߅Uia /F&(Q9VBOJID6 Osڀ05f!)-HVHi#_4UkvڣTOڮѳ}@<>5kaxjd/ үq~MHS3*ٛF"c @&OX`}E#nl [X H"OxZ_%TWxmEWaYɖ42ZŠam7Xuh^&hXb(sĐ6a3+ڹ-Hyu^/$/]}+o2 I3ߨ45Rܻqy[Fn(6[fDb`x u%jFA8c)1ӏ+&)Q0. l8-€"Fz4?nm]'Sm-ZЋGC @ceR քw0*:cvg2{V݅u ݃ڴK,2t݌;W6sڬ&̱m#=eEI&i*!1<޴XV=8OН#ҷ4cFa 7jUn?ګ+ aY28Fx <|Һ Kxdj1[w SV^(~Zkb$Qxtm20Z۰{d}O?s٢;_X_[7IGZX^aKncfS@c,y7Bչ`Ӗ;v]kδY\>k[Kqnhjq+?5H4M~h=E`Z)^B}1V!cHJcj4_e$UB*D `gZfxA4ۛoݟNh^6Kn,'cΏXkI#!'5k5=hrPuk7j0ܒGJy}w5u4p6z@|uԆ6ڻ wV~L}ܭ:%XqWy MoF"Y#mP$i3of͗pjMGqSRpKqډeS<wgl7\eTYïPA ,r<RMl,f- OFLMg޸SA;Dۣ8nBѤӵS4M2xj֩|[m k q5UVWڵ!+HMuj~p#CM7K9tLSlVg,Pw5g}KLdFȠ#8@o>ne#mKKMGNh6Gz˵]J$L"rd~L}FYSI! sݭ;_1ޕ:م/1uY-w kыPR5N]/x jM1hؕcn9\1.C[Ʌ銃NveLjk87E"CܞT\F{Q<_25RM>m=P,+[dh[G ƫx"kaN1U̷VvHq@ ڄɏ*`%k<b8R&aqaE+YIf*72};륊6fnP^_?%\w">UtKyνWҲ5˿촚E&(?@MlT1cI]P&i׳}| B}j;&MʫɎk5̭n{;k phaY9&$h>eDm)YJU72cSfv{DdG@lcߥ5f$Ǡɸ7"YSڀXJkwQ)?{@Jw&OW\|(*3!ǠZ۶m wd o8WuM>Uv˵j[@CN֦G:ǝ+khb"/Tdiz䞞<#;7%iC2ƨݍ,֫4"?Z m*ݣ_4b}f-Xj_HIYLP}F<Pj-/֡I[sIƝ3To$\P^3UfP2K8)02Rx]Ƞ &oNx& 4G͊K(ˍKe E ͖Jjd" $֭x/7nƁo$I&>V{KV,Py ϭ\P]ی5Be .t&+/>a8K)F  f7{~muڠR+ͣ9"Q}U[uGǰIu87]~DbٙV^q maϵK2NGԵ1ْ [*LfCnqo\QibTg&c΅:8V|pqNIde*tW͆fLGd/ ՛d/Q`yE~(RdzglH~QDM@8Jpa6bOe85kvZ9(8XI&Ӥb*+M=X7^(hݴ~; vZֽ$,ՎkkFVҹ}ԡ=h<9HӚ791YҵXu ?sq2Mys؞WKylpPgaVJʲNHg1Ҿ$}/D'fMnwʃ'v5YpJCd,}rZjn@$ֺ6Y-L'ݕ#aG{&CвiRUZV0Z3ր4ewɝ=1ު<k#Vh7JйgUe=T&_56Qh&ixVPIoc7́Yωԭmm-t2UNdڛG=k6=T\u(m-f(=M`6e$(Z<C#U MjO3l:/51|GV%kK/"I$Y5xUE^_s^=7F>\gY4-Y4Umn۵B;hF?= \4yodݷ֢U}h7ZUԜ})d޴TG@wu<RvJ翽6 qAN:q\u?6x^W???Z 2]̼ GjZ2t^+@Y>QڏEh[{ nS$_g,3/.zYHѤj̻~g9h *ۑz@}ukA.x. /%1:]Fxf?0eM4ad!ܪxz۩ !<JvZ9'(~jιo<RĶi3e t!UM {rjnkI+& vJܘLl-q3WM*Ia +SWC[ȶH`Pfaăs=O;[${\Uk) xMZ!4/B6YzT۬SnUzStr6݌MgX,`ޠKnl{U֛ݓe`di<`rvaYCu>&$[ kTB5:Ay۸h U0=|/Mlރb{h=/X-VI;8q*촯ُOdI:(Y6t~lZlk;<-uWt[ոwuһˋ";|;ZtfE#~(ٺܫU6kgXТV+2CWstoI0ʻqxVF 6;hmqb{1Fo_Ӂ1>K Z&#dDq>=}(7]WǗd\)t&$k-ʏq3La,㷆5%l;St9Ҁ0|g[mo݃NKEǞgCWZi<n56`40q(>,SI0 r>,ceyܣW]{sg^--L`ր<G& M yЯ nHE<澂ӠF`*ڼ_d71*!of;6ݧpUkP4l[Gr2""e9QL4ҡ|s[&q3-?Ś,)t2d {U| mϸhX~&KqEnEeYGZ7!7C1Ul;q^4FЮn#jfܫ"Rijy7npJ.|>*ʫۭ4y[ o8UhKmaiW.0[.VFWl<*֐ʭ#v ^%ˁi`Z-ei6s Iy4.HS Yf*6zP%v@+Koj* lPjl/;}a^w/MJ0Y;0r12m!uہPn5U{ Gi ygt8'Dwrǭ@%.l(*'ٕlri :F[49ͪ/s@&]Q]u41y%Q^1{Qs@ ?4(zJ|kOҢ0n?Sʲ4_u8:\g^{/MB1׽t^-dzitֿ0 U&1:VUߘ̭&>F+ZͶP7ZXun'oZXӡ0]:X,ٸyv0b:*E8VDwN#3+mX>71nnqPT̺co*ޜ ɨnaAVNYsؕ߅Wݟǚ*F-9l@ݸ"vEuKc(Li/l&Vj=ߕwGC|}#ˑҺ CFR2c'c@yy[{Tfѭ]6e0*YOU#hޮvD*v۵"O֔6fo1 nڧq]g/3xYW(Xdfaդ`3_DWEoe l7mhiJ@(;@U*ݦ1c>)Hܬ˅?0KN}Q~(Veq mܾj Yn8ז崭*GtE8@Љ61жxY[֟V-9iIZ1בi{sP{^ź6[!DoO,-uXm6OtcP}*eO-8Z$;nޣ@oZeZƾYw\s0 l7 &$t2GտpZ;qҵG~5K_zּwrGL0(  +[QxGӴEs] {֮PEyM˃UGH·g~h:Z0ƻ5im_`/ma?z+{yѶO0 =UFQ޸Vʦ~V1ҽ^-p㌅p+|Qgv[€9 9Lh/zyÚK*uQlR[8We$py+3qU<vԯ}ȎpGZ+M|Gqe˷|=y=pAG-ɵ{5G`Ȼ@ghx:K7M- c- w]M8X?2>\\֩k]k$90 z ־kpn$UB2u|;n**]N<͌VΨʛTZd?;792GtsF9N*QrDZM0QՈ9ǭg9lF0L&"84ʸ}9dm+ԁր)çGTn}ȟMm/lʌ<)8"Ѿ}[Jv 47vfѴ٭Y'+\®s~+iݾj(B8渐d$eq@%#ߍE<lyPzҴ1=q>9J r>¤fH-{H{ {|)] [;:_68R Ҁ[jYpͺ%6b eުR*kn {qhEWX7 ܯJFxo]I'ހ;Ox\ʫ"񸞵C?*Ñ+̭ߘ߽t*͖b@<Pj8Y}SQϾ}i;v%. a@h3N\.cΝuypV(&o||?Ԉy?u_j(Q'W$IުsT9(2rUvRVփ@Ci^c lv5ifD2W9~P( vJ~\WQuqXs͵.Tu47Q}=뛽h~U ZS(ўՠfqy#Yn мjmCpVլ#>P;PTLrMrsJ{={#"*Yhտg&<zѯH^c{oxFI9a0ңҼ cUdU2{VĿڣ_fHBrj0g㑿xvIo#nD-7|qTm|^YۭH#LWqq4MyX;kVVOީ̟8힕=Ԟ$M£.̚~Lq2ۨsހ4$e`@a7FA Ci QFj"8YW]g:m.og5 h)w3m (}=6Q_\<,%5[?,m'ۜtTH)s*; ·j!4G KդBw|ޕ0hTX[-r!O4.vMĺ0X+J\cV&/qT,4{;A[ԚJ&m>)%;Th$3E f|1ҵoc6i~cxfMRErpZ}\;II3?ZGof2G b=KMh剙])Oex|;pm٦Mdž8ē ӮjKvYH=*[i8 K43H3A@ŁUw kkh3,s3Hd`@fiZƞF9^4"X.Z6hA|@K5UˏJӀyMzW=a]]ظ8ʭuB)<@9h%Lc0Sڱ|m~c"I]VknnBˀExn2(qᗗW/$kbH%!籫{2y.285M.X#[dy5$v)&FJ aBq@ ba[P J|;UGXfvfrIՈ4Uo94+G$;x SԮⲑd Avְ mUWtc] @1Y7A_,˅LLҼet\w?}A&\pʶO><W붉k3|Q~)1.oJ[GjsEN?3M 6籠fg=Nŷ隑Sa9~|YG%U9TP{_4⣞-q֠\corsҘw6UiGĝ*@yҎhb\/Εa%Cn 2ƀHO vWH#^sP[Y V`$_++x2h9@2QcOboNG&UD1֓+ YldUBsrGVM6&56+.8ʞ,6 oi.Zl,Ƕ)NA<qҀ>F9CXNmu23-BBؚa(,^9HTy@姉}V.)K:(<XhЧ]wJu']n4=qQKqqz#mnJIji<f?{ޠUNOZd3ssҷ|leݻsiktG9|xik+WDl5%e2MsYUjihЫ7]Abh X6=6?, Y7nn:0*8g<}tJdrH ci#XD-º\K/psZW\mTrk]I 4țd4ne6qqO8vm $٤>a;z9?/9-lMTw4[Em;2i%.LmCPDQڡ๒f}Igi!-ޤ='8 s$EDa,ۂu$WQp|x\ڤ@-ȐAsm; ~\}\e[~3ռEwoj[{+lyfpá m7(>:^6;I=G B^F4ܪ ^%2Iz굉w[PI,&TzWIiG}bQ2`@j? \jD0`ƍ\.݀pF9}-&Vp>^ps]e ck/VZՄ'2ZT6\h EbXSd-dlt+ F}zU\q ҽ+:Q-TF3T^}G\ '* OI9u 1KG8cC 9I1H/Y-"`W5vwkXv;1;}xkM~V;ֵ \VzխC rc.dǾ2n6|y iCooGZRa@ l}+o-y0siZw i7~TumT;$mxju EM%x/JFԯR$c?w>V=!j'1ҫl40/hn㯵9%sHtf[d}%*Q~;QG::2t{P6ی<ݐzJf5χ=k 즒I eRsX'/EwbA]àFE6A<^MGLkOLYv1q3. j"Y\LFuSLyڥ~w3zHAܧE (`Usqk\gU4 SP?̧ M#oLзQoR*XY$3g:- zSB aoa@q0횓Lf6v<*Wx }D[{ɏ0 @7ա-Fk{i? VO)o.IdZ6/j«)m[߽Ҁ#a1#y3IPi ",N $p+giϧnēI.(a| *d#(6BẰ<mz淅[U/dy`;4hᵳ1NÁL .?*;y XGY{;/m}i|E5 tj~c_SF|idbGUO'ٙտgɡԮ=3B|t.B u F2y۟;jUo1›$㏯1J{β&o Mv?JqE92XOjЮ`A95X_lqؠXP´,5u[s7octӞt;mkNHbTVnROFVPekv;v:N6[l+gRuX6r}Y>KCz.t ^{:v>s{5nɏZIc&ڹ3+dRyQCA%+CTNIxҀ3|U_\[[Hd/+xsPR:KoՐ :h Z/u4qҺsh'1#c'\ ֻ&f0SOu!}b7u9jѷC^ipYʎk'AH9n V浐дZ%!Xt ,(<$z/ȉ?/'# q'7˥FEeBKޓPlY^aȊAM$7?@Qu%67m:t6!x~U"y"[vDk sNâLdʢŷick}wz<O|M,ʫ=5cP[es6One7Y!9(>=BQ{#@Db= \7ƽa|o m8I4,py?a/PqkC@1]tsr9Uq~l7z0gRnl5xK}+TU|PzPl3۴MoլJ&;!V"'@Gɴ=6v7kC> JKZ8$heul}ƺ LKsX>1 ƊVHcsP{=SEoZd7]dҀ:iF%+ިeM /z_tB $lˮYq!hqI./w3<1>^U#H U۽mu=>5sD}YRN7П&&XW8ϠOR1Nnc89cՀ@<XTM+)Nc[[|"r:)EZ1^ /eEcjZm7W-<̭#+5.EXP`|amoiOY #Um:M1]9ܹh+nfUr#-WcIà<b&y\ä\)<\ěm|%.FeF^€<Yu[Fl֛&yߥ;V|y0_45 :SҀ}>(~‘|.[TmH0's l7lV<#yAmlyr:b燮<Ikk LB:{jo h<` @>#]M@WhpSC#`T:$2xѨ.$gdc4F6:f-#I61tK$M{}k &Ȳ'U=plYV c$P,JP:KsM5ZG^Hr;TqA'2q@%ZV'xjVci<sNaXmMl:$G&rǮ(d:E*Z*kUeڧ.n䔯#$gs*UuU$pO|es+{w МȻs'͹x d*ve=hip692)̭ߚmQEQE*`ҥ[m6zW{bpP֝wvQ\T2 i}>fr3zo-Hط"7fyqۯ_z~w`˃k>xuXYWRؓqUJk&̛h9<畨ai̫=q@ŧ:6Gj6;X9.̍r@Po0z=J- yK,vdw^\|Iۚ56"B +;yrF7h#RR8HÞ@?Zu6E>8]IcդÌTKqq?8Y6V3 H0Pw.4P_5~Q#p+S±Q-\Tm<5&pfݸ)٧NSOZԻi% 3pKxm<͆IL2si'qҴJZi%#%Fn>60z t\Ek947J|3&li$<sƳGogxc>b^[mdFcvk7]hћlGB;Nehl8iײ#Ibv@+7QmG2a+3 Yڶ7s@TJ6_'c?*I.C$WT$rۏ$4 M=O`@f]]葷Dqǵt+nJIc ?ajo9YV|I}Z r (yov]j|CI3dKnp,Z=ZK ͌m55#ƾހ-O&mF;#62ҽKF!c@xu 7W{>٥iյH j6˶,Y|2ndo qDwЪv EOar)O-źՃNѦcf!4TzVmC4+vR~_lHc:UlC<";I!fAh6XͰv58af 1N#ʗr h[no4Y_2sKt0| Wn{%H|lbHL'@f6|vA _Wi$=܀[=w`cſjd23r(_ŏx;CAK]- P |S P"'"t?V#KsxKx=sH9<NIɤoyf-t$qc9``ʥpXtD6ϵUK/rj*w'*qmN$zW~#MB֚{P\|{q}vQH^eZ[*x9ڢ4EVhִyvdhͷrOLTrV 2zmKۛ}&ZLңV_ ,c9;ln5jgU}F[Ǝ5,?I";vQ>Dҷ CҀ m4iS0F侑goAN$We;py_۬)pn  ?!ծ#[$gt̾J~ qnQN[QYcn sja,(%mѴpwvxf>?<q֛F((ӟZ(Kƕd*(4T蘕@;Y?zɠGҒcgҐQ@ ʎOԶ YzԪ ۞hR0H]KgrɶE: kr2ڞe`|h/{? owjYP9e2zzרݵ>Ma&\#ҡUZi1}Foc>J9 ک[ݘՋzUɮK-|}({/T*p9Td[y`Ir!Rbb_)[ F ,mo3]CfK V2͹չOJBfY 㹾jq{%͇SoVZ͒ X/~Oj~ز&V@\H (2}ȿ) ֲ_tq/ *xf=_Mkveyq@Ua'U<Li53_XzMbj>wr[[n1PsRKV gq~,-~scʊ]gU%cuJEP78$o|}w|+I 5 +/_je결ݝU9<Î^дwpy]9 hn噸Ʊ|?Ȉ̪ ;Wi 坼nR(U2ZU~}~aSxCO ʊ7㚱jM},Y9- "Xo"h Z+[6 Ӌ(_kp .ҽ@_–IVBCV _}.uw@7ltBAg3 `U[H3֥tb[1cx`*)_n_}OS@5k?\6u,[#4<ǭaj|E4ur̶βGsʮ[t=P9쎵i 0eX뚯zp3ڀ.<,/w^Y4V?5`>jA+繢+۔2~q8@^;aiq̎zt<p6G\ҵ /lj)mͷ>l扚Nހ%ӧrѲ\ݎ}?/nGk |uڶ5 ?nn!/'[/M2m< :/x^0CesdVG%'UgbI(w=hcq)!OK!Y7,la@~}M7?SE*YeeflĊ,.H1s@4?\Ċ6# |##ofyt5?,zJO⾤ql@Enkc%ǒUu kQ$VV<pMG"1jGCucS֝Qgܽ꽼ma 2{5 4`r_U% ti؛njm<}'f*$ek{v۟#IgF)#/ U Y~ˁ^h4Nf\nWfc;P /r$͵Ͻ0h|&Pk"JhhU#nw[s/'>l4Y9#LyQ ?a.+S\LzG˺P3|wJ_Q |I:(-:wP@ZrPXhWI?֭I3M((Q@±>VqW"vӾyQ5!>z-j8jŲqV!ψm pWK`RאΟ3Zv3۞NxUu!_S+3ZlQ@zJFH.+Sep1 3 Ǖ_7EU6*+++O,_R!++2(O*GޭK[qoF~SU+_o#hZ(|U.8:f2ѕ^Uޟm3lsz+,(;gV>ϦMMw7l&qy5ЫQ<{U)ԿUʀ;O{,eV]k+~̸. OŸ[Z:k,/坥HY!Mm |WIR?@B~It6 O:Wo=?UռCcٙ/h5ej~+iP8 Oi_!tPf70}_ nOioy7989rQfxi{[-`e F6S.Ϝ{TwfQkZC$ ۡSiX͖o69EV TEvB -u8?7Zo߳~VZۏk7y@uo뚒N0_ *;/IBIvj/I''=?,ZY4ŷ1 t&hWG@{Ww/hr86(EW4FP͹*cvjt_ m@H|D iP lj,Tp3֣<N\@SH#>b1Luv҆=Oj~X=@mlU<S.(lWZ/EW,|sdb|ʁL1/ҝPgYkLUX [r^qESB: |SxO;FLq}[ȿY{@|;WqVo~}Es
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
### Describe your change: * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [ ] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [ ] This pull request is all my own work -- I have not plagiarized. * [ ] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
### Describe your change: * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [ ] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [ ] This pull request is all my own work -- I have not plagiarized. * [ ] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points 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
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" Resources: - https://en.wikipedia.org/wiki/Conjugate_gradient_method - https://en.wikipedia.org/wiki/Definite_symmetric_matrix """ from typing import Any import numpy as np def _is_matrix_spd(matrix: np.ndarray) -> bool: """ Returns True if input matrix is symmetric positive definite. Returns False otherwise. For a matrix to be SPD, all eigenvalues must be positive. >>> import numpy as np >>> matrix = np.array([ ... [4.12401784, -5.01453636, -0.63865857], ... [-5.01453636, 12.33347422, -3.40493586], ... [-0.63865857, -3.40493586, 5.78591885]]) >>> _is_matrix_spd(matrix) True >>> matrix = np.array([ ... [0.34634879, 1.96165514, 2.18277744], ... [0.74074469, -1.19648894, -1.34223498], ... [-0.7687067 , 0.06018373, -1.16315631]]) >>> _is_matrix_spd(matrix) False """ # Ensure matrix is square. assert np.shape(matrix)[0] == np.shape(matrix)[1] # If matrix not symmetric, exit right away. if np.allclose(matrix, matrix.T) is False: return False # Get eigenvalues and eignevectors for a symmetric matrix. eigen_values, _ = np.linalg.eigh(matrix) # Check sign of all eigenvalues. # np.all returns a value of type np.bool_ return bool(np.all(eigen_values > 0)) def _create_spd_matrix(dimension: int) -> Any: """ Returns a symmetric positive definite matrix given a dimension. Input: dimension gives the square matrix dimension. Output: spd_matrix is an diminesion x dimensions symmetric positive definite (SPD) matrix. >>> import numpy as np >>> dimension = 3 >>> spd_matrix = _create_spd_matrix(dimension) >>> _is_matrix_spd(spd_matrix) True """ random_matrix = np.random.randn(dimension, dimension) spd_matrix = np.dot(random_matrix, random_matrix.T) assert _is_matrix_spd(spd_matrix) return spd_matrix def conjugate_gradient( spd_matrix: np.ndarray, load_vector: np.ndarray, max_iterations: int = 1000, tol: float = 1e-8, ) -> Any: """ Returns solution to the linear system np.dot(spd_matrix, x) = b. Input: spd_matrix is an NxN Symmetric Positive Definite (SPD) matrix. load_vector is an Nx1 vector. Output: x is an Nx1 vector that is the solution vector. >>> import numpy as np >>> spd_matrix = np.array([ ... [8.73256573, -5.02034289, -2.68709226], ... [-5.02034289, 3.78188322, 0.91980451], ... [-2.68709226, 0.91980451, 1.94746467]]) >>> b = np.array([ ... [-5.80872761], ... [ 3.23807431], ... [ 1.95381422]]) >>> conjugate_gradient(spd_matrix, b) array([[-0.63114139], [-0.01561498], [ 0.13979294]]) """ # Ensure proper dimensionality. assert np.shape(spd_matrix)[0] == np.shape(spd_matrix)[1] assert np.shape(load_vector)[0] == np.shape(spd_matrix)[0] assert _is_matrix_spd(spd_matrix) # Initialize solution guess, residual, search direction. x0 = np.zeros((np.shape(load_vector)[0], 1)) r0 = np.copy(load_vector) p0 = np.copy(r0) # Set initial errors in solution guess and residual. error_residual = 1e9 error_x_solution = 1e9 error = 1e9 # Set iteration counter to threshold number of iterations. iterations = 0 while error > tol: # Save this value so we only calculate the matrix-vector product once. w = np.dot(spd_matrix, p0) # The main algorithm. # Update search direction magnitude. alpha = np.dot(r0.T, r0) / np.dot(p0.T, w) # Update solution guess. x = x0 + alpha * p0 # Calculate new residual. r = r0 - alpha * w # Calculate new Krylov subspace scale. beta = np.dot(r.T, r) / np.dot(r0.T, r0) # Calculate new A conjuage search direction. p = r + beta * p0 # Calculate errors. error_residual = np.linalg.norm(r - r0) error_x_solution = np.linalg.norm(x - x0) error = np.maximum(error_residual, error_x_solution) # Update variables. x0 = np.copy(x) r0 = np.copy(r) p0 = np.copy(p) # Update number of iterations. iterations += 1 if iterations > max_iterations: break return x def test_conjugate_gradient() -> None: """ >>> test_conjugate_gradient() # self running tests """ # Create linear system with SPD matrix and known solution x_true. dimension = 3 spd_matrix = _create_spd_matrix(dimension) x_true = np.random.randn(dimension, 1) b = np.dot(spd_matrix, x_true) # Numpy solution. x_numpy = np.linalg.solve(spd_matrix, b) # Our implementation. x_conjugate_gradient = conjugate_gradient(spd_matrix, b) # Ensure both solutions are close to x_true (and therefore one another). assert np.linalg.norm(x_numpy - x_true) <= 1e-6 assert np.linalg.norm(x_conjugate_gradient - x_true) <= 1e-6 if __name__ == "__main__": import doctest doctest.testmod() test_conjugate_gradient()
""" Resources: - https://en.wikipedia.org/wiki/Conjugate_gradient_method - https://en.wikipedia.org/wiki/Definite_symmetric_matrix """ from typing import Any import numpy as np def _is_matrix_spd(matrix: np.ndarray) -> bool: """ Returns True if input matrix is symmetric positive definite. Returns False otherwise. For a matrix to be SPD, all eigenvalues must be positive. >>> import numpy as np >>> matrix = np.array([ ... [4.12401784, -5.01453636, -0.63865857], ... [-5.01453636, 12.33347422, -3.40493586], ... [-0.63865857, -3.40493586, 5.78591885]]) >>> _is_matrix_spd(matrix) True >>> matrix = np.array([ ... [0.34634879, 1.96165514, 2.18277744], ... [0.74074469, -1.19648894, -1.34223498], ... [-0.7687067 , 0.06018373, -1.16315631]]) >>> _is_matrix_spd(matrix) False """ # Ensure matrix is square. assert np.shape(matrix)[0] == np.shape(matrix)[1] # If matrix not symmetric, exit right away. if np.allclose(matrix, matrix.T) is False: return False # Get eigenvalues and eignevectors for a symmetric matrix. eigen_values, _ = np.linalg.eigh(matrix) # Check sign of all eigenvalues. # np.all returns a value of type np.bool_ return bool(np.all(eigen_values > 0)) def _create_spd_matrix(dimension: int) -> Any: """ Returns a symmetric positive definite matrix given a dimension. Input: dimension gives the square matrix dimension. Output: spd_matrix is an diminesion x dimensions symmetric positive definite (SPD) matrix. >>> import numpy as np >>> dimension = 3 >>> spd_matrix = _create_spd_matrix(dimension) >>> _is_matrix_spd(spd_matrix) True """ random_matrix = np.random.randn(dimension, dimension) spd_matrix = np.dot(random_matrix, random_matrix.T) assert _is_matrix_spd(spd_matrix) return spd_matrix def conjugate_gradient( spd_matrix: np.ndarray, load_vector: np.ndarray, max_iterations: int = 1000, tol: float = 1e-8, ) -> Any: """ Returns solution to the linear system np.dot(spd_matrix, x) = b. Input: spd_matrix is an NxN Symmetric Positive Definite (SPD) matrix. load_vector is an Nx1 vector. Output: x is an Nx1 vector that is the solution vector. >>> import numpy as np >>> spd_matrix = np.array([ ... [8.73256573, -5.02034289, -2.68709226], ... [-5.02034289, 3.78188322, 0.91980451], ... [-2.68709226, 0.91980451, 1.94746467]]) >>> b = np.array([ ... [-5.80872761], ... [ 3.23807431], ... [ 1.95381422]]) >>> conjugate_gradient(spd_matrix, b) array([[-0.63114139], [-0.01561498], [ 0.13979294]]) """ # Ensure proper dimensionality. assert np.shape(spd_matrix)[0] == np.shape(spd_matrix)[1] assert np.shape(load_vector)[0] == np.shape(spd_matrix)[0] assert _is_matrix_spd(spd_matrix) # Initialize solution guess, residual, search direction. x0 = np.zeros((np.shape(load_vector)[0], 1)) r0 = np.copy(load_vector) p0 = np.copy(r0) # Set initial errors in solution guess and residual. error_residual = 1e9 error_x_solution = 1e9 error = 1e9 # Set iteration counter to threshold number of iterations. iterations = 0 while error > tol: # Save this value so we only calculate the matrix-vector product once. w = np.dot(spd_matrix, p0) # The main algorithm. # Update search direction magnitude. alpha = np.dot(r0.T, r0) / np.dot(p0.T, w) # Update solution guess. x = x0 + alpha * p0 # Calculate new residual. r = r0 - alpha * w # Calculate new Krylov subspace scale. beta = np.dot(r.T, r) / np.dot(r0.T, r0) # Calculate new A conjuage search direction. p = r + beta * p0 # Calculate errors. error_residual = np.linalg.norm(r - r0) error_x_solution = np.linalg.norm(x - x0) error = np.maximum(error_residual, error_x_solution) # Update variables. x0 = np.copy(x) r0 = np.copy(r) p0 = np.copy(p) # Update number of iterations. iterations += 1 if iterations > max_iterations: break return x def test_conjugate_gradient() -> None: """ >>> test_conjugate_gradient() # self running tests """ # Create linear system with SPD matrix and known solution x_true. dimension = 3 spd_matrix = _create_spd_matrix(dimension) x_true = np.random.randn(dimension, 1) b = np.dot(spd_matrix, x_true) # Numpy solution. x_numpy = np.linalg.solve(spd_matrix, b) # Our implementation. x_conjugate_gradient = conjugate_gradient(spd_matrix, b) # Ensure both solutions are close to x_true (and therefore one another). assert np.linalg.norm(x_numpy - x_true) <= 1e-6 assert np.linalg.norm(x_conjugate_gradient - x_true) <= 1e-6 if __name__ == "__main__": import doctest doctest.testmod() test_conjugate_gradient()
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" Minimalist file that allows pytest to find and run the Test unittest. For details, see: http://doc.pytest.org/en/latest/goodpractices.html#conventions-for-python-test-discovery """ from .prime_check import Test Test()
""" Minimalist file that allows pytest to find and run the Test unittest. For details, see: http://doc.pytest.org/en/latest/goodpractices.html#conventions-for-python-test-discovery """ from .prime_check import Test Test()
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" Similarity Search : https://en.wikipedia.org/wiki/Similarity_search Similarity search is a search algorithm for finding the nearest vector from vectors, used in natural language processing. In this algorithm, it calculates distance with euclidean distance and returns a list containing two data for each vector: 1. the nearest vector 2. distance between the vector and the nearest vector (float) """ from __future__ import annotations import math import numpy as np def euclidean(input_a: np.ndarray, input_b: np.ndarray) -> float: """ Calculates euclidean distance between two data. :param input_a: ndarray of first vector. :param input_b: ndarray of second vector. :return: Euclidean distance of input_a and input_b. By using math.sqrt(), result will be float. >>> euclidean(np.array([0]), np.array([1])) 1.0 >>> euclidean(np.array([0, 1]), np.array([1, 1])) 1.0 >>> euclidean(np.array([0, 0, 0]), np.array([0, 0, 1])) 1.0 """ return math.sqrt(sum(pow(a - b, 2) for a, b in zip(input_a, input_b))) def similarity_search( dataset: np.ndarray, value_array: np.ndarray ) -> list[list[list[float] | float]]: """ :param dataset: Set containing the vectors. Should be ndarray. :param value_array: vector/vectors we want to know the nearest vector from dataset. :return: Result will be a list containing 1. the nearest vector 2. distance from the vector >>> dataset = np.array([[0], [1], [2]]) >>> value_array = np.array([[0]]) >>> similarity_search(dataset, value_array) [[[0], 0.0]] >>> dataset = np.array([[0, 0], [1, 1], [2, 2]]) >>> value_array = np.array([[0, 1]]) >>> similarity_search(dataset, value_array) [[[0, 0], 1.0]] >>> dataset = np.array([[0, 0, 0], [1, 1, 1], [2, 2, 2]]) >>> value_array = np.array([[0, 0, 1]]) >>> similarity_search(dataset, value_array) [[[0, 0, 0], 1.0]] >>> dataset = np.array([[0, 0, 0], [1, 1, 1], [2, 2, 2]]) >>> value_array = np.array([[0, 0, 0], [0, 0, 1]]) >>> similarity_search(dataset, value_array) [[[0, 0, 0], 0.0], [[0, 0, 0], 1.0]] These are the errors that might occur: 1. If dimensions are different. For example, dataset has 2d array and value_array has 1d array: >>> dataset = np.array([[1]]) >>> value_array = np.array([1]) >>> similarity_search(dataset, value_array) Traceback (most recent call last): ... ValueError: Wrong input data's dimensions... dataset : 2, value_array : 1 2. If data's shapes are different. For example, dataset has shape of (3, 2) and value_array has (2, 3). We are expecting same shapes of two arrays, so it is wrong. >>> dataset = np.array([[0, 0], [1, 1], [2, 2]]) >>> value_array = np.array([[0, 0, 0], [0, 0, 1]]) >>> similarity_search(dataset, value_array) Traceback (most recent call last): ... ValueError: Wrong input data's shape... dataset : 2, value_array : 3 3. If data types are different. When trying to compare, we are expecting same types so they should be same. If not, it'll come up with errors. >>> dataset = np.array([[0, 0], [1, 1], [2, 2]], dtype=np.float32) >>> value_array = np.array([[0, 0], [0, 1]], dtype=np.int32) >>> similarity_search(dataset, value_array) # doctest: +NORMALIZE_WHITESPACE Traceback (most recent call last): ... TypeError: Input data have different datatype... dataset : float32, value_array : int32 """ if dataset.ndim != value_array.ndim: raise ValueError( f"Wrong input data's dimensions... dataset : {dataset.ndim}, " f"value_array : {value_array.ndim}" ) try: if dataset.shape[1] != value_array.shape[1]: raise ValueError( f"Wrong input data's shape... dataset : {dataset.shape[1]}, " f"value_array : {value_array.shape[1]}" ) except IndexError: if dataset.ndim != value_array.ndim: raise TypeError("Wrong shape") if dataset.dtype != value_array.dtype: raise TypeError( f"Input data have different datatype... dataset : {dataset.dtype}, " f"value_array : {value_array.dtype}" ) answer = [] for value in value_array: dist = euclidean(value, dataset[0]) vector = dataset[0].tolist() for dataset_value in dataset[1:]: temp_dist = euclidean(value, dataset_value) if dist > temp_dist: dist = temp_dist vector = dataset_value.tolist() answer.append([vector, dist]) return answer if __name__ == "__main__": import doctest doctest.testmod()
""" Similarity Search : https://en.wikipedia.org/wiki/Similarity_search Similarity search is a search algorithm for finding the nearest vector from vectors, used in natural language processing. In this algorithm, it calculates distance with euclidean distance and returns a list containing two data for each vector: 1. the nearest vector 2. distance between the vector and the nearest vector (float) """ from __future__ import annotations import math import numpy as np def euclidean(input_a: np.ndarray, input_b: np.ndarray) -> float: """ Calculates euclidean distance between two data. :param input_a: ndarray of first vector. :param input_b: ndarray of second vector. :return: Euclidean distance of input_a and input_b. By using math.sqrt(), result will be float. >>> euclidean(np.array([0]), np.array([1])) 1.0 >>> euclidean(np.array([0, 1]), np.array([1, 1])) 1.0 >>> euclidean(np.array([0, 0, 0]), np.array([0, 0, 1])) 1.0 """ return math.sqrt(sum(pow(a - b, 2) for a, b in zip(input_a, input_b))) def similarity_search( dataset: np.ndarray, value_array: np.ndarray ) -> list[list[list[float] | float]]: """ :param dataset: Set containing the vectors. Should be ndarray. :param value_array: vector/vectors we want to know the nearest vector from dataset. :return: Result will be a list containing 1. the nearest vector 2. distance from the vector >>> dataset = np.array([[0], [1], [2]]) >>> value_array = np.array([[0]]) >>> similarity_search(dataset, value_array) [[[0], 0.0]] >>> dataset = np.array([[0, 0], [1, 1], [2, 2]]) >>> value_array = np.array([[0, 1]]) >>> similarity_search(dataset, value_array) [[[0, 0], 1.0]] >>> dataset = np.array([[0, 0, 0], [1, 1, 1], [2, 2, 2]]) >>> value_array = np.array([[0, 0, 1]]) >>> similarity_search(dataset, value_array) [[[0, 0, 0], 1.0]] >>> dataset = np.array([[0, 0, 0], [1, 1, 1], [2, 2, 2]]) >>> value_array = np.array([[0, 0, 0], [0, 0, 1]]) >>> similarity_search(dataset, value_array) [[[0, 0, 0], 0.0], [[0, 0, 0], 1.0]] These are the errors that might occur: 1. If dimensions are different. For example, dataset has 2d array and value_array has 1d array: >>> dataset = np.array([[1]]) >>> value_array = np.array([1]) >>> similarity_search(dataset, value_array) Traceback (most recent call last): ... ValueError: Wrong input data's dimensions... dataset : 2, value_array : 1 2. If data's shapes are different. For example, dataset has shape of (3, 2) and value_array has (2, 3). We are expecting same shapes of two arrays, so it is wrong. >>> dataset = np.array([[0, 0], [1, 1], [2, 2]]) >>> value_array = np.array([[0, 0, 0], [0, 0, 1]]) >>> similarity_search(dataset, value_array) Traceback (most recent call last): ... ValueError: Wrong input data's shape... dataset : 2, value_array : 3 3. If data types are different. When trying to compare, we are expecting same types so they should be same. If not, it'll come up with errors. >>> dataset = np.array([[0, 0], [1, 1], [2, 2]], dtype=np.float32) >>> value_array = np.array([[0, 0], [0, 1]], dtype=np.int32) >>> similarity_search(dataset, value_array) # doctest: +NORMALIZE_WHITESPACE Traceback (most recent call last): ... TypeError: Input data have different datatype... dataset : float32, value_array : int32 """ if dataset.ndim != value_array.ndim: raise ValueError( f"Wrong input data's dimensions... dataset : {dataset.ndim}, " f"value_array : {value_array.ndim}" ) try: if dataset.shape[1] != value_array.shape[1]: raise ValueError( f"Wrong input data's shape... dataset : {dataset.shape[1]}, " f"value_array : {value_array.shape[1]}" ) except IndexError: if dataset.ndim != value_array.ndim: raise TypeError("Wrong shape") if dataset.dtype != value_array.dtype: raise TypeError( f"Input data have different datatype... dataset : {dataset.dtype}, " f"value_array : {value_array.dtype}" ) answer = [] for value in value_array: dist = euclidean(value, dataset[0]) vector = dataset[0].tolist() for dataset_value in dataset[1:]: temp_dist = euclidean(value, dataset_value) if dist > temp_dist: dist = temp_dist vector = dataset_value.tolist() answer.append([vector, dist]) return answer if __name__ == "__main__": import doctest doctest.testmod()
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points 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 bailey_borwein_plouffe(digit_position: int, precision: int = 1000) -> str: """ Implement a popular pi-digit-extraction algorithm known as the Bailey-Borwein-Plouffe (BBP) formula to calculate the nth hex digit of pi. Wikipedia page: https://en.wikipedia.org/wiki/Bailey%E2%80%93Borwein%E2%80%93Plouffe_formula @param digit_position: a positive integer representing the position of the digit to extract. The digit immediately after the decimal point is located at position 1. @param precision: number of terms in the second summation to calculate. A higher number reduces the chance of an error but increases the runtime. @return: a hexadecimal digit representing the digit at the nth position in pi's decimal expansion. >>> "".join(bailey_borwein_plouffe(i) for i in range(1, 11)) '243f6a8885' >>> bailey_borwein_plouffe(5, 10000) '6' >>> bailey_borwein_plouffe(-10) Traceback (most recent call last): ... ValueError: Digit position must be a positive integer >>> bailey_borwein_plouffe(0) Traceback (most recent call last): ... ValueError: Digit position must be a positive integer >>> bailey_borwein_plouffe(1.7) Traceback (most recent call last): ... ValueError: Digit position must be a positive integer >>> bailey_borwein_plouffe(2, -10) Traceback (most recent call last): ... ValueError: Precision must be a nonnegative integer >>> bailey_borwein_plouffe(2, 1.6) Traceback (most recent call last): ... ValueError: Precision must be a nonnegative integer """ if (not isinstance(digit_position, int)) or (digit_position <= 0): raise ValueError("Digit position must be a positive integer") elif (not isinstance(precision, int)) or (precision < 0): raise ValueError("Precision must be a nonnegative integer") # compute an approximation of (16 ** (n - 1)) * pi whose fractional part is mostly # accurate sum_result = ( 4 * _subsum(digit_position, 1, precision) - 2 * _subsum(digit_position, 4, precision) - _subsum(digit_position, 5, precision) - _subsum(digit_position, 6, precision) ) # return the first hex digit of the fractional part of the result return hex(int((sum_result % 1) * 16))[2:] def _subsum( digit_pos_to_extract: int, denominator_addend: int, precision: int ) -> float: # only care about first digit of fractional part; don't need decimal """ Private helper function to implement the summation functionality. @param digit_pos_to_extract: digit position to extract @param denominator_addend: added to denominator of fractions in the formula @param precision: same as precision in main function @return: floating-point number whose integer part is not important """ sum = 0.0 for sum_index in range(digit_pos_to_extract + precision): denominator = 8 * sum_index + denominator_addend if sum_index < digit_pos_to_extract: # if the exponential term is an integer and we mod it by the denominator # before dividing, only the integer part of the sum will change; # the fractional part will not exponential_term = pow( 16, digit_pos_to_extract - 1 - sum_index, denominator ) else: exponential_term = pow(16, digit_pos_to_extract - 1 - sum_index) sum += exponential_term / denominator return sum if __name__ == "__main__": import doctest doctest.testmod()
def bailey_borwein_plouffe(digit_position: int, precision: int = 1000) -> str: """ Implement a popular pi-digit-extraction algorithm known as the Bailey-Borwein-Plouffe (BBP) formula to calculate the nth hex digit of pi. Wikipedia page: https://en.wikipedia.org/wiki/Bailey%E2%80%93Borwein%E2%80%93Plouffe_formula @param digit_position: a positive integer representing the position of the digit to extract. The digit immediately after the decimal point is located at position 1. @param precision: number of terms in the second summation to calculate. A higher number reduces the chance of an error but increases the runtime. @return: a hexadecimal digit representing the digit at the nth position in pi's decimal expansion. >>> "".join(bailey_borwein_plouffe(i) for i in range(1, 11)) '243f6a8885' >>> bailey_borwein_plouffe(5, 10000) '6' >>> bailey_borwein_plouffe(-10) Traceback (most recent call last): ... ValueError: Digit position must be a positive integer >>> bailey_borwein_plouffe(0) Traceback (most recent call last): ... ValueError: Digit position must be a positive integer >>> bailey_borwein_plouffe(1.7) Traceback (most recent call last): ... ValueError: Digit position must be a positive integer >>> bailey_borwein_plouffe(2, -10) Traceback (most recent call last): ... ValueError: Precision must be a nonnegative integer >>> bailey_borwein_plouffe(2, 1.6) Traceback (most recent call last): ... ValueError: Precision must be a nonnegative integer """ if (not isinstance(digit_position, int)) or (digit_position <= 0): raise ValueError("Digit position must be a positive integer") elif (not isinstance(precision, int)) or (precision < 0): raise ValueError("Precision must be a nonnegative integer") # compute an approximation of (16 ** (n - 1)) * pi whose fractional part is mostly # accurate sum_result = ( 4 * _subsum(digit_position, 1, precision) - 2 * _subsum(digit_position, 4, precision) - _subsum(digit_position, 5, precision) - _subsum(digit_position, 6, precision) ) # return the first hex digit of the fractional part of the result return hex(int((sum_result % 1) * 16))[2:] def _subsum( digit_pos_to_extract: int, denominator_addend: int, precision: int ) -> float: # only care about first digit of fractional part; don't need decimal """ Private helper function to implement the summation functionality. @param digit_pos_to_extract: digit position to extract @param denominator_addend: added to denominator of fractions in the formula @param precision: same as precision in main function @return: floating-point number whose integer part is not important """ sum = 0.0 for sum_index in range(digit_pos_to_extract + precision): denominator = 8 * sum_index + denominator_addend if sum_index < digit_pos_to_extract: # if the exponential term is an integer and we mod it by the denominator # before dividing, only the integer part of the sum will change; # the fractional part will not exponential_term = pow( 16, digit_pos_to_extract - 1 - sum_index, denominator ) else: exponential_term = pow(16, digit_pos_to_extract - 1 - sum_index) sum += exponential_term / denominator return sum if __name__ == "__main__": import doctest doctest.testmod()
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points 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 show how to interpolate and evaluate a polynomial using Neville's method. Neville’s method evaluates a polynomial that passes through a given set of x and y points for a particular x value (x0) using the Newton polynomial form. Reference: https://rpubs.com/aaronsc32/nevilles-method-polynomial-interpolation """ def neville_interpolate(x_points: list, y_points: list, x0: int) -> list: """ Interpolate and evaluate a polynomial using Neville's method. Arguments: x_points, y_points: Iterables of x and corresponding y points through which the polynomial passes. x0: The value of x to evaluate the polynomial for. Return Value: A list of the approximated value and the Neville iterations table respectively. >>> import pprint >>> neville_interpolate((1,2,3,4,6), (6,7,8,9,11), 5)[0] 10.0 >>> pprint.pprint(neville_interpolate((1,2,3,4,6), (6,7,8,9,11), 99)[1]) [[0, 6, 0, 0, 0], [0, 7, 0, 0, 0], [0, 8, 104.0, 0, 0], [0, 9, 104.0, 104.0, 0], [0, 11, 104.0, 104.0, 104.0]] >>> neville_interpolate((1,2,3,4,6), (6,7,8,9,11), 99)[0] 104.0 >>> neville_interpolate((1,2,3,4,6), (6,7,8,9,11), '') Traceback (most recent call last): File "<stdin>", line 1, in <module> ... TypeError: unsupported operand type(s) for -: 'str' and 'int' """ n = len(x_points) q = [[0] * n for i in range(n)] for i in range(n): q[i][1] = y_points[i] for i in range(2, n): for j in range(i, n): q[j][i] = ( (x0 - x_points[j - i + 1]) * q[j][i - 1] - (x0 - x_points[j]) * q[j - 1][i - 1] ) / (x_points[j] - x_points[j - i + 1]) return [q[n - 1][n - 1], q] if __name__ == "__main__": import doctest doctest.testmod()
""" Python program to show how to interpolate and evaluate a polynomial using Neville's method. Neville’s method evaluates a polynomial that passes through a given set of x and y points for a particular x value (x0) using the Newton polynomial form. Reference: https://rpubs.com/aaronsc32/nevilles-method-polynomial-interpolation """ def neville_interpolate(x_points: list, y_points: list, x0: int) -> list: """ Interpolate and evaluate a polynomial using Neville's method. Arguments: x_points, y_points: Iterables of x and corresponding y points through which the polynomial passes. x0: The value of x to evaluate the polynomial for. Return Value: A list of the approximated value and the Neville iterations table respectively. >>> import pprint >>> neville_interpolate((1,2,3,4,6), (6,7,8,9,11), 5)[0] 10.0 >>> pprint.pprint(neville_interpolate((1,2,3,4,6), (6,7,8,9,11), 99)[1]) [[0, 6, 0, 0, 0], [0, 7, 0, 0, 0], [0, 8, 104.0, 0, 0], [0, 9, 104.0, 104.0, 0], [0, 11, 104.0, 104.0, 104.0]] >>> neville_interpolate((1,2,3,4,6), (6,7,8,9,11), 99)[0] 104.0 >>> neville_interpolate((1,2,3,4,6), (6,7,8,9,11), '') Traceback (most recent call last): File "<stdin>", line 1, in <module> ... TypeError: unsupported operand type(s) for -: 'str' and 'int' """ n = len(x_points) q = [[0] * n for i in range(n)] for i in range(n): q[i][1] = y_points[i] for i in range(2, n): for j in range(i, n): q[j][i] = ( (x0 - x_points[j - i + 1]) * q[j][i - 1] - (x0 - x_points[j]) * q[j - 1][i - 1] ) / (x_points[j] - x_points[j - i + 1]) return [q[n - 1][n - 1], q] if __name__ == "__main__": import doctest doctest.testmod()
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points 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 binary_search(lst, item, start, end): if start == end: return start if lst[start] > item else start + 1 if start > end: return start mid = (start + end) // 2 if lst[mid] < item: return binary_search(lst, item, mid + 1, end) elif lst[mid] > item: return binary_search(lst, item, start, mid - 1) else: return mid def insertion_sort(lst): length = len(lst) for index in range(1, length): value = lst[index] pos = binary_search(lst, value, 0, index - 1) lst = lst[:pos] + [value] + lst[pos:index] + lst[index + 1 :] return lst def merge(left, right): if not left: return right if not right: return left if left[0] < right[0]: return [left[0]] + merge(left[1:], right) return [right[0]] + merge(left, right[1:]) def tim_sort(lst): """ >>> tim_sort("Python") ['P', 'h', 'n', 'o', 't', 'y'] >>> tim_sort((1.1, 1, 0, -1, -1.1)) [-1.1, -1, 0, 1, 1.1] >>> tim_sort(list(reversed(list(range(7))))) [0, 1, 2, 3, 4, 5, 6] >>> tim_sort([3, 2, 1]) == insertion_sort([3, 2, 1]) True >>> tim_sort([3, 2, 1]) == sorted([3, 2, 1]) True """ length = len(lst) runs, sorted_runs = [], [] new_run = [lst[0]] sorted_array = [] i = 1 while i < length: if lst[i] < lst[i - 1]: runs.append(new_run) new_run = [lst[i]] else: new_run.append(lst[i]) i += 1 runs.append(new_run) for run in runs: sorted_runs.append(insertion_sort(run)) for run in sorted_runs: sorted_array = merge(sorted_array, run) return sorted_array def main(): lst = [5, 9, 10, 3, -4, 5, 178, 92, 46, -18, 0, 7] sorted_lst = tim_sort(lst) print(sorted_lst) if __name__ == "__main__": main()
def binary_search(lst, item, start, end): if start == end: return start if lst[start] > item else start + 1 if start > end: return start mid = (start + end) // 2 if lst[mid] < item: return binary_search(lst, item, mid + 1, end) elif lst[mid] > item: return binary_search(lst, item, start, mid - 1) else: return mid def insertion_sort(lst): length = len(lst) for index in range(1, length): value = lst[index] pos = binary_search(lst, value, 0, index - 1) lst = lst[:pos] + [value] + lst[pos:index] + lst[index + 1 :] return lst def merge(left, right): if not left: return right if not right: return left if left[0] < right[0]: return [left[0]] + merge(left[1:], right) return [right[0]] + merge(left, right[1:]) def tim_sort(lst): """ >>> tim_sort("Python") ['P', 'h', 'n', 'o', 't', 'y'] >>> tim_sort((1.1, 1, 0, -1, -1.1)) [-1.1, -1, 0, 1, 1.1] >>> tim_sort(list(reversed(list(range(7))))) [0, 1, 2, 3, 4, 5, 6] >>> tim_sort([3, 2, 1]) == insertion_sort([3, 2, 1]) True >>> tim_sort([3, 2, 1]) == sorted([3, 2, 1]) True """ length = len(lst) runs, sorted_runs = [], [] new_run = [lst[0]] sorted_array = [] i = 1 while i < length: if lst[i] < lst[i - 1]: runs.append(new_run) new_run = [lst[i]] else: new_run.append(lst[i]) i += 1 runs.append(new_run) for run in runs: sorted_runs.append(insertion_sort(run)) for run in sorted_runs: sorted_array = merge(sorted_array, run) return sorted_array def main(): lst = [5, 9, 10, 3, -4, 5, 178, 92, 46, -18, 0, 7] sorted_lst = tim_sort(lst) print(sorted_lst) if __name__ == "__main__": main()
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
B64_CHARSET = "ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/" def base64_encode(data: bytes) -> bytes: """Encodes data according to RFC4648. The data is first transformed to binary and appended with binary digits so that its length becomes a multiple of 6, then each 6 binary digits will match a character in the B64_CHARSET string. The number of appended binary digits would later determine how many "=" signs should be added, the padding. For every 2 binary digits added, a "=" sign is added in the output. We can add any binary digits to make it a multiple of 6, for instance, consider the following example: "AA" -> 0010100100101001 -> 001010 010010 1001 As can be seen above, 2 more binary digits should be added, so there's 4 possibilities here: 00, 01, 10 or 11. That being said, Base64 encoding can be used in Steganography to hide data in these appended digits. >>> from base64 import b64encode >>> a = b"This pull request is part of Hacktoberfest20!" >>> b = b"https://tools.ietf.org/html/rfc4648" >>> c = b"A" >>> base64_encode(a) == b64encode(a) True >>> base64_encode(b) == b64encode(b) True >>> base64_encode(c) == b64encode(c) True >>> base64_encode("abc") Traceback (most recent call last): ... TypeError: a bytes-like object is required, not 'str' """ # Make sure the supplied data is a bytes-like object if not isinstance(data, bytes): raise TypeError( f"a bytes-like object is required, not '{data.__class__.__name__}'" ) binary_stream = "".join(bin(byte)[2:].zfill(8) for byte in data) padding_needed = len(binary_stream) % 6 != 0 if padding_needed: # The padding that will be added later padding = b"=" * ((6 - len(binary_stream) % 6) // 2) # Append binary_stream with arbitrary binary digits (0's by default) to make its # length a multiple of 6. binary_stream += "0" * (6 - len(binary_stream) % 6) else: padding = b"" # Encode every 6 binary digits to their corresponding Base64 character return ( "".join( B64_CHARSET[int(binary_stream[index : index + 6], 2)] for index in range(0, len(binary_stream), 6) ).encode() + padding ) def base64_decode(encoded_data: str) -> bytes: """Decodes data according to RFC4648. This does the reverse operation of base64_encode. We first transform the encoded data back to a binary stream, take off the previously appended binary digits according to the padding, at this point we would have a binary stream whose length is multiple of 8, the last step is to convert every 8 bits to a byte. >>> from base64 import b64decode >>> a = "VGhpcyBwdWxsIHJlcXVlc3QgaXMgcGFydCBvZiBIYWNrdG9iZXJmZXN0MjAh" >>> b = "aHR0cHM6Ly90b29scy5pZXRmLm9yZy9odG1sL3JmYzQ2NDg=" >>> c = "QQ==" >>> base64_decode(a) == b64decode(a) True >>> base64_decode(b) == b64decode(b) True >>> base64_decode(c) == b64decode(c) True >>> base64_decode("abc") Traceback (most recent call last): ... AssertionError: Incorrect padding """ # Make sure encoded_data is either a string or a bytes-like object if not isinstance(encoded_data, bytes) and not isinstance(encoded_data, str): raise TypeError( "argument should be a bytes-like object or ASCII string, not " f"'{encoded_data.__class__.__name__}'" ) # In case encoded_data is a bytes-like object, make sure it contains only # ASCII characters so we convert it to a string object if isinstance(encoded_data, bytes): try: encoded_data = encoded_data.decode("utf-8") except UnicodeDecodeError: raise ValueError("base64 encoded data should only contain ASCII characters") padding = encoded_data.count("=") # Check if the encoded string contains non base64 characters if padding: assert all( char in B64_CHARSET for char in encoded_data[:-padding] ), "Invalid base64 character(s) found." else: assert all( char in B64_CHARSET for char in encoded_data ), "Invalid base64 character(s) found." # Check the padding assert len(encoded_data) % 4 == 0 and padding < 3, "Incorrect padding" if padding: # Remove padding if there is one encoded_data = encoded_data[:-padding] binary_stream = "".join( bin(B64_CHARSET.index(char))[2:].zfill(6) for char in encoded_data )[: -padding * 2] else: binary_stream = "".join( bin(B64_CHARSET.index(char))[2:].zfill(6) for char in encoded_data ) data = [ int(binary_stream[index : index + 8], 2) for index in range(0, len(binary_stream), 8) ] return bytes(data) if __name__ == "__main__": import doctest doctest.testmod()
B64_CHARSET = "ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/" def base64_encode(data: bytes) -> bytes: """Encodes data according to RFC4648. The data is first transformed to binary and appended with binary digits so that its length becomes a multiple of 6, then each 6 binary digits will match a character in the B64_CHARSET string. The number of appended binary digits would later determine how many "=" signs should be added, the padding. For every 2 binary digits added, a "=" sign is added in the output. We can add any binary digits to make it a multiple of 6, for instance, consider the following example: "AA" -> 0010100100101001 -> 001010 010010 1001 As can be seen above, 2 more binary digits should be added, so there's 4 possibilities here: 00, 01, 10 or 11. That being said, Base64 encoding can be used in Steganography to hide data in these appended digits. >>> from base64 import b64encode >>> a = b"This pull request is part of Hacktoberfest20!" >>> b = b"https://tools.ietf.org/html/rfc4648" >>> c = b"A" >>> base64_encode(a) == b64encode(a) True >>> base64_encode(b) == b64encode(b) True >>> base64_encode(c) == b64encode(c) True >>> base64_encode("abc") Traceback (most recent call last): ... TypeError: a bytes-like object is required, not 'str' """ # Make sure the supplied data is a bytes-like object if not isinstance(data, bytes): raise TypeError( f"a bytes-like object is required, not '{data.__class__.__name__}'" ) binary_stream = "".join(bin(byte)[2:].zfill(8) for byte in data) padding_needed = len(binary_stream) % 6 != 0 if padding_needed: # The padding that will be added later padding = b"=" * ((6 - len(binary_stream) % 6) // 2) # Append binary_stream with arbitrary binary digits (0's by default) to make its # length a multiple of 6. binary_stream += "0" * (6 - len(binary_stream) % 6) else: padding = b"" # Encode every 6 binary digits to their corresponding Base64 character return ( "".join( B64_CHARSET[int(binary_stream[index : index + 6], 2)] for index in range(0, len(binary_stream), 6) ).encode() + padding ) def base64_decode(encoded_data: str) -> bytes: """Decodes data according to RFC4648. This does the reverse operation of base64_encode. We first transform the encoded data back to a binary stream, take off the previously appended binary digits according to the padding, at this point we would have a binary stream whose length is multiple of 8, the last step is to convert every 8 bits to a byte. >>> from base64 import b64decode >>> a = "VGhpcyBwdWxsIHJlcXVlc3QgaXMgcGFydCBvZiBIYWNrdG9iZXJmZXN0MjAh" >>> b = "aHR0cHM6Ly90b29scy5pZXRmLm9yZy9odG1sL3JmYzQ2NDg=" >>> c = "QQ==" >>> base64_decode(a) == b64decode(a) True >>> base64_decode(b) == b64decode(b) True >>> base64_decode(c) == b64decode(c) True >>> base64_decode("abc") Traceback (most recent call last): ... AssertionError: Incorrect padding """ # Make sure encoded_data is either a string or a bytes-like object if not isinstance(encoded_data, bytes) and not isinstance(encoded_data, str): raise TypeError( "argument should be a bytes-like object or ASCII string, not " f"'{encoded_data.__class__.__name__}'" ) # In case encoded_data is a bytes-like object, make sure it contains only # ASCII characters so we convert it to a string object if isinstance(encoded_data, bytes): try: encoded_data = encoded_data.decode("utf-8") except UnicodeDecodeError: raise ValueError("base64 encoded data should only contain ASCII characters") padding = encoded_data.count("=") # Check if the encoded string contains non base64 characters if padding: assert all( char in B64_CHARSET for char in encoded_data[:-padding] ), "Invalid base64 character(s) found." else: assert all( char in B64_CHARSET for char in encoded_data ), "Invalid base64 character(s) found." # Check the padding assert len(encoded_data) % 4 == 0 and padding < 3, "Incorrect padding" if padding: # Remove padding if there is one encoded_data = encoded_data[:-padding] binary_stream = "".join( bin(B64_CHARSET.index(char))[2:].zfill(6) for char in encoded_data )[: -padding * 2] else: binary_stream = "".join( bin(B64_CHARSET.index(char))[2:].zfill(6) for char in encoded_data ) data = [ int(binary_stream[index : index + 8], 2) for index in range(0, len(binary_stream), 8) ] return bytes(data) if __name__ == "__main__": import doctest doctest.testmod()
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points 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, polyA=None, polyB=None): # Input as list self.polyA = list(polyA or [0])[:] self.polyB = list(polyB 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): dftA = self.__DFT("A") dftB = self.__DFT("B") inverseC = [[dftA[i] * dftB[i] for i in range(self.C_max_length)]] del dftA del dftB # Corner Case if len(inverseC[0]) <= 1: return inverseC[0] # Inverse DFT next_ncol = 2 while next_ncol <= self.C_max_length: new_inverseC = [[] 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_inverseC[i].append( ( inverseC[i][j] + inverseC[i][j + self.C_max_length // next_ncol] ) / 2 ) # Odd positions new_inverseC[i + next_ncol // 2].append( ( inverseC[i][j] - inverseC[i][j + self.C_max_length // next_ncol] ) / (2 * current_root) ) current_root *= root # Update inverseC = new_inverseC next_ncol *= 2 # Unpack inverseC = [round(x[0].real, 8) + round(x[0].imag, 8) * 1j for x in inverseC] # Remove leading 0's while inverseC[-1] == 0: inverseC.pop() return inverseC # 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, polyA=None, polyB=None): # Input as list self.polyA = list(polyA or [0])[:] self.polyB = list(polyB 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): dftA = self.__DFT("A") dftB = self.__DFT("B") inverseC = [[dftA[i] * dftB[i] for i in range(self.C_max_length)]] del dftA del dftB # Corner Case if len(inverseC[0]) <= 1: return inverseC[0] # Inverse DFT next_ncol = 2 while next_ncol <= self.C_max_length: new_inverseC = [[] 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_inverseC[i].append( ( inverseC[i][j] + inverseC[i][j + self.C_max_length // next_ncol] ) / 2 ) # Odd positions new_inverseC[i + next_ncol // 2].append( ( inverseC[i][j] - inverseC[i][j + self.C_max_length // next_ncol] ) / (2 * current_root) ) current_root *= root # Update inverseC = new_inverseC next_ncol *= 2 # Unpack inverseC = [round(x[0].real, 8) + round(x[0].imag, 8) * 1j for x in inverseC] # Remove leading 0's while inverseC[-1] == 0: inverseC.pop() return inverseC # 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
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points 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 Fri Sep 28 15:22:29 2018 @author: Binish125 """ import copy import os import cv2 import numpy as np from matplotlib import pyplot as plt class contrastStretch: def __init__(self): self.img = "" self.original_image = "" self.last_list = [] self.rem = 0 self.L = 256 self.sk = 0 self.k = 0 self.number_of_rows = 0 self.number_of_cols = 0 def stretch(self, input_image): self.img = cv2.imread(input_image, 0) self.original_image = copy.deepcopy(self.img) x, _, _ = plt.hist(self.img.ravel(), 256, [0, 256], label="x") self.k = np.sum(x) for i in range(len(x)): prk = x[i] / self.k self.sk += prk last = (self.L - 1) * self.sk if self.rem != 0: self.rem = int(last % last) last = int(last + 1 if self.rem >= 0.5 else last) self.last_list.append(last) self.number_of_rows = int(np.ma.count(self.img) / self.img[1].size) self.number_of_cols = self.img[1].size for i in range(self.number_of_cols): for j in range(self.number_of_rows): num = self.img[j][i] if num != self.last_list[num]: self.img[j][i] = self.last_list[num] cv2.imwrite("output_data/output.jpg", self.img) def plotHistogram(self): plt.hist(self.img.ravel(), 256, [0, 256]) def showImage(self): cv2.imshow("Output-Image", self.img) cv2.imshow("Input-Image", self.original_image) cv2.waitKey(5000) cv2.destroyAllWindows() if __name__ == "__main__": file_path = os.path.join(os.path.basename(__file__), "image_data/input.jpg") stretcher = contrastStretch() stretcher.stretch(file_path) stretcher.plotHistogram() stretcher.showImage()
""" Created on Fri Sep 28 15:22:29 2018 @author: Binish125 """ import copy import os import cv2 import numpy as np from matplotlib import pyplot as plt class contrastStretch: def __init__(self): self.img = "" self.original_image = "" self.last_list = [] self.rem = 0 self.L = 256 self.sk = 0 self.k = 0 self.number_of_rows = 0 self.number_of_cols = 0 def stretch(self, input_image): self.img = cv2.imread(input_image, 0) self.original_image = copy.deepcopy(self.img) x, _, _ = plt.hist(self.img.ravel(), 256, [0, 256], label="x") self.k = np.sum(x) for i in range(len(x)): prk = x[i] / self.k self.sk += prk last = (self.L - 1) * self.sk if self.rem != 0: self.rem = int(last % last) last = int(last + 1 if self.rem >= 0.5 else last) self.last_list.append(last) self.number_of_rows = int(np.ma.count(self.img) / self.img[1].size) self.number_of_cols = self.img[1].size for i in range(self.number_of_cols): for j in range(self.number_of_rows): num = self.img[j][i] if num != self.last_list[num]: self.img[j][i] = self.last_list[num] cv2.imwrite("output_data/output.jpg", self.img) def plotHistogram(self): plt.hist(self.img.ravel(), 256, [0, 256]) def showImage(self): cv2.imshow("Output-Image", self.img) cv2.imshow("Input-Image", self.original_image) cv2.waitKey(5000) cv2.destroyAllWindows() if __name__ == "__main__": file_path = os.path.join(os.path.basename(__file__), "image_data/input.jpg") stretcher = contrastStretch() stretcher.stretch(file_path) stretcher.plotHistogram() stretcher.showImage()
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points 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 Description: Given a binary tree, return its mirror. """ def binary_tree_mirror_dict(binary_tree_mirror_dictionary: dict, root: int): if not root or root not in binary_tree_mirror_dictionary: return left_child, right_child = binary_tree_mirror_dictionary[root][:2] binary_tree_mirror_dictionary[root] = [right_child, left_child] binary_tree_mirror_dict(binary_tree_mirror_dictionary, left_child) binary_tree_mirror_dict(binary_tree_mirror_dictionary, right_child) def binary_tree_mirror(binary_tree: dict, root: int = 1) -> dict: """ >>> binary_tree_mirror({ 1: [2,3], 2: [4,5], 3: [6,7], 7: [8,9]}, 1) {1: [3, 2], 2: [5, 4], 3: [7, 6], 7: [9, 8]} >>> binary_tree_mirror({ 1: [2,3], 2: [4,5], 3: [6,7], 4: [10,11]}, 1) {1: [3, 2], 2: [5, 4], 3: [7, 6], 4: [11, 10]} >>> binary_tree_mirror({ 1: [2,3], 2: [4,5], 3: [6,7], 4: [10,11]}, 5) Traceback (most recent call last): ... ValueError: root 5 is not present in the binary_tree >>> binary_tree_mirror({}, 5) Traceback (most recent call last): ... ValueError: binary tree cannot be empty """ if not binary_tree: raise ValueError("binary tree cannot be empty") if root not in binary_tree: raise ValueError(f"root {root} is not present in the binary_tree") binary_tree_mirror_dictionary = dict(binary_tree) binary_tree_mirror_dict(binary_tree_mirror_dictionary, root) return binary_tree_mirror_dictionary if __name__ == "__main__": binary_tree = {1: [2, 3], 2: [4, 5], 3: [6, 7], 7: [8, 9]} print(f"Binary tree: {binary_tree}") binary_tree_mirror_dictionary = binary_tree_mirror(binary_tree, 5) print(f"Binary tree mirror: {binary_tree_mirror_dictionary}")
""" Problem Description: Given a binary tree, return its mirror. """ def binary_tree_mirror_dict(binary_tree_mirror_dictionary: dict, root: int): if not root or root not in binary_tree_mirror_dictionary: return left_child, right_child = binary_tree_mirror_dictionary[root][:2] binary_tree_mirror_dictionary[root] = [right_child, left_child] binary_tree_mirror_dict(binary_tree_mirror_dictionary, left_child) binary_tree_mirror_dict(binary_tree_mirror_dictionary, right_child) def binary_tree_mirror(binary_tree: dict, root: int = 1) -> dict: """ >>> binary_tree_mirror({ 1: [2,3], 2: [4,5], 3: [6,7], 7: [8,9]}, 1) {1: [3, 2], 2: [5, 4], 3: [7, 6], 7: [9, 8]} >>> binary_tree_mirror({ 1: [2,3], 2: [4,5], 3: [6,7], 4: [10,11]}, 1) {1: [3, 2], 2: [5, 4], 3: [7, 6], 4: [11, 10]} >>> binary_tree_mirror({ 1: [2,3], 2: [4,5], 3: [6,7], 4: [10,11]}, 5) Traceback (most recent call last): ... ValueError: root 5 is not present in the binary_tree >>> binary_tree_mirror({}, 5) Traceback (most recent call last): ... ValueError: binary tree cannot be empty """ if not binary_tree: raise ValueError("binary tree cannot be empty") if root not in binary_tree: raise ValueError(f"root {root} is not present in the binary_tree") binary_tree_mirror_dictionary = dict(binary_tree) binary_tree_mirror_dict(binary_tree_mirror_dictionary, root) return binary_tree_mirror_dictionary if __name__ == "__main__": binary_tree = {1: [2, 3], 2: [4, 5], 3: [6, 7], 7: [8, 9]} print(f"Binary tree: {binary_tree}") binary_tree_mirror_dictionary = binary_tree_mirror(binary_tree, 5) print(f"Binary tree mirror: {binary_tree_mirror_dictionary}")
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points 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
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points 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
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points 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 Geometric Series algorithm https://en.wikipedia.org/wiki/Geometric_series Run the doctests with the following command: python3 -m doctest -v geometric_series.py or python -m doctest -v geometric_series.py For manual testing run: python3 geometric_series.py """ from __future__ import annotations def geometric_series( nth_term: float | int, start_term_a: float | int, common_ratio_r: float | int, ) -> list[float | int]: """ Pure Python implementation of Geometric Series algorithm :param nth_term: The last term (nth term of Geometric Series) :param start_term_a : The first term of Geometric Series :param common_ratio_r : The common ratio between all the terms :return: The Geometric Series starting from first term a and multiple of common ration with first term with increase in power till last term (nth term) Examples: >>> geometric_series(4, 2, 2) [2, 4.0, 8.0, 16.0] >>> geometric_series(4.0, 2.0, 2.0) [2.0, 4.0, 8.0, 16.0] >>> geometric_series(4.1, 2.1, 2.1) [2.1, 4.41, 9.261000000000001, 19.448100000000004] >>> geometric_series(4, 2, -2) [2, -4.0, 8.0, -16.0] >>> geometric_series(4, -2, 2) [-2, -4.0, -8.0, -16.0] >>> geometric_series(-4, 2, 2) [] >>> geometric_series(0, 100, 500) [] >>> geometric_series(1, 1, 1) [1] >>> geometric_series(0, 0, 0) [] """ if not all((nth_term, start_term_a, common_ratio_r)): return [] series: list[float | int] = [] power = 1 multiple = common_ratio_r for _ in range(int(nth_term)): if series == []: series.append(start_term_a) else: power += 1 series.append(float(start_term_a * multiple)) multiple = pow(float(common_ratio_r), power) return series if __name__ == "__main__": import doctest doctest.testmod() nth_term = float(input("Enter the last number (n term) of the Geometric Series")) start_term_a = float(input("Enter the starting term (a) of the Geometric Series")) common_ratio_r = float( input("Enter the common ratio between two terms (r) of the Geometric Series") ) print("Formula of Geometric Series => a + ar + ar^2 ... +ar^n") print(geometric_series(nth_term, start_term_a, common_ratio_r))
""" This is a pure Python implementation of the Geometric Series algorithm https://en.wikipedia.org/wiki/Geometric_series Run the doctests with the following command: python3 -m doctest -v geometric_series.py or python -m doctest -v geometric_series.py For manual testing run: python3 geometric_series.py """ from __future__ import annotations def geometric_series( nth_term: float | int, start_term_a: float | int, common_ratio_r: float | int, ) -> list[float | int]: """ Pure Python implementation of Geometric Series algorithm :param nth_term: The last term (nth term of Geometric Series) :param start_term_a : The first term of Geometric Series :param common_ratio_r : The common ratio between all the terms :return: The Geometric Series starting from first term a and multiple of common ration with first term with increase in power till last term (nth term) Examples: >>> geometric_series(4, 2, 2) [2, 4.0, 8.0, 16.0] >>> geometric_series(4.0, 2.0, 2.0) [2.0, 4.0, 8.0, 16.0] >>> geometric_series(4.1, 2.1, 2.1) [2.1, 4.41, 9.261000000000001, 19.448100000000004] >>> geometric_series(4, 2, -2) [2, -4.0, 8.0, -16.0] >>> geometric_series(4, -2, 2) [-2, -4.0, -8.0, -16.0] >>> geometric_series(-4, 2, 2) [] >>> geometric_series(0, 100, 500) [] >>> geometric_series(1, 1, 1) [1] >>> geometric_series(0, 0, 0) [] """ if not all((nth_term, start_term_a, common_ratio_r)): return [] series: list[float | int] = [] power = 1 multiple = common_ratio_r for _ in range(int(nth_term)): if series == []: series.append(start_term_a) else: power += 1 series.append(float(start_term_a * multiple)) multiple = pow(float(common_ratio_r), power) return series if __name__ == "__main__": import doctest doctest.testmod() nth_term = float(input("Enter the last number (n term) of the Geometric Series")) start_term_a = float(input("Enter the starting term (a) of the Geometric Series")) common_ratio_r = float( input("Enter the common ratio between two terms (r) of the Geometric Series") ) print("Formula of Geometric Series => a + ar + ar^2 ... +ar^n") print(geometric_series(nth_term, start_term_a, common_ratio_r))
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points 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/perl use strict; use warnings; use IPC::Open2; # An example hook script to integrate Watchman # (https://facebook.github.io/watchman/) with git to speed up detecting # new and modified files. # # The hook is passed a version (currently 1) and a time in nanoseconds # formatted as a string and outputs to stdout all files that have been # modified since the given time. Paths must be relative to the root of # the working tree and separated by a single NUL. # # To enable this hook, rename this file to "query-watchman" and set # 'git config core.fsmonitor .git/hooks/query-watchman' # my ($version, $time) = @ARGV; # Check the hook interface version if ($version == 1) { # convert nanoseconds to seconds # subtract one second to make sure watchman will return all changes $time = int ($time / 1000000000) - 1; } else { die "Unsupported query-fsmonitor hook version '$version'.\n" . "Falling back to scanning...\n"; } my $git_work_tree; if ($^O =~ 'msys' || $^O =~ 'cygwin') { $git_work_tree = Win32::GetCwd(); $git_work_tree =~ tr/\\/\//; } else { require Cwd; $git_work_tree = Cwd::cwd(); } my $retry = 1; launch_watchman(); sub launch_watchman { my $pid = open2(\*CHLD_OUT, \*CHLD_IN, 'watchman -j --no-pretty') or die "open2() failed: $!\n" . "Falling back to scanning...\n"; # In the query expression below we're asking for names of files that # changed since $time but were not transient (ie created after # $time but no longer exist). # # To accomplish this, we're using the "since" generator to use the # recency index to select candidate nodes and "fields" to limit the # output to file names only. my $query = <<" END"; ["query", "$git_work_tree", { "since": $time, "fields": ["name"] }] END print CHLD_IN $query; close CHLD_IN; my $response = do {local $/; <CHLD_OUT>}; die "Watchman: command returned no output.\n" . "Falling back to scanning...\n" if $response eq ""; die "Watchman: command returned invalid output: $response\n" . "Falling back to scanning...\n" unless $response =~ /^\{/; my $json_pkg; eval { require JSON::XS; $json_pkg = "JSON::XS"; 1; } or do { require JSON::PP; $json_pkg = "JSON::PP"; }; my $o = $json_pkg->new->utf8->decode($response); if ($retry > 0 and $o->{error} and $o->{error} =~ m/unable to resolve root .* directory (.*) is not watched/) { print STDERR "Adding '$git_work_tree' to watchman's watch list.\n"; $retry--; qx/watchman watch "$git_work_tree"/; die "Failed to make watchman watch '$git_work_tree'.\n" . "Falling back to scanning...\n" if $? != 0; # Watchman will always return all files on the first query so # return the fast "everything is dirty" flag to git and do the # Watchman query just to get it over with now so we won't pay # the cost in git to look up each individual file. print "/\0"; eval { launch_watchman() }; exit 0; } die "Watchman: $o->{error}.\n" . "Falling back to scanning...\n" if $o->{error}; binmode STDOUT, ":utf8"; local $, = "\0"; print @{$o->{files}}; }
#!/usr/bin/perl use strict; use warnings; use IPC::Open2; # An example hook script to integrate Watchman # (https://facebook.github.io/watchman/) with git to speed up detecting # new and modified files. # # The hook is passed a version (currently 1) and a time in nanoseconds # formatted as a string and outputs to stdout all files that have been # modified since the given time. Paths must be relative to the root of # the working tree and separated by a single NUL. # # To enable this hook, rename this file to "query-watchman" and set # 'git config core.fsmonitor .git/hooks/query-watchman' # my ($version, $time) = @ARGV; # Check the hook interface version if ($version == 1) { # convert nanoseconds to seconds # subtract one second to make sure watchman will return all changes $time = int ($time / 1000000000) - 1; } else { die "Unsupported query-fsmonitor hook version '$version'.\n" . "Falling back to scanning...\n"; } my $git_work_tree; if ($^O =~ 'msys' || $^O =~ 'cygwin') { $git_work_tree = Win32::GetCwd(); $git_work_tree =~ tr/\\/\//; } else { require Cwd; $git_work_tree = Cwd::cwd(); } my $retry = 1; launch_watchman(); sub launch_watchman { my $pid = open2(\*CHLD_OUT, \*CHLD_IN, 'watchman -j --no-pretty') or die "open2() failed: $!\n" . "Falling back to scanning...\n"; # In the query expression below we're asking for names of files that # changed since $time but were not transient (ie created after # $time but no longer exist). # # To accomplish this, we're using the "since" generator to use the # recency index to select candidate nodes and "fields" to limit the # output to file names only. my $query = <<" END"; ["query", "$git_work_tree", { "since": $time, "fields": ["name"] }] END print CHLD_IN $query; close CHLD_IN; my $response = do {local $/; <CHLD_OUT>}; die "Watchman: command returned no output.\n" . "Falling back to scanning...\n" if $response eq ""; die "Watchman: command returned invalid output: $response\n" . "Falling back to scanning...\n" unless $response =~ /^\{/; my $json_pkg; eval { require JSON::XS; $json_pkg = "JSON::XS"; 1; } or do { require JSON::PP; $json_pkg = "JSON::PP"; }; my $o = $json_pkg->new->utf8->decode($response); if ($retry > 0 and $o->{error} and $o->{error} =~ m/unable to resolve root .* directory (.*) is not watched/) { print STDERR "Adding '$git_work_tree' to watchman's watch list.\n"; $retry--; qx/watchman watch "$git_work_tree"/; die "Failed to make watchman watch '$git_work_tree'.\n" . "Falling back to scanning...\n" if $? != 0; # Watchman will always return all files on the first query so # return the fast "everything is dirty" flag to git and do the # Watchman query just to get it over with now so we won't pay # the cost in git to look up each individual file. print "/\0"; eval { launch_watchman() }; exit 0; } die "Watchman: $o->{error}.\n" . "Falling back to scanning...\n" if $o->{error}; binmode STDOUT, ":utf8"; local $, = "\0"; print @{$o->{files}}; }
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" Prim's (also known as Jarník's) algorithm is a greedy algorithm that finds a minimum spanning tree for a weighted undirected graph. This means it finds a subset of the edges that forms a tree that includes every vertex, where the total weight of all the edges in the tree is minimized. The algorithm operates by building this tree one vertex at a time, from an arbitrary starting vertex, at each step adding the cheapest possible connection from the tree to another vertex. """ from __future__ import annotations from sys import maxsize from typing import Generic, TypeVar T = TypeVar("T") def get_parent_position(position: int) -> int: """ heap helper function get the position of the parent of the current node >>> get_parent_position(1) 0 >>> get_parent_position(2) 0 """ return (position - 1) // 2 def get_child_left_position(position: int) -> int: """ heap helper function get the position of the left child of the current node >>> get_child_left_position(0) 1 """ return (2 * position) + 1 def get_child_right_position(position: int) -> int: """ heap helper function get the position of the right child of the current node >>> get_child_right_position(0) 2 """ return (2 * position) + 2 class MinPriorityQueue(Generic[T]): """ Minimum Priority Queue Class Functions: is_empty: function to check if the priority queue is empty push: function to add an element with given priority to the queue extract_min: function to remove and return the element with lowest weight (highest priority) update_key: function to update the weight of the given key _bubble_up: helper function to place a node at the proper position (upward movement) _bubble_down: helper function to place a node at the proper position (downward movement) _swap_nodes: helper function to swap the nodes at the given positions >>> queue = MinPriorityQueue() >>> queue.push(1, 1000) >>> queue.push(2, 100) >>> queue.push(3, 4000) >>> queue.push(4, 3000) >>> print(queue.extract_min()) 2 >>> queue.update_key(4, 50) >>> print(queue.extract_min()) 4 >>> print(queue.extract_min()) 1 >>> print(queue.extract_min()) 3 """ def __init__(self) -> None: self.heap: list[tuple[T, int]] = [] self.position_map: dict[T, int] = {} self.elements: int = 0 def __len__(self) -> int: return self.elements def __repr__(self) -> str: return str(self.heap) def is_empty(self) -> bool: # Check if the priority queue is empty return self.elements == 0 def push(self, elem: T, weight: int) -> None: # Add an element with given priority to the queue self.heap.append((elem, weight)) self.position_map[elem] = self.elements self.elements += 1 self._bubble_up(elem) def extract_min(self) -> T: # Remove and return the element with lowest weight (highest priority) if self.elements > 1: self._swap_nodes(0, self.elements - 1) elem, _ = self.heap.pop() del self.position_map[elem] self.elements -= 1 if self.elements > 0: bubble_down_elem, _ = self.heap[0] self._bubble_down(bubble_down_elem) return elem def update_key(self, elem: T, weight: int) -> None: # Update the weight of the given key position = self.position_map[elem] self.heap[position] = (elem, weight) if position > 0: parent_position = get_parent_position(position) _, parent_weight = self.heap[parent_position] if parent_weight > weight: self._bubble_up(elem) else: self._bubble_down(elem) else: self._bubble_down(elem) def _bubble_up(self, elem: T) -> None: # Place a node at the proper position (upward movement) [to be used internally # only] curr_pos = self.position_map[elem] if curr_pos == 0: return parent_position = get_parent_position(curr_pos) _, weight = self.heap[curr_pos] _, parent_weight = self.heap[parent_position] if parent_weight > weight: self._swap_nodes(parent_position, curr_pos) return self._bubble_up(elem) return def _bubble_down(self, elem: T) -> None: # Place a node at the proper position (downward movement) [to be used # internally only] curr_pos = self.position_map[elem] _, weight = self.heap[curr_pos] child_left_position = get_child_left_position(curr_pos) child_right_position = get_child_right_position(curr_pos) if child_left_position < self.elements and child_right_position < self.elements: _, child_left_weight = self.heap[child_left_position] _, child_right_weight = self.heap[child_right_position] if child_right_weight < child_left_weight: if child_right_weight < weight: self._swap_nodes(child_right_position, curr_pos) return self._bubble_down(elem) if child_left_position < self.elements: _, child_left_weight = self.heap[child_left_position] if child_left_weight < weight: self._swap_nodes(child_left_position, curr_pos) return self._bubble_down(elem) else: return if child_right_position < self.elements: _, child_right_weight = self.heap[child_right_position] if child_right_weight < weight: self._swap_nodes(child_right_position, curr_pos) return self._bubble_down(elem) else: return def _swap_nodes(self, node1_pos: int, node2_pos: int) -> None: # Swap the nodes at the given positions node1_elem = self.heap[node1_pos][0] node2_elem = self.heap[node2_pos][0] self.heap[node1_pos], self.heap[node2_pos] = ( self.heap[node2_pos], self.heap[node1_pos], ) self.position_map[node1_elem] = node2_pos self.position_map[node2_elem] = node1_pos class GraphUndirectedWeighted(Generic[T]): """ Graph Undirected Weighted Class Functions: add_node: function to add a node in the graph add_edge: function to add an edge between 2 nodes in the graph """ def __init__(self) -> None: self.connections: dict[T, dict[T, int]] = {} self.nodes: int = 0 def __repr__(self) -> str: return str(self.connections) def __len__(self) -> int: return self.nodes def add_node(self, node: T) -> None: # Add a node in the graph if it is not in the graph if node not in self.connections: self.connections[node] = {} self.nodes += 1 def add_edge(self, node1: T, node2: T, weight: int) -> None: # Add an edge between 2 nodes in the graph self.add_node(node1) self.add_node(node2) self.connections[node1][node2] = weight self.connections[node2][node1] = weight def prims_algo( graph: GraphUndirectedWeighted[T], ) -> tuple[dict[T, int], dict[T, T | None]]: """ >>> graph = GraphUndirectedWeighted() >>> graph.add_edge("a", "b", 3) >>> graph.add_edge("b", "c", 10) >>> graph.add_edge("c", "d", 5) >>> graph.add_edge("a", "c", 15) >>> graph.add_edge("b", "d", 100) >>> dist, parent = prims_algo(graph) >>> abs(dist["a"] - dist["b"]) 3 >>> abs(dist["d"] - dist["b"]) 15 >>> abs(dist["a"] - dist["c"]) 13 """ # prim's algorithm for minimum spanning tree dist: dict[T, int] = {node: maxsize for node in graph.connections} parent: dict[T, T | None] = {node: None for node in graph.connections} priority_queue: MinPriorityQueue[T] = MinPriorityQueue() for node, weight in dist.items(): priority_queue.push(node, weight) if priority_queue.is_empty(): return dist, parent # initialization node = priority_queue.extract_min() dist[node] = 0 for neighbour in graph.connections[node]: if dist[neighbour] > dist[node] + graph.connections[node][neighbour]: dist[neighbour] = dist[node] + graph.connections[node][neighbour] priority_queue.update_key(neighbour, dist[neighbour]) parent[neighbour] = node # running prim's algorithm while not priority_queue.is_empty(): node = priority_queue.extract_min() for neighbour in graph.connections[node]: if dist[neighbour] > dist[node] + graph.connections[node][neighbour]: dist[neighbour] = dist[node] + graph.connections[node][neighbour] priority_queue.update_key(neighbour, dist[neighbour]) parent[neighbour] = node return dist, parent
""" Prim's (also known as Jarník's) algorithm is a greedy algorithm that finds a minimum spanning tree for a weighted undirected graph. This means it finds a subset of the edges that forms a tree that includes every vertex, where the total weight of all the edges in the tree is minimized. The algorithm operates by building this tree one vertex at a time, from an arbitrary starting vertex, at each step adding the cheapest possible connection from the tree to another vertex. """ from __future__ import annotations from sys import maxsize from typing import Generic, TypeVar T = TypeVar("T") def get_parent_position(position: int) -> int: """ heap helper function get the position of the parent of the current node >>> get_parent_position(1) 0 >>> get_parent_position(2) 0 """ return (position - 1) // 2 def get_child_left_position(position: int) -> int: """ heap helper function get the position of the left child of the current node >>> get_child_left_position(0) 1 """ return (2 * position) + 1 def get_child_right_position(position: int) -> int: """ heap helper function get the position of the right child of the current node >>> get_child_right_position(0) 2 """ return (2 * position) + 2 class MinPriorityQueue(Generic[T]): """ Minimum Priority Queue Class Functions: is_empty: function to check if the priority queue is empty push: function to add an element with given priority to the queue extract_min: function to remove and return the element with lowest weight (highest priority) update_key: function to update the weight of the given key _bubble_up: helper function to place a node at the proper position (upward movement) _bubble_down: helper function to place a node at the proper position (downward movement) _swap_nodes: helper function to swap the nodes at the given positions >>> queue = MinPriorityQueue() >>> queue.push(1, 1000) >>> queue.push(2, 100) >>> queue.push(3, 4000) >>> queue.push(4, 3000) >>> print(queue.extract_min()) 2 >>> queue.update_key(4, 50) >>> print(queue.extract_min()) 4 >>> print(queue.extract_min()) 1 >>> print(queue.extract_min()) 3 """ def __init__(self) -> None: self.heap: list[tuple[T, int]] = [] self.position_map: dict[T, int] = {} self.elements: int = 0 def __len__(self) -> int: return self.elements def __repr__(self) -> str: return str(self.heap) def is_empty(self) -> bool: # Check if the priority queue is empty return self.elements == 0 def push(self, elem: T, weight: int) -> None: # Add an element with given priority to the queue self.heap.append((elem, weight)) self.position_map[elem] = self.elements self.elements += 1 self._bubble_up(elem) def extract_min(self) -> T: # Remove and return the element with lowest weight (highest priority) if self.elements > 1: self._swap_nodes(0, self.elements - 1) elem, _ = self.heap.pop() del self.position_map[elem] self.elements -= 1 if self.elements > 0: bubble_down_elem, _ = self.heap[0] self._bubble_down(bubble_down_elem) return elem def update_key(self, elem: T, weight: int) -> None: # Update the weight of the given key position = self.position_map[elem] self.heap[position] = (elem, weight) if position > 0: parent_position = get_parent_position(position) _, parent_weight = self.heap[parent_position] if parent_weight > weight: self._bubble_up(elem) else: self._bubble_down(elem) else: self._bubble_down(elem) def _bubble_up(self, elem: T) -> None: # Place a node at the proper position (upward movement) [to be used internally # only] curr_pos = self.position_map[elem] if curr_pos == 0: return parent_position = get_parent_position(curr_pos) _, weight = self.heap[curr_pos] _, parent_weight = self.heap[parent_position] if parent_weight > weight: self._swap_nodes(parent_position, curr_pos) return self._bubble_up(elem) return def _bubble_down(self, elem: T) -> None: # Place a node at the proper position (downward movement) [to be used # internally only] curr_pos = self.position_map[elem] _, weight = self.heap[curr_pos] child_left_position = get_child_left_position(curr_pos) child_right_position = get_child_right_position(curr_pos) if child_left_position < self.elements and child_right_position < self.elements: _, child_left_weight = self.heap[child_left_position] _, child_right_weight = self.heap[child_right_position] if child_right_weight < child_left_weight: if child_right_weight < weight: self._swap_nodes(child_right_position, curr_pos) return self._bubble_down(elem) if child_left_position < self.elements: _, child_left_weight = self.heap[child_left_position] if child_left_weight < weight: self._swap_nodes(child_left_position, curr_pos) return self._bubble_down(elem) else: return if child_right_position < self.elements: _, child_right_weight = self.heap[child_right_position] if child_right_weight < weight: self._swap_nodes(child_right_position, curr_pos) return self._bubble_down(elem) else: return def _swap_nodes(self, node1_pos: int, node2_pos: int) -> None: # Swap the nodes at the given positions node1_elem = self.heap[node1_pos][0] node2_elem = self.heap[node2_pos][0] self.heap[node1_pos], self.heap[node2_pos] = ( self.heap[node2_pos], self.heap[node1_pos], ) self.position_map[node1_elem] = node2_pos self.position_map[node2_elem] = node1_pos class GraphUndirectedWeighted(Generic[T]): """ Graph Undirected Weighted Class Functions: add_node: function to add a node in the graph add_edge: function to add an edge between 2 nodes in the graph """ def __init__(self) -> None: self.connections: dict[T, dict[T, int]] = {} self.nodes: int = 0 def __repr__(self) -> str: return str(self.connections) def __len__(self) -> int: return self.nodes def add_node(self, node: T) -> None: # Add a node in the graph if it is not in the graph if node not in self.connections: self.connections[node] = {} self.nodes += 1 def add_edge(self, node1: T, node2: T, weight: int) -> None: # Add an edge between 2 nodes in the graph self.add_node(node1) self.add_node(node2) self.connections[node1][node2] = weight self.connections[node2][node1] = weight def prims_algo( graph: GraphUndirectedWeighted[T], ) -> tuple[dict[T, int], dict[T, T | None]]: """ >>> graph = GraphUndirectedWeighted() >>> graph.add_edge("a", "b", 3) >>> graph.add_edge("b", "c", 10) >>> graph.add_edge("c", "d", 5) >>> graph.add_edge("a", "c", 15) >>> graph.add_edge("b", "d", 100) >>> dist, parent = prims_algo(graph) >>> abs(dist["a"] - dist["b"]) 3 >>> abs(dist["d"] - dist["b"]) 15 >>> abs(dist["a"] - dist["c"]) 13 """ # prim's algorithm for minimum spanning tree dist: dict[T, int] = {node: maxsize for node in graph.connections} parent: dict[T, T | None] = {node: None for node in graph.connections} priority_queue: MinPriorityQueue[T] = MinPriorityQueue() for node, weight in dist.items(): priority_queue.push(node, weight) if priority_queue.is_empty(): return dist, parent # initialization node = priority_queue.extract_min() dist[node] = 0 for neighbour in graph.connections[node]: if dist[neighbour] > dist[node] + graph.connections[node][neighbour]: dist[neighbour] = dist[node] + graph.connections[node][neighbour] priority_queue.update_key(neighbour, dist[neighbour]) parent[neighbour] = node # running prim's algorithm while not priority_queue.is_empty(): node = priority_queue.extract_min() for neighbour in graph.connections[node]: if dist[neighbour] > dist[node] + graph.connections[node][neighbour]: dist[neighbour] = dist[node] + graph.connections[node][neighbour] priority_queue.update_key(neighbour, dist[neighbour]) parent[neighbour] = node return dist, parent
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" Hill Cipher: The 'HillCipher' class below implements the Hill Cipher algorithm which uses modern linear algebra techniques to encode and decode text using an encryption key matrix. Algorithm: Let the order of the encryption key be N (as it is a square matrix). Your text is divided into batches of length N and converted to numerical vectors by a simple mapping starting with A=0 and so on. The key is then multiplied with the newly created batch vector to obtain the encoded vector. After each multiplication modular 36 calculations are performed on the vectors so as to bring the numbers between 0 and 36 and then mapped with their corresponding alphanumerics. While decrypting, the decrypting key is found which is the inverse of the encrypting key modular 36. The same process is repeated for decrypting to get the original message back. Constraints: The determinant of the encryption key matrix must be relatively prime w.r.t 36. Note: This implementation only considers alphanumerics in the text. If the length of the text to be encrypted is not a multiple of the break key(the length of one batch of letters), the last character of the text is added to the text until the length of the text reaches a multiple of the break_key. So the text after decrypting might be a little different than the original text. References: https://apprendre-en-ligne.net/crypto/hill/Hillciph.pdf https://www.youtube.com/watch?v=kfmNeskzs2o https://www.youtube.com/watch?v=4RhLNDqcjpA """ import string import numpy def greatest_common_divisor(a: int, b: int) -> int: """ >>> greatest_common_divisor(4, 8) 4 >>> greatest_common_divisor(8, 4) 4 >>> greatest_common_divisor(4, 7) 1 >>> greatest_common_divisor(0, 10) 10 """ return b if a == 0 else greatest_common_divisor(b % a, a) class HillCipher: key_string = string.ascii_uppercase + string.digits # This cipher takes alphanumerics into account # i.e. a total of 36 characters # take x and return x % len(key_string) modulus = numpy.vectorize(lambda x: x % 36) to_int = numpy.vectorize(round) def __init__(self, encrypt_key: numpy.ndarray) -> None: """ encrypt_key is an NxN numpy array """ self.encrypt_key = self.modulus(encrypt_key) # mod36 calc's on the encrypt key self.check_determinant() # validate the determinant of the encryption key self.break_key = encrypt_key.shape[0] def replace_letters(self, letter: str) -> int: """ >>> hill_cipher = HillCipher(numpy.array([[2, 5], [1, 6]])) >>> hill_cipher.replace_letters('T') 19 >>> hill_cipher.replace_letters('0') 26 """ return self.key_string.index(letter) def replace_digits(self, num: int) -> str: """ >>> hill_cipher = HillCipher(numpy.array([[2, 5], [1, 6]])) >>> hill_cipher.replace_digits(19) 'T' >>> hill_cipher.replace_digits(26) '0' """ return self.key_string[round(num)] def check_determinant(self) -> None: """ >>> hill_cipher = HillCipher(numpy.array([[2, 5], [1, 6]])) >>> hill_cipher.check_determinant() """ det = round(numpy.linalg.det(self.encrypt_key)) if det < 0: det = det % len(self.key_string) req_l = len(self.key_string) if greatest_common_divisor(det, len(self.key_string)) != 1: raise ValueError( f"determinant modular {req_l} of encryption key({det}) is not co prime " f"w.r.t {req_l}.\nTry another key." ) def process_text(self, text: str) -> str: """ >>> hill_cipher = HillCipher(numpy.array([[2, 5], [1, 6]])) >>> hill_cipher.process_text('Testing Hill Cipher') 'TESTINGHILLCIPHERR' >>> hill_cipher.process_text('hello') 'HELLOO' """ chars = [char for char in text.upper() if char in self.key_string] last = chars[-1] while len(chars) % self.break_key != 0: chars.append(last) return "".join(chars) def encrypt(self, text: str) -> str: """ >>> hill_cipher = HillCipher(numpy.array([[2, 5], [1, 6]])) >>> hill_cipher.encrypt('testing hill cipher') 'WHXYJOLM9C6XT085LL' >>> hill_cipher.encrypt('hello') '85FF00' """ text = self.process_text(text.upper()) encrypted = "" for i in range(0, len(text) - self.break_key + 1, self.break_key): batch = text[i : i + self.break_key] vec = [self.replace_letters(char) for char in batch] batch_vec = numpy.array([vec]).T batch_encrypted = self.modulus(self.encrypt_key.dot(batch_vec)).T.tolist()[ 0 ] encrypted_batch = "".join( self.replace_digits(num) for num in batch_encrypted ) encrypted += encrypted_batch return encrypted def make_decrypt_key(self) -> numpy.ndarray: """ >>> hill_cipher = HillCipher(numpy.array([[2, 5], [1, 6]])) >>> hill_cipher.make_decrypt_key() array([[ 6, 25], [ 5, 26]]) """ det = round(numpy.linalg.det(self.encrypt_key)) if det < 0: det = det % len(self.key_string) det_inv = None for i in range(len(self.key_string)): if (det * i) % len(self.key_string) == 1: det_inv = i break inv_key = ( det_inv * numpy.linalg.det(self.encrypt_key) * numpy.linalg.inv(self.encrypt_key) ) return self.to_int(self.modulus(inv_key)) def decrypt(self, text: str) -> str: """ >>> hill_cipher = HillCipher(numpy.array([[2, 5], [1, 6]])) >>> hill_cipher.decrypt('WHXYJOLM9C6XT085LL') 'TESTINGHILLCIPHERR' >>> hill_cipher.decrypt('85FF00') 'HELLOO' """ decrypt_key = self.make_decrypt_key() text = self.process_text(text.upper()) decrypted = "" for i in range(0, len(text) - self.break_key + 1, self.break_key): batch = text[i : i + self.break_key] vec = [self.replace_letters(char) for char in batch] batch_vec = numpy.array([vec]).T batch_decrypted = self.modulus(decrypt_key.dot(batch_vec)).T.tolist()[0] decrypted_batch = "".join( self.replace_digits(num) for num in batch_decrypted ) decrypted += decrypted_batch return decrypted def main() -> None: N = int(input("Enter the order of the encryption key: ")) hill_matrix = [] print("Enter each row of the encryption key with space separated integers") for _ in range(N): row = [int(x) for x in input().split()] hill_matrix.append(row) hc = HillCipher(numpy.array(hill_matrix)) print("Would you like to encrypt or decrypt some text? (1 or 2)") option = input("\n1. Encrypt\n2. Decrypt\n") if option == "1": text_e = input("What text would you like to encrypt?: ") print("Your encrypted text is:") print(hc.encrypt(text_e)) elif option == "2": text_d = input("What text would you like to decrypt?: ") print("Your decrypted text is:") print(hc.decrypt(text_d)) if __name__ == "__main__": import doctest doctest.testmod() main()
""" Hill Cipher: The 'HillCipher' class below implements the Hill Cipher algorithm which uses modern linear algebra techniques to encode and decode text using an encryption key matrix. Algorithm: Let the order of the encryption key be N (as it is a square matrix). Your text is divided into batches of length N and converted to numerical vectors by a simple mapping starting with A=0 and so on. The key is then multiplied with the newly created batch vector to obtain the encoded vector. After each multiplication modular 36 calculations are performed on the vectors so as to bring the numbers between 0 and 36 and then mapped with their corresponding alphanumerics. While decrypting, the decrypting key is found which is the inverse of the encrypting key modular 36. The same process is repeated for decrypting to get the original message back. Constraints: The determinant of the encryption key matrix must be relatively prime w.r.t 36. Note: This implementation only considers alphanumerics in the text. If the length of the text to be encrypted is not a multiple of the break key(the length of one batch of letters), the last character of the text is added to the text until the length of the text reaches a multiple of the break_key. So the text after decrypting might be a little different than the original text. References: https://apprendre-en-ligne.net/crypto/hill/Hillciph.pdf https://www.youtube.com/watch?v=kfmNeskzs2o https://www.youtube.com/watch?v=4RhLNDqcjpA """ import string import numpy def greatest_common_divisor(a: int, b: int) -> int: """ >>> greatest_common_divisor(4, 8) 4 >>> greatest_common_divisor(8, 4) 4 >>> greatest_common_divisor(4, 7) 1 >>> greatest_common_divisor(0, 10) 10 """ return b if a == 0 else greatest_common_divisor(b % a, a) class HillCipher: key_string = string.ascii_uppercase + string.digits # This cipher takes alphanumerics into account # i.e. a total of 36 characters # take x and return x % len(key_string) modulus = numpy.vectorize(lambda x: x % 36) to_int = numpy.vectorize(round) def __init__(self, encrypt_key: numpy.ndarray) -> None: """ encrypt_key is an NxN numpy array """ self.encrypt_key = self.modulus(encrypt_key) # mod36 calc's on the encrypt key self.check_determinant() # validate the determinant of the encryption key self.break_key = encrypt_key.shape[0] def replace_letters(self, letter: str) -> int: """ >>> hill_cipher = HillCipher(numpy.array([[2, 5], [1, 6]])) >>> hill_cipher.replace_letters('T') 19 >>> hill_cipher.replace_letters('0') 26 """ return self.key_string.index(letter) def replace_digits(self, num: int) -> str: """ >>> hill_cipher = HillCipher(numpy.array([[2, 5], [1, 6]])) >>> hill_cipher.replace_digits(19) 'T' >>> hill_cipher.replace_digits(26) '0' """ return self.key_string[round(num)] def check_determinant(self) -> None: """ >>> hill_cipher = HillCipher(numpy.array([[2, 5], [1, 6]])) >>> hill_cipher.check_determinant() """ det = round(numpy.linalg.det(self.encrypt_key)) if det < 0: det = det % len(self.key_string) req_l = len(self.key_string) if greatest_common_divisor(det, len(self.key_string)) != 1: raise ValueError( f"determinant modular {req_l} of encryption key({det}) is not co prime " f"w.r.t {req_l}.\nTry another key." ) def process_text(self, text: str) -> str: """ >>> hill_cipher = HillCipher(numpy.array([[2, 5], [1, 6]])) >>> hill_cipher.process_text('Testing Hill Cipher') 'TESTINGHILLCIPHERR' >>> hill_cipher.process_text('hello') 'HELLOO' """ chars = [char for char in text.upper() if char in self.key_string] last = chars[-1] while len(chars) % self.break_key != 0: chars.append(last) return "".join(chars) def encrypt(self, text: str) -> str: """ >>> hill_cipher = HillCipher(numpy.array([[2, 5], [1, 6]])) >>> hill_cipher.encrypt('testing hill cipher') 'WHXYJOLM9C6XT085LL' >>> hill_cipher.encrypt('hello') '85FF00' """ text = self.process_text(text.upper()) encrypted = "" for i in range(0, len(text) - self.break_key + 1, self.break_key): batch = text[i : i + self.break_key] vec = [self.replace_letters(char) for char in batch] batch_vec = numpy.array([vec]).T batch_encrypted = self.modulus(self.encrypt_key.dot(batch_vec)).T.tolist()[ 0 ] encrypted_batch = "".join( self.replace_digits(num) for num in batch_encrypted ) encrypted += encrypted_batch return encrypted def make_decrypt_key(self) -> numpy.ndarray: """ >>> hill_cipher = HillCipher(numpy.array([[2, 5], [1, 6]])) >>> hill_cipher.make_decrypt_key() array([[ 6, 25], [ 5, 26]]) """ det = round(numpy.linalg.det(self.encrypt_key)) if det < 0: det = det % len(self.key_string) det_inv = None for i in range(len(self.key_string)): if (det * i) % len(self.key_string) == 1: det_inv = i break inv_key = ( det_inv * numpy.linalg.det(self.encrypt_key) * numpy.linalg.inv(self.encrypt_key) ) return self.to_int(self.modulus(inv_key)) def decrypt(self, text: str) -> str: """ >>> hill_cipher = HillCipher(numpy.array([[2, 5], [1, 6]])) >>> hill_cipher.decrypt('WHXYJOLM9C6XT085LL') 'TESTINGHILLCIPHERR' >>> hill_cipher.decrypt('85FF00') 'HELLOO' """ decrypt_key = self.make_decrypt_key() text = self.process_text(text.upper()) decrypted = "" for i in range(0, len(text) - self.break_key + 1, self.break_key): batch = text[i : i + self.break_key] vec = [self.replace_letters(char) for char in batch] batch_vec = numpy.array([vec]).T batch_decrypted = self.modulus(decrypt_key.dot(batch_vec)).T.tolist()[0] decrypted_batch = "".join( self.replace_digits(num) for num in batch_decrypted ) decrypted += decrypted_batch return decrypted def main() -> None: N = int(input("Enter the order of the encryption key: ")) hill_matrix = [] print("Enter each row of the encryption key with space separated integers") for _ in range(N): row = [int(x) for x in input().split()] hill_matrix.append(row) hc = HillCipher(numpy.array(hill_matrix)) print("Would you like to encrypt or decrypt some text? (1 or 2)") option = input("\n1. Encrypt\n2. Decrypt\n") if option == "1": text_e = input("What text would you like to encrypt?: ") print("Your encrypted text is:") print(hc.encrypt(text_e)) elif option == "2": text_d = input("What text would you like to decrypt?: ") print("Your decrypted text is:") print(hc.decrypt(text_d)) if __name__ == "__main__": import doctest doctest.testmod() main()
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" Implementation of gradient descent algorithm for minimizing cost of a linear hypothesis function. """ import numpy # List of input, output pairs train_data = ( ((5, 2, 3), 15), ((6, 5, 9), 25), ((11, 12, 13), 41), ((1, 1, 1), 8), ((11, 12, 13), 41), ) test_data = (((515, 22, 13), 555), ((61, 35, 49), 150)) parameter_vector = [2, 4, 1, 5] m = len(train_data) LEARNING_RATE = 0.009 def _error(example_no, data_set="train"): """ :param data_set: train data or test data :param example_no: example number whose error has to be checked :return: error in example pointed by example number. """ return calculate_hypothesis_value(example_no, data_set) - output( example_no, data_set ) def _hypothesis_value(data_input_tuple): """ Calculates hypothesis function value for a given input :param data_input_tuple: Input tuple of a particular example :return: Value of hypothesis function at that point. Note that there is an 'biased input' whose value is fixed as 1. It is not explicitly mentioned in input data.. But, ML hypothesis functions use it. So, we have to take care of it separately. Line 36 takes care of it. """ hyp_val = 0 for i in range(len(parameter_vector) - 1): hyp_val += data_input_tuple[i] * parameter_vector[i + 1] hyp_val += parameter_vector[0] return hyp_val def output(example_no, data_set): """ :param data_set: test data or train data :param example_no: example whose output is to be fetched :return: output for that example """ if data_set == "train": return train_data[example_no][1] elif data_set == "test": return test_data[example_no][1] def calculate_hypothesis_value(example_no, data_set): """ Calculates hypothesis value for a given example :param data_set: test data or train_data :param example_no: example whose hypothesis value is to be calculated :return: hypothesis value for that example """ if data_set == "train": return _hypothesis_value(train_data[example_no][0]) elif data_set == "test": return _hypothesis_value(test_data[example_no][0]) def summation_of_cost_derivative(index, end=m): """ Calculates the sum of cost function derivative :param index: index wrt derivative is being calculated :param end: value where summation ends, default is m, number of examples :return: Returns the summation of cost derivative Note: If index is -1, this means we are calculating summation wrt to biased parameter. """ summation_value = 0 for i in range(end): if index == -1: summation_value += _error(i) else: summation_value += _error(i) * train_data[i][0][index] return summation_value def get_cost_derivative(index): """ :param index: index of the parameter vector wrt to derivative is to be calculated :return: derivative wrt to that index Note: If index is -1, this means we are calculating summation wrt to biased parameter. """ cost_derivative_value = summation_of_cost_derivative(index, m) / m return cost_derivative_value def run_gradient_descent(): global parameter_vector # Tune these values to set a tolerance value for predicted output absolute_error_limit = 0.000002 relative_error_limit = 0 j = 0 while True: j += 1 temp_parameter_vector = [0, 0, 0, 0] for i in range(0, len(parameter_vector)): cost_derivative = get_cost_derivative(i - 1) temp_parameter_vector[i] = ( parameter_vector[i] - LEARNING_RATE * cost_derivative ) if numpy.allclose( parameter_vector, temp_parameter_vector, atol=absolute_error_limit, rtol=relative_error_limit, ): break parameter_vector = temp_parameter_vector print(("Number of iterations:", j)) def test_gradient_descent(): for i in range(len(test_data)): print(("Actual output value:", output(i, "test"))) print(("Hypothesis output:", calculate_hypothesis_value(i, "test"))) if __name__ == "__main__": run_gradient_descent() print("\nTesting gradient descent for a linear hypothesis function.\n") test_gradient_descent()
""" Implementation of gradient descent algorithm for minimizing cost of a linear hypothesis function. """ import numpy # List of input, output pairs train_data = ( ((5, 2, 3), 15), ((6, 5, 9), 25), ((11, 12, 13), 41), ((1, 1, 1), 8), ((11, 12, 13), 41), ) test_data = (((515, 22, 13), 555), ((61, 35, 49), 150)) parameter_vector = [2, 4, 1, 5] m = len(train_data) LEARNING_RATE = 0.009 def _error(example_no, data_set="train"): """ :param data_set: train data or test data :param example_no: example number whose error has to be checked :return: error in example pointed by example number. """ return calculate_hypothesis_value(example_no, data_set) - output( example_no, data_set ) def _hypothesis_value(data_input_tuple): """ Calculates hypothesis function value for a given input :param data_input_tuple: Input tuple of a particular example :return: Value of hypothesis function at that point. Note that there is an 'biased input' whose value is fixed as 1. It is not explicitly mentioned in input data.. But, ML hypothesis functions use it. So, we have to take care of it separately. Line 36 takes care of it. """ hyp_val = 0 for i in range(len(parameter_vector) - 1): hyp_val += data_input_tuple[i] * parameter_vector[i + 1] hyp_val += parameter_vector[0] return hyp_val def output(example_no, data_set): """ :param data_set: test data or train data :param example_no: example whose output is to be fetched :return: output for that example """ if data_set == "train": return train_data[example_no][1] elif data_set == "test": return test_data[example_no][1] def calculate_hypothesis_value(example_no, data_set): """ Calculates hypothesis value for a given example :param data_set: test data or train_data :param example_no: example whose hypothesis value is to be calculated :return: hypothesis value for that example """ if data_set == "train": return _hypothesis_value(train_data[example_no][0]) elif data_set == "test": return _hypothesis_value(test_data[example_no][0]) def summation_of_cost_derivative(index, end=m): """ Calculates the sum of cost function derivative :param index: index wrt derivative is being calculated :param end: value where summation ends, default is m, number of examples :return: Returns the summation of cost derivative Note: If index is -1, this means we are calculating summation wrt to biased parameter. """ summation_value = 0 for i in range(end): if index == -1: summation_value += _error(i) else: summation_value += _error(i) * train_data[i][0][index] return summation_value def get_cost_derivative(index): """ :param index: index of the parameter vector wrt to derivative is to be calculated :return: derivative wrt to that index Note: If index is -1, this means we are calculating summation wrt to biased parameter. """ cost_derivative_value = summation_of_cost_derivative(index, m) / m return cost_derivative_value def run_gradient_descent(): global parameter_vector # Tune these values to set a tolerance value for predicted output absolute_error_limit = 0.000002 relative_error_limit = 0 j = 0 while True: j += 1 temp_parameter_vector = [0, 0, 0, 0] for i in range(0, len(parameter_vector)): cost_derivative = get_cost_derivative(i - 1) temp_parameter_vector[i] = ( parameter_vector[i] - LEARNING_RATE * cost_derivative ) if numpy.allclose( parameter_vector, temp_parameter_vector, atol=absolute_error_limit, rtol=relative_error_limit, ): break parameter_vector = temp_parameter_vector print(("Number of iterations:", j)) def test_gradient_descent(): for i in range(len(test_data)): print(("Actual output value:", output(i, "test"))) print(("Hypothesis output:", calculate_hypothesis_value(i, "test"))) if __name__ == "__main__": run_gradient_descent() print("\nTesting gradient descent for a linear hypothesis function.\n") test_gradient_descent()
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
# Implementation of Circular Queue (using Python lists) class CircularQueue: """Circular FIFO queue with a fixed capacity""" def __init__(self, n: int): self.n = n self.array = [None] * self.n self.front = 0 # index of the first element self.rear = 0 self.size = 0 def __len__(self) -> int: """ >>> cq = CircularQueue(5) >>> len(cq) 0 >>> cq.enqueue("A") # doctest: +ELLIPSIS <data_structures.queue.circular_queue.CircularQueue object at ... >>> len(cq) 1 """ return self.size def is_empty(self) -> bool: """ >>> cq = CircularQueue(5) >>> cq.is_empty() True >>> cq.enqueue("A").is_empty() False """ return self.size == 0 def first(self): """ >>> cq = CircularQueue(5) >>> cq.first() False >>> cq.enqueue("A").first() 'A' """ return False if self.is_empty() else self.array[self.front] def enqueue(self, data): """ This function insert an element in the queue using self.rear value as an index >>> cq = CircularQueue(5) >>> cq.enqueue("A") # doctest: +ELLIPSIS <data_structures.queue.circular_queue.CircularQueue object at ... >>> (cq.size, cq.first()) (1, 'A') >>> cq.enqueue("B") # doctest: +ELLIPSIS <data_structures.queue.circular_queue.CircularQueue object at ... >>> (cq.size, cq.first()) (2, 'A') """ if self.size >= self.n: raise Exception("QUEUE IS FULL") self.array[self.rear] = data self.rear = (self.rear + 1) % self.n self.size += 1 return self def dequeue(self): """ This function removes an element from the queue using on self.front value as an index >>> cq = CircularQueue(5) >>> cq.dequeue() Traceback (most recent call last): ... Exception: UNDERFLOW >>> cq.enqueue("A").enqueue("B").dequeue() 'A' >>> (cq.size, cq.first()) (1, 'B') >>> cq.dequeue() 'B' >>> cq.dequeue() Traceback (most recent call last): ... Exception: UNDERFLOW """ if self.size == 0: raise Exception("UNDERFLOW") temp = self.array[self.front] self.array[self.front] = None self.front = (self.front + 1) % self.n self.size -= 1 return temp
# Implementation of Circular Queue (using Python lists) class CircularQueue: """Circular FIFO queue with a fixed capacity""" def __init__(self, n: int): self.n = n self.array = [None] * self.n self.front = 0 # index of the first element self.rear = 0 self.size = 0 def __len__(self) -> int: """ >>> cq = CircularQueue(5) >>> len(cq) 0 >>> cq.enqueue("A") # doctest: +ELLIPSIS <data_structures.queue.circular_queue.CircularQueue object at ... >>> len(cq) 1 """ return self.size def is_empty(self) -> bool: """ >>> cq = CircularQueue(5) >>> cq.is_empty() True >>> cq.enqueue("A").is_empty() False """ return self.size == 0 def first(self): """ >>> cq = CircularQueue(5) >>> cq.first() False >>> cq.enqueue("A").first() 'A' """ return False if self.is_empty() else self.array[self.front] def enqueue(self, data): """ This function insert an element in the queue using self.rear value as an index >>> cq = CircularQueue(5) >>> cq.enqueue("A") # doctest: +ELLIPSIS <data_structures.queue.circular_queue.CircularQueue object at ... >>> (cq.size, cq.first()) (1, 'A') >>> cq.enqueue("B") # doctest: +ELLIPSIS <data_structures.queue.circular_queue.CircularQueue object at ... >>> (cq.size, cq.first()) (2, 'A') """ if self.size >= self.n: raise Exception("QUEUE IS FULL") self.array[self.rear] = data self.rear = (self.rear + 1) % self.n self.size += 1 return self def dequeue(self): """ This function removes an element from the queue using on self.front value as an index >>> cq = CircularQueue(5) >>> cq.dequeue() Traceback (most recent call last): ... Exception: UNDERFLOW >>> cq.enqueue("A").enqueue("B").dequeue() 'A' >>> (cq.size, cq.first()) (1, 'B') >>> cq.dequeue() 'B' >>> cq.dequeue() Traceback (most recent call last): ... Exception: UNDERFLOW """ if self.size == 0: raise Exception("UNDERFLOW") temp = self.array[self.front] self.array[self.front] = None self.front = (self.front + 1) % self.n self.size -= 1 return temp
-1
TheAlgorithms/Python
6,612
Add missing type hints in `matrix` directory
### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
rohanr18
"2022-10-03T12:34:11Z"
"2022-10-04T18:05:57Z"
a84fb58271b1d42da300ccad54ee8391a518a5bb
46842e8c5b5fc78ced0f38206560deb2b8160a54
Add missing type hints in `matrix` directory. ### Describe your change: (because #6409 was mercilessly closed.) * [ ] 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. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [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. * [ ] All new algorithms have a URL in its comments that points 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 datetime import datetime import requests def download_video(url: str) -> bytes: base_url = "https://downloadgram.net/wp-json/wppress/video-downloader/video?url=" video_url = requests.get(base_url + url).json()[0]["urls"][0]["src"] return requests.get(video_url).content if __name__ == "__main__": url = input("Enter Video/IGTV url: ").strip() file_name = f"{datetime.now():%Y-%m-%d_%H:%M:%S}.mp4" with open(file_name, "wb") as fp: fp.write(download_video(url)) print(f"Done. Video saved to disk as {file_name}.")
from datetime import datetime import requests def download_video(url: str) -> bytes: base_url = "https://downloadgram.net/wp-json/wppress/video-downloader/video?url=" video_url = requests.get(base_url + url).json()[0]["urls"][0]["src"] return requests.get(video_url).content if __name__ == "__main__": url = input("Enter Video/IGTV url: ").strip() file_name = f"{datetime.now():%Y-%m-%d_%H:%M:%S}.mp4" with open(file_name, "wb") as fp: fp.write(download_video(url)) print(f"Done. Video saved to disk as {file_name}.")
-1
TheAlgorithms/Python
6,591
Test on Python 3.11
### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-10-03T07:32:25Z"
"2022-10-31T13:50:03Z"
b2165a65fcf1a087236d2a1527b10b64a12f69e6
a31edd4477af958adb840dadd568c38eecc9567b
Test on Python 3.11. ### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
name: "build" on: pull_request: schedule: - cron: "0 0 * * *" # Run everyday jobs: build: runs-on: ubuntu-latest steps: - uses: actions/checkout@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 --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.11 - 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 # See: #6591 for re-enabling tests on Python v3.11 run: pytest --ignore=computer_vision/cnn_classification.py --ignore=machine_learning/forecasting/run.py --ignore=machine_learning/lstm/lstm_prediction.py --ignore=quantum/ --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
6,591
Test on Python 3.11
### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-10-03T07:32:25Z"
"2022-10-31T13:50:03Z"
b2165a65fcf1a087236d2a1527b10b64a12f69e6
a31edd4477af958adb840dadd568c38eecc9567b
Test on Python 3.11. ### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
# Contributing guidelines ## Before contributing Welcome to [TheAlgorithms/Python](https://github.com/TheAlgorithms/Python)! Before sending your pull requests, make sure that you __read the whole guidelines__. If you have any doubt on the contributing guide, please feel free to [state it clearly in an issue](https://github.com/TheAlgorithms/Python/issues/new) or ask the community in [Gitter](https://gitter.im/TheAlgorithms). ## Contributing ### Contributor We are very happy that you are considering implementing algorithms and data structures for others! This repository is referenced and used by learners from all over the globe. Being one of our contributors, you agree and confirm that: - You did your work - no plagiarism allowed - Any plagiarized work will not be merged. - Your work will be distributed under [MIT License](LICENSE.md) once your pull request is merged - Your submitted work fulfils or mostly fulfils our styles and standards __New implementation__ is welcome! For example, new solutions for a problem, different representations for a graph data structure or algorithm designs with different complexity but __identical implementation__ of an existing implementation is not allowed. Please check whether the solution is already implemented or not before submitting your pull request. __Improving comments__ and __writing proper tests__ are also highly welcome. ### Contribution We appreciate any contribution, from fixing a grammar mistake in a comment to implementing complex algorithms. Please read this section if you are contributing your work. Your contribution will be tested by our [automated testing on GitHub Actions](https://github.com/TheAlgorithms/Python/actions) to save time and mental energy. After you have submitted your pull request, you should see the GitHub Actions tests start to run at the bottom of your submission page. If those tests fail, then click on the ___details___ button try to read through the GitHub Actions output to understand the failure. If you do not understand, please leave a comment on your submission page and a community member will try to help. Please help us keep our issue list small by adding fixes: #{$ISSUE_NO} to the commit message of pull requests that resolve open issues. GitHub will use this tag to auto-close the issue when the PR is merged. #### What is an Algorithm? An Algorithm is one or more functions (or classes) that: * take one or more inputs, * perform some internal calculations or data manipulations, * return one or more outputs, * have minimal side effects (Ex. `print()`, `plot()`, `read()`, `write()`). Algorithms should be packaged in a way that would make it easy for readers to put them into larger programs. Algorithms should: * have intuitive class and function names that make their purpose clear to readers * use Python naming conventions and intuitive variable names to ease comprehension * be flexible to take different input values * have Python type hints for their input parameters and return values * raise Python exceptions (`ValueError`, etc.) on erroneous input values * have docstrings with clear explanations and/or URLs to source materials * contain doctests that test both valid and erroneous input values * return all calculation results instead of printing or plotting them Algorithms in this repo should not be how-to examples for existing Python packages. Instead, they should perform internal calculations or manipulations to convert input values into different output values. Those calculations or manipulations can use data types, classes, or functions of existing Python packages but each algorithm in this repo should add unique value. #### Pre-commit plugin Use [pre-commit](https://pre-commit.com/#installation) to automatically format your code to match our coding style: ```bash python3 -m pip install pre-commit # only required the first time pre-commit install ``` That's it! The plugin will run every time you commit any changes. If there are any errors found during the run, fix them and commit those changes. You can even run the plugin manually on all files: ```bash pre-commit run --all-files --show-diff-on-failure ``` #### Coding Style We want your work to be readable by others; therefore, we encourage you to note the following: - Please write in Python 3.10+. For instance: `print()` is a function in Python 3 so `print "Hello"` will *not* work but `print("Hello")` will. - Please focus hard on the naming of functions, classes, and variables. Help your reader by using __descriptive names__ that can help you to remove redundant comments. - Single letter variable names are *old school* so please avoid them unless their life only spans a few lines. - Expand acronyms because `gcd()` is hard to understand but `greatest_common_divisor()` is not. - Please follow the [Python Naming Conventions](https://pep8.org/#prescriptive-naming-conventions) so variable_names and function_names should be lower_case, CONSTANTS in UPPERCASE, ClassNames should be CamelCase, etc. - We encourage the use of Python [f-strings](https://realpython.com/python-f-strings/#f-strings-a-new-and-improved-way-to-format-strings-in-python) where they make the code easier to read. - Please consider running [__psf/black__](https://github.com/python/black) on your Python file(s) before submitting your pull request. This is not yet a requirement but it does make your code more readable and automatically aligns it with much of [PEP 8](https://www.python.org/dev/peps/pep-0008/). There are other code formatters (autopep8, yapf) but the __black__ formatter is now hosted by the Python Software Foundation. To use it, ```bash python3 -m pip install black # only required the first time black . ``` - All submissions will need to pass the test `flake8 . --ignore=E203,W503 --max-line-length=88` before they will be accepted so if possible, try this test locally on your Python file(s) before submitting your pull request. ```bash python3 -m pip install flake8 # only required the first time flake8 . --ignore=E203,W503 --max-line-length=88 --show-source ``` - Original code submission require docstrings or comments to describe your work. - More on docstrings and comments: If you used a Wikipedia article or some other source material to create your algorithm, please add the URL in a docstring or comment to help your reader. The following are considered to be bad and may be requested to be improved: ```python x = x + 2 # increased by 2 ``` This is too trivial. Comments are expected to be explanatory. For comments, you can write them above, on or below a line of code, as long as you are consistent within the same piece of code. We encourage you to put docstrings inside your functions but please pay attention to the indentation of docstrings. The following is a good example: ```python def sum_ab(a, b): """ Return the sum of two integers a and b. """ return a + b ``` - Write tests (especially [__doctests__](https://docs.python.org/3/library/doctest.html)) to illustrate and verify your work. We highly encourage the use of _doctests on all functions_. ```python def sum_ab(a, b): """ Return the sum of two integers a and b >>> sum_ab(2, 2) 4 >>> sum_ab(-2, 3) 1 >>> sum_ab(4.9, 5.1) 10.0 """ return a + b ``` These doctests will be run by pytest as part of our automated testing so please try to run your doctests locally and make sure that they are found and pass: ```bash python3 -m doctest -v my_submission.py ``` The use of the Python builtin `input()` function is __not__ encouraged: ```python input('Enter your input:') # Or even worse... input = eval(input("Enter your input: ")) ``` However, if your code uses `input()` then we encourage you to gracefully deal with leading and trailing whitespace in user input by adding `.strip()` as in: ```python starting_value = int(input("Please enter a starting value: ").strip()) ``` The use of [Python type hints](https://docs.python.org/3/library/typing.html) is encouraged for function parameters and return values. Our automated testing will run [mypy](http://mypy-lang.org) so run that locally before making your submission. ```python def sum_ab(a: int, b: int) -> int: return a + b ``` Instructions on how to install mypy can be found [here](https://github.com/python/mypy). Please use the command `mypy --ignore-missing-imports .` to test all files or `mypy --ignore-missing-imports path/to/file.py` to test a specific file. - [__List comprehensions and generators__](https://docs.python.org/3/tutorial/datastructures.html#list-comprehensions) are preferred over the use of `lambda`, `map`, `filter`, `reduce` but the important thing is to demonstrate the power of Python in code that is easy to read and maintain. - Avoid importing external libraries for basic algorithms. Only use those libraries for complicated algorithms. - If you need a third-party module that is not in the file __requirements.txt__, please add it to that file as part of your submission. #### Other Requirements for Submissions - If you are submitting code in the `project_euler/` directory, please also read [the dedicated Guideline](https://github.com/TheAlgorithms/Python/blob/master/project_euler/README.md) before contributing to our Project Euler library. - The file extension for code files should be `.py`. Jupyter Notebooks should be submitted to [TheAlgorithms/Jupyter](https://github.com/TheAlgorithms/Jupyter). - Strictly use snake_case (underscore_separated) in your file_name, as it will be easy to parse in future using scripts. - Please avoid creating new directories if at all possible. Try to fit your work into the existing directory structure. - If possible, follow the standard *within* the folder you are submitting to. - If you have modified/added code work, make sure the code compiles before submitting. - If you have modified/added documentation work, ensure your language is concise and contains no grammar errors. - Do not update the README.md or DIRECTORY.md file which will be periodically autogenerated by our GitHub Actions processes. - Add a corresponding explanation to [Algorithms-Explanation](https://github.com/TheAlgorithms/Algorithms-Explanation) (Optional but recommended). - All submissions will be tested with [__mypy__](http://www.mypy-lang.org) so we encourage you to add [__Python type hints__](https://docs.python.org/3/library/typing.html) where it makes sense to do so. - Most importantly, - __Be consistent in the use of these guidelines when submitting.__ - __Join__ us on [Discord](https://discord.com/invite/c7MnfGFGa6) and [Gitter](https://gitter.im/TheAlgorithms) __now!__ - Happy coding! Writer [@poyea](https://github.com/poyea), Jun 2019.
# Contributing guidelines ## Before contributing Welcome to [TheAlgorithms/Python](https://github.com/TheAlgorithms/Python)! Before sending your pull requests, make sure that you __read the whole guidelines__. If you have any doubt on the contributing guide, please feel free to [state it clearly in an issue](https://github.com/TheAlgorithms/Python/issues/new) or ask the community in [Gitter](https://gitter.im/TheAlgorithms). ## Contributing ### Contributor We are very happy that you are considering implementing algorithms and data structures for others! This repository is referenced and used by learners from all over the globe. Being one of our contributors, you agree and confirm that: - You did your work - no plagiarism allowed - Any plagiarized work will not be merged. - Your work will be distributed under [MIT License](LICENSE.md) once your pull request is merged - Your submitted work fulfils or mostly fulfils our styles and standards __New implementation__ is welcome! For example, new solutions for a problem, different representations for a graph data structure or algorithm designs with different complexity but __identical implementation__ of an existing implementation is not allowed. Please check whether the solution is already implemented or not before submitting your pull request. __Improving comments__ and __writing proper tests__ are also highly welcome. ### Contribution We appreciate any contribution, from fixing a grammar mistake in a comment to implementing complex algorithms. Please read this section if you are contributing your work. Your contribution will be tested by our [automated testing on GitHub Actions](https://github.com/TheAlgorithms/Python/actions) to save time and mental energy. After you have submitted your pull request, you should see the GitHub Actions tests start to run at the bottom of your submission page. If those tests fail, then click on the ___details___ button try to read through the GitHub Actions output to understand the failure. If you do not understand, please leave a comment on your submission page and a community member will try to help. Please help us keep our issue list small by adding fixes: #{$ISSUE_NO} to the commit message of pull requests that resolve open issues. GitHub will use this tag to auto-close the issue when the PR is merged. #### What is an Algorithm? An Algorithm is one or more functions (or classes) that: * take one or more inputs, * perform some internal calculations or data manipulations, * return one or more outputs, * have minimal side effects (Ex. `print()`, `plot()`, `read()`, `write()`). Algorithms should be packaged in a way that would make it easy for readers to put them into larger programs. Algorithms should: * have intuitive class and function names that make their purpose clear to readers * use Python naming conventions and intuitive variable names to ease comprehension * be flexible to take different input values * have Python type hints for their input parameters and return values * raise Python exceptions (`ValueError`, etc.) on erroneous input values * have docstrings with clear explanations and/or URLs to source materials * contain doctests that test both valid and erroneous input values * return all calculation results instead of printing or plotting them Algorithms in this repo should not be how-to examples for existing Python packages. Instead, they should perform internal calculations or manipulations to convert input values into different output values. Those calculations or manipulations can use data types, classes, or functions of existing Python packages but each algorithm in this repo should add unique value. #### Pre-commit plugin Use [pre-commit](https://pre-commit.com/#installation) to automatically format your code to match our coding style: ```bash python3 -m pip install pre-commit # only required the first time pre-commit install ``` That's it! The plugin will run every time you commit any changes. If there are any errors found during the run, fix them and commit those changes. You can even run the plugin manually on all files: ```bash pre-commit run --all-files --show-diff-on-failure ``` #### Coding Style We want your work to be readable by others; therefore, we encourage you to note the following: - Please write in Python 3.11+. For instance: `print()` is a function in Python 3 so `print "Hello"` will *not* work but `print("Hello")` will. - Please focus hard on the naming of functions, classes, and variables. Help your reader by using __descriptive names__ that can help you to remove redundant comments. - Single letter variable names are *old school* so please avoid them unless their life only spans a few lines. - Expand acronyms because `gcd()` is hard to understand but `greatest_common_divisor()` is not. - Please follow the [Python Naming Conventions](https://pep8.org/#prescriptive-naming-conventions) so variable_names and function_names should be lower_case, CONSTANTS in UPPERCASE, ClassNames should be CamelCase, etc. - We encourage the use of Python [f-strings](https://realpython.com/python-f-strings/#f-strings-a-new-and-improved-way-to-format-strings-in-python) where they make the code easier to read. - Please consider running [__psf/black__](https://github.com/python/black) on your Python file(s) before submitting your pull request. This is not yet a requirement but it does make your code more readable and automatically aligns it with much of [PEP 8](https://www.python.org/dev/peps/pep-0008/). There are other code formatters (autopep8, yapf) but the __black__ formatter is now hosted by the Python Software Foundation. To use it, ```bash python3 -m pip install black # only required the first time black . ``` - All submissions will need to pass the test `flake8 . --ignore=E203,W503 --max-line-length=88` before they will be accepted so if possible, try this test locally on your Python file(s) before submitting your pull request. ```bash python3 -m pip install flake8 # only required the first time flake8 . --ignore=E203,W503 --max-line-length=88 --show-source ``` - Original code submission require docstrings or comments to describe your work. - More on docstrings and comments: If you used a Wikipedia article or some other source material to create your algorithm, please add the URL in a docstring or comment to help your reader. The following are considered to be bad and may be requested to be improved: ```python x = x + 2 # increased by 2 ``` This is too trivial. Comments are expected to be explanatory. For comments, you can write them above, on or below a line of code, as long as you are consistent within the same piece of code. We encourage you to put docstrings inside your functions but please pay attention to the indentation of docstrings. The following is a good example: ```python def sum_ab(a, b): """ Return the sum of two integers a and b. """ return a + b ``` - Write tests (especially [__doctests__](https://docs.python.org/3/library/doctest.html)) to illustrate and verify your work. We highly encourage the use of _doctests on all functions_. ```python def sum_ab(a, b): """ Return the sum of two integers a and b >>> sum_ab(2, 2) 4 >>> sum_ab(-2, 3) 1 >>> sum_ab(4.9, 5.1) 10.0 """ return a + b ``` These doctests will be run by pytest as part of our automated testing so please try to run your doctests locally and make sure that they are found and pass: ```bash python3 -m doctest -v my_submission.py ``` The use of the Python builtin `input()` function is __not__ encouraged: ```python input('Enter your input:') # Or even worse... input = eval(input("Enter your input: ")) ``` However, if your code uses `input()` then we encourage you to gracefully deal with leading and trailing whitespace in user input by adding `.strip()` as in: ```python starting_value = int(input("Please enter a starting value: ").strip()) ``` The use of [Python type hints](https://docs.python.org/3/library/typing.html) is encouraged for function parameters and return values. Our automated testing will run [mypy](http://mypy-lang.org) so run that locally before making your submission. ```python def sum_ab(a: int, b: int) -> int: return a + b ``` Instructions on how to install mypy can be found [here](https://github.com/python/mypy). Please use the command `mypy --ignore-missing-imports .` to test all files or `mypy --ignore-missing-imports path/to/file.py` to test a specific file. - [__List comprehensions and generators__](https://docs.python.org/3/tutorial/datastructures.html#list-comprehensions) are preferred over the use of `lambda`, `map`, `filter`, `reduce` but the important thing is to demonstrate the power of Python in code that is easy to read and maintain. - Avoid importing external libraries for basic algorithms. Only use those libraries for complicated algorithms. - If you need a third-party module that is not in the file __requirements.txt__, please add it to that file as part of your submission. #### Other Requirements for Submissions - If you are submitting code in the `project_euler/` directory, please also read [the dedicated Guideline](https://github.com/TheAlgorithms/Python/blob/master/project_euler/README.md) before contributing to our Project Euler library. - The file extension for code files should be `.py`. Jupyter Notebooks should be submitted to [TheAlgorithms/Jupyter](https://github.com/TheAlgorithms/Jupyter). - Strictly use snake_case (underscore_separated) in your file_name, as it will be easy to parse in future using scripts. - Please avoid creating new directories if at all possible. Try to fit your work into the existing directory structure. - If possible, follow the standard *within* the folder you are submitting to. - If you have modified/added code work, make sure the code compiles before submitting. - If you have modified/added documentation work, ensure your language is concise and contains no grammar errors. - Do not update the README.md or DIRECTORY.md file which will be periodically autogenerated by our GitHub Actions processes. - Add a corresponding explanation to [Algorithms-Explanation](https://github.com/TheAlgorithms/Algorithms-Explanation) (Optional but recommended). - All submissions will be tested with [__mypy__](http://www.mypy-lang.org) so we encourage you to add [__Python type hints__](https://docs.python.org/3/library/typing.html) where it makes sense to do so. - Most importantly, - __Be consistent in the use of these guidelines when submitting.__ - __Join__ us on [Discord](https://discord.com/invite/c7MnfGFGa6) and [Gitter](https://gitter.im/TheAlgorithms) __now!__ - Happy coding! Writer [@poyea](https://github.com/poyea), Jun 2019.
1
TheAlgorithms/Python
6,591
Test on Python 3.11
### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-10-03T07:32:25Z"
"2022-10-31T13:50:03Z"
b2165a65fcf1a087236d2a1527b10b64a12f69e6
a31edd4477af958adb840dadd568c38eecc9567b
Test on Python 3.11. ### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
## Arithmetic Analysis * [Bisection](arithmetic_analysis/bisection.py) * [Gaussian Elimination](arithmetic_analysis/gaussian_elimination.py) * [In Static Equilibrium](arithmetic_analysis/in_static_equilibrium.py) * [Intersection](arithmetic_analysis/intersection.py) * [Jacobi Iteration Method](arithmetic_analysis/jacobi_iteration_method.py) * [Lu Decomposition](arithmetic_analysis/lu_decomposition.py) * [Newton Forward Interpolation](arithmetic_analysis/newton_forward_interpolation.py) * [Newton Method](arithmetic_analysis/newton_method.py) * [Newton Raphson](arithmetic_analysis/newton_raphson.py) * [Newton Raphson New](arithmetic_analysis/newton_raphson_new.py) * [Secant Method](arithmetic_analysis/secant_method.py) ## Audio Filters * [Butterworth Filter](audio_filters/butterworth_filter.py) * [Equal Loudness Filter](audio_filters/equal_loudness_filter.py) * [Iir Filter](audio_filters/iir_filter.py) * [Show Response](audio_filters/show_response.py) ## Backtracking * [All Combinations](backtracking/all_combinations.py) * [All Permutations](backtracking/all_permutations.py) * [All Subsequences](backtracking/all_subsequences.py) * [Coloring](backtracking/coloring.py) * [Combination Sum](backtracking/combination_sum.py) * [Hamiltonian Cycle](backtracking/hamiltonian_cycle.py) * [Knight Tour](backtracking/knight_tour.py) * [Minimax](backtracking/minimax.py) * [Minmax](backtracking/minmax.py) * [N Queens](backtracking/n_queens.py) * [N Queens Math](backtracking/n_queens_math.py) * [Rat In Maze](backtracking/rat_in_maze.py) * [Sudoku](backtracking/sudoku.py) * [Sum Of Subsets](backtracking/sum_of_subsets.py) ## Bit Manipulation * [Binary And Operator](bit_manipulation/binary_and_operator.py) * [Binary Count Setbits](bit_manipulation/binary_count_setbits.py) * [Binary Count Trailing Zeros](bit_manipulation/binary_count_trailing_zeros.py) * [Binary Or Operator](bit_manipulation/binary_or_operator.py) * [Binary Shifts](bit_manipulation/binary_shifts.py) * [Binary Twos Complement](bit_manipulation/binary_twos_complement.py) * [Binary Xor Operator](bit_manipulation/binary_xor_operator.py) * [Count 1S Brian Kernighan Method](bit_manipulation/count_1s_brian_kernighan_method.py) * [Count Number Of One Bits](bit_manipulation/count_number_of_one_bits.py) * [Gray Code Sequence](bit_manipulation/gray_code_sequence.py) * [Highest Set Bit](bit_manipulation/highest_set_bit.py) * [Index Of Rightmost Set Bit](bit_manipulation/index_of_rightmost_set_bit.py) * [Is Even](bit_manipulation/is_even.py) * [Reverse Bits](bit_manipulation/reverse_bits.py) * [Single Bit Manipulation Operations](bit_manipulation/single_bit_manipulation_operations.py) ## Blockchain * [Chinese Remainder Theorem](blockchain/chinese_remainder_theorem.py) * [Diophantine Equation](blockchain/diophantine_equation.py) * [Modular Division](blockchain/modular_division.py) ## Boolean Algebra * [And Gate](boolean_algebra/and_gate.py) * [Nand Gate](boolean_algebra/nand_gate.py) * [Norgate](boolean_algebra/norgate.py) * [Not Gate](boolean_algebra/not_gate.py) * [Or Gate](boolean_algebra/or_gate.py) * [Quine Mc Cluskey](boolean_algebra/quine_mc_cluskey.py) * [Xnor Gate](boolean_algebra/xnor_gate.py) * [Xor Gate](boolean_algebra/xor_gate.py) ## Cellular Automata * [Conways Game Of Life](cellular_automata/conways_game_of_life.py) * [Game Of Life](cellular_automata/game_of_life.py) * [Nagel Schrekenberg](cellular_automata/nagel_schrekenberg.py) * [One Dimensional](cellular_automata/one_dimensional.py) ## Ciphers * [A1Z26](ciphers/a1z26.py) * [Affine Cipher](ciphers/affine_cipher.py) * [Atbash](ciphers/atbash.py) * [Baconian Cipher](ciphers/baconian_cipher.py) * [Base16](ciphers/base16.py) * [Base32](ciphers/base32.py) * [Base64](ciphers/base64.py) * [Base85](ciphers/base85.py) * [Beaufort Cipher](ciphers/beaufort_cipher.py) * [Bifid](ciphers/bifid.py) * [Brute Force Caesar Cipher](ciphers/brute_force_caesar_cipher.py) * [Caesar Cipher](ciphers/caesar_cipher.py) * [Cryptomath Module](ciphers/cryptomath_module.py) * [Decrypt Caesar With Chi Squared](ciphers/decrypt_caesar_with_chi_squared.py) * [Deterministic Miller Rabin](ciphers/deterministic_miller_rabin.py) * [Diffie](ciphers/diffie.py) * [Diffie Hellman](ciphers/diffie_hellman.py) * [Elgamal Key Generator](ciphers/elgamal_key_generator.py) * [Enigma Machine2](ciphers/enigma_machine2.py) * [Hill Cipher](ciphers/hill_cipher.py) * [Mixed Keyword Cypher](ciphers/mixed_keyword_cypher.py) * [Mono Alphabetic Ciphers](ciphers/mono_alphabetic_ciphers.py) * [Morse Code](ciphers/morse_code.py) * [Onepad Cipher](ciphers/onepad_cipher.py) * [Playfair Cipher](ciphers/playfair_cipher.py) * [Polybius](ciphers/polybius.py) * [Porta Cipher](ciphers/porta_cipher.py) * [Rabin Miller](ciphers/rabin_miller.py) * [Rail Fence Cipher](ciphers/rail_fence_cipher.py) * [Rot13](ciphers/rot13.py) * [Rsa Cipher](ciphers/rsa_cipher.py) * [Rsa Factorization](ciphers/rsa_factorization.py) * [Rsa Key Generator](ciphers/rsa_key_generator.py) * [Shuffled Shift Cipher](ciphers/shuffled_shift_cipher.py) * [Simple Keyword Cypher](ciphers/simple_keyword_cypher.py) * [Simple Substitution Cipher](ciphers/simple_substitution_cipher.py) * [Trafid Cipher](ciphers/trafid_cipher.py) * [Transposition Cipher](ciphers/transposition_cipher.py) * [Transposition Cipher Encrypt Decrypt File](ciphers/transposition_cipher_encrypt_decrypt_file.py) * [Vigenere Cipher](ciphers/vigenere_cipher.py) * [Xor Cipher](ciphers/xor_cipher.py) ## Compression * [Burrows Wheeler](compression/burrows_wheeler.py) * [Huffman](compression/huffman.py) * [Lempel Ziv](compression/lempel_ziv.py) * [Lempel Ziv Decompress](compression/lempel_ziv_decompress.py) * [Peak Signal To Noise Ratio](compression/peak_signal_to_noise_ratio.py) * [Run Length Encoding](compression/run_length_encoding.py) ## Computer Vision * [Cnn Classification](computer_vision/cnn_classification.py) * [Flip Augmentation](computer_vision/flip_augmentation.py) * [Harris Corner](computer_vision/harris_corner.py) * [Horn Schunck](computer_vision/horn_schunck.py) * [Mean Threshold](computer_vision/mean_threshold.py) * [Mosaic Augmentation](computer_vision/mosaic_augmentation.py) * [Pooling Functions](computer_vision/pooling_functions.py) ## Conversions * [Astronomical Length Scale Conversion](conversions/astronomical_length_scale_conversion.py) * [Binary To Decimal](conversions/binary_to_decimal.py) * [Binary To Hexadecimal](conversions/binary_to_hexadecimal.py) * [Binary To Octal](conversions/binary_to_octal.py) * [Decimal To Any](conversions/decimal_to_any.py) * [Decimal To Binary](conversions/decimal_to_binary.py) * [Decimal To Binary Recursion](conversions/decimal_to_binary_recursion.py) * [Decimal To Hexadecimal](conversions/decimal_to_hexadecimal.py) * [Decimal To Octal](conversions/decimal_to_octal.py) * [Excel Title To Column](conversions/excel_title_to_column.py) * [Hex To Bin](conversions/hex_to_bin.py) * [Hexadecimal To Decimal](conversions/hexadecimal_to_decimal.py) * [Length Conversion](conversions/length_conversion.py) * [Molecular Chemistry](conversions/molecular_chemistry.py) * [Octal To Decimal](conversions/octal_to_decimal.py) * [Prefix Conversions](conversions/prefix_conversions.py) * [Prefix Conversions String](conversions/prefix_conversions_string.py) * [Pressure Conversions](conversions/pressure_conversions.py) * [Rgb Hsv Conversion](conversions/rgb_hsv_conversion.py) * [Roman Numerals](conversions/roman_numerals.py) * [Speed Conversions](conversions/speed_conversions.py) * [Temperature Conversions](conversions/temperature_conversions.py) * [Volume Conversions](conversions/volume_conversions.py) * [Weight Conversion](conversions/weight_conversion.py) ## Data Structures * Arrays * [Permutations](data_structures/arrays/permutations.py) * Binary Tree * [Avl Tree](data_structures/binary_tree/avl_tree.py) * [Basic Binary Tree](data_structures/binary_tree/basic_binary_tree.py) * [Binary Search Tree](data_structures/binary_tree/binary_search_tree.py) * [Binary Search Tree Recursive](data_structures/binary_tree/binary_search_tree_recursive.py) * [Binary Tree Mirror](data_structures/binary_tree/binary_tree_mirror.py) * [Binary Tree Node Sum](data_structures/binary_tree/binary_tree_node_sum.py) * [Binary Tree Path Sum](data_structures/binary_tree/binary_tree_path_sum.py) * [Binary Tree Traversals](data_structures/binary_tree/binary_tree_traversals.py) * [Diff Views Of Binary Tree](data_structures/binary_tree/diff_views_of_binary_tree.py) * [Fenwick Tree](data_structures/binary_tree/fenwick_tree.py) * [Inorder Tree Traversal 2022](data_structures/binary_tree/inorder_tree_traversal_2022.py) * [Lazy Segment Tree](data_structures/binary_tree/lazy_segment_tree.py) * [Lowest Common Ancestor](data_structures/binary_tree/lowest_common_ancestor.py) * [Maximum Fenwick Tree](data_structures/binary_tree/maximum_fenwick_tree.py) * [Merge Two Binary Trees](data_structures/binary_tree/merge_two_binary_trees.py) * [Non Recursive Segment Tree](data_structures/binary_tree/non_recursive_segment_tree.py) * [Number Of Possible Binary Trees](data_structures/binary_tree/number_of_possible_binary_trees.py) * [Red Black Tree](data_structures/binary_tree/red_black_tree.py) * [Segment Tree](data_structures/binary_tree/segment_tree.py) * [Segment Tree Other](data_structures/binary_tree/segment_tree_other.py) * [Treap](data_structures/binary_tree/treap.py) * [Wavelet Tree](data_structures/binary_tree/wavelet_tree.py) * Disjoint Set * [Alternate Disjoint Set](data_structures/disjoint_set/alternate_disjoint_set.py) * [Disjoint Set](data_structures/disjoint_set/disjoint_set.py) * Hashing * [Double Hash](data_structures/hashing/double_hash.py) * [Hash Table](data_structures/hashing/hash_table.py) * [Hash Table With Linked List](data_structures/hashing/hash_table_with_linked_list.py) * Number Theory * [Prime Numbers](data_structures/hashing/number_theory/prime_numbers.py) * [Quadratic Probing](data_structures/hashing/quadratic_probing.py) * Heap * [Binomial Heap](data_structures/heap/binomial_heap.py) * [Heap](data_structures/heap/heap.py) * [Heap Generic](data_structures/heap/heap_generic.py) * [Max Heap](data_structures/heap/max_heap.py) * [Min Heap](data_structures/heap/min_heap.py) * [Randomized Heap](data_structures/heap/randomized_heap.py) * [Skew Heap](data_structures/heap/skew_heap.py) * Linked List * [Circular Linked List](data_structures/linked_list/circular_linked_list.py) * [Deque Doubly](data_structures/linked_list/deque_doubly.py) * [Doubly Linked List](data_structures/linked_list/doubly_linked_list.py) * [Doubly Linked List Two](data_structures/linked_list/doubly_linked_list_two.py) * [From Sequence](data_structures/linked_list/from_sequence.py) * [Has Loop](data_structures/linked_list/has_loop.py) * [Is Palindrome](data_structures/linked_list/is_palindrome.py) * [Merge Two Lists](data_structures/linked_list/merge_two_lists.py) * [Middle Element Of Linked List](data_structures/linked_list/middle_element_of_linked_list.py) * [Print Reverse](data_structures/linked_list/print_reverse.py) * [Singly Linked List](data_structures/linked_list/singly_linked_list.py) * [Skip List](data_structures/linked_list/skip_list.py) * [Swap Nodes](data_structures/linked_list/swap_nodes.py) * Queue * [Circular Queue](data_structures/queue/circular_queue.py) * [Circular Queue Linked List](data_structures/queue/circular_queue_linked_list.py) * [Double Ended Queue](data_structures/queue/double_ended_queue.py) * [Linked Queue](data_structures/queue/linked_queue.py) * [Priority Queue Using List](data_structures/queue/priority_queue_using_list.py) * [Queue On List](data_structures/queue/queue_on_list.py) * [Queue On Pseudo Stack](data_structures/queue/queue_on_pseudo_stack.py) * Stacks * [Balanced Parentheses](data_structures/stacks/balanced_parentheses.py) * [Dijkstras Two Stack Algorithm](data_structures/stacks/dijkstras_two_stack_algorithm.py) * [Evaluate Postfix Notations](data_structures/stacks/evaluate_postfix_notations.py) * [Infix To Postfix Conversion](data_structures/stacks/infix_to_postfix_conversion.py) * [Infix To Prefix Conversion](data_structures/stacks/infix_to_prefix_conversion.py) * [Next Greater Element](data_structures/stacks/next_greater_element.py) * [Postfix Evaluation](data_structures/stacks/postfix_evaluation.py) * [Prefix Evaluation](data_structures/stacks/prefix_evaluation.py) * [Stack](data_structures/stacks/stack.py) * [Stack With Doubly Linked List](data_structures/stacks/stack_with_doubly_linked_list.py) * [Stack With Singly Linked List](data_structures/stacks/stack_with_singly_linked_list.py) * [Stock Span Problem](data_structures/stacks/stock_span_problem.py) * Trie * [Trie](data_structures/trie/trie.py) ## Digital Image Processing * [Change Brightness](digital_image_processing/change_brightness.py) * [Change Contrast](digital_image_processing/change_contrast.py) * [Convert To Negative](digital_image_processing/convert_to_negative.py) * Dithering * [Burkes](digital_image_processing/dithering/burkes.py) * Edge Detection * [Canny](digital_image_processing/edge_detection/canny.py) * Filters * [Bilateral Filter](digital_image_processing/filters/bilateral_filter.py) * [Convolve](digital_image_processing/filters/convolve.py) * [Gabor Filter](digital_image_processing/filters/gabor_filter.py) * [Gaussian Filter](digital_image_processing/filters/gaussian_filter.py) * [Local Binary Pattern](digital_image_processing/filters/local_binary_pattern.py) * [Median Filter](digital_image_processing/filters/median_filter.py) * [Sobel Filter](digital_image_processing/filters/sobel_filter.py) * Histogram Equalization * [Histogram Stretch](digital_image_processing/histogram_equalization/histogram_stretch.py) * [Index Calculation](digital_image_processing/index_calculation.py) * Morphological Operations * [Dilation Operation](digital_image_processing/morphological_operations/dilation_operation.py) * [Erosion Operation](digital_image_processing/morphological_operations/erosion_operation.py) * Resize * [Resize](digital_image_processing/resize/resize.py) * Rotation * [Rotation](digital_image_processing/rotation/rotation.py) * [Sepia](digital_image_processing/sepia.py) * [Test Digital Image Processing](digital_image_processing/test_digital_image_processing.py) ## Divide And Conquer * [Closest Pair Of Points](divide_and_conquer/closest_pair_of_points.py) * [Convex Hull](divide_and_conquer/convex_hull.py) * [Heaps Algorithm](divide_and_conquer/heaps_algorithm.py) * [Heaps Algorithm Iterative](divide_and_conquer/heaps_algorithm_iterative.py) * [Inversions](divide_and_conquer/inversions.py) * [Kth Order Statistic](divide_and_conquer/kth_order_statistic.py) * [Max Difference Pair](divide_and_conquer/max_difference_pair.py) * [Max Subarray Sum](divide_and_conquer/max_subarray_sum.py) * [Mergesort](divide_and_conquer/mergesort.py) * [Peak](divide_and_conquer/peak.py) * [Power](divide_and_conquer/power.py) * [Strassen Matrix Multiplication](divide_and_conquer/strassen_matrix_multiplication.py) ## Dynamic Programming * [Abbreviation](dynamic_programming/abbreviation.py) * [All Construct](dynamic_programming/all_construct.py) * [Bitmask](dynamic_programming/bitmask.py) * [Catalan Numbers](dynamic_programming/catalan_numbers.py) * [Climbing Stairs](dynamic_programming/climbing_stairs.py) * [Combination Sum Iv](dynamic_programming/combination_sum_iv.py) * [Edit Distance](dynamic_programming/edit_distance.py) * [Factorial](dynamic_programming/factorial.py) * [Fast Fibonacci](dynamic_programming/fast_fibonacci.py) * [Fibonacci](dynamic_programming/fibonacci.py) * [Fizz Buzz](dynamic_programming/fizz_buzz.py) * [Floyd Warshall](dynamic_programming/floyd_warshall.py) * [Integer Partition](dynamic_programming/integer_partition.py) * [Iterating Through Submasks](dynamic_programming/iterating_through_submasks.py) * [Knapsack](dynamic_programming/knapsack.py) * [Longest Common Subsequence](dynamic_programming/longest_common_subsequence.py) * [Longest Common Substring](dynamic_programming/longest_common_substring.py) * [Longest Increasing Subsequence](dynamic_programming/longest_increasing_subsequence.py) * [Longest Increasing Subsequence O(Nlogn)](dynamic_programming/longest_increasing_subsequence_o(nlogn).py) * [Longest Sub Array](dynamic_programming/longest_sub_array.py) * [Matrix Chain Order](dynamic_programming/matrix_chain_order.py) * [Max Non Adjacent Sum](dynamic_programming/max_non_adjacent_sum.py) * [Max Sub Array](dynamic_programming/max_sub_array.py) * [Max Sum Contiguous Subsequence](dynamic_programming/max_sum_contiguous_subsequence.py) * [Min Distance Up Bottom](dynamic_programming/min_distance_up_bottom.py) * [Minimum Coin Change](dynamic_programming/minimum_coin_change.py) * [Minimum Cost Path](dynamic_programming/minimum_cost_path.py) * [Minimum Partition](dynamic_programming/minimum_partition.py) * [Minimum Squares To Represent A Number](dynamic_programming/minimum_squares_to_represent_a_number.py) * [Minimum Steps To One](dynamic_programming/minimum_steps_to_one.py) * [Optimal Binary Search Tree](dynamic_programming/optimal_binary_search_tree.py) * [Palindrome Partitioning](dynamic_programming/palindrome_partitioning.py) * [Rod Cutting](dynamic_programming/rod_cutting.py) * [Subset Generation](dynamic_programming/subset_generation.py) * [Sum Of Subset](dynamic_programming/sum_of_subset.py) * [Viterbi](dynamic_programming/viterbi.py) ## Electronics * [Builtin Voltage](electronics/builtin_voltage.py) * [Carrier Concentration](electronics/carrier_concentration.py) * [Coulombs Law](electronics/coulombs_law.py) * [Electric Conductivity](electronics/electric_conductivity.py) * [Electric Power](electronics/electric_power.py) * [Electrical Impedance](electronics/electrical_impedance.py) * [Ohms Law](electronics/ohms_law.py) * [Resistor Equivalence](electronics/resistor_equivalence.py) * [Resonant Frequency](electronics/resonant_frequency.py) ## File Transfer * [Receive File](file_transfer/receive_file.py) * [Send File](file_transfer/send_file.py) * Tests * [Test Send File](file_transfer/tests/test_send_file.py) ## Financial * [Equated Monthly Installments](financial/equated_monthly_installments.py) * [Interest](financial/interest.py) * [Price Plus Tax](financial/price_plus_tax.py) ## Fractals * [Julia Sets](fractals/julia_sets.py) * [Koch Snowflake](fractals/koch_snowflake.py) * [Mandelbrot](fractals/mandelbrot.py) * [Sierpinski Triangle](fractals/sierpinski_triangle.py) ## Fuzzy Logic * [Fuzzy Operations](fuzzy_logic/fuzzy_operations.py) ## Genetic Algorithm * [Basic String](genetic_algorithm/basic_string.py) ## Geodesy * [Haversine Distance](geodesy/haversine_distance.py) * [Lamberts Ellipsoidal Distance](geodesy/lamberts_ellipsoidal_distance.py) ## Graphics * [Bezier Curve](graphics/bezier_curve.py) * [Vector3 For 2D Rendering](graphics/vector3_for_2d_rendering.py) ## Graphs * [A Star](graphs/a_star.py) * [Articulation Points](graphs/articulation_points.py) * [Basic Graphs](graphs/basic_graphs.py) * [Bellman Ford](graphs/bellman_ford.py) * [Bidirectional A Star](graphs/bidirectional_a_star.py) * [Bidirectional Breadth First Search](graphs/bidirectional_breadth_first_search.py) * [Boruvka](graphs/boruvka.py) * [Breadth First Search](graphs/breadth_first_search.py) * [Breadth First Search 2](graphs/breadth_first_search_2.py) * [Breadth First Search Shortest Path](graphs/breadth_first_search_shortest_path.py) * [Breadth First Search Shortest Path 2](graphs/breadth_first_search_shortest_path_2.py) * [Breadth First Search Zero One Shortest Path](graphs/breadth_first_search_zero_one_shortest_path.py) * [Check Bipartite Graph Bfs](graphs/check_bipartite_graph_bfs.py) * [Check Bipartite Graph Dfs](graphs/check_bipartite_graph_dfs.py) * [Check Cycle](graphs/check_cycle.py) * [Connected Components](graphs/connected_components.py) * [Depth First Search](graphs/depth_first_search.py) * [Depth First Search 2](graphs/depth_first_search_2.py) * [Dijkstra](graphs/dijkstra.py) * [Dijkstra 2](graphs/dijkstra_2.py) * [Dijkstra Algorithm](graphs/dijkstra_algorithm.py) * [Dijkstra Alternate](graphs/dijkstra_alternate.py) * [Dinic](graphs/dinic.py) * [Directed And Undirected (Weighted) Graph](graphs/directed_and_undirected_(weighted)_graph.py) * [Edmonds Karp Multiple Source And Sink](graphs/edmonds_karp_multiple_source_and_sink.py) * [Eulerian Path And Circuit For Undirected Graph](graphs/eulerian_path_and_circuit_for_undirected_graph.py) * [Even Tree](graphs/even_tree.py) * [Finding Bridges](graphs/finding_bridges.py) * [Frequent Pattern Graph Miner](graphs/frequent_pattern_graph_miner.py) * [G Topological Sort](graphs/g_topological_sort.py) * [Gale Shapley Bigraph](graphs/gale_shapley_bigraph.py) * [Graph List](graphs/graph_list.py) * [Graph Matrix](graphs/graph_matrix.py) * [Graphs Floyd Warshall](graphs/graphs_floyd_warshall.py) * [Greedy Best First](graphs/greedy_best_first.py) * [Greedy Min Vertex Cover](graphs/greedy_min_vertex_cover.py) * [Kahns Algorithm Long](graphs/kahns_algorithm_long.py) * [Kahns Algorithm Topo](graphs/kahns_algorithm_topo.py) * [Karger](graphs/karger.py) * [Markov Chain](graphs/markov_chain.py) * [Matching Min Vertex Cover](graphs/matching_min_vertex_cover.py) * [Minimum Path Sum](graphs/minimum_path_sum.py) * [Minimum Spanning Tree Boruvka](graphs/minimum_spanning_tree_boruvka.py) * [Minimum Spanning Tree Kruskal](graphs/minimum_spanning_tree_kruskal.py) * [Minimum Spanning Tree Kruskal2](graphs/minimum_spanning_tree_kruskal2.py) * [Minimum Spanning Tree Prims](graphs/minimum_spanning_tree_prims.py) * [Minimum Spanning Tree Prims2](graphs/minimum_spanning_tree_prims2.py) * [Multi Heuristic Astar](graphs/multi_heuristic_astar.py) * [Page Rank](graphs/page_rank.py) * [Prim](graphs/prim.py) * [Random Graph Generator](graphs/random_graph_generator.py) * [Scc Kosaraju](graphs/scc_kosaraju.py) * [Strongly Connected Components](graphs/strongly_connected_components.py) * [Tarjans Scc](graphs/tarjans_scc.py) * Tests * [Test Min Spanning Tree Kruskal](graphs/tests/test_min_spanning_tree_kruskal.py) * [Test Min Spanning Tree Prim](graphs/tests/test_min_spanning_tree_prim.py) ## Greedy Methods * [Fractional Knapsack](greedy_methods/fractional_knapsack.py) * [Fractional Knapsack 2](greedy_methods/fractional_knapsack_2.py) * [Optimal Merge Pattern](greedy_methods/optimal_merge_pattern.py) ## Hashes * [Adler32](hashes/adler32.py) * [Chaos Machine](hashes/chaos_machine.py) * [Djb2](hashes/djb2.py) * [Elf](hashes/elf.py) * [Enigma Machine](hashes/enigma_machine.py) * [Hamming Code](hashes/hamming_code.py) * [Luhn](hashes/luhn.py) * [Md5](hashes/md5.py) * [Sdbm](hashes/sdbm.py) * [Sha1](hashes/sha1.py) * [Sha256](hashes/sha256.py) ## Knapsack * [Greedy Knapsack](knapsack/greedy_knapsack.py) * [Knapsack](knapsack/knapsack.py) * [Recursive Approach Knapsack](knapsack/recursive_approach_knapsack.py) * Tests * [Test Greedy Knapsack](knapsack/tests/test_greedy_knapsack.py) * [Test Knapsack](knapsack/tests/test_knapsack.py) ## Linear Algebra * Src * [Conjugate Gradient](linear_algebra/src/conjugate_gradient.py) * [Lib](linear_algebra/src/lib.py) * [Polynom For Points](linear_algebra/src/polynom_for_points.py) * [Power Iteration](linear_algebra/src/power_iteration.py) * [Rayleigh Quotient](linear_algebra/src/rayleigh_quotient.py) * [Schur Complement](linear_algebra/src/schur_complement.py) * [Test Linear Algebra](linear_algebra/src/test_linear_algebra.py) * [Transformations 2D](linear_algebra/src/transformations_2d.py) ## Machine Learning * [Astar](machine_learning/astar.py) * [Data Transformations](machine_learning/data_transformations.py) * [Decision Tree](machine_learning/decision_tree.py) * Forecasting * [Run](machine_learning/forecasting/run.py) * [Gaussian Naive Bayes](machine_learning/gaussian_naive_bayes.py) * [Gradient Boosting Regressor](machine_learning/gradient_boosting_regressor.py) * [Gradient Descent](machine_learning/gradient_descent.py) * [K Means Clust](machine_learning/k_means_clust.py) * [K Nearest Neighbours](machine_learning/k_nearest_neighbours.py) * [Knn Sklearn](machine_learning/knn_sklearn.py) * [Linear Discriminant Analysis](machine_learning/linear_discriminant_analysis.py) * [Linear Regression](machine_learning/linear_regression.py) * Local Weighted Learning * [Local Weighted Learning](machine_learning/local_weighted_learning/local_weighted_learning.py) * [Logistic Regression](machine_learning/logistic_regression.py) * Lstm * [Lstm Prediction](machine_learning/lstm/lstm_prediction.py) * [Multilayer Perceptron Classifier](machine_learning/multilayer_perceptron_classifier.py) * [Polymonial Regression](machine_learning/polymonial_regression.py) * [Random Forest Classifier](machine_learning/random_forest_classifier.py) * [Random Forest Regressor](machine_learning/random_forest_regressor.py) * [Scoring Functions](machine_learning/scoring_functions.py) * [Self Organizing Map](machine_learning/self_organizing_map.py) * [Sequential Minimum Optimization](machine_learning/sequential_minimum_optimization.py) * [Similarity Search](machine_learning/similarity_search.py) * [Support Vector Machines](machine_learning/support_vector_machines.py) * [Word Frequency Functions](machine_learning/word_frequency_functions.py) * [Xgboost Classifier](machine_learning/xgboost_classifier.py) * [Xgboost Regressor](machine_learning/xgboost_regressor.py) ## Maths * [3N Plus 1](maths/3n_plus_1.py) * [Abs](maths/abs.py) * [Abs Max](maths/abs_max.py) * [Abs Min](maths/abs_min.py) * [Add](maths/add.py) * [Addition Without Arithmetic](maths/addition_without_arithmetic.py) * [Aliquot Sum](maths/aliquot_sum.py) * [Allocation Number](maths/allocation_number.py) * [Arc Length](maths/arc_length.py) * [Area](maths/area.py) * [Area Under Curve](maths/area_under_curve.py) * [Armstrong Numbers](maths/armstrong_numbers.py) * [Average Absolute Deviation](maths/average_absolute_deviation.py) * [Average Mean](maths/average_mean.py) * [Average Median](maths/average_median.py) * [Average Mode](maths/average_mode.py) * [Bailey Borwein Plouffe](maths/bailey_borwein_plouffe.py) * [Basic Maths](maths/basic_maths.py) * [Binary Exp Mod](maths/binary_exp_mod.py) * [Binary Exponentiation](maths/binary_exponentiation.py) * [Binary Exponentiation 2](maths/binary_exponentiation_2.py) * [Binary Exponentiation 3](maths/binary_exponentiation_3.py) * [Binomial Coefficient](maths/binomial_coefficient.py) * [Binomial Distribution](maths/binomial_distribution.py) * [Bisection](maths/bisection.py) * [Carmichael Number](maths/carmichael_number.py) * [Catalan Number](maths/catalan_number.py) * [Ceil](maths/ceil.py) * [Check Polygon](maths/check_polygon.py) * [Chudnovsky Algorithm](maths/chudnovsky_algorithm.py) * [Collatz Sequence](maths/collatz_sequence.py) * [Combinations](maths/combinations.py) * [Decimal Isolate](maths/decimal_isolate.py) * [Double Factorial Iterative](maths/double_factorial_iterative.py) * [Double Factorial Recursive](maths/double_factorial_recursive.py) * [Entropy](maths/entropy.py) * [Euclidean Distance](maths/euclidean_distance.py) * [Euclidean Gcd](maths/euclidean_gcd.py) * [Euler Method](maths/euler_method.py) * [Euler Modified](maths/euler_modified.py) * [Eulers Totient](maths/eulers_totient.py) * [Extended Euclidean Algorithm](maths/extended_euclidean_algorithm.py) * [Factorial Iterative](maths/factorial_iterative.py) * [Factorial Recursive](maths/factorial_recursive.py) * [Factors](maths/factors.py) * [Fermat Little Theorem](maths/fermat_little_theorem.py) * [Fibonacci](maths/fibonacci.py) * [Find Max](maths/find_max.py) * [Find Max Recursion](maths/find_max_recursion.py) * [Find Min](maths/find_min.py) * [Find Min Recursion](maths/find_min_recursion.py) * [Floor](maths/floor.py) * [Gamma](maths/gamma.py) * [Gamma Recursive](maths/gamma_recursive.py) * [Gaussian](maths/gaussian.py) * [Gaussian Error Linear Unit](maths/gaussian_error_linear_unit.py) * [Greatest Common Divisor](maths/greatest_common_divisor.py) * [Greedy Coin Change](maths/greedy_coin_change.py) * [Hamming Numbers](maths/hamming_numbers.py) * [Hardy Ramanujanalgo](maths/hardy_ramanujanalgo.py) * [Integration By Simpson Approx](maths/integration_by_simpson_approx.py) * [Is Ip V4 Address Valid](maths/is_ip_v4_address_valid.py) * [Is Square Free](maths/is_square_free.py) * [Jaccard Similarity](maths/jaccard_similarity.py) * [Kadanes](maths/kadanes.py) * [Karatsuba](maths/karatsuba.py) * [Krishnamurthy Number](maths/krishnamurthy_number.py) * [Kth Lexicographic Permutation](maths/kth_lexicographic_permutation.py) * [Largest Of Very Large Numbers](maths/largest_of_very_large_numbers.py) * [Largest Subarray Sum](maths/largest_subarray_sum.py) * [Least Common Multiple](maths/least_common_multiple.py) * [Line Length](maths/line_length.py) * [Lucas Lehmer Primality Test](maths/lucas_lehmer_primality_test.py) * [Lucas Series](maths/lucas_series.py) * [Maclaurin Series](maths/maclaurin_series.py) * [Manhattan Distance](maths/manhattan_distance.py) * [Matrix Exponentiation](maths/matrix_exponentiation.py) * [Max Sum Sliding Window](maths/max_sum_sliding_window.py) * [Median Of Two Arrays](maths/median_of_two_arrays.py) * [Miller Rabin](maths/miller_rabin.py) * [Mobius Function](maths/mobius_function.py) * [Modular Exponential](maths/modular_exponential.py) * [Monte Carlo](maths/monte_carlo.py) * [Monte Carlo Dice](maths/monte_carlo_dice.py) * [Nevilles Method](maths/nevilles_method.py) * [Newton Raphson](maths/newton_raphson.py) * [Number Of Digits](maths/number_of_digits.py) * [Numerical Integration](maths/numerical_integration.py) * [Perfect Cube](maths/perfect_cube.py) * [Perfect Number](maths/perfect_number.py) * [Perfect Square](maths/perfect_square.py) * [Persistence](maths/persistence.py) * [Pi Monte Carlo Estimation](maths/pi_monte_carlo_estimation.py) * [Points Are Collinear 3D](maths/points_are_collinear_3d.py) * [Pollard Rho](maths/pollard_rho.py) * [Polynomial Evaluation](maths/polynomial_evaluation.py) * Polynomials * [Single Indeterminate Operations](maths/polynomials/single_indeterminate_operations.py) * [Power Using Recursion](maths/power_using_recursion.py) * [Prime Check](maths/prime_check.py) * [Prime Factors](maths/prime_factors.py) * [Prime Numbers](maths/prime_numbers.py) * [Prime Sieve Eratosthenes](maths/prime_sieve_eratosthenes.py) * [Primelib](maths/primelib.py) * [Print Multiplication Table](maths/print_multiplication_table.py) * [Proth Number](maths/proth_number.py) * [Pythagoras](maths/pythagoras.py) * [Qr Decomposition](maths/qr_decomposition.py) * [Quadratic Equations Complex Numbers](maths/quadratic_equations_complex_numbers.py) * [Radians](maths/radians.py) * [Radix2 Fft](maths/radix2_fft.py) * [Relu](maths/relu.py) * [Runge Kutta](maths/runge_kutta.py) * [Segmented Sieve](maths/segmented_sieve.py) * Series * [Arithmetic](maths/series/arithmetic.py) * [Geometric](maths/series/geometric.py) * [Geometric Series](maths/series/geometric_series.py) * [Harmonic](maths/series/harmonic.py) * [Harmonic Series](maths/series/harmonic_series.py) * [Hexagonal Numbers](maths/series/hexagonal_numbers.py) * [P Series](maths/series/p_series.py) * [Sieve Of Eratosthenes](maths/sieve_of_eratosthenes.py) * [Sigmoid](maths/sigmoid.py) * [Sigmoid Linear Unit](maths/sigmoid_linear_unit.py) * [Signum](maths/signum.py) * [Simpson Rule](maths/simpson_rule.py) * [Sin](maths/sin.py) * [Sock Merchant](maths/sock_merchant.py) * [Softmax](maths/softmax.py) * [Square Root](maths/square_root.py) * [Sum Of Arithmetic Series](maths/sum_of_arithmetic_series.py) * [Sum Of Digits](maths/sum_of_digits.py) * [Sum Of Geometric Progression](maths/sum_of_geometric_progression.py) * [Sum Of Harmonic Series](maths/sum_of_harmonic_series.py) * [Sumset](maths/sumset.py) * [Sylvester Sequence](maths/sylvester_sequence.py) * [Test Prime Check](maths/test_prime_check.py) * [Trapezoidal Rule](maths/trapezoidal_rule.py) * [Triplet Sum](maths/triplet_sum.py) * [Two Pointer](maths/two_pointer.py) * [Two Sum](maths/two_sum.py) * [Ugly Numbers](maths/ugly_numbers.py) * [Volume](maths/volume.py) * [Weird Number](maths/weird_number.py) * [Zellers Congruence](maths/zellers_congruence.py) ## Matrix * [Binary Search Matrix](matrix/binary_search_matrix.py) * [Count Islands In Matrix](matrix/count_islands_in_matrix.py) * [Count Paths](matrix/count_paths.py) * [Cramers Rule 2X2](matrix/cramers_rule_2x2.py) * [Inverse Of Matrix](matrix/inverse_of_matrix.py) * [Largest Square Area In Matrix](matrix/largest_square_area_in_matrix.py) * [Matrix Class](matrix/matrix_class.py) * [Matrix Operation](matrix/matrix_operation.py) * [Max Area Of Island](matrix/max_area_of_island.py) * [Nth Fibonacci Using Matrix Exponentiation](matrix/nth_fibonacci_using_matrix_exponentiation.py) * [Rotate Matrix](matrix/rotate_matrix.py) * [Searching In Sorted Matrix](matrix/searching_in_sorted_matrix.py) * [Sherman Morrison](matrix/sherman_morrison.py) * [Spiral Print](matrix/spiral_print.py) * Tests * [Test Matrix Operation](matrix/tests/test_matrix_operation.py) ## Networking Flow * [Ford Fulkerson](networking_flow/ford_fulkerson.py) * [Minimum Cut](networking_flow/minimum_cut.py) ## Neural Network * [2 Hidden Layers Neural Network](neural_network/2_hidden_layers_neural_network.py) * [Back Propagation Neural Network](neural_network/back_propagation_neural_network.py) * [Convolution Neural Network](neural_network/convolution_neural_network.py) * [Perceptron](neural_network/perceptron.py) * [Simple Neural Network](neural_network/simple_neural_network.py) ## Other * [Activity Selection](other/activity_selection.py) * [Alternative List Arrange](other/alternative_list_arrange.py) * [Check Strong Password](other/check_strong_password.py) * [Davisb Putnamb Logemannb Loveland](other/davisb_putnamb_logemannb_loveland.py) * [Dijkstra Bankers Algorithm](other/dijkstra_bankers_algorithm.py) * [Doomsday](other/doomsday.py) * [Fischer Yates Shuffle](other/fischer_yates_shuffle.py) * [Gauss Easter](other/gauss_easter.py) * [Graham Scan](other/graham_scan.py) * [Greedy](other/greedy.py) * [Least Recently Used](other/least_recently_used.py) * [Lfu Cache](other/lfu_cache.py) * [Linear Congruential Generator](other/linear_congruential_generator.py) * [Lru Cache](other/lru_cache.py) * [Magicdiamondpattern](other/magicdiamondpattern.py) * [Maximum Subarray](other/maximum_subarray.py) * [Nested Brackets](other/nested_brackets.py) * [Pascal Triangle](other/pascal_triangle.py) * [Password Generator](other/password_generator.py) * [Quine](other/quine.py) * [Scoring Algorithm](other/scoring_algorithm.py) * [Sdes](other/sdes.py) * [Tower Of Hanoi](other/tower_of_hanoi.py) ## Physics * [Archimedes Principle](physics/archimedes_principle.py) * [Casimir Effect](physics/casimir_effect.py) * [Centripetal Force](physics/centripetal_force.py) * [Horizontal Projectile Motion](physics/horizontal_projectile_motion.py) * [Ideal Gas Law](physics/ideal_gas_law.py) * [Kinetic Energy](physics/kinetic_energy.py) * [Lorentz Transformation Four Vector](physics/lorentz_transformation_four_vector.py) * [Malus Law](physics/malus_law.py) * [N Body Simulation](physics/n_body_simulation.py) * [Newtons Law Of Gravitation](physics/newtons_law_of_gravitation.py) * [Newtons Second Law Of Motion](physics/newtons_second_law_of_motion.py) * [Potential Energy](physics/potential_energy.py) * [Rms Speed Of Molecule](physics/rms_speed_of_molecule.py) * [Shear Stress](physics/shear_stress.py) ## Project Euler * Problem 001 * [Sol1](project_euler/problem_001/sol1.py) * [Sol2](project_euler/problem_001/sol2.py) * [Sol3](project_euler/problem_001/sol3.py) * [Sol4](project_euler/problem_001/sol4.py) * [Sol5](project_euler/problem_001/sol5.py) * [Sol6](project_euler/problem_001/sol6.py) * [Sol7](project_euler/problem_001/sol7.py) * Problem 002 * [Sol1](project_euler/problem_002/sol1.py) * [Sol2](project_euler/problem_002/sol2.py) * [Sol3](project_euler/problem_002/sol3.py) * [Sol4](project_euler/problem_002/sol4.py) * [Sol5](project_euler/problem_002/sol5.py) * Problem 003 * [Sol1](project_euler/problem_003/sol1.py) * [Sol2](project_euler/problem_003/sol2.py) * [Sol3](project_euler/problem_003/sol3.py) * Problem 004 * [Sol1](project_euler/problem_004/sol1.py) * [Sol2](project_euler/problem_004/sol2.py) * Problem 005 * [Sol1](project_euler/problem_005/sol1.py) * [Sol2](project_euler/problem_005/sol2.py) * Problem 006 * [Sol1](project_euler/problem_006/sol1.py) * [Sol2](project_euler/problem_006/sol2.py) * [Sol3](project_euler/problem_006/sol3.py) * [Sol4](project_euler/problem_006/sol4.py) * Problem 007 * [Sol1](project_euler/problem_007/sol1.py) * [Sol2](project_euler/problem_007/sol2.py) * [Sol3](project_euler/problem_007/sol3.py) * Problem 008 * [Sol1](project_euler/problem_008/sol1.py) * [Sol2](project_euler/problem_008/sol2.py) * [Sol3](project_euler/problem_008/sol3.py) * Problem 009 * [Sol1](project_euler/problem_009/sol1.py) * [Sol2](project_euler/problem_009/sol2.py) * [Sol3](project_euler/problem_009/sol3.py) * Problem 010 * [Sol1](project_euler/problem_010/sol1.py) * [Sol2](project_euler/problem_010/sol2.py) * [Sol3](project_euler/problem_010/sol3.py) * Problem 011 * [Sol1](project_euler/problem_011/sol1.py) * [Sol2](project_euler/problem_011/sol2.py) * Problem 012 * [Sol1](project_euler/problem_012/sol1.py) * [Sol2](project_euler/problem_012/sol2.py) * Problem 013 * [Sol1](project_euler/problem_013/sol1.py) * Problem 014 * [Sol1](project_euler/problem_014/sol1.py) * [Sol2](project_euler/problem_014/sol2.py) * Problem 015 * [Sol1](project_euler/problem_015/sol1.py) * Problem 016 * [Sol1](project_euler/problem_016/sol1.py) * [Sol2](project_euler/problem_016/sol2.py) * Problem 017 * [Sol1](project_euler/problem_017/sol1.py) * Problem 018 * [Solution](project_euler/problem_018/solution.py) * Problem 019 * [Sol1](project_euler/problem_019/sol1.py) * Problem 020 * [Sol1](project_euler/problem_020/sol1.py) * [Sol2](project_euler/problem_020/sol2.py) * [Sol3](project_euler/problem_020/sol3.py) * [Sol4](project_euler/problem_020/sol4.py) * Problem 021 * [Sol1](project_euler/problem_021/sol1.py) * Problem 022 * [Sol1](project_euler/problem_022/sol1.py) * [Sol2](project_euler/problem_022/sol2.py) * Problem 023 * [Sol1](project_euler/problem_023/sol1.py) * Problem 024 * [Sol1](project_euler/problem_024/sol1.py) * Problem 025 * [Sol1](project_euler/problem_025/sol1.py) * [Sol2](project_euler/problem_025/sol2.py) * [Sol3](project_euler/problem_025/sol3.py) * Problem 026 * [Sol1](project_euler/problem_026/sol1.py) * Problem 027 * [Sol1](project_euler/problem_027/sol1.py) * Problem 028 * [Sol1](project_euler/problem_028/sol1.py) * Problem 029 * [Sol1](project_euler/problem_029/sol1.py) * Problem 030 * [Sol1](project_euler/problem_030/sol1.py) * Problem 031 * [Sol1](project_euler/problem_031/sol1.py) * [Sol2](project_euler/problem_031/sol2.py) * Problem 032 * [Sol32](project_euler/problem_032/sol32.py) * Problem 033 * [Sol1](project_euler/problem_033/sol1.py) * Problem 034 * [Sol1](project_euler/problem_034/sol1.py) * Problem 035 * [Sol1](project_euler/problem_035/sol1.py) * Problem 036 * [Sol1](project_euler/problem_036/sol1.py) * Problem 037 * [Sol1](project_euler/problem_037/sol1.py) * Problem 038 * [Sol1](project_euler/problem_038/sol1.py) * Problem 039 * [Sol1](project_euler/problem_039/sol1.py) * Problem 040 * [Sol1](project_euler/problem_040/sol1.py) * Problem 041 * [Sol1](project_euler/problem_041/sol1.py) * Problem 042 * [Solution42](project_euler/problem_042/solution42.py) * Problem 043 * [Sol1](project_euler/problem_043/sol1.py) * Problem 044 * [Sol1](project_euler/problem_044/sol1.py) * Problem 045 * [Sol1](project_euler/problem_045/sol1.py) * Problem 046 * [Sol1](project_euler/problem_046/sol1.py) * Problem 047 * [Sol1](project_euler/problem_047/sol1.py) * Problem 048 * [Sol1](project_euler/problem_048/sol1.py) * Problem 049 * [Sol1](project_euler/problem_049/sol1.py) * Problem 050 * [Sol1](project_euler/problem_050/sol1.py) * Problem 051 * [Sol1](project_euler/problem_051/sol1.py) * Problem 052 * [Sol1](project_euler/problem_052/sol1.py) * Problem 053 * [Sol1](project_euler/problem_053/sol1.py) * Problem 054 * [Sol1](project_euler/problem_054/sol1.py) * [Test Poker Hand](project_euler/problem_054/test_poker_hand.py) * Problem 055 * [Sol1](project_euler/problem_055/sol1.py) * Problem 056 * [Sol1](project_euler/problem_056/sol1.py) * Problem 057 * [Sol1](project_euler/problem_057/sol1.py) * Problem 058 * [Sol1](project_euler/problem_058/sol1.py) * Problem 059 * [Sol1](project_euler/problem_059/sol1.py) * Problem 062 * [Sol1](project_euler/problem_062/sol1.py) * Problem 063 * [Sol1](project_euler/problem_063/sol1.py) * Problem 064 * [Sol1](project_euler/problem_064/sol1.py) * Problem 065 * [Sol1](project_euler/problem_065/sol1.py) * Problem 067 * [Sol1](project_euler/problem_067/sol1.py) * [Sol2](project_euler/problem_067/sol2.py) * Problem 068 * [Sol1](project_euler/problem_068/sol1.py) * Problem 069 * [Sol1](project_euler/problem_069/sol1.py) * Problem 070 * [Sol1](project_euler/problem_070/sol1.py) * Problem 071 * [Sol1](project_euler/problem_071/sol1.py) * Problem 072 * [Sol1](project_euler/problem_072/sol1.py) * [Sol2](project_euler/problem_072/sol2.py) * Problem 073 * [Sol1](project_euler/problem_073/sol1.py) * Problem 074 * [Sol1](project_euler/problem_074/sol1.py) * [Sol2](project_euler/problem_074/sol2.py) * Problem 075 * [Sol1](project_euler/problem_075/sol1.py) * Problem 076 * [Sol1](project_euler/problem_076/sol1.py) * Problem 077 * [Sol1](project_euler/problem_077/sol1.py) * Problem 078 * [Sol1](project_euler/problem_078/sol1.py) * Problem 080 * [Sol1](project_euler/problem_080/sol1.py) * Problem 081 * [Sol1](project_euler/problem_081/sol1.py) * Problem 085 * [Sol1](project_euler/problem_085/sol1.py) * Problem 086 * [Sol1](project_euler/problem_086/sol1.py) * Problem 087 * [Sol1](project_euler/problem_087/sol1.py) * Problem 089 * [Sol1](project_euler/problem_089/sol1.py) * Problem 091 * [Sol1](project_euler/problem_091/sol1.py) * Problem 092 * [Sol1](project_euler/problem_092/sol1.py) * Problem 097 * [Sol1](project_euler/problem_097/sol1.py) * Problem 099 * [Sol1](project_euler/problem_099/sol1.py) * Problem 101 * [Sol1](project_euler/problem_101/sol1.py) * Problem 102 * [Sol1](project_euler/problem_102/sol1.py) * Problem 104 * [Sol1](project_euler/problem_104/sol1.py) * Problem 107 * [Sol1](project_euler/problem_107/sol1.py) * Problem 109 * [Sol1](project_euler/problem_109/sol1.py) * Problem 112 * [Sol1](project_euler/problem_112/sol1.py) * Problem 113 * [Sol1](project_euler/problem_113/sol1.py) * Problem 114 * [Sol1](project_euler/problem_114/sol1.py) * Problem 115 * [Sol1](project_euler/problem_115/sol1.py) * Problem 116 * [Sol1](project_euler/problem_116/sol1.py) * Problem 119 * [Sol1](project_euler/problem_119/sol1.py) * Problem 120 * [Sol1](project_euler/problem_120/sol1.py) * Problem 121 * [Sol1](project_euler/problem_121/sol1.py) * Problem 123 * [Sol1](project_euler/problem_123/sol1.py) * Problem 125 * [Sol1](project_euler/problem_125/sol1.py) * Problem 129 * [Sol1](project_euler/problem_129/sol1.py) * Problem 135 * [Sol1](project_euler/problem_135/sol1.py) * Problem 144 * [Sol1](project_euler/problem_144/sol1.py) * Problem 145 * [Sol1](project_euler/problem_145/sol1.py) * Problem 173 * [Sol1](project_euler/problem_173/sol1.py) * Problem 174 * [Sol1](project_euler/problem_174/sol1.py) * Problem 180 * [Sol1](project_euler/problem_180/sol1.py) * Problem 188 * [Sol1](project_euler/problem_188/sol1.py) * Problem 191 * [Sol1](project_euler/problem_191/sol1.py) * Problem 203 * [Sol1](project_euler/problem_203/sol1.py) * Problem 205 * [Sol1](project_euler/problem_205/sol1.py) * Problem 206 * [Sol1](project_euler/problem_206/sol1.py) * Problem 207 * [Sol1](project_euler/problem_207/sol1.py) * Problem 234 * [Sol1](project_euler/problem_234/sol1.py) * Problem 301 * [Sol1](project_euler/problem_301/sol1.py) * Problem 493 * [Sol1](project_euler/problem_493/sol1.py) * Problem 551 * [Sol1](project_euler/problem_551/sol1.py) * Problem 587 * [Sol1](project_euler/problem_587/sol1.py) * Problem 686 * [Sol1](project_euler/problem_686/sol1.py) ## Quantum * [Deutsch Jozsa](quantum/deutsch_jozsa.py) * [Half Adder](quantum/half_adder.py) * [Not Gate](quantum/not_gate.py) * [Q Full Adder](quantum/q_full_adder.py) * [Quantum Entanglement](quantum/quantum_entanglement.py) * [Quantum Teleportation](quantum/quantum_teleportation.py) * [Ripple Adder Classic](quantum/ripple_adder_classic.py) * [Single Qubit Measure](quantum/single_qubit_measure.py) * [Superdense Coding](quantum/superdense_coding.py) ## Scheduling * [First Come First Served](scheduling/first_come_first_served.py) * [Highest Response Ratio Next](scheduling/highest_response_ratio_next.py) * [Job Sequencing With Deadline](scheduling/job_sequencing_with_deadline.py) * [Multi Level Feedback Queue](scheduling/multi_level_feedback_queue.py) * [Non Preemptive Shortest Job First](scheduling/non_preemptive_shortest_job_first.py) * [Round Robin](scheduling/round_robin.py) * [Shortest Job First](scheduling/shortest_job_first.py) ## Searches * [Binary Search](searches/binary_search.py) * [Binary Tree Traversal](searches/binary_tree_traversal.py) * [Double Linear Search](searches/double_linear_search.py) * [Double Linear Search Recursion](searches/double_linear_search_recursion.py) * [Fibonacci Search](searches/fibonacci_search.py) * [Hill Climbing](searches/hill_climbing.py) * [Interpolation Search](searches/interpolation_search.py) * [Jump Search](searches/jump_search.py) * [Linear Search](searches/linear_search.py) * [Quick Select](searches/quick_select.py) * [Sentinel Linear Search](searches/sentinel_linear_search.py) * [Simple Binary Search](searches/simple_binary_search.py) * [Simulated Annealing](searches/simulated_annealing.py) * [Tabu Search](searches/tabu_search.py) * [Ternary Search](searches/ternary_search.py) ## Sorts * [Bead Sort](sorts/bead_sort.py) * [Bitonic Sort](sorts/bitonic_sort.py) * [Bogo Sort](sorts/bogo_sort.py) * [Bubble Sort](sorts/bubble_sort.py) * [Bucket Sort](sorts/bucket_sort.py) * [Circle Sort](sorts/circle_sort.py) * [Cocktail Shaker Sort](sorts/cocktail_shaker_sort.py) * [Comb Sort](sorts/comb_sort.py) * [Counting Sort](sorts/counting_sort.py) * [Cycle Sort](sorts/cycle_sort.py) * [Double Sort](sorts/double_sort.py) * [Dutch National Flag Sort](sorts/dutch_national_flag_sort.py) * [Exchange Sort](sorts/exchange_sort.py) * [External Sort](sorts/external_sort.py) * [Gnome Sort](sorts/gnome_sort.py) * [Heap Sort](sorts/heap_sort.py) * [Insertion Sort](sorts/insertion_sort.py) * [Intro Sort](sorts/intro_sort.py) * [Iterative Merge Sort](sorts/iterative_merge_sort.py) * [Merge Insertion Sort](sorts/merge_insertion_sort.py) * [Merge Sort](sorts/merge_sort.py) * [Msd Radix Sort](sorts/msd_radix_sort.py) * [Natural Sort](sorts/natural_sort.py) * [Odd Even Sort](sorts/odd_even_sort.py) * [Odd Even Transposition Parallel](sorts/odd_even_transposition_parallel.py) * [Odd Even Transposition Single Threaded](sorts/odd_even_transposition_single_threaded.py) * [Pancake Sort](sorts/pancake_sort.py) * [Patience Sort](sorts/patience_sort.py) * [Pigeon Sort](sorts/pigeon_sort.py) * [Pigeonhole Sort](sorts/pigeonhole_sort.py) * [Quick Sort](sorts/quick_sort.py) * [Quick Sort 3 Partition](sorts/quick_sort_3_partition.py) * [Radix Sort](sorts/radix_sort.py) * [Random Normal Distribution Quicksort](sorts/random_normal_distribution_quicksort.py) * [Random Pivot Quick Sort](sorts/random_pivot_quick_sort.py) * [Recursive Bubble Sort](sorts/recursive_bubble_sort.py) * [Recursive Insertion Sort](sorts/recursive_insertion_sort.py) * [Recursive Mergesort Array](sorts/recursive_mergesort_array.py) * [Recursive Quick Sort](sorts/recursive_quick_sort.py) * [Selection Sort](sorts/selection_sort.py) * [Shell Sort](sorts/shell_sort.py) * [Shrink Shell Sort](sorts/shrink_shell_sort.py) * [Slowsort](sorts/slowsort.py) * [Stooge Sort](sorts/stooge_sort.py) * [Strand Sort](sorts/strand_sort.py) * [Tim Sort](sorts/tim_sort.py) * [Topological Sort](sorts/topological_sort.py) * [Tree Sort](sorts/tree_sort.py) * [Unknown Sort](sorts/unknown_sort.py) * [Wiggle Sort](sorts/wiggle_sort.py) ## Strings * [Aho Corasick](strings/aho_corasick.py) * [Alternative String Arrange](strings/alternative_string_arrange.py) * [Anagrams](strings/anagrams.py) * [Autocomplete Using Trie](strings/autocomplete_using_trie.py) * [Barcode Validator](strings/barcode_validator.py) * [Boyer Moore Search](strings/boyer_moore_search.py) * [Can String Be Rearranged As Palindrome](strings/can_string_be_rearranged_as_palindrome.py) * [Capitalize](strings/capitalize.py) * [Check Anagrams](strings/check_anagrams.py) * [Credit Card Validator](strings/credit_card_validator.py) * [Detecting English Programmatically](strings/detecting_english_programmatically.py) * [Dna](strings/dna.py) * [Frequency Finder](strings/frequency_finder.py) * [Hamming Distance](strings/hamming_distance.py) * [Indian Phone Validator](strings/indian_phone_validator.py) * [Is Contains Unique Chars](strings/is_contains_unique_chars.py) * [Is Isogram](strings/is_isogram.py) * [Is Palindrome](strings/is_palindrome.py) * [Is Pangram](strings/is_pangram.py) * [Is Spain National Id](strings/is_spain_national_id.py) * [Is Srilankan Phone Number](strings/is_srilankan_phone_number.py) * [Jaro Winkler](strings/jaro_winkler.py) * [Join](strings/join.py) * [Knuth Morris Pratt](strings/knuth_morris_pratt.py) * [Levenshtein Distance](strings/levenshtein_distance.py) * [Lower](strings/lower.py) * [Manacher](strings/manacher.py) * [Min Cost String Conversion](strings/min_cost_string_conversion.py) * [Naive String Search](strings/naive_string_search.py) * [Ngram](strings/ngram.py) * [Palindrome](strings/palindrome.py) * [Prefix Function](strings/prefix_function.py) * [Rabin Karp](strings/rabin_karp.py) * [Remove Duplicate](strings/remove_duplicate.py) * [Reverse Letters](strings/reverse_letters.py) * [Reverse Long Words](strings/reverse_long_words.py) * [Reverse Words](strings/reverse_words.py) * [Snake Case To Camel Pascal Case](strings/snake_case_to_camel_pascal_case.py) * [Split](strings/split.py) * [Text Justification](strings/text_justification.py) * [Upper](strings/upper.py) * [Wave](strings/wave.py) * [Wildcard Pattern Matching](strings/wildcard_pattern_matching.py) * [Word Occurrence](strings/word_occurrence.py) * [Word Patterns](strings/word_patterns.py) * [Z Function](strings/z_function.py) ## Web Programming * [Co2 Emission](web_programming/co2_emission.py) * [Covid Stats Via Xpath](web_programming/covid_stats_via_xpath.py) * [Crawl Google Results](web_programming/crawl_google_results.py) * [Crawl Google Scholar Citation](web_programming/crawl_google_scholar_citation.py) * [Currency Converter](web_programming/currency_converter.py) * [Current Stock Price](web_programming/current_stock_price.py) * [Current Weather](web_programming/current_weather.py) * [Daily Horoscope](web_programming/daily_horoscope.py) * [Download Images From Google Query](web_programming/download_images_from_google_query.py) * [Emails From Url](web_programming/emails_from_url.py) * [Fetch Anime And Play](web_programming/fetch_anime_and_play.py) * [Fetch Bbc News](web_programming/fetch_bbc_news.py) * [Fetch Github Info](web_programming/fetch_github_info.py) * [Fetch Jobs](web_programming/fetch_jobs.py) * [Fetch Quotes](web_programming/fetch_quotes.py) * [Fetch Well Rx Price](web_programming/fetch_well_rx_price.py) * [Get Amazon Product Data](web_programming/get_amazon_product_data.py) * [Get Imdb Top 250 Movies Csv](web_programming/get_imdb_top_250_movies_csv.py) * [Get Imdbtop](web_programming/get_imdbtop.py) * [Get Top Billioners](web_programming/get_top_billioners.py) * [Get Top Hn Posts](web_programming/get_top_hn_posts.py) * [Get User Tweets](web_programming/get_user_tweets.py) * [Giphy](web_programming/giphy.py) * [Instagram Crawler](web_programming/instagram_crawler.py) * [Instagram Pic](web_programming/instagram_pic.py) * [Instagram Video](web_programming/instagram_video.py) * [Nasa Data](web_programming/nasa_data.py) * [Open Google Results](web_programming/open_google_results.py) * [Random Anime Character](web_programming/random_anime_character.py) * [Recaptcha Verification](web_programming/recaptcha_verification.py) * [Reddit](web_programming/reddit.py) * [Search Books By Isbn](web_programming/search_books_by_isbn.py) * [Slack Message](web_programming/slack_message.py) * [Test Fetch Github Info](web_programming/test_fetch_github_info.py) * [World Covid19 Stats](web_programming/world_covid19_stats.py)
## Arithmetic Analysis * [Bisection](arithmetic_analysis/bisection.py) * [Gaussian Elimination](arithmetic_analysis/gaussian_elimination.py) * [In Static Equilibrium](arithmetic_analysis/in_static_equilibrium.py) * [Intersection](arithmetic_analysis/intersection.py) * [Jacobi Iteration Method](arithmetic_analysis/jacobi_iteration_method.py) * [Lu Decomposition](arithmetic_analysis/lu_decomposition.py) * [Newton Forward Interpolation](arithmetic_analysis/newton_forward_interpolation.py) * [Newton Method](arithmetic_analysis/newton_method.py) * [Newton Raphson](arithmetic_analysis/newton_raphson.py) * [Newton Raphson New](arithmetic_analysis/newton_raphson_new.py) * [Secant Method](arithmetic_analysis/secant_method.py) ## Audio Filters * [Butterworth Filter](audio_filters/butterworth_filter.py) * [Equal Loudness Filter](audio_filters/equal_loudness_filter.py) * [Iir Filter](audio_filters/iir_filter.py) * [Show Response](audio_filters/show_response.py) ## Backtracking * [All Combinations](backtracking/all_combinations.py) * [All Permutations](backtracking/all_permutations.py) * [All Subsequences](backtracking/all_subsequences.py) * [Coloring](backtracking/coloring.py) * [Combination Sum](backtracking/combination_sum.py) * [Hamiltonian Cycle](backtracking/hamiltonian_cycle.py) * [Knight Tour](backtracking/knight_tour.py) * [Minimax](backtracking/minimax.py) * [Minmax](backtracking/minmax.py) * [N Queens](backtracking/n_queens.py) * [N Queens Math](backtracking/n_queens_math.py) * [Rat In Maze](backtracking/rat_in_maze.py) * [Sudoku](backtracking/sudoku.py) * [Sum Of Subsets](backtracking/sum_of_subsets.py) ## Bit Manipulation * [Binary And Operator](bit_manipulation/binary_and_operator.py) * [Binary Count Setbits](bit_manipulation/binary_count_setbits.py) * [Binary Count Trailing Zeros](bit_manipulation/binary_count_trailing_zeros.py) * [Binary Or Operator](bit_manipulation/binary_or_operator.py) * [Binary Shifts](bit_manipulation/binary_shifts.py) * [Binary Twos Complement](bit_manipulation/binary_twos_complement.py) * [Binary Xor Operator](bit_manipulation/binary_xor_operator.py) * [Count 1S Brian Kernighan Method](bit_manipulation/count_1s_brian_kernighan_method.py) * [Count Number Of One Bits](bit_manipulation/count_number_of_one_bits.py) * [Gray Code Sequence](bit_manipulation/gray_code_sequence.py) * [Highest Set Bit](bit_manipulation/highest_set_bit.py) * [Index Of Rightmost Set Bit](bit_manipulation/index_of_rightmost_set_bit.py) * [Is Even](bit_manipulation/is_even.py) * [Reverse Bits](bit_manipulation/reverse_bits.py) * [Single Bit Manipulation Operations](bit_manipulation/single_bit_manipulation_operations.py) ## Blockchain * [Chinese Remainder Theorem](blockchain/chinese_remainder_theorem.py) * [Diophantine Equation](blockchain/diophantine_equation.py) * [Modular Division](blockchain/modular_division.py) ## Boolean Algebra * [And Gate](boolean_algebra/and_gate.py) * [Nand Gate](boolean_algebra/nand_gate.py) * [Norgate](boolean_algebra/norgate.py) * [Not Gate](boolean_algebra/not_gate.py) * [Or Gate](boolean_algebra/or_gate.py) * [Quine Mc Cluskey](boolean_algebra/quine_mc_cluskey.py) * [Xnor Gate](boolean_algebra/xnor_gate.py) * [Xor Gate](boolean_algebra/xor_gate.py) ## Cellular Automata * [Conways Game Of Life](cellular_automata/conways_game_of_life.py) * [Game Of Life](cellular_automata/game_of_life.py) * [Nagel Schrekenberg](cellular_automata/nagel_schrekenberg.py) * [One Dimensional](cellular_automata/one_dimensional.py) ## Ciphers * [A1Z26](ciphers/a1z26.py) * [Affine Cipher](ciphers/affine_cipher.py) * [Atbash](ciphers/atbash.py) * [Baconian Cipher](ciphers/baconian_cipher.py) * [Base16](ciphers/base16.py) * [Base32](ciphers/base32.py) * [Base64](ciphers/base64.py) * [Base85](ciphers/base85.py) * [Beaufort Cipher](ciphers/beaufort_cipher.py) * [Bifid](ciphers/bifid.py) * [Brute Force Caesar Cipher](ciphers/brute_force_caesar_cipher.py) * [Caesar Cipher](ciphers/caesar_cipher.py) * [Cryptomath Module](ciphers/cryptomath_module.py) * [Decrypt Caesar With Chi Squared](ciphers/decrypt_caesar_with_chi_squared.py) * [Deterministic Miller Rabin](ciphers/deterministic_miller_rabin.py) * [Diffie](ciphers/diffie.py) * [Diffie Hellman](ciphers/diffie_hellman.py) * [Elgamal Key Generator](ciphers/elgamal_key_generator.py) * [Enigma Machine2](ciphers/enigma_machine2.py) * [Hill Cipher](ciphers/hill_cipher.py) * [Mixed Keyword Cypher](ciphers/mixed_keyword_cypher.py) * [Mono Alphabetic Ciphers](ciphers/mono_alphabetic_ciphers.py) * [Morse Code](ciphers/morse_code.py) * [Onepad Cipher](ciphers/onepad_cipher.py) * [Playfair Cipher](ciphers/playfair_cipher.py) * [Polybius](ciphers/polybius.py) * [Porta Cipher](ciphers/porta_cipher.py) * [Rabin Miller](ciphers/rabin_miller.py) * [Rail Fence Cipher](ciphers/rail_fence_cipher.py) * [Rot13](ciphers/rot13.py) * [Rsa Cipher](ciphers/rsa_cipher.py) * [Rsa Factorization](ciphers/rsa_factorization.py) * [Rsa Key Generator](ciphers/rsa_key_generator.py) * [Shuffled Shift Cipher](ciphers/shuffled_shift_cipher.py) * [Simple Keyword Cypher](ciphers/simple_keyword_cypher.py) * [Simple Substitution Cipher](ciphers/simple_substitution_cipher.py) * [Trafid Cipher](ciphers/trafid_cipher.py) * [Transposition Cipher](ciphers/transposition_cipher.py) * [Transposition Cipher Encrypt Decrypt File](ciphers/transposition_cipher_encrypt_decrypt_file.py) * [Vigenere Cipher](ciphers/vigenere_cipher.py) * [Xor Cipher](ciphers/xor_cipher.py) ## Compression * [Burrows Wheeler](compression/burrows_wheeler.py) * [Huffman](compression/huffman.py) * [Lempel Ziv](compression/lempel_ziv.py) * [Lempel Ziv Decompress](compression/lempel_ziv_decompress.py) * [Peak Signal To Noise Ratio](compression/peak_signal_to_noise_ratio.py) * [Run Length Encoding](compression/run_length_encoding.py) ## Computer Vision * [Cnn Classification](computer_vision/cnn_classification.py) * [Flip Augmentation](computer_vision/flip_augmentation.py) * [Harris Corner](computer_vision/harris_corner.py) * [Horn Schunck](computer_vision/horn_schunck.py) * [Mean Threshold](computer_vision/mean_threshold.py) * [Mosaic Augmentation](computer_vision/mosaic_augmentation.py) * [Pooling Functions](computer_vision/pooling_functions.py) ## Conversions * [Astronomical Length Scale Conversion](conversions/astronomical_length_scale_conversion.py) * [Binary To Decimal](conversions/binary_to_decimal.py) * [Binary To Hexadecimal](conversions/binary_to_hexadecimal.py) * [Binary To Octal](conversions/binary_to_octal.py) * [Decimal To Any](conversions/decimal_to_any.py) * [Decimal To Binary](conversions/decimal_to_binary.py) * [Decimal To Binary Recursion](conversions/decimal_to_binary_recursion.py) * [Decimal To Hexadecimal](conversions/decimal_to_hexadecimal.py) * [Decimal To Octal](conversions/decimal_to_octal.py) * [Excel Title To Column](conversions/excel_title_to_column.py) * [Hex To Bin](conversions/hex_to_bin.py) * [Hexadecimal To Decimal](conversions/hexadecimal_to_decimal.py) * [Length Conversion](conversions/length_conversion.py) * [Molecular Chemistry](conversions/molecular_chemistry.py) * [Octal To Decimal](conversions/octal_to_decimal.py) * [Prefix Conversions](conversions/prefix_conversions.py) * [Prefix Conversions String](conversions/prefix_conversions_string.py) * [Pressure Conversions](conversions/pressure_conversions.py) * [Rgb Hsv Conversion](conversions/rgb_hsv_conversion.py) * [Roman Numerals](conversions/roman_numerals.py) * [Speed Conversions](conversions/speed_conversions.py) * [Temperature Conversions](conversions/temperature_conversions.py) * [Volume Conversions](conversions/volume_conversions.py) * [Weight Conversion](conversions/weight_conversion.py) ## Data Structures * Arrays * [Permutations](data_structures/arrays/permutations.py) * Binary Tree * [Avl Tree](data_structures/binary_tree/avl_tree.py) * [Basic Binary Tree](data_structures/binary_tree/basic_binary_tree.py) * [Binary Search Tree](data_structures/binary_tree/binary_search_tree.py) * [Binary Search Tree Recursive](data_structures/binary_tree/binary_search_tree_recursive.py) * [Binary Tree Mirror](data_structures/binary_tree/binary_tree_mirror.py) * [Binary Tree Node Sum](data_structures/binary_tree/binary_tree_node_sum.py) * [Binary Tree Path Sum](data_structures/binary_tree/binary_tree_path_sum.py) * [Binary Tree Traversals](data_structures/binary_tree/binary_tree_traversals.py) * [Diff Views Of Binary Tree](data_structures/binary_tree/diff_views_of_binary_tree.py) * [Fenwick Tree](data_structures/binary_tree/fenwick_tree.py) * [Inorder Tree Traversal 2022](data_structures/binary_tree/inorder_tree_traversal_2022.py) * [Lazy Segment Tree](data_structures/binary_tree/lazy_segment_tree.py) * [Lowest Common Ancestor](data_structures/binary_tree/lowest_common_ancestor.py) * [Maximum Fenwick Tree](data_structures/binary_tree/maximum_fenwick_tree.py) * [Merge Two Binary Trees](data_structures/binary_tree/merge_two_binary_trees.py) * [Non Recursive Segment Tree](data_structures/binary_tree/non_recursive_segment_tree.py) * [Number Of Possible Binary Trees](data_structures/binary_tree/number_of_possible_binary_trees.py) * [Red Black Tree](data_structures/binary_tree/red_black_tree.py) * [Segment Tree](data_structures/binary_tree/segment_tree.py) * [Segment Tree Other](data_structures/binary_tree/segment_tree_other.py) * [Treap](data_structures/binary_tree/treap.py) * [Wavelet Tree](data_structures/binary_tree/wavelet_tree.py) * Disjoint Set * [Alternate Disjoint Set](data_structures/disjoint_set/alternate_disjoint_set.py) * [Disjoint Set](data_structures/disjoint_set/disjoint_set.py) * Hashing * [Double Hash](data_structures/hashing/double_hash.py) * [Hash Table](data_structures/hashing/hash_table.py) * [Hash Table With Linked List](data_structures/hashing/hash_table_with_linked_list.py) * Number Theory * [Prime Numbers](data_structures/hashing/number_theory/prime_numbers.py) * [Quadratic Probing](data_structures/hashing/quadratic_probing.py) * Heap * [Binomial Heap](data_structures/heap/binomial_heap.py) * [Heap](data_structures/heap/heap.py) * [Heap Generic](data_structures/heap/heap_generic.py) * [Max Heap](data_structures/heap/max_heap.py) * [Min Heap](data_structures/heap/min_heap.py) * [Randomized Heap](data_structures/heap/randomized_heap.py) * [Skew Heap](data_structures/heap/skew_heap.py) * Linked List * [Circular Linked List](data_structures/linked_list/circular_linked_list.py) * [Deque Doubly](data_structures/linked_list/deque_doubly.py) * [Doubly Linked List](data_structures/linked_list/doubly_linked_list.py) * [Doubly Linked List Two](data_structures/linked_list/doubly_linked_list_two.py) * [From Sequence](data_structures/linked_list/from_sequence.py) * [Has Loop](data_structures/linked_list/has_loop.py) * [Is Palindrome](data_structures/linked_list/is_palindrome.py) * [Merge Two Lists](data_structures/linked_list/merge_two_lists.py) * [Middle Element Of Linked List](data_structures/linked_list/middle_element_of_linked_list.py) * [Print Reverse](data_structures/linked_list/print_reverse.py) * [Singly Linked List](data_structures/linked_list/singly_linked_list.py) * [Skip List](data_structures/linked_list/skip_list.py) * [Swap Nodes](data_structures/linked_list/swap_nodes.py) * Queue * [Circular Queue](data_structures/queue/circular_queue.py) * [Circular Queue Linked List](data_structures/queue/circular_queue_linked_list.py) * [Double Ended Queue](data_structures/queue/double_ended_queue.py) * [Linked Queue](data_structures/queue/linked_queue.py) * [Priority Queue Using List](data_structures/queue/priority_queue_using_list.py) * [Queue On List](data_structures/queue/queue_on_list.py) * [Queue On Pseudo Stack](data_structures/queue/queue_on_pseudo_stack.py) * Stacks * [Balanced Parentheses](data_structures/stacks/balanced_parentheses.py) * [Dijkstras Two Stack Algorithm](data_structures/stacks/dijkstras_two_stack_algorithm.py) * [Evaluate Postfix Notations](data_structures/stacks/evaluate_postfix_notations.py) * [Infix To Postfix Conversion](data_structures/stacks/infix_to_postfix_conversion.py) * [Infix To Prefix Conversion](data_structures/stacks/infix_to_prefix_conversion.py) * [Next Greater Element](data_structures/stacks/next_greater_element.py) * [Postfix Evaluation](data_structures/stacks/postfix_evaluation.py) * [Prefix Evaluation](data_structures/stacks/prefix_evaluation.py) * [Stack](data_structures/stacks/stack.py) * [Stack With Doubly Linked List](data_structures/stacks/stack_with_doubly_linked_list.py) * [Stack With Singly Linked List](data_structures/stacks/stack_with_singly_linked_list.py) * [Stock Span Problem](data_structures/stacks/stock_span_problem.py) * Trie * [Trie](data_structures/trie/trie.py) ## Digital Image Processing * [Change Brightness](digital_image_processing/change_brightness.py) * [Change Contrast](digital_image_processing/change_contrast.py) * [Convert To Negative](digital_image_processing/convert_to_negative.py) * Dithering * [Burkes](digital_image_processing/dithering/burkes.py) * Edge Detection * [Canny](digital_image_processing/edge_detection/canny.py) * Filters * [Bilateral Filter](digital_image_processing/filters/bilateral_filter.py) * [Convolve](digital_image_processing/filters/convolve.py) * [Gabor Filter](digital_image_processing/filters/gabor_filter.py) * [Gaussian Filter](digital_image_processing/filters/gaussian_filter.py) * [Local Binary Pattern](digital_image_processing/filters/local_binary_pattern.py) * [Median Filter](digital_image_processing/filters/median_filter.py) * [Sobel Filter](digital_image_processing/filters/sobel_filter.py) * Histogram Equalization * [Histogram Stretch](digital_image_processing/histogram_equalization/histogram_stretch.py) * [Index Calculation](digital_image_processing/index_calculation.py) * Morphological Operations * [Dilation Operation](digital_image_processing/morphological_operations/dilation_operation.py) * [Erosion Operation](digital_image_processing/morphological_operations/erosion_operation.py) * Resize * [Resize](digital_image_processing/resize/resize.py) * Rotation * [Rotation](digital_image_processing/rotation/rotation.py) * [Sepia](digital_image_processing/sepia.py) * [Test Digital Image Processing](digital_image_processing/test_digital_image_processing.py) ## Divide And Conquer * [Closest Pair Of Points](divide_and_conquer/closest_pair_of_points.py) * [Convex Hull](divide_and_conquer/convex_hull.py) * [Heaps Algorithm](divide_and_conquer/heaps_algorithm.py) * [Heaps Algorithm Iterative](divide_and_conquer/heaps_algorithm_iterative.py) * [Inversions](divide_and_conquer/inversions.py) * [Kth Order Statistic](divide_and_conquer/kth_order_statistic.py) * [Max Difference Pair](divide_and_conquer/max_difference_pair.py) * [Max Subarray Sum](divide_and_conquer/max_subarray_sum.py) * [Mergesort](divide_and_conquer/mergesort.py) * [Peak](divide_and_conquer/peak.py) * [Power](divide_and_conquer/power.py) * [Strassen Matrix Multiplication](divide_and_conquer/strassen_matrix_multiplication.py) ## Dynamic Programming * [Abbreviation](dynamic_programming/abbreviation.py) * [All Construct](dynamic_programming/all_construct.py) * [Bitmask](dynamic_programming/bitmask.py) * [Catalan Numbers](dynamic_programming/catalan_numbers.py) * [Climbing Stairs](dynamic_programming/climbing_stairs.py) * [Combination Sum Iv](dynamic_programming/combination_sum_iv.py) * [Edit Distance](dynamic_programming/edit_distance.py) * [Factorial](dynamic_programming/factorial.py) * [Fast Fibonacci](dynamic_programming/fast_fibonacci.py) * [Fibonacci](dynamic_programming/fibonacci.py) * [Fizz Buzz](dynamic_programming/fizz_buzz.py) * [Floyd Warshall](dynamic_programming/floyd_warshall.py) * [Integer Partition](dynamic_programming/integer_partition.py) * [Iterating Through Submasks](dynamic_programming/iterating_through_submasks.py) * [Knapsack](dynamic_programming/knapsack.py) * [Longest Common Subsequence](dynamic_programming/longest_common_subsequence.py) * [Longest Common Substring](dynamic_programming/longest_common_substring.py) * [Longest Increasing Subsequence](dynamic_programming/longest_increasing_subsequence.py) * [Longest Increasing Subsequence O(Nlogn)](dynamic_programming/longest_increasing_subsequence_o(nlogn).py) * [Longest Sub Array](dynamic_programming/longest_sub_array.py) * [Matrix Chain Order](dynamic_programming/matrix_chain_order.py) * [Max Non Adjacent Sum](dynamic_programming/max_non_adjacent_sum.py) * [Max Sub Array](dynamic_programming/max_sub_array.py) * [Max Sum Contiguous Subsequence](dynamic_programming/max_sum_contiguous_subsequence.py) * [Min Distance Up Bottom](dynamic_programming/min_distance_up_bottom.py) * [Minimum Coin Change](dynamic_programming/minimum_coin_change.py) * [Minimum Cost Path](dynamic_programming/minimum_cost_path.py) * [Minimum Partition](dynamic_programming/minimum_partition.py) * [Minimum Squares To Represent A Number](dynamic_programming/minimum_squares_to_represent_a_number.py) * [Minimum Steps To One](dynamic_programming/minimum_steps_to_one.py) * [Optimal Binary Search Tree](dynamic_programming/optimal_binary_search_tree.py) * [Palindrome Partitioning](dynamic_programming/palindrome_partitioning.py) * [Rod Cutting](dynamic_programming/rod_cutting.py) * [Subset Generation](dynamic_programming/subset_generation.py) * [Sum Of Subset](dynamic_programming/sum_of_subset.py) * [Viterbi](dynamic_programming/viterbi.py) ## Electronics * [Builtin Voltage](electronics/builtin_voltage.py) * [Carrier Concentration](electronics/carrier_concentration.py) * [Coulombs Law](electronics/coulombs_law.py) * [Electric Conductivity](electronics/electric_conductivity.py) * [Electric Power](electronics/electric_power.py) * [Electrical Impedance](electronics/electrical_impedance.py) * [Ind Reactance](electronics/ind_reactance.py) * [Ohms Law](electronics/ohms_law.py) * [Resistor Equivalence](electronics/resistor_equivalence.py) * [Resonant Frequency](electronics/resonant_frequency.py) ## File Transfer * [Receive File](file_transfer/receive_file.py) * [Send File](file_transfer/send_file.py) * Tests * [Test Send File](file_transfer/tests/test_send_file.py) ## Financial * [Equated Monthly Installments](financial/equated_monthly_installments.py) * [Interest](financial/interest.py) * [Price Plus Tax](financial/price_plus_tax.py) ## Fractals * [Julia Sets](fractals/julia_sets.py) * [Koch Snowflake](fractals/koch_snowflake.py) * [Mandelbrot](fractals/mandelbrot.py) * [Sierpinski Triangle](fractals/sierpinski_triangle.py) ## Fuzzy Logic * [Fuzzy Operations](fuzzy_logic/fuzzy_operations.py) ## Genetic Algorithm * [Basic String](genetic_algorithm/basic_string.py) ## Geodesy * [Haversine Distance](geodesy/haversine_distance.py) * [Lamberts Ellipsoidal Distance](geodesy/lamberts_ellipsoidal_distance.py) ## Graphics * [Bezier Curve](graphics/bezier_curve.py) * [Vector3 For 2D Rendering](graphics/vector3_for_2d_rendering.py) ## Graphs * [A Star](graphs/a_star.py) * [Articulation Points](graphs/articulation_points.py) * [Basic Graphs](graphs/basic_graphs.py) * [Bellman Ford](graphs/bellman_ford.py) * [Bidirectional A Star](graphs/bidirectional_a_star.py) * [Bidirectional Breadth First Search](graphs/bidirectional_breadth_first_search.py) * [Boruvka](graphs/boruvka.py) * [Breadth First Search](graphs/breadth_first_search.py) * [Breadth First Search 2](graphs/breadth_first_search_2.py) * [Breadth First Search Shortest Path](graphs/breadth_first_search_shortest_path.py) * [Breadth First Search Shortest Path 2](graphs/breadth_first_search_shortest_path_2.py) * [Breadth First Search Zero One Shortest Path](graphs/breadth_first_search_zero_one_shortest_path.py) * [Check Bipartite Graph Bfs](graphs/check_bipartite_graph_bfs.py) * [Check Bipartite Graph Dfs](graphs/check_bipartite_graph_dfs.py) * [Check Cycle](graphs/check_cycle.py) * [Connected Components](graphs/connected_components.py) * [Depth First Search](graphs/depth_first_search.py) * [Depth First Search 2](graphs/depth_first_search_2.py) * [Dijkstra](graphs/dijkstra.py) * [Dijkstra 2](graphs/dijkstra_2.py) * [Dijkstra Algorithm](graphs/dijkstra_algorithm.py) * [Dijkstra Alternate](graphs/dijkstra_alternate.py) * [Dinic](graphs/dinic.py) * [Directed And Undirected (Weighted) Graph](graphs/directed_and_undirected_(weighted)_graph.py) * [Edmonds Karp Multiple Source And Sink](graphs/edmonds_karp_multiple_source_and_sink.py) * [Eulerian Path And Circuit For Undirected Graph](graphs/eulerian_path_and_circuit_for_undirected_graph.py) * [Even Tree](graphs/even_tree.py) * [Finding Bridges](graphs/finding_bridges.py) * [Frequent Pattern Graph Miner](graphs/frequent_pattern_graph_miner.py) * [G Topological Sort](graphs/g_topological_sort.py) * [Gale Shapley Bigraph](graphs/gale_shapley_bigraph.py) * [Graph List](graphs/graph_list.py) * [Graph Matrix](graphs/graph_matrix.py) * [Graphs Floyd Warshall](graphs/graphs_floyd_warshall.py) * [Greedy Best First](graphs/greedy_best_first.py) * [Greedy Min Vertex Cover](graphs/greedy_min_vertex_cover.py) * [Kahns Algorithm Long](graphs/kahns_algorithm_long.py) * [Kahns Algorithm Topo](graphs/kahns_algorithm_topo.py) * [Karger](graphs/karger.py) * [Markov Chain](graphs/markov_chain.py) * [Matching Min Vertex Cover](graphs/matching_min_vertex_cover.py) * [Minimum Path Sum](graphs/minimum_path_sum.py) * [Minimum Spanning Tree Boruvka](graphs/minimum_spanning_tree_boruvka.py) * [Minimum Spanning Tree Kruskal](graphs/minimum_spanning_tree_kruskal.py) * [Minimum Spanning Tree Kruskal2](graphs/minimum_spanning_tree_kruskal2.py) * [Minimum Spanning Tree Prims](graphs/minimum_spanning_tree_prims.py) * [Minimum Spanning Tree Prims2](graphs/minimum_spanning_tree_prims2.py) * [Multi Heuristic Astar](graphs/multi_heuristic_astar.py) * [Page Rank](graphs/page_rank.py) * [Prim](graphs/prim.py) * [Random Graph Generator](graphs/random_graph_generator.py) * [Scc Kosaraju](graphs/scc_kosaraju.py) * [Strongly Connected Components](graphs/strongly_connected_components.py) * [Tarjans Scc](graphs/tarjans_scc.py) * Tests * [Test Min Spanning Tree Kruskal](graphs/tests/test_min_spanning_tree_kruskal.py) * [Test Min Spanning Tree Prim](graphs/tests/test_min_spanning_tree_prim.py) ## Greedy Methods * [Fractional Knapsack](greedy_methods/fractional_knapsack.py) * [Fractional Knapsack 2](greedy_methods/fractional_knapsack_2.py) * [Optimal Merge Pattern](greedy_methods/optimal_merge_pattern.py) ## Hashes * [Adler32](hashes/adler32.py) * [Chaos Machine](hashes/chaos_machine.py) * [Djb2](hashes/djb2.py) * [Elf](hashes/elf.py) * [Enigma Machine](hashes/enigma_machine.py) * [Hamming Code](hashes/hamming_code.py) * [Luhn](hashes/luhn.py) * [Md5](hashes/md5.py) * [Sdbm](hashes/sdbm.py) * [Sha1](hashes/sha1.py) * [Sha256](hashes/sha256.py) ## Knapsack * [Greedy Knapsack](knapsack/greedy_knapsack.py) * [Knapsack](knapsack/knapsack.py) * [Recursive Approach Knapsack](knapsack/recursive_approach_knapsack.py) * Tests * [Test Greedy Knapsack](knapsack/tests/test_greedy_knapsack.py) * [Test Knapsack](knapsack/tests/test_knapsack.py) ## Linear Algebra * Src * [Conjugate Gradient](linear_algebra/src/conjugate_gradient.py) * [Lib](linear_algebra/src/lib.py) * [Polynom For Points](linear_algebra/src/polynom_for_points.py) * [Power Iteration](linear_algebra/src/power_iteration.py) * [Rayleigh Quotient](linear_algebra/src/rayleigh_quotient.py) * [Schur Complement](linear_algebra/src/schur_complement.py) * [Test Linear Algebra](linear_algebra/src/test_linear_algebra.py) * [Transformations 2D](linear_algebra/src/transformations_2d.py) ## Machine Learning * [Astar](machine_learning/astar.py) * [Data Transformations](machine_learning/data_transformations.py) * [Decision Tree](machine_learning/decision_tree.py) * Forecasting * [Run](machine_learning/forecasting/run.py) * [Gaussian Naive Bayes](machine_learning/gaussian_naive_bayes.py) * [Gradient Boosting Regressor](machine_learning/gradient_boosting_regressor.py) * [Gradient Descent](machine_learning/gradient_descent.py) * [K Means Clust](machine_learning/k_means_clust.py) * [K Nearest Neighbours](machine_learning/k_nearest_neighbours.py) * [Knn Sklearn](machine_learning/knn_sklearn.py) * [Linear Discriminant Analysis](machine_learning/linear_discriminant_analysis.py) * [Linear Regression](machine_learning/linear_regression.py) * Local Weighted Learning * [Local Weighted Learning](machine_learning/local_weighted_learning/local_weighted_learning.py) * [Logistic Regression](machine_learning/logistic_regression.py) * Lstm * [Lstm Prediction](machine_learning/lstm/lstm_prediction.py) * [Multilayer Perceptron Classifier](machine_learning/multilayer_perceptron_classifier.py) * [Polymonial Regression](machine_learning/polymonial_regression.py) * [Random Forest Classifier](machine_learning/random_forest_classifier.py) * [Random Forest Regressor](machine_learning/random_forest_regressor.py) * [Scoring Functions](machine_learning/scoring_functions.py) * [Self Organizing Map](machine_learning/self_organizing_map.py) * [Sequential Minimum Optimization](machine_learning/sequential_minimum_optimization.py) * [Similarity Search](machine_learning/similarity_search.py) * [Support Vector Machines](machine_learning/support_vector_machines.py) * [Word Frequency Functions](machine_learning/word_frequency_functions.py) * [Xgboost Classifier](machine_learning/xgboost_classifier.py) * [Xgboost Regressor](machine_learning/xgboost_regressor.py) ## Maths * [3N Plus 1](maths/3n_plus_1.py) * [Abs](maths/abs.py) * [Abs Max](maths/abs_max.py) * [Abs Min](maths/abs_min.py) * [Add](maths/add.py) * [Addition Without Arithmetic](maths/addition_without_arithmetic.py) * [Aliquot Sum](maths/aliquot_sum.py) * [Allocation Number](maths/allocation_number.py) * [Arc Length](maths/arc_length.py) * [Area](maths/area.py) * [Area Under Curve](maths/area_under_curve.py) * [Armstrong Numbers](maths/armstrong_numbers.py) * [Average Absolute Deviation](maths/average_absolute_deviation.py) * [Average Mean](maths/average_mean.py) * [Average Median](maths/average_median.py) * [Average Mode](maths/average_mode.py) * [Bailey Borwein Plouffe](maths/bailey_borwein_plouffe.py) * [Basic Maths](maths/basic_maths.py) * [Binary Exp Mod](maths/binary_exp_mod.py) * [Binary Exponentiation](maths/binary_exponentiation.py) * [Binary Exponentiation 2](maths/binary_exponentiation_2.py) * [Binary Exponentiation 3](maths/binary_exponentiation_3.py) * [Binomial Coefficient](maths/binomial_coefficient.py) * [Binomial Distribution](maths/binomial_distribution.py) * [Bisection](maths/bisection.py) * [Carmichael Number](maths/carmichael_number.py) * [Catalan Number](maths/catalan_number.py) * [Ceil](maths/ceil.py) * [Check Polygon](maths/check_polygon.py) * [Chudnovsky Algorithm](maths/chudnovsky_algorithm.py) * [Collatz Sequence](maths/collatz_sequence.py) * [Combinations](maths/combinations.py) * [Decimal Isolate](maths/decimal_isolate.py) * [Double Factorial Iterative](maths/double_factorial_iterative.py) * [Double Factorial Recursive](maths/double_factorial_recursive.py) * [Entropy](maths/entropy.py) * [Euclidean Distance](maths/euclidean_distance.py) * [Euclidean Gcd](maths/euclidean_gcd.py) * [Euler Method](maths/euler_method.py) * [Euler Modified](maths/euler_modified.py) * [Eulers Totient](maths/eulers_totient.py) * [Extended Euclidean Algorithm](maths/extended_euclidean_algorithm.py) * [Factorial Iterative](maths/factorial_iterative.py) * [Factorial Recursive](maths/factorial_recursive.py) * [Factors](maths/factors.py) * [Fermat Little Theorem](maths/fermat_little_theorem.py) * [Fibonacci](maths/fibonacci.py) * [Find Max](maths/find_max.py) * [Find Max Recursion](maths/find_max_recursion.py) * [Find Min](maths/find_min.py) * [Find Min Recursion](maths/find_min_recursion.py) * [Floor](maths/floor.py) * [Gamma](maths/gamma.py) * [Gamma Recursive](maths/gamma_recursive.py) * [Gaussian](maths/gaussian.py) * [Gaussian Error Linear Unit](maths/gaussian_error_linear_unit.py) * [Greatest Common Divisor](maths/greatest_common_divisor.py) * [Greedy Coin Change](maths/greedy_coin_change.py) * [Hamming Numbers](maths/hamming_numbers.py) * [Hardy Ramanujanalgo](maths/hardy_ramanujanalgo.py) * [Integration By Simpson Approx](maths/integration_by_simpson_approx.py) * [Is Ip V4 Address Valid](maths/is_ip_v4_address_valid.py) * [Is Square Free](maths/is_square_free.py) * [Jaccard Similarity](maths/jaccard_similarity.py) * [Kadanes](maths/kadanes.py) * [Karatsuba](maths/karatsuba.py) * [Krishnamurthy Number](maths/krishnamurthy_number.py) * [Kth Lexicographic Permutation](maths/kth_lexicographic_permutation.py) * [Largest Of Very Large Numbers](maths/largest_of_very_large_numbers.py) * [Largest Subarray Sum](maths/largest_subarray_sum.py) * [Least Common Multiple](maths/least_common_multiple.py) * [Line Length](maths/line_length.py) * [Lucas Lehmer Primality Test](maths/lucas_lehmer_primality_test.py) * [Lucas Series](maths/lucas_series.py) * [Maclaurin Series](maths/maclaurin_series.py) * [Manhattan Distance](maths/manhattan_distance.py) * [Matrix Exponentiation](maths/matrix_exponentiation.py) * [Max Sum Sliding Window](maths/max_sum_sliding_window.py) * [Median Of Two Arrays](maths/median_of_two_arrays.py) * [Miller Rabin](maths/miller_rabin.py) * [Mobius Function](maths/mobius_function.py) * [Modular Exponential](maths/modular_exponential.py) * [Monte Carlo](maths/monte_carlo.py) * [Monte Carlo Dice](maths/monte_carlo_dice.py) * [Nevilles Method](maths/nevilles_method.py) * [Newton Raphson](maths/newton_raphson.py) * [Number Of Digits](maths/number_of_digits.py) * [Numerical Integration](maths/numerical_integration.py) * [Perfect Cube](maths/perfect_cube.py) * [Perfect Number](maths/perfect_number.py) * [Perfect Square](maths/perfect_square.py) * [Persistence](maths/persistence.py) * [Pi Monte Carlo Estimation](maths/pi_monte_carlo_estimation.py) * [Points Are Collinear 3D](maths/points_are_collinear_3d.py) * [Pollard Rho](maths/pollard_rho.py) * [Polynomial Evaluation](maths/polynomial_evaluation.py) * Polynomials * [Single Indeterminate Operations](maths/polynomials/single_indeterminate_operations.py) * [Power Using Recursion](maths/power_using_recursion.py) * [Prime Check](maths/prime_check.py) * [Prime Factors](maths/prime_factors.py) * [Prime Numbers](maths/prime_numbers.py) * [Prime Sieve Eratosthenes](maths/prime_sieve_eratosthenes.py) * [Primelib](maths/primelib.py) * [Print Multiplication Table](maths/print_multiplication_table.py) * [Proth Number](maths/proth_number.py) * [Pythagoras](maths/pythagoras.py) * [Qr Decomposition](maths/qr_decomposition.py) * [Quadratic Equations Complex Numbers](maths/quadratic_equations_complex_numbers.py) * [Radians](maths/radians.py) * [Radix2 Fft](maths/radix2_fft.py) * [Relu](maths/relu.py) * [Runge Kutta](maths/runge_kutta.py) * [Segmented Sieve](maths/segmented_sieve.py) * Series * [Arithmetic](maths/series/arithmetic.py) * [Geometric](maths/series/geometric.py) * [Geometric Series](maths/series/geometric_series.py) * [Harmonic](maths/series/harmonic.py) * [Harmonic Series](maths/series/harmonic_series.py) * [Hexagonal Numbers](maths/series/hexagonal_numbers.py) * [P Series](maths/series/p_series.py) * [Sieve Of Eratosthenes](maths/sieve_of_eratosthenes.py) * [Sigmoid](maths/sigmoid.py) * [Sigmoid Linear Unit](maths/sigmoid_linear_unit.py) * [Signum](maths/signum.py) * [Simpson Rule](maths/simpson_rule.py) * [Sin](maths/sin.py) * [Sock Merchant](maths/sock_merchant.py) * [Softmax](maths/softmax.py) * [Square Root](maths/square_root.py) * [Sum Of Arithmetic Series](maths/sum_of_arithmetic_series.py) * [Sum Of Digits](maths/sum_of_digits.py) * [Sum Of Geometric Progression](maths/sum_of_geometric_progression.py) * [Sum Of Harmonic Series](maths/sum_of_harmonic_series.py) * [Sumset](maths/sumset.py) * [Sylvester Sequence](maths/sylvester_sequence.py) * [Test Prime Check](maths/test_prime_check.py) * [Trapezoidal Rule](maths/trapezoidal_rule.py) * [Triplet Sum](maths/triplet_sum.py) * [Two Pointer](maths/two_pointer.py) * [Two Sum](maths/two_sum.py) * [Ugly Numbers](maths/ugly_numbers.py) * [Volume](maths/volume.py) * [Weird Number](maths/weird_number.py) * [Zellers Congruence](maths/zellers_congruence.py) ## Matrix * [Binary Search Matrix](matrix/binary_search_matrix.py) * [Count Islands In Matrix](matrix/count_islands_in_matrix.py) * [Count Paths](matrix/count_paths.py) * [Cramers Rule 2X2](matrix/cramers_rule_2x2.py) * [Inverse Of Matrix](matrix/inverse_of_matrix.py) * [Largest Square Area In Matrix](matrix/largest_square_area_in_matrix.py) * [Matrix Class](matrix/matrix_class.py) * [Matrix Operation](matrix/matrix_operation.py) * [Max Area Of Island](matrix/max_area_of_island.py) * [Nth Fibonacci Using Matrix Exponentiation](matrix/nth_fibonacci_using_matrix_exponentiation.py) * [Rotate Matrix](matrix/rotate_matrix.py) * [Searching In Sorted Matrix](matrix/searching_in_sorted_matrix.py) * [Sherman Morrison](matrix/sherman_morrison.py) * [Spiral Print](matrix/spiral_print.py) * Tests * [Test Matrix Operation](matrix/tests/test_matrix_operation.py) ## Networking Flow * [Ford Fulkerson](networking_flow/ford_fulkerson.py) * [Minimum Cut](networking_flow/minimum_cut.py) ## Neural Network * [2 Hidden Layers Neural Network](neural_network/2_hidden_layers_neural_network.py) * [Back Propagation Neural Network](neural_network/back_propagation_neural_network.py) * [Convolution Neural Network](neural_network/convolution_neural_network.py) * [Perceptron](neural_network/perceptron.py) * [Simple Neural Network](neural_network/simple_neural_network.py) ## Other * [Activity Selection](other/activity_selection.py) * [Alternative List Arrange](other/alternative_list_arrange.py) * [Check Strong Password](other/check_strong_password.py) * [Davisb Putnamb Logemannb Loveland](other/davisb_putnamb_logemannb_loveland.py) * [Dijkstra Bankers Algorithm](other/dijkstra_bankers_algorithm.py) * [Doomsday](other/doomsday.py) * [Fischer Yates Shuffle](other/fischer_yates_shuffle.py) * [Gauss Easter](other/gauss_easter.py) * [Graham Scan](other/graham_scan.py) * [Greedy](other/greedy.py) * [Least Recently Used](other/least_recently_used.py) * [Lfu Cache](other/lfu_cache.py) * [Linear Congruential Generator](other/linear_congruential_generator.py) * [Lru Cache](other/lru_cache.py) * [Magicdiamondpattern](other/magicdiamondpattern.py) * [Maximum Subarray](other/maximum_subarray.py) * [Nested Brackets](other/nested_brackets.py) * [Pascal Triangle](other/pascal_triangle.py) * [Password Generator](other/password_generator.py) * [Quine](other/quine.py) * [Scoring Algorithm](other/scoring_algorithm.py) * [Sdes](other/sdes.py) * [Tower Of Hanoi](other/tower_of_hanoi.py) ## Physics * [Archimedes Principle](physics/archimedes_principle.py) * [Casimir Effect](physics/casimir_effect.py) * [Centripetal Force](physics/centripetal_force.py) * [Horizontal Projectile Motion](physics/horizontal_projectile_motion.py) * [Ideal Gas Law](physics/ideal_gas_law.py) * [Kinetic Energy](physics/kinetic_energy.py) * [Lorentz Transformation Four Vector](physics/lorentz_transformation_four_vector.py) * [Malus Law](physics/malus_law.py) * [N Body Simulation](physics/n_body_simulation.py) * [Newtons Law Of Gravitation](physics/newtons_law_of_gravitation.py) * [Newtons Second Law Of Motion](physics/newtons_second_law_of_motion.py) * [Potential Energy](physics/potential_energy.py) * [Rms Speed Of Molecule](physics/rms_speed_of_molecule.py) * [Shear Stress](physics/shear_stress.py) ## Project Euler * Problem 001 * [Sol1](project_euler/problem_001/sol1.py) * [Sol2](project_euler/problem_001/sol2.py) * [Sol3](project_euler/problem_001/sol3.py) * [Sol4](project_euler/problem_001/sol4.py) * [Sol5](project_euler/problem_001/sol5.py) * [Sol6](project_euler/problem_001/sol6.py) * [Sol7](project_euler/problem_001/sol7.py) * Problem 002 * [Sol1](project_euler/problem_002/sol1.py) * [Sol2](project_euler/problem_002/sol2.py) * [Sol3](project_euler/problem_002/sol3.py) * [Sol4](project_euler/problem_002/sol4.py) * [Sol5](project_euler/problem_002/sol5.py) * Problem 003 * [Sol1](project_euler/problem_003/sol1.py) * [Sol2](project_euler/problem_003/sol2.py) * [Sol3](project_euler/problem_003/sol3.py) * Problem 004 * [Sol1](project_euler/problem_004/sol1.py) * [Sol2](project_euler/problem_004/sol2.py) * Problem 005 * [Sol1](project_euler/problem_005/sol1.py) * [Sol2](project_euler/problem_005/sol2.py) * Problem 006 * [Sol1](project_euler/problem_006/sol1.py) * [Sol2](project_euler/problem_006/sol2.py) * [Sol3](project_euler/problem_006/sol3.py) * [Sol4](project_euler/problem_006/sol4.py) * Problem 007 * [Sol1](project_euler/problem_007/sol1.py) * [Sol2](project_euler/problem_007/sol2.py) * [Sol3](project_euler/problem_007/sol3.py) * Problem 008 * [Sol1](project_euler/problem_008/sol1.py) * [Sol2](project_euler/problem_008/sol2.py) * [Sol3](project_euler/problem_008/sol3.py) * Problem 009 * [Sol1](project_euler/problem_009/sol1.py) * [Sol2](project_euler/problem_009/sol2.py) * [Sol3](project_euler/problem_009/sol3.py) * Problem 010 * [Sol1](project_euler/problem_010/sol1.py) * [Sol2](project_euler/problem_010/sol2.py) * [Sol3](project_euler/problem_010/sol3.py) * Problem 011 * [Sol1](project_euler/problem_011/sol1.py) * [Sol2](project_euler/problem_011/sol2.py) * Problem 012 * [Sol1](project_euler/problem_012/sol1.py) * [Sol2](project_euler/problem_012/sol2.py) * Problem 013 * [Sol1](project_euler/problem_013/sol1.py) * Problem 014 * [Sol1](project_euler/problem_014/sol1.py) * [Sol2](project_euler/problem_014/sol2.py) * Problem 015 * [Sol1](project_euler/problem_015/sol1.py) * Problem 016 * [Sol1](project_euler/problem_016/sol1.py) * [Sol2](project_euler/problem_016/sol2.py) * Problem 017 * [Sol1](project_euler/problem_017/sol1.py) * Problem 018 * [Solution](project_euler/problem_018/solution.py) * Problem 019 * [Sol1](project_euler/problem_019/sol1.py) * Problem 020 * [Sol1](project_euler/problem_020/sol1.py) * [Sol2](project_euler/problem_020/sol2.py) * [Sol3](project_euler/problem_020/sol3.py) * [Sol4](project_euler/problem_020/sol4.py) * Problem 021 * [Sol1](project_euler/problem_021/sol1.py) * Problem 022 * [Sol1](project_euler/problem_022/sol1.py) * [Sol2](project_euler/problem_022/sol2.py) * Problem 023 * [Sol1](project_euler/problem_023/sol1.py) * Problem 024 * [Sol1](project_euler/problem_024/sol1.py) * Problem 025 * [Sol1](project_euler/problem_025/sol1.py) * [Sol2](project_euler/problem_025/sol2.py) * [Sol3](project_euler/problem_025/sol3.py) * Problem 026 * [Sol1](project_euler/problem_026/sol1.py) * Problem 027 * [Sol1](project_euler/problem_027/sol1.py) * Problem 028 * [Sol1](project_euler/problem_028/sol1.py) * Problem 029 * [Sol1](project_euler/problem_029/sol1.py) * Problem 030 * [Sol1](project_euler/problem_030/sol1.py) * Problem 031 * [Sol1](project_euler/problem_031/sol1.py) * [Sol2](project_euler/problem_031/sol2.py) * Problem 032 * [Sol32](project_euler/problem_032/sol32.py) * Problem 033 * [Sol1](project_euler/problem_033/sol1.py) * Problem 034 * [Sol1](project_euler/problem_034/sol1.py) * Problem 035 * [Sol1](project_euler/problem_035/sol1.py) * Problem 036 * [Sol1](project_euler/problem_036/sol1.py) * Problem 037 * [Sol1](project_euler/problem_037/sol1.py) * Problem 038 * [Sol1](project_euler/problem_038/sol1.py) * Problem 039 * [Sol1](project_euler/problem_039/sol1.py) * Problem 040 * [Sol1](project_euler/problem_040/sol1.py) * Problem 041 * [Sol1](project_euler/problem_041/sol1.py) * Problem 042 * [Solution42](project_euler/problem_042/solution42.py) * Problem 043 * [Sol1](project_euler/problem_043/sol1.py) * Problem 044 * [Sol1](project_euler/problem_044/sol1.py) * Problem 045 * [Sol1](project_euler/problem_045/sol1.py) * Problem 046 * [Sol1](project_euler/problem_046/sol1.py) * Problem 047 * [Sol1](project_euler/problem_047/sol1.py) * Problem 048 * [Sol1](project_euler/problem_048/sol1.py) * Problem 049 * [Sol1](project_euler/problem_049/sol1.py) * Problem 050 * [Sol1](project_euler/problem_050/sol1.py) * Problem 051 * [Sol1](project_euler/problem_051/sol1.py) * Problem 052 * [Sol1](project_euler/problem_052/sol1.py) * Problem 053 * [Sol1](project_euler/problem_053/sol1.py) * Problem 054 * [Sol1](project_euler/problem_054/sol1.py) * [Test Poker Hand](project_euler/problem_054/test_poker_hand.py) * Problem 055 * [Sol1](project_euler/problem_055/sol1.py) * Problem 056 * [Sol1](project_euler/problem_056/sol1.py) * Problem 057 * [Sol1](project_euler/problem_057/sol1.py) * Problem 058 * [Sol1](project_euler/problem_058/sol1.py) * Problem 059 * [Sol1](project_euler/problem_059/sol1.py) * Problem 062 * [Sol1](project_euler/problem_062/sol1.py) * Problem 063 * [Sol1](project_euler/problem_063/sol1.py) * Problem 064 * [Sol1](project_euler/problem_064/sol1.py) * Problem 065 * [Sol1](project_euler/problem_065/sol1.py) * Problem 067 * [Sol1](project_euler/problem_067/sol1.py) * [Sol2](project_euler/problem_067/sol2.py) * Problem 068 * [Sol1](project_euler/problem_068/sol1.py) * Problem 069 * [Sol1](project_euler/problem_069/sol1.py) * Problem 070 * [Sol1](project_euler/problem_070/sol1.py) * Problem 071 * [Sol1](project_euler/problem_071/sol1.py) * Problem 072 * [Sol1](project_euler/problem_072/sol1.py) * [Sol2](project_euler/problem_072/sol2.py) * Problem 073 * [Sol1](project_euler/problem_073/sol1.py) * Problem 074 * [Sol1](project_euler/problem_074/sol1.py) * [Sol2](project_euler/problem_074/sol2.py) * Problem 075 * [Sol1](project_euler/problem_075/sol1.py) * Problem 076 * [Sol1](project_euler/problem_076/sol1.py) * Problem 077 * [Sol1](project_euler/problem_077/sol1.py) * Problem 078 * [Sol1](project_euler/problem_078/sol1.py) * Problem 080 * [Sol1](project_euler/problem_080/sol1.py) * Problem 081 * [Sol1](project_euler/problem_081/sol1.py) * Problem 085 * [Sol1](project_euler/problem_085/sol1.py) * Problem 086 * [Sol1](project_euler/problem_086/sol1.py) * Problem 087 * [Sol1](project_euler/problem_087/sol1.py) * Problem 089 * [Sol1](project_euler/problem_089/sol1.py) * Problem 091 * [Sol1](project_euler/problem_091/sol1.py) * Problem 092 * [Sol1](project_euler/problem_092/sol1.py) * Problem 097 * [Sol1](project_euler/problem_097/sol1.py) * Problem 099 * [Sol1](project_euler/problem_099/sol1.py) * Problem 101 * [Sol1](project_euler/problem_101/sol1.py) * Problem 102 * [Sol1](project_euler/problem_102/sol1.py) * Problem 104 * [Sol1](project_euler/problem_104/sol1.py) * Problem 107 * [Sol1](project_euler/problem_107/sol1.py) * Problem 109 * [Sol1](project_euler/problem_109/sol1.py) * Problem 112 * [Sol1](project_euler/problem_112/sol1.py) * Problem 113 * [Sol1](project_euler/problem_113/sol1.py) * Problem 114 * [Sol1](project_euler/problem_114/sol1.py) * Problem 115 * [Sol1](project_euler/problem_115/sol1.py) * Problem 116 * [Sol1](project_euler/problem_116/sol1.py) * Problem 119 * [Sol1](project_euler/problem_119/sol1.py) * Problem 120 * [Sol1](project_euler/problem_120/sol1.py) * Problem 121 * [Sol1](project_euler/problem_121/sol1.py) * Problem 123 * [Sol1](project_euler/problem_123/sol1.py) * Problem 125 * [Sol1](project_euler/problem_125/sol1.py) * Problem 129 * [Sol1](project_euler/problem_129/sol1.py) * Problem 135 * [Sol1](project_euler/problem_135/sol1.py) * Problem 144 * [Sol1](project_euler/problem_144/sol1.py) * Problem 145 * [Sol1](project_euler/problem_145/sol1.py) * Problem 173 * [Sol1](project_euler/problem_173/sol1.py) * Problem 174 * [Sol1](project_euler/problem_174/sol1.py) * Problem 180 * [Sol1](project_euler/problem_180/sol1.py) * Problem 188 * [Sol1](project_euler/problem_188/sol1.py) * Problem 191 * [Sol1](project_euler/problem_191/sol1.py) * Problem 203 * [Sol1](project_euler/problem_203/sol1.py) * Problem 205 * [Sol1](project_euler/problem_205/sol1.py) * Problem 206 * [Sol1](project_euler/problem_206/sol1.py) * Problem 207 * [Sol1](project_euler/problem_207/sol1.py) * Problem 234 * [Sol1](project_euler/problem_234/sol1.py) * Problem 301 * [Sol1](project_euler/problem_301/sol1.py) * Problem 493 * [Sol1](project_euler/problem_493/sol1.py) * Problem 551 * [Sol1](project_euler/problem_551/sol1.py) * Problem 587 * [Sol1](project_euler/problem_587/sol1.py) * Problem 686 * [Sol1](project_euler/problem_686/sol1.py) ## Quantum * [Deutsch Jozsa](quantum/deutsch_jozsa.py) * [Half Adder](quantum/half_adder.py) * [Not Gate](quantum/not_gate.py) * [Q Full Adder](quantum/q_full_adder.py) * [Quantum Entanglement](quantum/quantum_entanglement.py) * [Quantum Teleportation](quantum/quantum_teleportation.py) * [Ripple Adder Classic](quantum/ripple_adder_classic.py) * [Single Qubit Measure](quantum/single_qubit_measure.py) * [Superdense Coding](quantum/superdense_coding.py) ## Scheduling * [First Come First Served](scheduling/first_come_first_served.py) * [Highest Response Ratio Next](scheduling/highest_response_ratio_next.py) * [Job Sequencing With Deadline](scheduling/job_sequencing_with_deadline.py) * [Multi Level Feedback Queue](scheduling/multi_level_feedback_queue.py) * [Non Preemptive Shortest Job First](scheduling/non_preemptive_shortest_job_first.py) * [Round Robin](scheduling/round_robin.py) * [Shortest Job First](scheduling/shortest_job_first.py) ## Searches * [Binary Search](searches/binary_search.py) * [Binary Tree Traversal](searches/binary_tree_traversal.py) * [Double Linear Search](searches/double_linear_search.py) * [Double Linear Search Recursion](searches/double_linear_search_recursion.py) * [Fibonacci Search](searches/fibonacci_search.py) * [Hill Climbing](searches/hill_climbing.py) * [Interpolation Search](searches/interpolation_search.py) * [Jump Search](searches/jump_search.py) * [Linear Search](searches/linear_search.py) * [Quick Select](searches/quick_select.py) * [Sentinel Linear Search](searches/sentinel_linear_search.py) * [Simple Binary Search](searches/simple_binary_search.py) * [Simulated Annealing](searches/simulated_annealing.py) * [Tabu Search](searches/tabu_search.py) * [Ternary Search](searches/ternary_search.py) ## Sorts * [Bead Sort](sorts/bead_sort.py) * [Bitonic Sort](sorts/bitonic_sort.py) * [Bogo Sort](sorts/bogo_sort.py) * [Bubble Sort](sorts/bubble_sort.py) * [Bucket Sort](sorts/bucket_sort.py) * [Circle Sort](sorts/circle_sort.py) * [Cocktail Shaker Sort](sorts/cocktail_shaker_sort.py) * [Comb Sort](sorts/comb_sort.py) * [Counting Sort](sorts/counting_sort.py) * [Cycle Sort](sorts/cycle_sort.py) * [Double Sort](sorts/double_sort.py) * [Dutch National Flag Sort](sorts/dutch_national_flag_sort.py) * [Exchange Sort](sorts/exchange_sort.py) * [External Sort](sorts/external_sort.py) * [Gnome Sort](sorts/gnome_sort.py) * [Heap Sort](sorts/heap_sort.py) * [Insertion Sort](sorts/insertion_sort.py) * [Intro Sort](sorts/intro_sort.py) * [Iterative Merge Sort](sorts/iterative_merge_sort.py) * [Merge Insertion Sort](sorts/merge_insertion_sort.py) * [Merge Sort](sorts/merge_sort.py) * [Msd Radix Sort](sorts/msd_radix_sort.py) * [Natural Sort](sorts/natural_sort.py) * [Odd Even Sort](sorts/odd_even_sort.py) * [Odd Even Transposition Parallel](sorts/odd_even_transposition_parallel.py) * [Odd Even Transposition Single Threaded](sorts/odd_even_transposition_single_threaded.py) * [Pancake Sort](sorts/pancake_sort.py) * [Patience Sort](sorts/patience_sort.py) * [Pigeon Sort](sorts/pigeon_sort.py) * [Pigeonhole Sort](sorts/pigeonhole_sort.py) * [Quick Sort](sorts/quick_sort.py) * [Quick Sort 3 Partition](sorts/quick_sort_3_partition.py) * [Radix Sort](sorts/radix_sort.py) * [Random Normal Distribution Quicksort](sorts/random_normal_distribution_quicksort.py) * [Random Pivot Quick Sort](sorts/random_pivot_quick_sort.py) * [Recursive Bubble Sort](sorts/recursive_bubble_sort.py) * [Recursive Insertion Sort](sorts/recursive_insertion_sort.py) * [Recursive Mergesort Array](sorts/recursive_mergesort_array.py) * [Recursive Quick Sort](sorts/recursive_quick_sort.py) * [Selection Sort](sorts/selection_sort.py) * [Shell Sort](sorts/shell_sort.py) * [Shrink Shell Sort](sorts/shrink_shell_sort.py) * [Slowsort](sorts/slowsort.py) * [Stooge Sort](sorts/stooge_sort.py) * [Strand Sort](sorts/strand_sort.py) * [Tim Sort](sorts/tim_sort.py) * [Topological Sort](sorts/topological_sort.py) * [Tree Sort](sorts/tree_sort.py) * [Unknown Sort](sorts/unknown_sort.py) * [Wiggle Sort](sorts/wiggle_sort.py) ## Strings * [Aho Corasick](strings/aho_corasick.py) * [Alternative String Arrange](strings/alternative_string_arrange.py) * [Anagrams](strings/anagrams.py) * [Autocomplete Using Trie](strings/autocomplete_using_trie.py) * [Barcode Validator](strings/barcode_validator.py) * [Boyer Moore Search](strings/boyer_moore_search.py) * [Can String Be Rearranged As Palindrome](strings/can_string_be_rearranged_as_palindrome.py) * [Capitalize](strings/capitalize.py) * [Check Anagrams](strings/check_anagrams.py) * [Credit Card Validator](strings/credit_card_validator.py) * [Detecting English Programmatically](strings/detecting_english_programmatically.py) * [Dna](strings/dna.py) * [Frequency Finder](strings/frequency_finder.py) * [Hamming Distance](strings/hamming_distance.py) * [Indian Phone Validator](strings/indian_phone_validator.py) * [Is Contains Unique Chars](strings/is_contains_unique_chars.py) * [Is Isogram](strings/is_isogram.py) * [Is Palindrome](strings/is_palindrome.py) * [Is Pangram](strings/is_pangram.py) * [Is Spain National Id](strings/is_spain_national_id.py) * [Is Srilankan Phone Number](strings/is_srilankan_phone_number.py) * [Jaro Winkler](strings/jaro_winkler.py) * [Join](strings/join.py) * [Knuth Morris Pratt](strings/knuth_morris_pratt.py) * [Levenshtein Distance](strings/levenshtein_distance.py) * [Lower](strings/lower.py) * [Manacher](strings/manacher.py) * [Min Cost String Conversion](strings/min_cost_string_conversion.py) * [Naive String Search](strings/naive_string_search.py) * [Ngram](strings/ngram.py) * [Palindrome](strings/palindrome.py) * [Prefix Function](strings/prefix_function.py) * [Rabin Karp](strings/rabin_karp.py) * [Remove Duplicate](strings/remove_duplicate.py) * [Reverse Letters](strings/reverse_letters.py) * [Reverse Long Words](strings/reverse_long_words.py) * [Reverse Words](strings/reverse_words.py) * [Snake Case To Camel Pascal Case](strings/snake_case_to_camel_pascal_case.py) * [Split](strings/split.py) * [Text Justification](strings/text_justification.py) * [Upper](strings/upper.py) * [Wave](strings/wave.py) * [Wildcard Pattern Matching](strings/wildcard_pattern_matching.py) * [Word Occurrence](strings/word_occurrence.py) * [Word Patterns](strings/word_patterns.py) * [Z Function](strings/z_function.py) ## Web Programming * [Co2 Emission](web_programming/co2_emission.py) * [Covid Stats Via Xpath](web_programming/covid_stats_via_xpath.py) * [Crawl Google Results](web_programming/crawl_google_results.py) * [Crawl Google Scholar Citation](web_programming/crawl_google_scholar_citation.py) * [Currency Converter](web_programming/currency_converter.py) * [Current Stock Price](web_programming/current_stock_price.py) * [Current Weather](web_programming/current_weather.py) * [Daily Horoscope](web_programming/daily_horoscope.py) * [Download Images From Google Query](web_programming/download_images_from_google_query.py) * [Emails From Url](web_programming/emails_from_url.py) * [Fetch Anime And Play](web_programming/fetch_anime_and_play.py) * [Fetch Bbc News](web_programming/fetch_bbc_news.py) * [Fetch Github Info](web_programming/fetch_github_info.py) * [Fetch Jobs](web_programming/fetch_jobs.py) * [Fetch Quotes](web_programming/fetch_quotes.py) * [Fetch Well Rx Price](web_programming/fetch_well_rx_price.py) * [Get Amazon Product Data](web_programming/get_amazon_product_data.py) * [Get Imdb Top 250 Movies Csv](web_programming/get_imdb_top_250_movies_csv.py) * [Get Imdbtop](web_programming/get_imdbtop.py) * [Get Top Billioners](web_programming/get_top_billioners.py) * [Get Top Hn Posts](web_programming/get_top_hn_posts.py) * [Get User Tweets](web_programming/get_user_tweets.py) * [Giphy](web_programming/giphy.py) * [Instagram Crawler](web_programming/instagram_crawler.py) * [Instagram Pic](web_programming/instagram_pic.py) * [Instagram Video](web_programming/instagram_video.py) * [Nasa Data](web_programming/nasa_data.py) * [Open Google Results](web_programming/open_google_results.py) * [Random Anime Character](web_programming/random_anime_character.py) * [Recaptcha Verification](web_programming/recaptcha_verification.py) * [Reddit](web_programming/reddit.py) * [Search Books By Isbn](web_programming/search_books_by_isbn.py) * [Slack Message](web_programming/slack_message.py) * [Test Fetch Github Info](web_programming/test_fetch_github_info.py) * [World Covid19 Stats](web_programming/world_covid19_stats.py)
1
TheAlgorithms/Python
6,591
Test on Python 3.11
### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-10-03T07:32:25Z"
"2022-10-31T13:50:03Z"
b2165a65fcf1a087236d2a1527b10b64a12f69e6
a31edd4477af958adb840dadd568c38eecc9567b
Test on Python 3.11. ### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
beautifulsoup4 fake_useragent keras lxml matplotlib numpy opencv-python pandas pillow projectq qiskit requests rich scikit-fuzzy sklearn statsmodels sympy tensorflow texttable tweepy xgboost yulewalker
beautifulsoup4 fake_useragent keras lxml matplotlib numpy opencv-python pandas pillow projectq qiskit; python_version < "3.11" requests rich scikit-fuzzy sklearn statsmodels; python_version < "3.11" sympy tensorflow; python_version < "3.11" texttable tweepy xgboost yulewalker
1
TheAlgorithms/Python
6,591
Test on Python 3.11
### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-10-03T07:32:25Z"
"2022-10-31T13:50:03Z"
b2165a65fcf1a087236d2a1527b10b64a12f69e6
a31edd4477af958adb840dadd568c38eecc9567b
Test on Python 3.11. ### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
# Sorting Algorithms Sorting is the process of putting data in a specific order. The way to arrange data in a specific order is specified by the sorting algorithm. The most typical orders are lexical or numerical. The significance of sorting lies in the fact that, if data is stored in a sorted manner, data searching can be highly optimised. Another use for sorting is to represent data in a more readable manner. This section contains a lot of important algorithms that helps us to use sorting algorithms in various scenarios. ## References * <https://www.tutorialspoint.com/python_data_structure/python_sorting_algorithms.htm> * <https://www.geeksforgeeks.org/sorting-algorithms-in-python> * <https://realpython.com/sorting-algorithms-python>
# Sorting Algorithms Sorting is the process of putting data in a specific order. The way to arrange data in a specific order is specified by the sorting algorithm. The most typical orders are lexical or numerical. The significance of sorting lies in the fact that, if data is stored in a sorted manner, data searching can be highly optimised. Another use for sorting is to represent data in a more readable manner. This section contains a lot of important algorithms that helps us to use sorting algorithms in various scenarios. ## References * <https://www.tutorialspoint.com/python_data_structure/python_sorting_algorithms.htm> * <https://www.geeksforgeeks.org/sorting-algorithms-in-python> * <https://realpython.com/sorting-algorithms-python>
-1
TheAlgorithms/Python
6,591
Test on Python 3.11
### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-10-03T07:32:25Z"
"2022-10-31T13:50:03Z"
b2165a65fcf1a087236d2a1527b10b64a12f69e6
a31edd4477af958adb840dadd568c38eecc9567b
Test on Python 3.11. ### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
# Audio Filter Audio filters work on the frequency of an audio signal to attenuate unwanted frequency and amplify wanted ones. They are used within anything related to sound, whether it is radio communication or a hi-fi system. * <https://www.masteringbox.com/filter-types/> * <http://ethanwiner.com/filters.html> * <https://en.wikipedia.org/wiki/Audio_filter> * <https://en.wikipedia.org/wiki/Electronic_filter>
# Audio Filter Audio filters work on the frequency of an audio signal to attenuate unwanted frequency and amplify wanted ones. They are used within anything related to sound, whether it is radio communication or a hi-fi system. * <https://www.masteringbox.com/filter-types/> * <http://ethanwiner.com/filters.html> * <https://en.wikipedia.org/wiki/Audio_filter> * <https://en.wikipedia.org/wiki/Electronic_filter>
-1
TheAlgorithms/Python
6,591
Test on Python 3.11
### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-10-03T07:32:25Z"
"2022-10-31T13:50:03Z"
b2165a65fcf1a087236d2a1527b10b64a12f69e6
a31edd4477af958adb840dadd568c38eecc9567b
Test on Python 3.11. ### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
The Project Gutenberg eBook, Prehistoric Men, by Robert J. (Robert John) Braidwood, Illustrated by Susan T. Richert This eBook is for the use of anyone anywhere in the United States and most other parts of the world at no cost and with almost no restrictions whatsoever. You may copy it, give it away or re-use it under the terms of the Project Gutenberg License included with this eBook or online at www.gutenberg.org. If you are not located in the United States, you'll have to check the laws of the country where you are located before using this ebook. Title: Prehistoric Men Author: Robert J. (Robert John) Braidwood Release Date: July 28, 2016 [eBook #52664] Language: English Character set encoding: UTF-8 ***START OF THE PROJECT GUTENBERG EBOOK PREHISTORIC MEN*** E-text prepared by Stephen Hutcheson, Dave Morgan, Charlie Howard, and the Online Distributed Proofreading Team (http://www.pgdp.net) Note: Project Gutenberg also has an HTML version of this file which includes the original illustrations. See 52664-h.htm or 52664-h.zip: (http://www.gutenberg.org/files/52664/52664-h/52664-h.htm) or (http://www.gutenberg.org/files/52664/52664-h.zip) Transcriber's note: Some characters might not display in this UTF-8 text version. If so, the reader should consult the HTML version referred to above. One example of this might occur in the second paragraph under "Choppers and Adze-like Tools", page 46, which contains the phrase an adze cutting edge is ? shaped. The symbol before shaped looks like a sharply-italicized sans-serif L. Devices that cannot display that symbol may substitute a question mark, a square, or other symbol. PREHISTORIC MEN by ROBERT J. BRAIDWOOD Research Associate, Old World Prehistory Professor Oriental Institute and Department of Anthropology University of Chicago Drawings by Susan T. Richert [Illustration] Chicago Natural History Museum Popular Series Anthropology, Number 37 Third Edition Issued in Co-operation with The Oriental Institute, The University of Chicago Edited by Lillian A. Ross Printed in the United States of America by Chicago Natural History Museum Press Copyright 1948, 1951, and 1957 by Chicago Natural History Museum First edition 1948 Second edition 1951 Third edition 1957 Fourth edition 1959 Preface [Illustration] Like the writing of most professional archeologists, mine has been confined to so-called learned papers. Good, bad, or indifferent, these papers were in a jargon that only my colleagues and a few advanced students could understand. Hence, when I was asked to do this little book, I soon found it extremely difficult to say what I meant in simple fashion. The style is new to me, but I hope the reader will not find it forced or pedantic; at least I have done my very best to tell the story simply and clearly. Many friends have aided in the preparation of the book. The whimsical charm of Miss Susan Richerts illustrations add enormously to the spirit I wanted. She gave freely of her own time on the drawings and in planning the book with me. My colleagues at the University of Chicago, especially Professor Wilton M. Krogman (now of the University of Pennsylvania), and also Mrs. Linda Braidwood, Associate of the Oriental Institute, and Professors Fay-Cooper Cole and Sol Tax, of the Department of Anthropology, gave me counsel in matters bearing on their special fields, and the Department of Anthropology bore some of the expense of the illustrations. From Mrs. Irma Hunter and Mr. Arnold Maremont, who are not archeologists at all and have only an intelligent laymans notion of archeology, I had sound advice on how best to tell the story. I am deeply indebted to all these friends. While I was preparing the second edition, I had the great fortune to be able to rework the third chapter with Professor Sherwood L. Washburn, now of the Department of Anthropology of the University of California, and the fourth, fifth, and sixth chapters with Professor Hallum L. Movius, Jr., of the Peabody Museum, Harvard University. The book has gained greatly in accuracy thereby. In matters of dating, Professor Movius and the indications of Professor W. F. Libbys Carbon 14 chronology project have both encouraged me to choose the lowest dates now current for the events of the Pleistocene Ice Age. There is still no certain way of fixing a direct chronology for most of the Pleistocene, but Professor Libbys method appears very promising for its end range and for proto-historic dates. In any case, this book names periods, and new dates may be written in against mine, if new and better dating systems appear. I wish to thank Dr. Clifford C. Gregg, Director of Chicago Natural History Museum, for the opportunity to publish this book. My old friend, Dr. Paul S. Martin, Chief Curator in the Department of Anthropology, asked me to undertake the job and inspired me to complete it. I am also indebted to Miss Lillian A. Ross, Associate Editor of Scientific Publications, and to Mr. George I. Quimby, Curator of Exhibits in Anthropology, for all the time they have given me in getting the manuscript into proper shape. ROBERT J. BRAIDWOOD _June 15, 1950_ Preface to the Third Edition In preparing the enlarged third edition, many of the above mentioned friends have again helped me. I have picked the brains of Professor F. Clark Howell of the Department of Anthropology of the University of Chicago in reworking the earlier chapters, and he was very patient in the matter, which I sincerely appreciate. All of Mrs. Susan Richert Allens original drawings appear, but a few necessary corrections have been made in some of the charts and some new drawings have been added by Mr. John Pfiffner, Staff Artist, Chicago Natural History Museum. ROBERT J. BRAIDWOOD _March 1, 1959_ Contents PAGE How We Learn about Prehistoric Men 7 The Changing World in Which Prehistoric Men Lived 17 Prehistoric Men Themselves 22 Cultural Beginnings 38 More Evidence of Culture 56 Early Moderns 70 End and Prelude 92 The First Revolution 121 The Conquest of Civilization 144 End of Prehistory 162 Summary 176 List of Books 180 Index 184 HOW WE LEARN about Prehistoric Men [Illustration] Prehistory means the time before written history began. Actually, more than 99 per cent of mans story is prehistory. Man is at least half a million years old, but he did not begin to write history (or to write anything) until about 5,000 years ago. The men who lived in prehistoric times left us no history books, but they did unintentionally leave a record of their presence and their way of life. This record is studied and interpreted by different kinds of scientists. SCIENTISTS WHO FIND OUT ABOUT PREHISTORIC MEN The scientists who study the bones and teeth and any other parts they find of the bodies of prehistoric men, are called _physical anthropologists_. Physical anthropologists are trained, much like doctors, to know all about the human body. They study living people, too; they know more about the biological facts of human races than anybody else. If the police find a badly decayed body in a trunk, they ask a physical anthropologist to tell them what the person originally looked like. The physical anthropologists who specialize in prehistoric men work with fossils, so they are sometimes called _human paleontologists_. ARCHEOLOGISTS There is a kind of scientist who studies the things that prehistoric men made and did. Such a scientist is called an _archeologist_. It is the archeologists business to look for the stone and metal tools, the pottery, the graves, and the caves or huts of the men who lived before history began. But there is more to archeology than just looking for things. In Professor V. Gordon Childes words, archeology furnishes a sort of history of human activity, provided always that the actions have produced concrete results and left recognizable material traces. You will see that there are at least three points in what Childe says: 1. The archeologists have to find the traces of things left behind by ancient man, and 2. Only a few objects may be found, for most of these were probably too soft or too breakable to last through the years. However, 3. The archeologist must use whatever he can find to tell a story--to make a sort of history--from the objects and living-places and graves that have escaped destruction. What I mean is this: Let us say you are walking through a dump yard, and you find a rusty old spark plug. If you want to think about what the spark plug means, you quickly remember that it is a part of an automobile motor. This tells you something about the man who threw the spark plug on the dump. He either had an automobile, or he knew or lived near someone who did. He cant have lived so very long ago, youll remember, because spark plugs and automobiles are only about sixty years old. When you think about the old spark plug in this way you have just been making the beginnings of what we call an archeological _interpretation_; you have been making the spark plug tell a story. It is the same way with the man-made things we archeologists find and put in museums. Usually, only a few of these objects are pretty to look at; but each of them has some sort of story to tell. Making the interpretation of his finds is the most important part of the archeologists job. It is the way he gets at the sort of history of human activity which is expected of archeology. SOME OTHER SCIENTISTS There are many other scientists who help the archeologist and the physical anthropologist find out about prehistoric men. The geologists help us tell the age of the rocks or caves or gravel beds in which human bones or man-made objects are found. There are other scientists with names which all begin with paleo (the Greek word for old). The _paleontologists_ study fossil animals. There are also, for example, such scientists as _paleobotanists_ and _paleoclimatologists_, who study ancient plants and climates. These scientists help us to know the kinds of animals and plants that were living in prehistoric times and so could be used for food by ancient man; what the weather was like; and whether there were glaciers. Also, when I tell you that prehistoric men did not appear until long after the great dinosaurs had disappeared, I go on the say-so of the paleontologists. They know that fossils of men and of dinosaurs are not found in the same geological period. The dinosaur fossils come in early periods, the fossils of men much later. Since World War II even the atomic scientists have been helping the archeologists. By testing the amount of radioactivity left in charcoal, wood, or other vegetable matter obtained from archeological sites, they have been able to date the sites. Shell has been used also, and even the hair of Egyptian mummies. The dates of geological and climatic events have also been discovered. Some of this work has been done from drillings taken from the bottom of the sea. This dating by radioactivity has considerably shortened the dates which the archeologists used to give. If you find that some of the dates I give here are more recent than the dates you see in other books on prehistory, it is because I am using one of the new lower dating systems. [Illustration: RADIOCARBON CHART The rate of disappearance of radioactivity as time passes.[1]] [1] It is important that the limitations of the radioactive carbon dating system be held in mind. As the statistics involved in the system are used, there are two chances in three that the date of the sample falls within the range given as plus or minus an added number of years. For example, the date for the Jarmo village (see chart), given as 6750 200 B.C., really means that there are only two chances in three that the real date of the charcoal sampled fell between 6950 and 6550 B.C. We have also begun to suspect that there are ways in which the samples themselves may have become contaminated, either on the early or on the late side. We now tend to be suspicious of single radioactive carbon determinations, or of determinations from one site alone. But as a fabric of consistent determinations for several or more sites of one archeological period, we gain confidence in the dates. HOW THE SCIENTISTS FIND OUT So far, this chapter has been mainly about the people who find out about prehistoric men. We also need a word about _how_ they find out. All our finds came by accident until about a hundred years ago. Men digging wells, or digging in caves for fertilizer, often turned up ancient swords or pots or stone arrowheads. People also found some odd pieces of stone that didnt look like natural forms, but they also didnt look like any known tool. As a result, the people who found them gave them queer names; for example, thunderbolts. The people thought the strange stones came to earth as bolts of lightning. We know now that these strange stones were prehistoric stone tools. Many important finds still come to us by accident. In 1935, a British dentist, A. T. Marston, found the first of two fragments of a very important fossil human skull, in a gravel pit at Swanscombe, on the River Thames, England. He had to wait nine months, until the face of the gravel pit had been dug eight yards farther back, before the second fragment appeared. They fitted! Then, twenty years later, still another piece appeared. In 1928 workmen who were blasting out rock for the breakwater in the port of Haifa began to notice flint tools. Thus the story of cave men on Mount Carmel, in Palestine, began to be known. Planned archeological digging is only about a century old. Even before this, however, a few men realized the significance of objects they dug from the ground; one of these early archeologists was our own Thomas Jefferson. The first real mound-digger was a German grocers clerk, Heinrich Schliemann. Schliemann made a fortune as a merchant, first in Europe and then in the California gold-rush of 1849. He became an American citizen. Then he retired and had both money and time to test an old idea of his. He believed that the heroes of ancient Troy and Mycenae were once real Trojans and Greeks. He proved it by going to Turkey and Greece and digging up the remains of both cities. Schliemann had the great good fortune to find rich and spectacular treasures, and he also had the common sense to keep notes and make descriptions of what he found. He proved beyond doubt that many ancient city mounds can be _stratified_. This means that there may be the remains of many towns in a mound, one above another, like layers in a cake. You might like to have an idea of how mounds come to be in layers. The original settlers may have chosen the spot because it had a good spring and there were good fertile lands nearby, or perhaps because it was close to some road or river or harbor. These settlers probably built their town of stone and mud-brick. Finally, something would have happened to the town--a flood, or a burning, or a raid by enemies--and the walls of the houses would have fallen in or would have melted down as mud in the rain. Nothing would have remained but the mud and debris of a low mound of _one_ layer. The second settlers would have wanted the spot for the same reasons the first settlers did--good water, land, and roads. Also, the second settlers would have found a nice low mound to build their houses on, a protection from floods. But again, something would finally have happened to the second town, and the walls of _its_ houses would have come tumbling down. This makes the _second_ layer. And so on.... In Syria I once had the good fortune to dig on a large mound that had no less than fifteen layers. Also, most of the layers were thick, and there were signs of rebuilding and repairs within each layer. The mound was more than a hundred feet high. In each layer, the building material used had been a soft, unbaked mud-brick, and most of the debris consisted of fallen or rain-melted mud from these mud-bricks. This idea of _stratification_, like the cake layers, was already a familiar one to the geologists by Schliemanns time. They could show that their lowest layer of rock was oldest or earliest, and that the overlying layers became more recent as one moved upward. Schliemanns digging proved the same thing at Troy. His first (lowest and earliest) city had at least nine layers above it; he thought that the second layer contained the remains of Homers Troy. We now know that Homeric Troy was layer VIIa from the bottom; also, we count eleven layers or sub-layers in total. Schliemanns work marks the beginnings of modern archeology. Scholars soon set out to dig on ancient sites, from Egypt to Central America. ARCHEOLOGICAL INFORMATION As time went on, the study of archeological materials--found either by accident or by digging on purpose--began to show certain things. Archeologists began to get ideas as to the kinds of objects that belonged together. If you compared a mail-order catalogue of 1890 with one of today, you would see a lot of differences. If you really studied the two catalogues hard, you would also begin to see that certain objects go together. Horseshoes and metal buggy tires and pieces of harness would begin to fit into a picture with certain kinds of coal stoves and furniture and china dishes and kerosene lamps. Our friend the spark plug, and radios and electric refrigerators and light bulbs would fit into a picture with different kinds of furniture and dishes and tools. You wont be old enough to remember the kind of hats that women wore in 1890, but youve probably seen pictures of them, and you know very well they couldnt be worn with the fashions of today. This is one of the ways that archeologists study their materials. The various tools and weapons and jewelry, the pottery, the kinds of houses, and even the ways of burying the dead tend to fit into pictures. Some archeologists call all of the things that go together to make such a picture an _assemblage_. The assemblage of the first layer of Schliemanns Troy was as different from that of the seventh layer as our 1900 mail-order catalogue is from the one of today. The archeologists who came after Schliemann began to notice other things and to compare them with occurrences in modern times. The idea that people will buy better mousetraps goes back into very ancient times. Today, if we make good automobiles or radios, we can sell some of them in Turkey or even in Timbuktu. This means that a few present-day types of American automobiles and radios form part of present-day assemblages in both Turkey and Timbuktu. The total present-day assemblage of Turkey is quite different from that of Timbuktu or that of America, but they have at least some automobiles and some radios in common. Now these automobiles and radios will eventually wear out. Let us suppose we could go to some remote part of Turkey or to Timbuktu in a dream. We dont know what the date is, in our dream, but we see all sorts of strange things and ways of living in both places. Nobody tells us what the date is. But suddenly we see a 1936 Ford; so we know that in our dream it has to be at least the year 1936, and only as many years after that as we could reasonably expect a Ford to keep in running order. The Ford would probably break down in twenty years time, so the Turkish or Timbuktu assemblage were seeing in our dream has to date at about A.D. 1936-56. Archeologists not only date their ancient materials in this way; they also see over what distances and between which peoples trading was done. It turns out that there was a good deal of trading in ancient times, probably all on a barter and exchange basis. EVERYTHING BEGINS TO FIT TOGETHER Now we need to pull these ideas all together and see the complicated structure the archeologists can build with their materials. Even the earliest archeologists soon found that there was a very long range of prehistoric time which would yield only very simple things. For this very long early part of prehistory, there was little to be found but the flint tools which wandering, hunting and gathering people made, and the bones of the wild animals they ate. Toward the end of prehistoric time there was a general settling down with the coming of agriculture, and all sorts of new things began to be made. Archeologists soon got a general notion of what ought to appear with what. Thus, it would upset a French prehistorian digging at the bottom of a very early cave if he found a fine bronze sword, just as much as it would upset him if he found a beer bottle. The people of his very early cave layer simply could not have made bronze swords, which came later, just as do beer bottles. Some accidental disturbance of the layers of his cave must have happened. With any luck, archeologists do their digging in a layered, stratified site. They find the remains of everything that would last through time, in several different layers. They know that the assemblage in the bottom layer was laid down earlier than the assemblage in the next layer above, and so on up to the topmost layer, which is the latest. They look at the results of other digs and find that some other archeologist 900 miles away has found ax-heads in his lowest layer, exactly like the ax-heads of their fifth layer. This means that their fifth layer must have been lived in at about the same time as was the first layer in the site 200 miles away. It also may mean that the people who lived in the two layers knew and traded with each other. Or it could mean that they didnt necessarily know each other, but simply that both traded with a third group at about the same time. You can see that the more we dig and find, the more clearly the main facts begin to stand out. We begin to be more sure of which people lived at the same time, which earlier and which later. We begin to know who traded with whom, and which peoples seemed to live off by themselves. We begin to find enough skeletons in burials so that the physical anthropologists can tell us what the people looked like. We get animal bones, and a paleontologist may tell us they are all bones of wild animals; or he may tell us that some or most of the bones are those of domesticated animals, for instance, sheep or cattle, and therefore the people must have kept herds. More important than anything else--as our structure grows more complicated and our materials increase--is the fact that a sort of history of human activity does begin to appear. The habits or traditions that men formed in the making of their tools and in the ways they did things, begin to stand out for us. How characteristic were these habits and traditions? What areas did they spread over? How long did they last? We watch the different tools and the traces of the way things were done--how the burials were arranged, what the living-places were like, and so on. We wonder about the people themselves, for the traces of habits and traditions are useful to us only as clues to the men who once had them. So we ask the physical anthropologists about the skeletons that we found in the burials. The physical anthropologists tell us about the anatomy and the similarities and differences which the skeletons show when compared with other skeletons. The physical anthropologists are even working on a method--chemical tests of the bones--that will enable them to discover what the blood-type may have been. One thing is sure. We have never found a group of skeletons so absolutely similar among themselves--so cast from a single mould, so to speak--that we could claim to have a pure race. I am sure we never shall. We become particularly interested in any signs of change--when new materials and tool types and ways of doing things replace old ones. We watch for signs of social change and progress in one way or another. We must do all this without one word of written history to aid us. Everything we are concerned with goes back to the time _before_ men learned to write. That is the prehistorians job--to find out what happened before history began. THE CHANGING WORLD in which Prehistoric Men Lived [Illustration] Mankind, well say, is at least a half million years old. It is very hard to understand how long a time half a million years really is. If we were to compare this whole length of time to one day, wed get something like this: The present time is midnight, and Jesus was born just five minutes and thirty-six seconds ago. Earliest history began less than fifteen minutes ago. Everything before 11:45 was in prehistoric time. Or maybe we can grasp the length of time better in terms of generations. As you know, primitive peoples tend to marry and have children rather early in life. So suppose we say that twenty years will make an average generation. At this rate there would be 25,000 generations in a half-million years. But our United States is much less than ten generations old, twenty-five generations take us back before the time of Columbus, Julius Caesar was alive just 100 generations ago, David was king of Israel less than 150 generations ago, 250 generations take us back to the beginning of written history. And there were 24,750 generations of men before written history began! I should probably tell you that there is a new method of prehistoric dating which would cut the earliest dates in my reckoning almost in half. Dr. Cesare Emiliani, combining radioactive (C14) and chemical (oxygen isotope) methods in the study of deep-sea borings, has developed a system which would lower the total range of human prehistory to about 300,000 years. The system is still too new to have had general examination and testing. Hence, I have not used it in this book; it would mainly affect the dates earlier than 25,000 years ago. CHANGES IN ENVIRONMENT The earth probably hasnt changed much in the last 5,000 years (250 generations). Men have built things on its surface and dug into it and drawn boundaries on maps of it, but the places where rivers, lakes, seas, and mountains now stand have changed very little. In earlier times the earth looked very different. Geologists call the last great geological period the _Pleistocene_. It began somewhere between a half million and a million years ago, and was a time of great changes. Sometimes we call it the Ice Age, for in the Pleistocene there were at least three or four times when large areas of earth were covered with glaciers. The reason for my uncertainty is that while there seem to have been four major mountain or alpine phases of glaciation, there may only have been three general continental phases in the Old World.[2] [2] This is a complicated affair and I do not want to bother you with its details. Both the alpine and the continental ice sheets seem to have had minor fluctuations during their _main_ phases, and the advances of the later phases destroyed many of the traces of the earlier phases. The general textbooks have tended to follow the names and numbers established for the Alps early in this century by two German geologists. I will not bother you with the names, but there were _four_ major phases. It is the second of these alpine phases which seems to fit the traces of the earliest of the great continental glaciations. In this book, I will use the four-part system, since it is the most familiar, but will add the word _alpine_ so you may remember to make the transition to the continental system if you wish to do so. Glaciers are great sheets of ice, sometimes over a thousand feet thick, which are now known only in Greenland and Antarctica and in high mountains. During several of the glacial periods in the Ice Age, the glaciers covered most of Canada and the northern United States and reached down to southern England and France in Europe. Smaller ice sheets sat like caps on the Rockies, the Alps, and the Himalayas. The continental glaciation only happened north of the equator, however, so remember that Ice Age is only half true. As you know, the amount of water on and about the earth does not vary. These large glaciers contained millions of tons of water frozen into ice. Because so much water was frozen and contained in the glaciers, the water level of lakes and oceans was lowered. Flooded areas were drained and appeared as dry land. There were times in the Ice Age when there was no English Channel, so that England was not an island, and a land bridge at the Dardanelles probably divided the Mediterranean from the Black Sea. A very important thing for people living during the time of a glaciation was the region adjacent to the glacier. They could not, of course, live on the ice itself. The questions would be how close could they live to it, and how would they have had to change their way of life to do so. GLACIERS CHANGE THE WEATHER Great sheets of ice change the weather. When the front of a glacier stood at Milwaukee, the weather must have been bitterly cold in Chicago. The climate of the whole world would have been different, and you can see how animals and men would have been forced to move from one place to another in search of food and warmth. On the other hand, it looks as if only a minor proportion of the whole Ice Age was really taken up by times of glaciation. In between came the _interglacial_ periods. During these times the climate around Chicago was as warm as it is now, and sometimes even warmer. It may interest you to know that the last great glacier melted away less than 10,000 years ago. Professor Ernst Antevs thinks we may be living in an interglacial period and that the Ice Age may not be over yet. So if you want to make a killing in real estate for your several hundred times great-grandchildren, you might buy some land in the Arizona desert or the Sahara. We do not yet know just why the glaciers appeared and disappeared, as they did. It surely had something to do with an increase in rainfall and a fall in temperature. It probably also had to do with a general tendency for the land to rise at the beginning of the Pleistocene. We know there was some mountain-building at that time. Hence, rain-bearing winds nourished the rising and cooler uplands with snow. An increase in all three of these factors--if they came together--would only have needed to be slight. But exactly why this happened we do not know. The reason I tell you about the glaciers is simply to remind you of the changing world in which prehistoric men lived. Their surroundings--the animals and plants they used for food, and the weather they had to protect themselves from--were always changing. On the other hand, this change happened over so long a period of time and was so slow that individual people could not have noticed it. Glaciers, about which they probably knew nothing, moved in hundreds of miles to the north of them. The people must simply have wandered ever more southward in search of the plants and animals on which they lived. Or some men may have stayed where they were and learned to hunt different animals and eat different foods. Prehistoric men had to keep adapting themselves to new environments and those who were most adaptive were most successful. OTHER CHANGES Changes took place in the men themselves as well as in the ways they lived. As time went on, they made better tools and weapons. Then, too, we begin to find signs of how they started thinking of other things than food and the tools to get it with. We find that they painted on the walls of caves, and decorated their tools; we find that they buried their dead. At about the time when the last great glacier was finally melting away, men in the Near East made the first basic change in human economy. They began to plant grain, and they learned to raise and herd certain animals. This meant that they could store food in granaries and on the hoof against the bad times of the year. This first really basic change in mans way of living has been called the food-producing revolution. By the time it happened, a modern kind of climate was beginning. Men had already grown to look as they do now. Know-how in ways of living had developed and progressed, slowly but surely, up to a point. It was impossible for men to go beyond that point if they only hunted and fished and gathered wild foods. Once the basic change was made--once the food-producing revolution became effective--technology leaped ahead and civilization and written history soon began. Prehistoric Men THEMSELVES [Illustration] DO WE KNOW WHERE MAN ORIGINATED? For a long time some scientists thought the cradle of mankind was in central Asia. Other scientists insisted it was in Africa, and still others said it might have been in Europe. Actually, we dont know where it was. We dont even know that there was only _one_ cradle. If we had to choose a cradle at this moment, we would probably say Africa. But the southern portions of Asia and Europe may also have been included in the general area. The scene of the early development of mankind was certainly the Old World. It is pretty certain men didnt reach North or South America until almost the end of the Ice Age--had they done so earlier we would certainly have found some trace of them by now. The earliest tools we have yet found come from central and south Africa. By the dating system Im using, these tools must be over 500,000 years old. There are now reports that a few such early tools have been found--at the Sterkfontein cave in South Africa--along with the bones of small fossil men called australopithecines. Not all scientists would agree that the australopithecines were men, or would agree that the tools were made by the australopithecines themselves. For these sticklers, the earliest bones of men come from the island of Java. The date would be about 450,000 years ago. So far, we have not yet found the tools which we suppose these earliest men in the Far East must have made. Let me say it another way. How old are the earliest traces of men we now have? Over half a million years. This was a time when the first alpine glaciation was happening in the north. What has been found so far? The tools which the men of those times made, in different parts of Africa. It is now fairly generally agreed that the men who made the tools were the australopithecines. There is also a more man-like jawbone at Kanam in Kenya, but its find-spot has been questioned. The next earliest bones we have were found in Java, and they may be almost a hundred thousand years younger than the earliest African finds. We havent yet found the tools of these early Javanese. Our knowledge of tool-using in Africa spreads quickly as time goes on: soon after the appearance of tools in the south we shall have them from as far north as Algeria. Very soon after the earliest Javanese come the bones of slightly more developed people in Java, and the jawbone of a man who once lived in what is now Germany. The same general glacial beds which yielded the later Javanese bones and the German jawbone also include tools. These finds come from the time of the second alpine glaciation. So this is the situation. By the time of the end of the second alpine or first continental glaciation (say 400,000 years ago) we have traces of men from the extremes of the more southerly portions of the Old World--South Africa, eastern Asia, and western Europe. There are also some traces of men in the middle ground. In fact, Professor Franz Weidenreich believed that creatures who were the immediate ancestors of men had already spread over Europe, Africa, and Asia by the time the Ice Age began. We certainly have no reason to disbelieve this, but fortunate accidents of discovery have not yet given us the evidence to prove it. MEN AND APES Many people used to get extremely upset at the ill-formed notion that man descended from the apes. Such words were much more likely to start fights or monkey trials than the correct notion that all living animals, including man, ascended or evolved from a single-celled organism which lived in the primeval seas hundreds of millions of years ago. Men are mammals, of the order called Primates, and mans living relatives are the great apes. Men didnt descend from the apes or apes from men, and mankind must have had much closer relatives who have since become extinct. Men stand erect. They also walk and run on their two feet. Apes are happiest in trees, swinging with their arms from branch to branch. Few branches of trees will hold the mighty gorilla, although he still manages to sleep in trees. Apes cant stand really erect in our sense, and when they have to run on the ground, they use the knuckles of their hands as well as their feet. A key group of fossil bones here are the south African australopithecines. These are called the _Australopithecinae_ or man-apes or sometimes even ape-men. We do not _know_ that they were directly ancestral to men but they can hardly have been so to apes. Presently Ill describe them a bit more. The reason I mention them here is that while they had brains no larger than those of apes, their hipbones were enough like ours so that they must have stood erect. There is no good reason to think they couldnt have walked as we do. BRAINS, HANDS, AND TOOLS Whether the australopithecines were our ancestors or not, the proper ancestors of men must have been able to stand erect and to walk on their two feet. Three further important things probably were involved, next, before they could become men proper. These are: 1. The increasing size and development of the brain. 2. The increasing usefulness (specialization) of the thumb and hand. 3. The use of tools. Nobody knows which of these three is most important, or which came first. Most probably the growth of all three things was very much blended together. If you think about each of the things, you will see what I mean. Unless your hand is more flexible than a paw, and your thumb will work against (or oppose) your fingers, you cant hold a tool very well. But you wouldnt get the idea of using a tool unless you had enough brain to help you see cause and effect. And it is rather hard to see how your hand and brain would develop unless they had something to practice on--like using tools. In Professor Krogmans words, the hand must become the obedient servant of the eye and the brain. It is the _co-ordination_ of these things that counts. Many other things must have been happening to the bodies of the creatures who were the ancestors of men. Our ancestors had to develop organs of speech. More than that, they had to get the idea of letting _certain sounds_ made with these speech organs have _certain meanings_. All this must have gone very slowly. Probably everything was developing little by little, all together. Men became men very slowly. WHEN SHALL WE CALL MEN MEN? What do I mean when I say men? People who looked pretty much as we do, and who used different tools to do different things, are men to me. Well probably never know whether the earliest ones talked or not. They probably had vocal cords, so they could make sounds, but did they know how to make sounds work as symbols to carry meanings? But if the fossil bones look like our skeletons, and if we find tools which well agree couldnt have been made by nature or by animals, then Id say we had traces of _men_. The australopithecine finds of the Transvaal and Bechuanaland, in south Africa, are bound to come into the discussion here. Ive already told you that the australopithecines could have stood upright and walked on their two hind legs. They come from the very base of the Pleistocene or Ice Age, and a few coarse stone tools have been found with the australopithecine fossils. But there are three varieties of the australopithecines and they last on until a time equal to that of the second alpine glaciation. They are the best suggestion we have yet as to what the ancestors of men _may_ have looked like. They were certainly closer to men than to apes. Although their brain size was no larger than the brains of modern apes their body size and stature were quite small; hence, relative to their small size, their brains were large. We have not been able to prove without doubt that the australopithecines were _tool-making_ creatures, even though the recent news has it that tools have been found with australopithecine bones. The doubt as to whether the australopithecines used the tools themselves goes like this--just suppose some man-like creature (whose bones we have not yet found) made the tools and used them to kill and butcher australopithecines. Hence a few experts tend to let australopithecines still hang in limbo as man-apes. THE EARLIEST MEN WE KNOW Ill postpone talking about the tools of early men until the next chapter. The men whose bones were the earliest of the Java lot have been given the name _Meganthropus_. The bones are very fragmentary. We would not understand them very well unless we had the somewhat later Javanese lot--the more commonly known _Pithecanthropus_ or Java man--against which to refer them for study. One of the less well-known and earliest fragments, a piece of lower jaw and some teeth, rather strongly resembles the lower jaws and teeth of the australopithecine type. Was _Meganthropus_ a sort of half-way point between the australopithecines and _Pithecanthropus_? It is still too early to say. We shall need more finds before we can be definite one way or the other. Java man, _Pithecanthropus_, comes from geological beds equal in age to the latter part of the second alpine glaciation; the _Meganthropus_ finds refer to beds of the beginning of this glaciation. The first finds of Java man were made in 1891-92 by Dr. Eugene Dubois, a Dutch doctor in the colonial service. Finds have continued to be made. There are now bones enough to account for four skulls. There are also four jaws and some odd teeth and thigh bones. Java man, generally speaking, was about five feet six inches tall, and didnt hold his head very erect. His skull was very thick and heavy and had room for little more than two-thirds as large a brain as we have. He had big teeth and a big jaw and enormous eyebrow ridges. No tools were found in the geological deposits where bones of Java man appeared. There are some tools in the same general area, but they come a bit later in time. One reason we accept the Java man as man--aside from his general anatomical appearance--is that these tools probably belonged to his near descendants. Remember that there are several varieties of men in the whole early Java lot, at least two of which are earlier than the _Pithecanthropus_, Java man. Some of the earlier ones seem to have gone in for bigness, in tooth-size at least. _Meganthropus_ is one of these earlier varieties. As we said, he _may_ turn out to be a link to the australopithecines, who _may_ or _may not_ be ancestral to men. _Meganthropus_ is best understandable in terms of _Pithecanthropus_, who appeared later in the same general area. _Pithecanthropus_ is pretty well understandable from the bones he left us, and also because of his strong resemblance to the fully tool-using cave-dwelling Peking man, _Sinanthropus_, about whom we shall talk next. But you can see that the physical anthropologists and prehistoric archeologists still have a lot of work to do on the problem of earliest men. PEKING MEN AND SOME EARLY WESTERNERS The earliest known Chinese are called _Sinanthropus_, or Peking man, because the finds were made near that city. In World War II, the United States Marine guard at our Embassy in Peking tried to help get the bones out of the city before the Japanese attack. Nobody knows where these bones are now. The Red Chinese accuse us of having stolen them. They were last seen on a dock-side at a Chinese port. But should you catch a Marine with a sack of old bones, perhaps we could achieve peace in Asia by returning them! Fortunately, there is a complete set of casts of the bones. Peking man lived in a cave in a limestone hill, made tools, cracked animal bones to get the marrow out, and used fire. Incidentally, the bones of Peking man were found because Chinese dig for what they call dragon bones and dragon teeth. Uneducated Chinese buy these things in their drug stores and grind them into powder for medicine. The dragon teeth and bones are really fossils of ancient animals, and sometimes of men. The people who supply the drug stores have learned where to dig for strange bones and teeth. Paleontologists who get to China go to the drug stores to buy fossils. In a roundabout way, this is how the fallen-in cave of Peking man at Choukoutien was discovered. Peking man was not quite as tall as Java man but he probably stood straighter. His skull looked very much like that of the Java skull except that it had room for a slightly larger brain. His face was less brutish than was Java mans face, but this isnt saying much. Peking man dates from early in the interglacial period following the second alpine glaciation. He probably lived close to 350,000 years ago. There are several finds to account for in Europe by about this time, and one from northwest Africa. The very large jawbone found near Heidelberg in Germany is doubtless even earlier than Peking man. The beds where it was found are of second alpine glacial times, and recently some tools have been said to have come from the same beds. There is not much I need tell you about the Heidelberg jaw save that it seems certainly to have belonged to an early man, and that it is very big. Another find in Germany was made at Steinheim. It consists of the fragmentary skull of a man. It is very important because of its relative completeness, but it has not yet been fully studied. The bone is thick, but the back of the head is neither very low nor primitive, and the face is also not primitive. The forehead does, however, have big ridges over the eyes. The more fragmentary skull from Swanscombe in England (p. 11) has been much more carefully studied. Only the top and back of that skull have been found. Since the skull rounds up nicely, it has been assumed that the face and forehead must have been quite modern. Careful comparison with Steinheim shows that this was not necessarily so. This is important because it bears on the question of how early truly modern man appeared. Recently two fragmentary jaws were found at Ternafine in Algeria, northwest Africa. They look like the jaws of Peking man. Tools were found with them. Since no jaws have yet been found at Steinheim or Swanscombe, but the time is the same, one wonders if these people had jaws like those of Ternafine. WHAT HAPPENED TO JAVA AND PEKING MEN Professor Weidenreich thought that there were at least a dozen ways in which the Peking man resembled the modern Mongoloids. This would seem to indicate that Peking man was really just a very early Chinese. Several later fossil men have been found in the Java-Australian area. The best known of these is the so-called Solo man. There are some finds from Australia itself which we now know to be quite late. But it looks as if we may assume a line of evolution from Java man down to the modern Australian natives. During parts of the Ice Age there was a land bridge all the way from Java to Australia. TWO ENGLISHMEN WHO WERENT OLD The older textbooks contain descriptions of two English finds which were thought to be very old. These were called Piltdown (_Eoanthropus dawsoni_) and Galley Hill. The skulls were very modern in appearance. In 1948-49, British scientists began making chemical tests which proved that neither of these finds is very old. It is now known that both Piltdown man and the tools which were said to have been found with him were part of an elaborate fake! TYPICAL CAVE MEN The next men we have to talk about are all members of a related group. These are the Neanderthal group. Neanderthal man himself was found in the Neander Valley, near Dsseldorf, Germany, in 1856. He was the first human fossil to be recognized as such. [Illustration: PRINCIPAL KNOWN TYPES OF FOSSIL MEN CRO-MAGNON NEANDERTHAL MODERN SKULL COMBE-CAPELLE SINANTHROPUS PITHECANTHROPUS] Some of us think that the neanderthaloids proper are only those people of western Europe who didnt get out before the beginning of the last great glaciation, and who found themselves hemmed in by the glaciers in the Alps and northern Europe. Being hemmed in, they intermarried a bit too much and developed into a special type. Professor F. Clark Howell sees it this way. In Europe, the earliest trace of men we now know is the Heidelberg jaw. Evolution continued in Europe, from Heidelberg through the Swanscombe and Steinheim types to a group of pre-neanderthaloids. There are traces of these pre-neanderthaloids pretty much throughout Europe during the third interglacial period--say 100,000 years ago. The pre-neanderthaloids are represented by such finds as the ones at Ehringsdorf in Germany and Saccopastore in Italy. I wont describe them for you, since they are simply less extreme than the neanderthaloids proper--about half way between Steinheim and the classic Neanderthal people. Professor Howell believes that the pre-neanderthaloids who happened to get caught in the pocket of the southwest corner of Europe at the onset of the last great glaciation became the classic Neanderthalers. Out in the Near East, Howell thinks, it is possible to see traces of people evolving from the pre-neanderthaloid type toward that of fully modern man. Certainly, we dont see such extreme cases of neanderthaloidism outside of western Europe. There are at least a dozen good examples in the main or classic Neanderthal group in Europe. They date to just before and in the earlier part of the last great glaciation (85,000 to 40,000 years ago). Many of the finds have been made in caves. The cave men the movies and the cartoonists show you are probably meant to be Neanderthalers. Im not at all sure they dragged their women by the hair; the women were probably pretty tough, too! Neanderthal men had large bony heads, but plenty of room for brains. Some had brain cases even larger than the average for modern man. Their faces were heavy, and they had eyebrow ridges of bone, but the ridges were not as big as those of Java man. Their foreheads were very low, and they didnt have much chin. They were about five feet three inches tall, but were heavy and barrel-chested. But the Neanderthalers didnt slouch as much as theyve been blamed for, either. One important thing about the Neanderthal group is that there is a fair number of them to study. Just as important is the fact that we know something about how they lived, and about some of the tools they made. OTHER MEN CONTEMPORARY WITH THE NEANDERTHALOIDS We have seen that the neanderthaloids seem to be a specialization in a corner of Europe. What was going on elsewhere? We think that the pre-neanderthaloid type was a generally widespread form of men. From this type evolved other more or less extreme although generally related men. The Solo finds in Java form one such case. Another was the Rhodesian man of Africa, and the more recent Hopefield finds show more of the general Rhodesian type. It is more confusing than it needs to be if these cases outside western Europe are called neanderthaloids. They lived during the same approximate time range but they were all somewhat different-looking people. EARLY MODERN MEN How early is modern man (_Homo sapiens_), the wise man? Some people have thought that he was very early, a few still think so. Piltdown and Galley Hill, which were quite modern in anatomical appearance and _supposedly_ very early in date, were the best evidence for very early modern men. Now that Piltdown has been liquidated and Galley Hill is known to be very late, what is left of the idea? The backs of the skulls of the Swanscombe and Steinheim finds look rather modern. Unless you pay attention to the face and forehead of the Steinheim find--which not many people have--and perhaps also consider the Ternafine jaws, you might come to the conclusion that the crown of the Swanscombe head was that of a modern-like man. Two more skulls, again without faces, are available from a French cave site, Fontchevade. They come from the time of the last great interglacial, as did the pre-neanderthaloids. The crowns of the Fontchevade skulls also look quite modern. There is a bit of the forehead preserved on one of these skulls and the brow-ridge is not heavy. Nevertheless, there is a suggestion that the bones belonged to an immature individual. In this case, his (or even more so, if _her_) brow-ridges would have been weak anyway. The case for the Fontchevade fossils, as modern type men, is little stronger than that for Swanscombe, although Professor Vallois believes it a good case. It seems to add up to the fact that there were people living in Europe--before the classic neanderthaloids--who looked more modern, in some features, than the classic western neanderthaloids did. Our best suggestion of what men looked like--just before they became fully modern--comes from a cave on Mount Carmel in Palestine. THE FIRST MODERNS Professor T. D. McCown and the late Sir Arthur Keith, who studied the Mount Carmel bones, figured out that one of the two groups involved was as much as 70 per cent modern. There were, in fact, two groups or varieties of men in the Mount Carmel caves and in at least two other Palestinian caves of about the same time. The time would be about that of the onset of colder weather, when the last glaciation was beginning in the north--say 75,000 years ago. The 70 per cent modern group came from only one cave, Mugharet es-Skhul (cave of the kids). The other group, from several caves, had bones of men of the type weve been calling pre-neanderthaloid which we noted were widespread in Europe and beyond. The tools which came with each of these finds were generally similar, and McCown and Keith, and other scholars since their study, have tended to assume that both the Skhul group and the pre-neanderthaloid group came from exactly the same time. The conclusion was quite natural: here was a population of men in the act of evolving in two different directions. But the time may not be exactly the same. It is very difficult to be precise, within say 10,000 years, for a time some 75,000 years ago. If the Skhul men are in fact later than the pre-neanderthaloid group of Palestine, as some of us think, then they show how relatively modern some men were--men who lived at the same time as the classic Neanderthalers of the European pocket. Soon after the first extremely cold phase of the last glaciation, we begin to get a number of bones of completely modern men in Europe. We also get great numbers of the tools they made, and their living places in caves. Completely modern skeletons begin turning up in caves dating back to toward 40,000 years ago. The time is about that of the beginning of the second phase of the last glaciation. These skeletons belonged to people no different from many people we see today. Like people today, not everybody looked alike. (The positions of the more important fossil men of later Europe are shown in the chart on page 72.) DIFFERENCES IN THE EARLY MODERNS The main early European moderns have been divided into two groups, the Cro-Magnon group and the Combe Capelle-Brnn group. Cro-Magnon people were tall and big-boned, with large, long, and rugged heads. They must have been built like many present-day Scandinavians. The Combe Capelle-Brnn people were shorter; they had narrow heads and faces, and big eyebrow-ridges. Of course we dont find the skin or hair of these people. But there is little doubt they were Caucasoids (Whites). Another important find came in the Italian Riviera, near Monte Carlo. Here, in a cave near Grimaldi, there was a grave containing a woman and a young boy, buried together. The two skeletons were first called Negroid because some features of their bones were thought to resemble certain features of modern African Negro bones. But more recently, Professor E. A. Hooton and other experts questioned the use of the word Negroid in describing the Grimaldi skeletons. It is true that nothing is known of the skin color, hair form, or any other fleshy feature of the Grimaldi people, so that the word Negroid in its usual meaning is not proper here. It is also not clear whether the features of the bones claimed to be Negroid are really so at all. From a place called Wadjak, in Java, we have proto-Australoid skulls which closely resemble those of modern Australian natives. Some of the skulls found in South Africa, especially the Boskop skull, look like those of modern Bushmen, but are much bigger. The ancestors of the Bushmen seem to have once been very widespread south of the Sahara Desert. True African Negroes were forest people who apparently expanded out of the west central African area only in the last several thousand years. Although dark in skin color, neither the Australians nor the Bushmen are Negroes; neither the Wadjak nor the Boskop skulls are Negroid. As weve already mentioned, Professor Weidenreich believed that Peking man was already on the way to becoming a Mongoloid. Anyway, the Mongoloids would seem to have been present by the time of the Upper Cave at Choukoutien, the _Sinanthropus_ find-spot. WHAT THE DIFFERENCES MEAN What does all this difference mean? It means that, at one moment in time, within each different area, men tended to look somewhat alike. From area to area, men tended to look somewhat different, just as they do today. This is all quite natural. People _tended_ to mate near home; in the anthropological jargon, they made up geographically localized breeding populations. The simple continental division of stocks--black = Africa, yellow = Asia, white = Europe--is too simple a picture to fit the facts. People became accustomed to life in some particular area within a continent (we might call it a natural area). As they went on living there, they evolved towards some particular physical variety. It would, of course, have been difficult to draw a clear boundary between two adjacent areas. There must always have been some mating across the boundaries in every case. One thing human beings dont do, and never have done, is to mate for purity. It is self-righteous nonsense when we try to kid ourselves into thinking that they do. I am not going to struggle with the whole business of modern stocks and races. This is a book about prehistoric men, not recent historic or modern men. My physical anthropologist friends have been very patient in helping me to write and rewrite this chapter--I am not going to break their patience completely. Races are their business, not mine, and they must do the writing about races. I shall, however, give two modern definitions of race, and then make one comment. Dr. William G. Boyd, professor of Immunochemistry, School of Medicine, Boston University: We may define a human race as a population which differs significantly from other human populations in regard to the frequency of one or more of the genes it possesses. Professor Sherwood L. Washburn, professor of Physical Anthropology, Department of Anthropology, the University of California: A race is a group of genetically similar populations, and races intergrade because there are always intermediate populations. My comment is that the ideas involved here are all biological: they concern groups, _not_ individuals. Boyd and Washburn may differ a bit on what they want to consider a population, but a population is a group nevertheless, and genetics is biology to the hilt. Now a lot of people still think of race in terms of how people dress or fix their food or of other habits or customs they have. The next step is to talk about racial purity. None of this has anything whatever to do with race proper, which is a matter of the biology of groups. Incidentally, Im told that if man very carefully _controls_ the breeding of certain animals over generations--dogs, cattle, chickens--he might achieve a pure race of animals. But he doesnt do it. Some unfortunate genetic trait soon turns up, so this has just as carefully to be bred out again, and so on. SUMMARY OF PRESENT KNOWLEDGE OF FOSSIL MEN The earliest bones of men we now have--upon which all the experts would probably agree--are those of _Meganthropus_, from Java, of about 450,000 years ago. The earlier australopithecines of Africa were possibly not tool-users and may not have been ancestral to men at all. But there is an alternate and evidently increasingly stronger chance that some of them may have been. The Kanam jaw from Kenya, another early possibility, is not only very incomplete but its find-spot is very questionable. Java man proper, _Pithecanthropus_, comes next, at about 400,000 years ago, and the big Heidelberg jaw in Germany must be of about the same date. Next comes Swanscombe in England, Steinheim in Germany, the Ternafine jaws in Algeria, and Peking man, _Sinanthropus_. They all date to the second great interglacial period, about 350,000 years ago. Piltdown and Galley Hill are out, and with them, much of the starch in the old idea that there were two distinct lines of development in human evolution: (1) a line of paleoanthropic development from Heidelberg to the Neanderthalers where it became extinct, and (2) a very early modern line, through Piltdown, Galley Hill, Swanscombe, to us. Swanscombe, Steinheim, and Ternafine are just as easily cases of very early pre-neanderthaloids. The pre-neanderthaloids were very widespread during the third interglacial: Ehringsdorf, Saccopastore, some of the Mount Carmel people, and probably Fontchevade are cases in point. A variety of their descendants can be seen, from Java (Solo), Africa (Rhodesian man), and about the Mediterranean and in western Europe. As the acute cold of the last glaciation set in, the western Europeans found themselves surrounded by water, ice, or bitter cold tundra. To vastly over-simplify it, they bred in and became classic neanderthaloids. But on Mount Carmel, the Skhul cave-find with its 70 per cent modern features shows what could happen elsewhere at the same time. Lastly, from about 40,000 or 35,000 years ago--the time of the onset of the second phase of the last glaciation--we begin to find the fully modern skeletons of men. The modern skeletons differ from place to place, just as different groups of men living in different places still look different. What became of the Neanderthalers? Nobody can tell me for sure. Ive a hunch they were simply bred out again when the cold weather was over. Many Americans, as the years go by, are no longer ashamed to claim they have Indian blood in their veins. Give us a few more generations and there will not be very many other Americans left to whom we can brag about it. It certainly isnt inconceivable to me to imagine a little Cro-Magnon boy bragging to his friends about his tough, strong, Neanderthaler great-great-great-great-grandfather! Cultural BEGINNINGS [Illustration] Men, unlike the lower animals, are made up of much more than flesh and blood and bones; for men have culture. WHAT IS CULTURE? Culture is a word with many meanings. The doctors speak of making a culture of a certain kind of bacteria, and ants are said to have a culture. Then there is the Emily Post kind of culture--you say a person is cultured, or that he isnt, depending on such things as whether or not he eats peas with his knife. The anthropologists use the word too, and argue heatedly over its finer meanings; but they all agree that every human being is part of or has some kind of culture. Each particular human group has a particular culture; that is one of the ways in which we can tell one group of men from another. In this sense, a CULTURE means the way the members of a group of people think and believe and live, the tools they make, and the way they do things. Professor Robert Redfield says a culture is an organized or formalized body of conventional understandings. Conventional understandings means the whole set of rules, beliefs, and standards which a group of people lives by. These understandings show themselves in art, and in the other things a people may make and do. The understandings continue to last, through tradition, from one generation to another. They are what really characterize different human groups. SOME CHARACTERISTICS OF CULTURE A culture lasts, although individual men in the group die off. On the other hand, a culture changes as the different conventions and understandings change. You could almost say that a culture lives in the minds of the men who have it. But people are not born with it; they get it as they grow up. Suppose a day-old Hungarian baby is adopted by a family in Oshkosh, Wisconsin, and the child is not told that he is Hungarian. He will grow up with no more idea of Hungarian culture than anyone else in Oshkosh. So when I speak of ancient Egyptian culture, I mean the whole body of understandings and beliefs and knowledge possessed by the ancient Egyptians. I mean their beliefs as to why grain grew, as well as their ability to make tools with which to reap the grain. I mean their beliefs about life after death. What I am thinking about as culture is a thing which lasted in time. If any one Egyptian, even the Pharaoh, died, it didnt affect the Egyptian culture of that particular moment. PREHISTORIC CULTURES For that long period of mans history that is all prehistory, we have no written descriptions of cultures. We find only the tools men made, the places where they lived, the graves in which they buried their dead. Fortunately for us, these tools and living places and graves all tell us something about the ways these men lived and the things they believed. But the story we learn of the very early cultures must be only a very small part of the whole, for we find so few things. The rest of the story is gone forever. We have to do what we can with what we find. For all of the time up to about 75,000 years ago, which was the time of the classic European Neanderthal group of men, we have found few cave-dwelling places of very early prehistoric men. First, there is the fallen-in cave where Peking man was found, near Peking. Then there are two or three other _early_, but not _very early_, possibilities. The finds at the base of the French cave of Fontchevade, those in one of the Makapan caves in South Africa, and several open sites such as Dr. L. S. B. Leakeys Olorgesailie in Kenya doubtless all lie earlier than the time of the main European Neanderthal group, but none are so early as the Peking finds. You can see that we know very little about the home life of earlier prehistoric men. We find different kinds of early stone tools, but we cant even be really sure which tools may have been used together. WHY LITTLE HAS LASTED FROM EARLY TIMES Except for the rare find-spots mentioned above, all our very early finds come from geological deposits, or from the wind-blown surfaces of deserts. Here is what the business of geological deposits really means. Let us say that a group of people was living in England about 300,000 years ago. They made the tools they needed, lived in some sort of camp, almost certainly built fires, and perhaps buried their dead. While the climate was still warm, many generations may have lived in the same place, hunting, and gathering nuts and berries; but after some few thousand years, the weather began very gradually to grow colder. These early Englishmen would not have known that a glacier was forming over northern Europe. They would only have noticed that the animals they hunted seemed to be moving south, and that the berries grew larger toward the south. So they would have moved south, too. The camp site they left is the place we archeologists would really have liked to find. All of the different tools the people used would have been there together--many broken, some whole. The graves, and traces of fire, and the tools would have been there. But the glacier got there first! The front of this enormous sheet of ice moved down over the country, crushing and breaking and plowing up everything, like a gigantic bulldozer. You can see what happened to our camp site. Everything the glacier couldnt break, it pushed along in front of it or plowed beneath it. Rocks were ground to gravel, and soil was caught into the ice, which afterwards melted and ran off as muddy water. Hard tools of flint sometimes remained whole. Human bones werent so hard; its a wonder _any_ of them lasted. Gushing streams of melt water flushed out the debris from underneath the glacier, and water flowed off the surface and through great crevasses. The hard materials these waters carried were even more rolled and ground up. Finally, such materials were dropped by the rushing waters as gravels, miles from the front of the glacier. At last the glacier reached its greatest extent; then it melted backward toward the north. Debris held in the ice was dropped where the ice melted, or was flushed off by more melt water. When the glacier, leaving the land, had withdrawn to the sea, great hunks of ice were broken off as icebergs. These icebergs probably dropped the materials held in their ice wherever they floated and melted. There must be many tools and fragmentary bones of prehistoric men on the bottom of the Atlantic Ocean and the North Sea. Remember, too, that these glaciers came and went at least three or four times during the Ice Age. Then you will realize why the earlier things we find are all mixed up. Stone tools from one camp site got mixed up with stone tools from many other camp sites--tools which may have been made tens of thousands or more years apart. The glaciers mixed them all up, and so we cannot say which particular sets of tools belonged together in the first place. EOLITHS But what sort of tools do we find earliest? For almost a century, people have been picking up odd bits of flint and other stone in the oldest Ice Age gravels in England and France. It is now thought these odd bits of stone werent actually worked by prehistoric men. The stones were given a name, _eoliths_, or dawn stones. You can see them in many museums; but you can be pretty sure that very few of them were actually fashioned by men. It is impossible to pick out eoliths that seem to be made in any one _tradition_. By tradition I mean a set of habits for making one kind of tool for some particular job. No two eoliths look very much alike: tools made as part of some one tradition all look much alike. Now its easy to suppose that the very earliest prehistoric men picked up and used almost any sort of stone. This wouldnt be surprising; you and I do it when we go camping. In other words, some of these eoliths may actually have been used by prehistoric men. They must have used anything that might be handy when they needed it. We could have figured that out without the eoliths. THE ROAD TO STANDARDIZATION Reasoning from what we know or can easily imagine, there should have been three major steps in the prehistory of tool-making. The first step would have been simple _utilization_ of what was at hand. This is the step into which the eoliths would fall. The second step would have been _fashioning_--the haphazard preparation of a tool when there was a need for it. Probably many of the earlier pebble tools, which I shall describe next, fall into this group. The third step would have been _standardization_. Here, men began to make tools according to certain set traditions. Counting the better-made pebble tools, there are four such traditions or sets of habits for the production of stone tools in earliest prehistoric times. Toward the end of the Pleistocene, a fifth tradition appears. PEBBLE TOOLS At the beginning of the last chapter, youll remember that I said there were tools from very early geological beds. The earliest bones of men have not yet been found in such early beds although the Sterkfontein australopithecine cave approaches this early date. The earliest tools come from Africa. They date back to the time of the first great alpine glaciation and are at least 500,000 years old. The earliest ones are made of split pebbles, about the size of your fist or a bit bigger. They go under the name of pebble tools. There are many natural exposures of early Pleistocene geological beds in Africa, and the prehistoric archeologists of south and central Africa have concentrated on searching for early tools. Other finds of early pebble tools have recently been made in Algeria and Morocco. [Illustration: SOUTH AFRICAN PEBBLE TOOL] There are probably early pebble tools to be found in areas of the Old World besides Africa; in fact, some prehistorians already claim to have identified a few. Since the forms and the distinct ways of making the earlier pebble tools had not yet sufficiently jelled into a set tradition, they are difficult for us to recognize. It is not so difficult, however, if there are great numbers of possibles available. A little later in time the tradition becomes more clearly set, and pebble tools are easier to recognize. So far, really large collections of pebble tools have only been found and examined in Africa. CORE-BIFACE TOOLS The next tradition well look at is the _core_ or biface one. The tools are large pear-shaped pieces of stone trimmed flat on the two opposite sides or faces. Hence biface has been used to describe these tools. The front view is like that of a pear with a rather pointed top, and the back view looks almost exactly the same. Look at them side on, and you can see that the front and back faces are the same and have been trimmed to a thin tip. The real purpose in trimming down the two faces was to get a good cutting edge all around. You can see all this in the illustration. [Illustration: ABBEVILLIAN BIFACE] We have very little idea of the way in which these core-bifaces were used. They have been called hand axes, but this probably gives the wrong idea, for an ax, to us, is not a pointed tool. All of these early tools must have been used for a number of jobs--chopping, scraping, cutting, hitting, picking, and prying. Since the core-bifaces tend to be pointed, it seems likely that they were used for hitting, picking, and prying. But they have rough cutting edges, so they could have been used for chopping, scraping, and cutting. FLAKE TOOLS The third tradition is the _flake_ tradition. The idea was to get a tool with a good cutting edge by simply knocking a nice large flake off a big block of stone. You had to break off the flake in such a way that it was broad and thin, and also had a good sharp cutting edge. Once you really got on to the trick of doing it, this was probably a simpler way to make a good cutting tool than preparing a biface. You have to know how, though; Ive tried it and have mashed my fingers more than once. The flake tools look as if they were meant mainly for chopping, scraping, and cutting jobs. When one made a flake tool, the idea seems to have been to produce a broad, sharp, cutting edge. [Illustration: CLACTONIAN FLAKE] The core-biface and the flake traditions were spread, from earliest times, over much of Europe, Africa, and western Asia. The map on page 52 shows the general area. Over much of this great region there was flint. Both of these traditions seem well adapted to flint, although good core-bifaces and flakes were made from other kinds of stone, especially in Africa south of the Sahara. CHOPPERS AND ADZE-LIKE TOOLS The fourth early tradition is found in southern and eastern Asia, from northwestern India through Java and Burma into China. Father Maringer recently reported an early group of tools in Japan, which most resemble those of Java, called Patjitanian. The prehistoric men in this general area mostly used quartz and tuff and even petrified wood for their stone tools (see illustration, p. 46). This fourth early tradition is called the _chopper-chopping tool_ tradition. It probably has its earliest roots in the pebble tool tradition of African type. There are several kinds of tools in this tradition, but all differ from the western core-bifaces and flakes. There are broad, heavy scrapers or cleavers, and tools with an adze-like cutting edge. These last-named tools are called hand adzes, just as the core-bifaces of the west have often been called hand axes. The section of an adze cutting edge is ? shaped; the section of an ax is < shaped. [Illustration: ANYATHIAN ADZE-LIKE TOOL] There are also pointed pebble tools. Thus the tool kit of these early south and east Asiatic peoples seems to have included tools for doing as many different jobs as did the tools of the Western traditions. Dr. H. L. Movius has emphasized that the tools which were found in the Peking cave with Peking man belong to the chopper-tool tradition. This is the only case as yet where the tools and the man have been found together from very earliest times--if we except Sterkfontein. DIFFERENCES WITHIN THE TOOL-MAKING TRADITIONS The latter three great traditions in the manufacture of stone tools--and the less clear-cut pebble tools before them--are all we have to show of the cultures of the men of those times. Changes happened in each of the traditions. As time went on, the tools in each tradition were better made. There could also be slight regional differences in the tools within one tradition. Thus, tools with small differences, but all belonging to one tradition, can be given special group (facies) names. This naming of special groups has been going on for some time. Here are some of these names, since you may see them used in museum displays of flint tools, or in books. Within each tradition of tool-making (save the chopper tools), the earliest tool type is at the bottom of the list, just as it appears in the lowest beds of a geological stratification.[3] [3] Archeologists usually make their charts and lists with the earliest materials at the bottom and the latest on top, since this is the way they find them in the ground. Chopper tool (all about equally early): Anyathian (Burma) Choukoutienian (China) Patjitanian (Java) Soan (India) Flake: Typical Mousterian Levalloiso-Mousterian Levalloisian Tayacian Clactonian (localized in England) Core-biface: Some blended elements in Mousterian Micoquian (= Acheulean 6 and 7) Acheulean Abbevillian (once called Chellean) Pebble tool: Oldowan Ain Hanech pre-Stellenbosch Kafuan The core-biface and the flake traditions appear in the chart (p. 65). The early archeologists had many of the tool groups named before they ever realized that there were broader tool preparation traditions. This was understandable, for in dealing with the mixture of things that come out of glacial gravels the easiest thing to do first is to isolate individual types of tools into groups. First you put a bushel-basketful of tools on a table and begin matching up types. Then you give names to the groups of each type. The groups and the types are really matters of the archeologists choice; in real life, they were probably less exact than the archeologists lists of them. We now know pretty well in which of the early traditions the various early groups belong. THE MEANING OF THE DIFFERENT TRADITIONS What do the traditions really mean? I see them as the standardization of ways to make tools for particular jobs. We may not know exactly what job the maker of a particular core-biface or flake tool had in mind. We can easily see, however, that he already enjoyed a know-how, a set of persistent habits of tool preparation, which would always give him the same type of tool when he wanted to make it. Therefore, the traditions show us that persistent habits already existed for the preparation of one type of tool or another. This tells us that one of the characteristic aspects of human culture was already present. There must have been, in the minds of these early men, a notion of the ideal type of tool for a particular job. Furthermore, since we find so many thousands upon thousands of tools of one type or another, the notion of the ideal types of tools _and_ the know-how for the making of each type must have been held in common by many men. The notions of the ideal types and the know-how for their production must have been passed on from one generation to another. I could even guess that the notions of the ideal type of one or the other of these tools stood out in the minds of men of those times somewhat like a symbol of perfect tool for good job. If this were so--remember its only a wild guess of mine--then men were already symbol users. Now lets go on a further step to the fact that the words men speak are simply sounds, each different sound being a symbol for a different meaning. If standardized tool-making suggests symbol-making, is it also possible that crude word-symbols were also being made? I suppose that it is not impossible. There may, of course, be a real question whether tool-utilizing creatures--our first step, on page 42--were actually men. Other animals utilize things at hand as tools. The tool-fashioning creature of our second step is more suggestive, although we may not yet feel sure that many of the earlier pebble tools were man-made products. But with the step to standardization and the appearance of the traditions, I believe we must surely be dealing with the traces of culture-bearing _men_. The conventional understandings which Professor Redfields definition of culture suggests are now evidenced for us in the persistent habits for the preparation of stone tools. Were we able to see the other things these prehistoric men must have made--in materials no longer preserved for the archeologist to find--I believe there would be clear signs of further conventional understandings. The men may have been physically primitive and pretty shaggy in appearance, but I think we must surely call them men. AN OLDER INTERPRETATION OF THE WESTERN TRADITIONS In the last chapter, I told you that many of the older archeologists and human paleontologists used to think that modern man was very old. The supposed ages of Piltdown and Galley Hill were given as evidence of the great age of anatomically modern man, and some interpretations of the Swanscombe and Fontchevade fossils were taken to support this view. The conclusion was that there were two parallel lines or phyla of men already present well back in the Pleistocene. The first of these, the more primitive or paleoanthropic line, was said to include Heidelberg, the proto-neanderthaloids and classic Neanderthal. The more anatomically modern or neanthropic line was thought to consist of Piltdown and the others mentioned above. The Neanderthaler or paleoanthropic line was thought to have become extinct after the first phase of the last great glaciation. Of course, the modern or neanthropic line was believed to have persisted into the present, as the basis for the worlds population today. But with Piltdown liquidated, Galley Hill known to be very late, and Swanscombe and Fontchevade otherwise interpreted, there is little left of the so-called parallel phyla theory. While the theory was in vogue, however, and as long as the European archeological evidence was looked at in one short-sighted way, the archeological materials _seemed_ to fit the parallel phyla theory. It was simply necessary to believe that the flake tools were made only by the paleoanthropic Neanderthaler line, and that the more handsome core-biface tools were the product of the neanthropic modern-man line. Remember that _almost_ all of the early prehistoric European tools came only from the redeposited gravel beds. This means that the tools were not normally found in the remains of camp sites or work shops where they had actually been dropped by the men who made and used them. The tools came, rather, from the secondary hodge-podge of the glacial gravels. I tried to give you a picture of the bulldozing action of glaciers (p. 40) and of the erosion and weathering that were side-effects of a glacially conditioned climate on the earths surface. As we said above, if one simply plucks tools out of the redeposited gravels, his natural tendency is to type the tools by groups, and to think that the groups stand for something _on their own_. In 1906, M. Victor Commont actually made a rare find of what seems to have been a kind of workshop site, on a terrace above the Somme river in France. Here, Commont realized, flake tools appeared clearly in direct association with core-biface tools. Few prehistorians paid attention to Commont or his site, however. It was easier to believe that flake tools represented a distinct culture and that this culture was that of the Neanderthaler or paleoanthropic line, and that the core-bifaces stood for another culture which was that of the supposed early modern or neanthropic line. Of course, I am obviously skipping many details here. Some later sites with Neanderthal fossils do seem to have only flake tools, but other such sites have both types of tools. The flake tools which appeared _with_ the core-bifaces in the Swanscombe gravels were never made much of, although it was embarrassing for the parallel phyla people that Fontchevade ran heavily to flake tools. All in all, the parallel phyla theory flourished because it seemed so neat and easy to understand. TRADITIONS ARE TOOL-MAKING HABITS, NOT CULTURES In case you think I simply enjoy beating a dead horse, look in any standard book on prehistory written twenty (or even ten) years ago, or in most encyclopedias. Youll find that each of the individual tool types, of the West, at least, was supposed to represent a culture. The cultures were believed to correspond to parallel lines of human evolution. In 1937, Mr. Harper Kelley strongly re-emphasized the importance of Commonts workshop site and the presence of flake tools with core-bifaces. Next followed Dr. Movius clear delineation of the chopper-chopping tool tradition of the Far East. This spoiled the nice symmetry of the flake-tool = paleoanthropic, core-biface = neanthropic equations. Then came increasing understanding of the importance of the pebble tools in Africa, and the location of several more workshop sites there, especially at Olorgesailie in Kenya. Finally came the liquidation of Piltdown and the deflation of Galley Hills date. So it is at last possible to picture an individual prehistoric man making a flake tool to do one job and a core-biface tool to do another. Commont showed us this picture in 1906, but few believed him. [Illustration: DISTRIBUTION OF TOOL-PREPARATION TRADITIONS Time approximately 100,000 years ago] There are certainly a few cases in which flake tools did appear with few or no core-bifaces. The flake-tool group called Clactonian in England is such a case. Another good, but certainly later case is that of the cave on Mount Carmel in Palestine, where the blended pre-neanderthaloid, 70 per cent modern-type skulls were found. Here, in the same level with the skulls, were 9,784 flint tools. Of these, only three--doubtless strays--were core-bifaces; all the rest were flake tools or flake chips. We noted above how the Fontchevade cave ran to flake tools. The only conclusion I would draw from this is that times and circumstances did exist in which prehistoric men needed only flake tools. So they only made flake tools for those particular times and circumstances. LIFE IN EARLIEST TIMES What do we actually know of life in these earliest times? In the glacial gravels, or in the terrace gravels of rivers once swollen by floods of melt water or heavy rains, or on the windswept deserts, we find stone tools. The earliest and coarsest of these are the pebble tools. We do not yet know what the men who made them looked like, although the Sterkfontein australopithecines probably give us a good hint. Then begin the more formal tool preparation traditions of the west--the core-bifaces and the flake tools--and the chopper-chopping tool series of the farther east. There is an occasional roughly worked piece of bone. From the gravels which yield the Clactonian flakes of England comes the fire-hardened point of a wooden spear. There are also the chance finds of the fossil human bones themselves, of which we spoke in the last chapter. Aside from the cave of Peking man, none of the earliest tools have been found in caves. Open air or workshop sites which do not seem to have been disturbed later by some geological agency are very rare. The chart on page 65 shows graphically what the situation in west-central Europe seems to have been. It is not yet certain whether there were pebble tools there or not. The Fontchevade cave comes into the picture about 100,000 years ago or more. But for the earlier hundreds of thousands of years--below the red-dotted line on the chart--the tools we find come almost entirely from the haphazard mixture within the geological contexts. The stone tools of each of the earlier traditions are the simplest kinds of all-purpose tools. Almost any one of them could be used for hacking, chopping, cutting, and scraping; so the men who used them must have been living in a rough and ready sort of way. They found or hunted their food wherever they could. In the anthropological jargon, they were food-gatherers, pure and simple. Because of the mixture in the gravels and in the materials they carried, we cant be sure which animals these men hunted. Bones of the larger animals turn up in the gravels, but they could just as well belong to the animals who hunted the men, rather than the other way about. We dont know. This is why camp sites like Commonts and Olorgesailie in Kenya are so important when we do find them. The animal bones at Olorgesailie belonged to various mammals of extremely large size. Probably they were taken in pit-traps, but there are a number of groups of three round stones on the site which suggest that the people used bolas. The South American Indians used three-ball bolas, with the stones in separate leather bags connected by thongs. These were whirled and then thrown through the air so as to entangle the feet of a fleeing animal. Professor F. Clark Howell recently returned from excavating another important open air site at Isimila in Tanganyika. The site yielded the bones of many fossil animals and also thousands of core-bifaces, flakes, and choppers. But Howells reconstruction of the food-getting habits of the Isimila people certainly suggests that the word hunting is too dignified for what they did; scavenging would be much nearer the mark. During a great part of this time the climate was warm and pleasant. The second interglacial period (the time between the second and third great alpine glaciations) lasted a long time, and during much of this time the climate may have been even better than ours is now. We dont know that earlier prehistoric men in Europe or Africa lived in caves. They may not have needed to; much of the weather may have been so nice that they lived in the open. Perhaps they didnt wear clothes, either. WHAT THE PEKING CAVE-FINDS TELL US The one early cave-dwelling we have found is that of Peking man, in China. Peking man had fire. He probably cooked his meat, or used the fire to keep dangerous animals away from his den. In the cave were bones of dangerous animals, members of the wolf, bear, and cat families. Some of the cat bones belonged to beasts larger than tigers. There were also bones of other wild animals: buffalo, camel, deer, elephants, horses, sheep, and even ostriches. Seventy per cent of the animals Peking man killed were fallow deer. Its much too cold and dry in north China for all these animals to live there today. So this list helps us know that the weather was reasonably warm, and that there was enough rain to grow grass for the grazing animals. The list also helps the paleontologists to date the find. Peking man also seems to have eaten plant food, for there are hackberry seeds in the debris of the cave. His tools were made of sandstone and quartz and sometimes of a rather bad flint. As weve already seen, they belong in the chopper-tool tradition. It seems fairly clear that some of the edges were chipped by right-handed people. There are also many split pieces of heavy bone. Peking man probably split them so he could eat the bone marrow, but he may have used some of them as tools. Many of these split bones were the bones of Peking men. Each one of the skulls had already had the base broken out of it. In no case were any of the bones resting together in their natural relation to one another. There is nothing like a burial; all of the bones are scattered. Now its true that animals could have scattered bodies that were not cared for or buried. But splitting bones lengthwise and carefully removing the base of a skull call for both the tools and the people to use them. Its pretty clear who the people were. Peking man was a cannibal. * * * * * This rounds out about all we can say of the life and times of early prehistoric men. In those days life was rough. You evidently had to watch out not only for dangerous animals but also for your fellow men. You ate whatever you could catch or find growing. But you had sense enough to build fires, and you had already formed certain habits for making the kinds of stone tools you needed. Thats about all we know. But I think well have to admit that cultural beginnings had been made, and that these early people were really _men_. MORE EVIDENCE of Culture [Illustration] While the dating is not yet sure, the material that we get from caves in Europe must go back to about 100,000 years ago; the time of the classic Neanderthal group followed soon afterwards. We dont know why there is no earlier material in the caves; apparently they were not used before the last interglacial phase (the period just before the last great glaciation). We know that men of the classic Neanderthal group were living in caves from about 75,000 to 45,000 years ago. New radioactive carbon dates even suggest that some of the traces of culture well describe in this chapter may have lasted to about 35,000 years ago. Probably some of the pre-neanderthaloid types of men had also lived in caves. But we have so far found their bones in caves only in Palestine and at Fontchevade. THE CAVE LAYERS In parts of France, some peasants still live in caves. In prehistoric time, many generations of people lived in them. As a result, many caves have deep layers of debris. The first people moved in and lived on the rock floor. They threw on the floor whatever they didnt want, and they tracked in mud; nobody bothered to clean house in those days. Their debris--junk and mud and garbage and what not--became packed into a layer. As time went on, and generations passed, the layer grew thicker. Then there might have been a break in the occupation of the cave for a while. Perhaps the game animals got scarce and the people moved away; or maybe the cave became flooded. Later on, other people moved in and began making a new layer of their own on top of the first layer. Perhaps this process of layering went on in the same cave for a hundred thousand years; you can see what happened. The drawing on this page shows a section through such a cave. The earliest layer is on the bottom, the latest one on top. They go in order from bottom to top, earliest to latest. This is the _stratification_ we talked about (p. 12). [Illustration: SECTION OF SHELTER ON LOWER TERRACE, LE MOUSTIER] While we may find a mix-up in caves, its not nearly as bad as the mixing up that was done by glaciers. The animal bones and shells, the fireplaces, the bones of men, and the tools the men made all belong together, if they come from one layer. Thats the reason why the cave of Peking man is so important. It is also the reason why the caves in Europe and the Near East are so important. We can get an idea of which things belong together and which lot came earliest and which latest. In most cases, prehistoric men lived only in the mouths of caves. They didnt like the dark inner chambers as places to live in. They preferred rock-shelters, at the bases of overhanging cliffs, if there was enough overhang to give shelter. When the weather was good, they no doubt lived in the open air as well. Ill go on using the term cave since its more familiar, but remember that I really mean rock-shelter, as a place in which people actually lived. The most important European cave sites are in Spain, France, and central Europe; there are also sites in England and Italy. A few caves are known in the Near East and Africa, and no doubt more sites will be found when the out-of-the-way parts of Europe, Africa, and Asia are studied. AN INDUSTRY DEFINED We have already seen that the earliest European cave materials are those from the cave of Fontchevade. Movius feels certain that the lowest materials here date back well into the third interglacial stage, that which lay between the Riss (next to the last) and the Wrm I (first stage of the last) alpine glaciations. This material consists of an _industry_ of stone tools, apparently all made in the flake tradition. This is the first time we have used the word industry. It is useful to call all of the different tools found together in one layer and made of _one kind of material_ an industry; that is, the tools must be found together as men left them. Tools taken from the glacial gravels (or from windswept desert surfaces or river gravels or any geological deposit) are not together in this sense. We might say the latter have only geological, not archeological context. Archeological context means finding things just as men left them. We can tell what tools go together in an industrial sense only if we have archeological context. Up to now, the only things we could have called industries were the worked stone industry and perhaps the worked (?) bone industry of the Peking cave. We could add some of the very clear cases of open air sites, like Olorgesailie. We couldnt use the term for the stone tools from the glacial gravels, because we do not know which tools belonged together. But when the cave materials begin to appear in Europe, we can begin to speak of industries. Most of the European caves of this time contain industries of flint tools alone. THE EARLIEST EUROPEAN CAVE LAYERS Weve just mentioned the industry from what is said to be the oldest inhabited cave in Europe; that is, the industry from the deepest layer of the site at Fontchevade. Apparently it doesnt amount to much. The tools are made of stone, in the flake tradition, and are very poorly worked. This industry is called _Tayacian_. Its type tool seems to be a smallish flake tool, but there are also larger flakes which seem to have been fashioned for hacking. In fact, the type tool seems to be simply a smaller edition of the Clactonian tool (pictured on p. 45). None of the Fontchevade tools are really good. There are scrapers, and more or less pointed tools, and tools that may have been used for hacking and chopping. Many of the tools from the earlier glacial gravels are better made than those of this first industry we see in a European cave. There is so little of this material available that we do not know which is really typical and which is not. You would probably find it hard to see much difference between this industry and a collection of tools of the type called Clactonian, taken from the glacial gravels, especially if the Clactonian tools were small-sized. The stone industry of the bottommost layer of the Mount Carmel cave, in Palestine, where somewhat similar tools were found, has also been called Tayacian. I shall have to bring in many unfamiliar words for the names of the industries. The industries are usually named after the places where they were first found, and since these were in most cases in France, most of the names which follow will be of French origin. However, the names have simply become handles and are in use far beyond the boundaries of France. It would be better if we had a non-place-name terminology, but archeologists have not yet been able to agree on such a terminology. THE ACHEULEAN INDUSTRY Both in France and in Palestine, as well as in some African cave sites, the next layers in the deep caves have an industry in both the core-biface and the flake traditions. The core-biface tools usually make up less than half of all the tools in the industry. However, the name of the biface type of tool is generally given to the whole industry. It is called the _Acheulean_, actually a late form of it, as Acheulean is also used for earlier core-biface tools taken from the glacial gravels. In western Europe, the name used is _Upper Acheulean_ or _Micoquian_. The same terms have been borrowed to name layers E and F in the Tabun cave, on Mount Carmel in Palestine. The Acheulean core-biface type of tool is worked on two faces so as to give a cutting edge all around. The outline of its front view may be oval, or egg-shaped, or a quite pointed pear shape. The large chip-scars of the Acheulean core-bifaces are shallow and flat. It is suspected that this resulted from the removal of the chips with a wooden club; the deep chip-scars of the earlier Abbevillian core-biface came from beating the tool against a stone anvil. These tools are really the best and also the final products of the core-biface tradition. We first noticed the tradition in the early glacial gravels (p. 43); now we see its end, but also its finest examples, in the deeper cave levels. The flake tools, which really make up the greater bulk of this industry, are simple scrapers and chips with sharp cutting edges. The habits used to prepare them must have been pretty much the same as those used for at least one of the flake industries we shall mention presently. There is very little else in these early cave layers. We do not have a proper industry of bone tools. There are traces of fire, and of animal bones, and a few shells. In Palestine, there are many more bones of deer than of gazelle in these layers; the deer lives in a wetter climate than does the gazelle. In the European cave layers, the animal bones are those of beasts that live in a warm climate. They belonged in the last interglacial period. We have not yet found the bones of fossil men definitely in place with this industry. [Illustration: ACHEULEAN BIFACE] FLAKE INDUSTRIES FROM THE CAVES Two more stone industries--the _Levalloisian_ and the _Mousterian_--turn up at approximately the same time in the European cave layers. Their tools seem to be mainly in the flake tradition, but according to some of the authorities their preparation also shows some combination with the habits by which the core-biface tools were prepared. Now notice that I dont tell you the Levalloisian and the Mousterian layers are both above the late Acheulean layers. Look at the cave section (p. 57) and youll find that some Mousterian of Acheulean tradition appears above some typical Mousterian. This means that there may be some kinds of Acheulean industries that are later than some kinds of Mousterian. The same is true of the Levalloisian. There were now several different kinds of habits that men used in making stone tools. These habits were based on either one or the other of the two traditions--core-biface or flake--or on combinations of the habits used in the preparation techniques of both traditions. All were popular at about the same time. So we find that people who made one kind of stone tool industry lived in a cave for a while. Then they gave up the cave for some reason, and people with another industry moved in. Then the first people came back--or at least somebody with the same tool-making habits as the first people. Or maybe a third group of tool-makers moved in. The people who had these different habits for making their stone tools seem to have moved around a good deal. They no doubt borrowed and exchanged tricks of the trade with each other. There were no patent laws in those days. The extremely complicated interrelationships of the different habits used by the tool-makers of this range of time are at last being systematically studied. M. Franois Bordes has developed a statistical method of great importance for understanding these tool preparation habits. THE LEVALLOISIAN AND MOUSTERIAN The easiest Levalloisian tool to spot is a big flake tool. The trick in making it was to fashion carefully a big chunk of stone (called the Levalloisian tortoise core, because it resembles the shape of a turtle-shell) and then to whack this in such a way that a large flake flew off. This large thin flake, with sharp cutting edges, is the finished Levalloisian tool. There were various other tools in a Levalloisian industry, but this is the characteristic _Levalloisian_ tool. There are several typical Mousterian stone tools. Different from the tools of the Levalloisian type, these were made from disc-like cores. There are medium-sized flake side scrapers. There are also some small pointed tools and some small hand axes. The last of these tool types is often a flake worked on both of the flat sides (that is, bifacially). There are also pieces of flint worked into the form of crude balls. The pointed tools may have been fixed on shafts to make short jabbing spears; the round flint balls may have been used as bolas. Actually, we dont _know_ what either tool was used for. The points and side scrapers are illustrated (pp. 64 and 66). [Illustration: LEVALLOIS FLAKE] THE MIXING OF TRADITIONS Nowadays the archeologists are less and less sure of the importance of any one specific tool type and name. Twenty years ago, they used to speak simply of Acheulean or Levalloisian or Mousterian tools. Now, more and more, _all_ of the tools from some one layer in a cave are called an industry, which is given a mixed name. Thus we have Levalloiso-Mousterian, and Acheuleo-Levalloisian, and even Acheuleo-Mousterian (or Mousterian of Acheulean tradition). Bordes systematic work is beginning to clear up some of our confusion. The time of these late Acheuleo-Levalloiso-Mousterioid industries is from perhaps as early as 100,000 years ago. It may have lasted until well past 50,000 years ago. This was the time of the first phase of the last great glaciation. It was also the time that the classic group of Neanderthal men was living in Europe. A number of the Neanderthal fossil finds come from these cave layers. Before the different habits of tool preparation were understood it used to be popular to say Neanderthal man was Mousterian man. I think this is wrong. What used to be called Mousterian is now known to be a variety of industries with tools of both core-biface and flake habits, and so mixed that the word Mousterian used alone really doesnt mean anything. The Neanderthalers doubtless understood the tool preparation habits by means of which Acheulean, Levalloisian and Mousterian type tools were produced. We also have the more modern-like Mount Carmel people, found in a cave layer of Palestine with tools almost entirely in the flake tradition, called Levalloiso-Mousterian, and the Fontchevade-Tayacian (p. 59). [Illustration: MOUSTERIAN POINT] OTHER SUGGESTIONS OF LIFE IN THE EARLY CAVE LAYERS Except for the stone tools, what do we know of the way men lived in the time range after 100,000 to perhaps 40,000 years ago or even later? We know that in the area from Europe to Palestine, at least some of the people (some of the time) lived in the fronts of caves and warmed themselves over fires. In Europe, in the cave layers of these times, we find the bones of different animals; the bones in the lowest layers belong to animals that lived in a warm climate; above them are the bones of those who could stand the cold, like the reindeer and mammoth. Thus, the meat diet must have been changing, as the glacier crept farther south. Shells and possibly fish bones have lasted in these cave layers, but there is not a trace of the vegetable foods and the nuts and berries and other wild fruits that must have been eaten when they could be found. [Illustration: CHART SHOWING PRESENT UNDERSTANDING OF RELATIONSHIPS AND SUCCESSION OF TOOL-PREPARATION TRADITIONS, INDUSTRIES, AND ASSEMBLAGES OF WEST-CENTRAL EUROPE Wavy lines indicate transitions in industrial habits. These transitions are not yet understood in detail. The glacial and climatic scheme shown is the alpine one.] Bone tools have also been found from this period. Some are called scrapers, and there are also long chisel-like leg-bone fragments believed to have been used for skinning animals. Larger hunks of bone, which seem to have served as anvils or chopping blocks, are fairly common. Bits of mineral, used as coloring matter, have also been found. We dont know what the color was used for. [Illustration: MOUSTERIAN SIDE SCRAPER] There is a small but certain number of cases of intentional burials. These burials have been found on the floors of the caves; in other words, the people dug graves in the places where they lived. The holes made for the graves were small. For this reason (or perhaps for some other?) the bodies were in a curled-up or contracted position. Flint or bone tools or pieces of meat seem to have been put in with some of the bodies. In several cases, flat stones had been laid over the graves. TOOLS FROM AFRICA AND ASIA ABOUT 100,000 YEARS AGO Professor Movius characterizes early prehistoric Africa as a continent showing a variety of stone industries. Some of these industries were purely local developments and some were practically identical with industries found in Europe at the same time. From northwest Africa to Capetown--excepting the tropical rain forest region of the west center--tools of developed Acheulean, Levalloisian, and Mousterian types have been recognized. Often they are named after African place names. In east and south Africa lived people whose industries show a development of the Levalloisian technique. Such industries are called Stillbay. Another industry, developed on the basis of the Acheulean technique, is called Fauresmith. From the northwest comes an industry with tanged points and flake-blades; this is called the Aterian. The tropical rain forest region contained people whose stone tools apparently show adjustment to this peculiar environment; the so-called Sangoan industry includes stone picks, adzes, core-bifaces of specialized Acheulean type, and bifacial points which were probably spearheads. In western Asia, even as far as the east coast of India, the tools of the Eurafrican core-biface and flake tool traditions continued to be used. But in the Far East, as we noted in the last chapter, men had developed characteristic stone chopper and chopping tools. This tool preparation tradition--basically a pebble tool tradition--lasted to the very end of the Ice Age. When more intact open air sites such as that of an earlier time at Olorgesailie, and more stratified cave sites are found and excavated in Asia and Africa, we shall be able to get a more complete picture. So far, our picture of the general cultural level of the Old World at about 100,000 years ago--and soon afterwards--is best from Europe, but it is still far from complete there, too. CULTURE AT THE BEGINNING OF THE LAST GREAT GLACIAL PERIOD The few things we have found must indicate only a very small part of the total activities of the people who lived at the time. All of the things they made of wood and bark, of skins, of anything soft, are gone. The fact that burials were made, at least in Europe and Palestine, is pretty clear proof that the people had some notion of a life after death. But what this notion really was, or what gods (if any) men believed in, we cannot know. Dr. Movius has also reminded me of the so-called bear cults--cases in which caves have been found which contain the skulls of bears in apparently purposeful arrangement. This might suggest some notion of hoarding up the spirits or the strength of bears killed in the hunt. Probably the people lived in small groups, as hunting and food-gathering seldom provide enough food for large groups of people. These groups probably had some kind of leader or chief. Very likely the rude beginnings of rules for community life and politics, and even law, were being made. But what these were, we do not know. We can only guess about such things, as we can only guess about many others; for example, how the idea of a family must have been growing, and how there may have been witch doctors who made beginnings in medicine or in art, in the materials they gathered for their trade. The stone tools help us most. They have lasted, and we can find them. As they come to us, from this cave or that, and from this layer or that, the tool industries show a variety of combinations of the different basic habits or traditions of tool preparation. This seems only natural, as the groups of people must have been very small. The mixtures and blendings of the habits used in making stone tools must mean that there were also mixtures and blends in many of the other ideas and beliefs of these small groups. And what this probably means is that there was no one _culture_ of the time. It is certainly unlikely that there were simply three cultures, Acheulean, Levalloisian, and Mousterian, as has been thought in the past. Rather there must have been a great variety of loosely related cultures at about the same stage of advancement. We could say, too, that here we really begin to see, for the first time, that remarkable ability of men to adapt themselves to a variety of conditions. We shall see this adaptive ability even more clearly as time goes on and the record becomes more complete. Over how great an area did these loosely related cultures reach in the time 75,000 to 45,000 or even as late as 35,000 years ago? We have described stone tools made in one or another of the flake and core-biface habits, for an enormous area. It covers all of Europe, all of Africa, the Near East, and parts of India. It is perfectly possible that the flake and core-biface habits lasted on after 35,000 years ago, in some places outside of Europe. In northern Africa, for example, we are certain that they did (see chart, p. 72). On the other hand, in the Far East (China, Burma, Java) and in northern India, the tools of the old chopper-tool tradition were still being made. Out there, we must assume, there was a different set of loosely related cultures. At least, there was a different set of loosely related habits for the making of tools. But the men who made them must have looked much like the men of the West. Their tools were different, but just as useful. As to what the men of the West looked like, Ive already hinted at all we know so far (pp. 29 ff.). The Neanderthalers were present at the time. Some more modern-like men must have been about, too, since fossils of them have turned up at Mount Carmel in Palestine, and at Teshik Tash, in Trans-caspian Russia. It is still too soon to know whether certain combinations of tools within industries were made only by certain physical types of men. But since tools of both the core-biface and the flake traditions, and their blends, turn up from South Africa to England to India, it is most unlikely that only one type of man used only one particular habit in the preparation of tools. What seems perfectly clear is that men in Africa and men in India were making just as good tools as the men who lived in western Europe. EARLY MODERNS [Illustration] From some time during the first inter-stadial of the last great glaciation (say some time after about 40,000 years ago), we have more accurate dates for the European-Mediterranean area and less accurate ones for the rest of the Old World. This is probably because the effects of the last glaciation have been studied in the European-Mediterranean area more than they have been elsewhere. A NEW TRADITION APPEARS Something new was probably beginning to happen in the European-Mediterranean area about 40,000 years ago, though all the rest of the Old World seems to have been going on as it had been. I cant be sure of this because the information we are using as a basis for dates is very inaccurate for the areas outside of Europe and the Mediterranean. We can at least make a guess. In Egypt and north Africa, men were still using the old methods of making stone tools. This was especially true of flake tools of the Levalloisian type, save that they were growing smaller and smaller as time went on. But at the same time, a new tradition was becoming popular in westernmost Asia and in Europe. This was the blade-tool tradition. BLADE TOOLS A stone blade is really just a long parallel-sided flake, as the drawing shows. It has sharp cutting edges, and makes a very useful knife. The real trick is to be able to make one. It is almost impossible to make a blade out of any stone but flint or a natural volcanic glass called obsidian. And even if you have flint or obsidian, you first have to work up a special cone-shaped blade-core, from which to whack off blades. [Illustration: PLAIN BLADE] You whack with a hammer stone against a bone or antler punch which is directed at the proper place on the blade-core. The blade-core has to be well supported or gripped while this is going on. To get a good flint blade tool takes a great deal of know-how. Remember that a tradition in stone tools means no more than that some particular way of making the tools got started and lasted a long time. Men who made some tools in one tradition or set of habits would also make other tools for different purposes by means of another tradition or set of habits. It was even possible for the two sets of habits to become combined. THE EARLIEST BLADE TOOLS The oldest blade tools we have found were deep down in the layers of the Mount Carmel caves, in Tabun Eb and Ea. Similar tools have been found in equally early cave levels in Syria; their popularity there seems to fluctuate a bit. Some more or less parallel-sided flakes are known in the Levalloisian industry in France, but they are probably no earlier than Tabun E. The Tabun blades are part of a local late Acheulean industry, which is characterized by core-biface hand axes, but which has many flake tools as well. Professor F. E. Zeuner believes that this industry may be more than 120,000 years old; actually its date has not yet been fixed, but it is very old--older than the fossil finds of modern-like men in the same caves. [Illustration: SUCCESSION OF ICE AGE FLINT TYPES, INDUSTRIES, AND ASSEMBLAGES, AND OF FOSSIL MEN, IN NORTHWESTERN EURAFRASIA] For some reason, the habit of making blades in Palestine and Syria was interrupted. Blades only reappeared there at about the same time they were first made in Europe, some time after 45,000 years ago; that is, after the first phase of the last glaciation was ended. [Illustration: BACKED BLADE] We are not sure just where the earliest _persisting_ habits for the production of blade tools developed. Impressed by the very early momentary appearance of blades at Tabun on Mount Carmel, Professor Dorothy A. Garrod first favored the Near East as a center of origin. She spoke of some as yet unidentified Asiatic centre, which she thought might be in the highlands of Iran or just beyond. But more recent work has been done in this area, especially by Professor Coon, and the blade tools do not seem to have an early appearance there. When the blade tools reappear in the Syro-Palestinian area, they do so in industries which also include Levalloiso-Mousterian flake tools. From the point of view of form and workmanship, the blade tools themselves are not so fine as those which seem to be making their appearance in western Europe about the same time. There is a characteristic Syro-Palestinian flake point, possibly a projectile tip, called the Emiran, which is not known from Europe. The appearance of blade tools, together with Levalloiso-Mousterian flakes, continues even after the Emiran point has gone out of use. It seems clear that the production of blade tools did not immediately swamp the set of older habits in Europe, too; the use of flake tools also continued there. This was not so apparent to the older archeologists, whose attention was focused on individual tool types. It is not, in fact, impossible--although it is certainly not proved--that the technique developed in the preparation of the Levalloisian tortoise core (and the striking of the Levalloisian flake from it) might have followed through to the conical core and punch technique for the production of blades. Professor Garrod is much impressed with the speed of change during the later phases of the last glaciation, and its probable consequences. She speaks of the greater number of industries having enough individual character to be classified as distinct ... since evolution now starts to outstrip diffusion. Her evolution here is of course an industrial evolution rather than a biological one. Certainly the people of Europe had begun to make blade tools during the warm spell after the first phase of the last glaciation. By about 40,000 years ago blades were well established. The bones of the blade tool makers weve found so far indicate that anatomically modern men had now certainly appeared. Unfortunately, only a few fossil men have so far been found from the very beginning of the blade tool range in Europe (or elsewhere). What I certainly shall _not_ tell you is that conquering bands of fine, strong, anatomically modern men, armed with superior blade tools, came sweeping out of the East to exterminate the lowly Neanderthalers. Even if we dont know exactly what happened, Id lay a good bet it wasnt that simple. We do know a good deal about different blade industries in Europe. Almost all of them come from cave layers. There is a great deal of complication in what we find. The chart (p. 72) tries to simplify this complication; in fact, it doubtless simplifies it too much. But it may suggest all the complication of industries which is going on at this time. You will note that the upper portion of my much simpler chart (p. 65) covers the same material (in the section marked Various Blade-Tool Industries). That chart is certainly too simplified. You will realize that all this complication comes not only from the fact that we are finding more material. It is due also to the increasing ability of men to adapt themselves to a great variety of situations. Their tools indicate this adaptiveness. We know there was a good deal of climatic change at this time. The plants and animals that men used for food were changing, too. The great variety of tools and industries we now find reflect these changes and the ability of men to keep up with the times. Now, for example, is the first time we are sure that there are tools to _make_ other tools. They also show mens increasing ability to adapt themselves. SPECIAL TYPES OF BLADE TOOLS The most useful tools that appear at this time were made from blades. 1. The backed blade. This is a knife made of a flint blade, with one edge purposely blunted, probably to save the users fingers from being cut. There are several shapes of backed blades (p. 73). [Illustration: TWO BURINS] 2. The _burin_ or graver. The burin was the original chisel. Its cutting edge is _transverse_, like a chisels. Some burins are made like a screw-driver, save that burins are sharp. Others have edges more like the blade of a chisel or a push plane, with only one bevel. Burins were probably used to make slots in wood and bone; that is, to make handles or shafts for other tools. They must also be the tools with which much of the engraving on bone (see p. 83) was done. There is a bewildering variety of different kinds of burins. [Illustration: TANGED POINT] 3. The tanged point. These stone points were used to tip arrows or light spears. They were made from blades, and they had a long tang at the bottom where they were fixed to the shaft. At the place where the tang met the main body of the stone point, there was a marked shoulder, the beginnings of a barb. Such points had either one or two shoulders. [Illustration: NOTCHED BLADE] 4. The notched or strangulated blade. Along with the points for arrows or light spears must go a tool to prepare the arrow or spear shaft. Today, such a tool would be called a draw-knife or a spoke-shave, and this is what the notched blades probably are. Our spoke-shaves have sharp straight cutting blades and really shave. Notched blades of flint probably scraped rather than cut. 5. The awl, drill, or borer. These blade tools are worked out to a spike-like point. They must have been used for making holes in wood, bone, shell, skin, or other things. [Illustration: DRILL OR AWL] 6. The end-scraper on a blade is a tool with one or both ends worked so as to give a good scraping edge. It could have been used to hollow out wood or bone, scrape hides, remove bark from trees, and a number of other things (p. 78). There is one very special type of flint tool, which is best known from western Europe in an industry called the Solutrean. These tools were usually made of blades, but the best examples are so carefully worked on both sides (bifacially) that it is impossible to see the original blade. This tool is 7. The laurel leaf point. Some of these tools were long and dagger-like, and must have been used as knives or daggers. Others were small, called willow leaf, and must have been mounted on spear or arrow shafts. Another typical Solutrean tool is the shouldered point. Both the laurel leaf and shouldered point types are illustrated (see above and p. 79). [Illustration: END-SCRAPER ON A BLADE] [Illustration: LAUREL LEAF POINT] The industries characterized by tools in the blade tradition also yield some flake and core tools. We will end this list with two types of tools that appear at this time. The first is made of a flake; the second is a core tool. [Illustration: SHOULDERED POINT] 8. The keel-shaped round scraper is usually small and quite round, and has had chips removed up to a peak in the center. It is called keel-shaped because it is supposed to look (when upside down) like a section through a boat. Actually, it looks more like a tent or an umbrella. Its outer edges are sharp all the way around, and it was probably a general purpose scraping tool (see illustration, p. 81). 9. The keel-shaped nosed scraper is a much larger and heavier tool than the round scraper. It was made on a core with a flat bottom, and has one nicely worked end or nose. Such tools are usually large enough to be easily grasped, and probably were used like push planes (see illustration, p. 81). [Illustration: KEEL-SHAPED ROUND SCRAPER] [Illustration: KEEL-SHAPED NOSED SCRAPER] The stone tools (usually made of flint) we have just listed are among the most easily recognized blade tools, although they show differences in detail at different times. There are also many other kinds. Not all of these tools appear in any one industry at one time. Thus the different industries shown in the chart (p. 72) each have only some of the blade tools weve just listed, and also a few flake tools. Some industries even have a few core tools. The particular types of blade tools appearing in one cave layer or another, and the frequency of appearance of the different types, tell which industry we have in each layer. OTHER KINDS OF TOOLS By this time in Europe--say from about 40,000 to about 10,000 years ago--we begin to find other kinds of material too. Bone tools begin to appear. There are knives, pins, needles with eyes, and little double-pointed straight bars of bone that were probably fish-hooks. The fish-line would have been fastened in the center of the bar; when the fish swallowed the bait, the bar would have caught cross-wise in the fishs mouth. One quite special kind of bone tool is a long flat point for a light spear. It has a deep notch cut up into the breadth of its base, and is called a split-based bone point (p. 82). We know examples of bone beads from these times, and of bone handles for flint tools. Pierced teeth of some animals were worn as beads or pendants, but I am not sure that elks teeth were worn this early. There are even spool-shaped buttons or toggles. [Illustration: SPLIT-BASED BONE POINT] [Illustration: SPEAR-THROWER] [Illustration: BONE HARPOON] Antler came into use for tools, especially in central and western Europe. We do not know the use of one particular antler tool that has a large hole bored in one end. One suggestion is that it was a thong-stropper used to strop or work up hide thongs (see illustration, below); another suggestion is that it was an arrow-shaft straightener. Another interesting tool, usually of antler, is the spear-thrower, which is little more than a stick with a notch or hook on one end. The hook fits into the butt end of the spear, and the length of the spear-thrower allows you to put much more power into the throw (p. 82). It works on pretty much the same principle as the sling. Very fancy harpoons of antler were also made in the latter half of the period in western Europe. These harpoons had barbs on one or both sides and a base which would slip out of the shaft (p. 82). Some have engraved decoration. THE BEGINNING OF ART [Illustration: THONG-STROPPER] In western Europe, at least, the period saw the beginning of several kinds of art work. It is handy to break the art down into two great groups: the movable art, and the cave paintings and sculpture. The movable art group includes the scratchings, engravings, and modeling which decorate tools and weapons. Knives, stroppers, spear-throwers, harpoons, and sometimes just plain fragments of bone or antler are often carved. There is also a group of large flat pebbles which seem almost to have served as sketch blocks. The surfaces of these various objects may show animals, or rather abstract floral designs, or geometric designs. [Illustration: VENUS FIGURINE FROM WILLENDORF] Some of the movable art is not done on tools. The most remarkable examples of this class are little figures of women. These women seem to be pregnant, and their most female characteristics are much emphasized. It is thought that these Venus or Mother-goddess figurines may be meant to show the great forces of nature--fertility and the birth of life. CAVE PAINTINGS In the paintings on walls and ceilings of caves we have some examples that compare with the best art of any time. The subjects were usually animals, the great cold-weather beasts of the end of the Ice Age: the mammoth, the wooly rhinoceros, the bison, the reindeer, the wild horse, the bear, the wild boar, and wild cattle. As in the movable art, there are different styles in the cave art. The really great cave art is pretty well restricted to southern France and Cantabrian (northwestern) Spain. There are several interesting things about the Franco-Cantabrian cave art. It was done deep down in the darkest and most dangerous parts of the caves, although the men lived only in the openings of caves. If you think what they must have had for lights--crude lamps of hollowed stone have been found, which must have burned some kind of oil or grease, with a matted hair or fiber wick--and of the animals that may have lurked in the caves, youll understand the part about danger. Then, too, were sure the pictures these people painted were not simply to be looked at and admired, for they painted one picture right over other pictures which had been done earlier. Clearly, it was the _act_ of _painting_ that counted. The painter had to go way down into the most mysterious depths of the earth and create an animal in paint. Possibly he believed that by doing this he gained some sort of magic power over the same kind of animal when he hunted it in the open air. It certainly doesnt look as if he cared very much about the picture he painted--as a finished product to be admired--for he or somebody else soon went down and painted another animal right over the one he had done. The cave art of the Franco-Cantabrian style is one of the great artistic achievements of all time. The subjects drawn are almost always the larger animals of the time: the bison, wild cattle and horses, the wooly rhinoceros, the mammoth, the wild boar, and the bear. In some of the best examples, the beasts are drawn in full color and the paintings are remarkably alive and charged with energy. They come from the hands of men who knew the great animals well--knew the feel of their fur, the tremendous drive of their muscles, and the danger one faced when he hunted them. Another artistic style has been found in eastern Spain. It includes lively drawings, often of people hunting with bow and arrow. The East Spanish art is found on open rock faces and in rock-shelters. It is less spectacular and apparently more recent than the Franco-Cantabrian cave art. LIFE AT THE END OF THE ICE AGE IN EUROPE Life in these times was probably as good as a hunter could expect it to be. Game and fish seem to have been plentiful; berries and wild fruits probably were, too. From France to Russia, great pits or piles of animal bones have been found. Some of this killing was done as our Plains Indians killed the buffalo--by stampeding them over steep river banks or cliffs. There were also good tools for hunting, however. In western Europe, people lived in the openings of caves and under overhanging rocks. On the great plains of eastern Europe, very crude huts were being built, half underground. The first part of this time must have been cold, for it was the middle and end phases of the last great glaciation. Northern Europe from Scotland to Scandinavia, northern Germany and Russia, and also the higher mountains to the south, were certainly covered with ice. But people had fire, and the needles and tools that were used for scraping hides must mean that they wore clothing. It is clear that men were thinking of a great variety of things beside the tools that helped them get food and shelter. Such burials as we find have more grave-gifts than before. Beads and ornaments and often flint, bone, or antler tools are included in the grave, and sometimes the body is sprinkled with red ochre. Red is the color of blood, which means life, and of fire, which means heat. Professor Childe wonders if the red ochre was a pathetic attempt at magic--to give back to the body the heat that had gone from it. But pathetic or not, it is sure proof that these people were already moved by death as men still are moved by it. Their art is another example of the direction the human mind was taking. And when I say human, I mean it in the fullest sense, for this is the time in which fully modern man has appeared. On page 34, we spoke of the Cro-Magnon group and of the Combe Capelle-Brnn group of Caucasoids and of the Grimaldi Negroids, who are no longer believed to be Negroid. I doubt that any one of these groups produced most of the achievements of the times. Its not yet absolutely sure which particular group produced the great cave art. The artists were almost certainly a blend of several (no doubt already mixed) groups. The pair of Grimaldians were buried in a grave with a sprinkling of red ochre, and were provided with shell beads and ornaments and with some blade tools of flint. Regardless of the different names once given them by the human paleontologists, each of these groups seems to have shared equally in the cultural achievements of the times, for all that the archeologists can say. MICROLITHS One peculiar set of tools seems to serve as a marker for the very last phase of the Ice Age in southwestern Europe. This tool-making habit is also found about the shore of the Mediterranean basin, and it moved into northern Europe as the last glaciation pulled northward. People began making blade tools of very small size. They learned how to chip very slender and tiny blades from a prepared core. Then they made these little blades into tiny triangles, half-moons (lunates), trapezoids, and several other geometric forms. These little tools are called microliths. They are so small that most of them must have been fixed in handles or shafts. [Illustration: MICROLITHS BLADE FRAGMENT BURIN LUNATE TRAPEZOID SCALENE TRIANGLE ARROWHEAD] We have found several examples of microliths mounted in shafts. In northern Europe, where their use soon spread, the microlithic triangles or lunates were set in rows down each side of a bone or wood point. One corner of each little triangle stuck out, and the whole thing made a fine barbed harpoon. In historic times in Egypt, geometric trapezoidal microliths were still in use as arrowheads. They were fastened--broad end out--on the end of an arrow shaft. It seems queer to give an arrow a point shaped like a T. Actually, the little points were very sharp, and must have pierced the hides of animals very easily. We also think that the broader cutting edge of the point may have caused more bleeding than a pointed arrowhead would. In hunting fleet-footed animals like the gazelle, which might run for miles after being shot with an arrow, it was an advantage to cause as much bleeding as possible, for the animal would drop sooner. We are not really sure where the microliths were first invented. There is some evidence that they appear early in the Near East. Their use was very common in northwest Africa but this came later. The microlith makers who reached south Russia and central Europe possibly moved up out of the Near East. Or it may have been the other way around; we simply dont yet know. Remember that the microliths we are talking about here were made from carefully prepared little blades, and are often geometric in outline. Each microlithic industry proper was made up, in good part, of such tiny blade tools. But there were also some normal-sized blade tools and even some flake scrapers, in most microlithic industries. I emphasize this bladelet and the geometric character of the microlithic industries of the western Old World, since there has sometimes been confusion in the matter. Sometimes small flake chips, utilized as minute pointed tools, have been called microliths. They may be _microlithic_ in size in terms of the general meaning of the word, but they do not seem to belong to the sub-tradition of the blade tool preparation habits which we have been discussing here. LATER BLADE-TOOL INDUSTRIES OF THE NEAR EAST AND AFRICA The blade-tool industries of normal size we talked about earlier spread from Europe to central Siberia. We noted that blade tools were made in western Asia too, and early, although Professor Garrod is no longer sure that the whole tradition originated in the Near East. If you look again at my chart (p. 72) you will note that in western Asia I list some of the names of the western European industries, but with the qualification -like (for example, Gravettian-like). The western Asiatic blade-tool industries do vaguely recall some aspects of those of western Europe, but we would probably be better off if we used completely local names for them. The Emiran of my chart is such an example; its industry includes a long spike-like blade point which has no western European counterpart. When we last spoke of Africa (p. 66), I told you that stone tools there were continuing in the Levalloisian flake tradition, and were becoming smaller. At some time during this process, two new tool types appeared in northern Africa: one was the Aterian point with a tang (p. 67), and the other was a sort of laurel leaf point, called the Sbaikian. These two tool types were both produced from flakes. The Sbaikian points, especially, are roughly similar to some of the Solutrean points of Europe. It has been suggested that both the Sbaikian and Aterian points may be seen on their way to France through their appearance in the Spanish cave deposits of Parpallo, but there is also a rival pre-Solutrean in central Europe. We still do not know whether there was any contact between the makers of these north African tools and the Solutrean tool-makers. What does seem clear is that the blade-tool tradition itself arrived late in northern Africa. NETHER AFRICA Blade tools and laurel leaf points and some other probably late stone tool types also appear in central and southern Africa. There are geometric microliths on bladelets and even some coarse pottery in east Africa. There is as yet no good way of telling just where these items belong in time; in broad geological terms they are late. Some people have guessed that they are as early as similar European and Near Eastern examples, but I doubt it. The makers of small-sized Levalloisian flake tools occupied much of Africa until very late in time. THE FAR EAST India and the Far East still seem to be going their own way. In India, some blade tools have been found. These are not well dated, save that we believe they must be post-Pleistocene. In the Far East it looks as if the old chopper-tool tradition was still continuing. For Burma, Dr. Movius feels this is fairly certain; for China he feels even more certain. Actually, we know very little about the Far East at about the time of the last glaciation. This is a shame, too, as you will soon agree. THE NEW WORLD BECOMES INHABITED At some time toward the end of the last great glaciation--almost certainly after 20,000 years ago--people began to move over Bering Strait, from Asia into America. As you know, the American Indians have been assumed to be basically Mongoloids. New studies of blood group types make this somewhat uncertain, but there is no doubt that the ancestors of the American Indians came from Asia. The stone-tool traditions of Europe, Africa, the Near and Middle East, and central Siberia, did _not_ move into the New World. With only a very few special or late exceptions, there are _no_ core-bifaces, flakes, or blade tools of the Old World. Such things just havent been found here. This is why I say its a shame we dont know more of the end of the chopper-tool tradition in the Far East. According to Weidenreich, the Mongoloids were in the Far East long before the end of the last glaciation. If the genetics of the blood group types do demand a non-Mongoloid ancestry for the American Indians, who else may have been in the Far East 25,000 years ago? We know a little about the habits for making stone tools which these first people brought with them, and these habits dont conform with those of the western Old World. Wed better keep our eyes open for whatever happened to the end of the chopper-tool tradition in northern China; already there are hints that it lasted late there. Also we should watch future excavations in eastern Siberia. Perhaps we shall find the chopper-tool tradition spreading up that far. THE NEW ERA Perhaps it comes in part from the way I read the evidence and perhaps in part it is only intuition, but I feel that the materials of this chapter suggest a new era in the ways of life. Before about 40,000 years ago, people simply gathered their food, wandering over large areas to scavenge or to hunt in a simple sort of way. But here we have seen them settling-in more, perhaps restricting themselves in their wanderings and adapting themselves to a given locality in more intensive ways. This intensification might be suggested by the word collecting. The ways of life we described in the earlier chapters were food-gathering ways, but now an era of food-collecting has begun. We shall see further intensifications of it in the next chapter. End and PRELUDE [Illustration] Up to the end of the last glaciation, we prehistorians have a relatively comfortable time schedule. The farther back we go the less exact we can be about time and details. Elbow-room of five, ten, even fifty or more thousands of years becomes available for us to maneuver in as we work backward in time. But now our story has come forward to the point where more exact methods of dating are at hand. The radioactive carbon method reaches back into the span of the last glaciation. There are other methods, developed by the geologists and paleobotanists, which supplement and extend the usefulness of the radioactive carbon dates. And, happily, as our means of being more exact increases, our story grows more exciting. There are also more details of culture for us to deal with, which add to the interest. CHANGES AT THE END OF THE ICE AGE The last great glaciation of the Ice Age was a two-part affair, with a sub-phase at the end of the second part. In Europe the last sub-phase of this glaciation commenced somewhere around 15,000 years ago. Then the glaciers began to melt back, for the last time. Remember that Professor Antevs (p. 19) isnt sure the Ice Age is over yet! This melting sometimes went by fits and starts, and the weather wasnt always changing for the better; but there was at least one time when European weather was even better than it is now. The melting back of the glaciers and the weather fluctuations caused other changes, too. We know a fair amount about these changes in Europe. In an earlier chapter, we said that the whole Ice Age was a matter of continual change over long periods of time. As the last glaciers began to melt back some interesting things happened to mankind. In Europe, along with the melting of the last glaciers, geography itself was changing. Britain and Ireland had certainly become islands by 5000 B.C. The Baltic was sometimes a salt sea, sometimes a large fresh-water lake. Forests began to grow where the glaciers had been, and in what had once been the cold tundra areas in front of the glaciers. The great cold-weather animals--the mammoth and the wooly rhinoceros--retreated northward and finally died out. It is probable that the efficient hunting of the earlier people of 20,000 or 25,000 to about 12,000 years ago had helped this process along (see p. 86). Europeans, especially those of the post-glacial period, had to keep changing to keep up with the times. The archeological materials for the time from 10,000 to 6000 B.C. seem simpler than those of the previous five thousand years. The great cave art of France and Spain had gone; so had the fine carving in bone and antler. Smaller, speedier animals were moving into the new forests. New ways of hunting them, or ways of getting other food, had to be found. Hence, new tools and weapons were necessary. Some of the people who moved into northern Germany were successful reindeer hunters. Then the reindeer moved off to the north, and again new sources of food had to be found. THE READJUSTMENTS COMPLETED IN EUROPE After a few thousand years, things began to look better. Or at least we can say this: By about 6000 B.C. we again get hotter archeological materials. The best of these come from the north European area: Britain, Belgium, Holland, Denmark, north Germany, southern Norway and Sweden. Much of this north European material comes from bogs and swamps where it had become water-logged and has kept very well. Thus we have much more complete _assemblages_[4] than for any time earlier. [4] Assemblage is a useful word when there are different kinds of archeological materials belonging together, from one area and of one time. An assemblage is made up of a number of industries (that is, all the tools in chipped stone, all the tools in bone, all the tools in wood, the traces of houses, etc.) and everything else that manages to survive, such as the art, the burials, the bones of the animals used as food, and the traces of plant foods; in fact, everything that has been left to us and can be used to help reconstruct the lives of the people to whom it once belonged. Our own present-day assemblage would be the sum total of all the objects in our mail-order catalogues, department stores and supply houses of every sort, our churches, our art galleries and other buildings, together with our roads, canals, dams, irrigation ditches, and any other traces we might leave of ourselves, from graves to garbage dumps. Not everything would last, so that an archeologist digging us up--say 2,000 years from now--would find only the most durable items in our assemblage. The best known of these assemblages is the _Maglemosian_, named after a great Danish peat-swamp where much has been found. [Illustration: SKETCH OF MAGLEMOSIAN ASSEMBLAGE CHIPPED STONE HEMP GROUND STONE BONE AND ANTLER WOOD] In the Maglemosian assemblage the flint industry was still very important. Blade tools, tanged arrow points, and burins were still made, but there were also axes for cutting the trees in the new forests. Moreover, the tiny microlithic blades, in a variety of geometric forms, are also found. Thus, a specialized tradition that possibly began east of the Mediterranean had reached northern Europe. There was also a ground stone industry; some axes and club-heads were made by grinding and polishing rather than by chipping. The industries in bone and antler show a great variety of tools: axes, fish-hooks, fish spears, handles and hafts for other tools, harpoons, and clubs. A remarkable industry in wood has been preserved. Paddles, sled runners, handles for tools, and bark floats for fish-nets have been found. There are even fish-nets made of plant fibers. Canoes of some kind were no doubt made. Bone and antler tools were decorated with simple patterns, and amber was collected. Wooden bows and arrows are found. It seems likely that the Maglemosian bog finds are remains of summer camps, and that in winter the people moved to higher and drier regions. Childe calls them the Forest folk; they probably lived much the same sort of life as did our pre-agricultural Indians of the north central states. They hunted small game or deer; they did a great deal of fishing; they collected what plant food they could find. In fact, their assemblage shows us again that remarkable ability of men to adapt themselves to change. They had succeeded in domesticating the dog; he was still a very wolf-like dog, but his long association with mankind had now begun. Professor Coon believes that these people were direct descendants of the men of the glacial age and that they had much the same appearance. He believes that most of the Ice Age survivors still extant are living today in the northwestern European area. SOUTH AND CENTRAL EUROPE PERHAPS AS READJUSTED AS THE NORTH There is always one trouble with things that come from areas where preservation is exceptionally good: The very quantity of materials in such an assemblage tends to make things from other areas look poor and simple, although they may not have been so originally at all. The assemblages of the people who lived to the south of the Maglemosian area may also have been quite large and varied; but, unfortunately, relatively little of the southern assemblages has lasted. The water-logged sites of the Maglemosian area preserved a great deal more. Hence the Maglemosian itself _looks_ quite advanced to us, when we compare it with the few things that have happened to last in other areas. If we could go back and wander over the Europe of eight thousand years ago, we would probably find that the peoples of France, central Europe, and south central Russia were just as advanced as those of the north European-Baltic belt. South of the north European belt the hunting-food-collecting peoples were living on as best they could during this time. One interesting group, which seems to have kept to the regions of sandy soil and scrub forest, made great quantities of geometric microliths. These are the materials called _Tardenoisian_. The materials of the Forest folk of France and central Europe generally are called _Azilian_; Dr. Movius believes the term might best be restricted to the area south of the Loire River. HOW MUCH REAL CHANGE WAS THERE? You can see that no really _basic_ change in the way of life has yet been described. Childe sees the problem that faced the Europeans of 10,000 to 3000 B.C. as a problem in readaptation to the post-glacial forest environment. By 6000 B.C. some quite successful solutions of the problem--like the Maglemosian--had been made. The upsets that came with the melting of the last ice gradually brought about all sorts of changes in the tools and food-getting habits, but the people themselves were still just as much simple hunters, fishers, and food-collectors as they had been in 25,000 B.C. It could be said that they changed just enough so that they would not have to change. But there is a bit more to it than this. Professor Mathiassen of Copenhagen, who knows the archeological remains of this time very well, poses a question. He speaks of the material as being neither rich nor progressive, in fact rather stagnant, but he goes on to add that the people had a certain receptiveness and were able to adapt themselves quickly when the next change did come. My own understanding of the situation is that the Forest folk made nothing as spectacular as had the producers of the earlier Magdalenian assemblage and the Franco-Cantabrian art. On the other hand, they _seem_ to have been making many more different kinds of tools for many more different kinds of tasks than had their Ice Age forerunners. I emphasize seem because the preservation in the Maglemosian bogs is very complete; certainly we cannot list anywhere near as many different things for earlier times as we did for the Maglemosians (p. 94). I believe this experimentation with all kinds of new tools and gadgets, this intensification of adaptiveness (p. 91), this receptiveness, even if it is still only pointed toward hunting, fishing, and food-collecting, is an important thing. Remember that the only marker we have handy for the _beginning_ of this tendency toward receptiveness and experimentation is the little microlithic blade tools of various geometric forms. These, we saw, began before the last ice had melted away, and they lasted on in use for a very long time. I wish there were a better marker than the microliths but I do not know of one. Remember, too, that as yet we can only use the microliths as a marker in Europe and about the Mediterranean. CHANGES IN OTHER AREAS? All this last section was about Europe. How about the rest of the world when the last glaciers were melting away? We simply dont know much about this particular time in other parts of the world except in Europe, the Mediterranean basin and the Middle East. People were certainly continuing to move into the New World by way of Siberia and the Bering Strait about this time. But for the greater part of Africa and Asia, we do not know exactly what was happening. Some day, we shall no doubt find out; today we are without clear information. REAL CHANGE AND PRELUDE IN THE NEAR EAST The appearance of the microliths and the developments made by the Forest folk of northwestern Europe also mark an end. They show us the terminal phase of the old food-collecting way of life. It grows increasingly clear that at about the same time that the Maglemosian and other Forest folk were adapting themselves to hunting, fishing, and collecting in new ways to fit the post-glacial environment, something completely new was being made ready in western Asia. Unfortunately, we do not have as much understanding of the climate and environment of the late Ice Age in western Asia as we have for most of Europe. Probably the weather was never so violent or life quite so rugged as it was in northern Europe. We know that the microliths made their appearance in western Asia at least by 10,000 B.C. and possibly earlier, marking the beginning of the terminal phase of food-collecting. Then, gradually, we begin to see the build-up towards the first _basic change_ in human life. This change amounted to a revolution just as important as the Industrial Revolution. In it, men first learned to domesticate plants and animals. They began _producing_ their food instead of simply gathering or collecting it. When their food-production became reasonably effective, people could and did settle down in village-farming communities. With the appearance of the little farming villages, a new way of life was actually under way. Professor Childe has good reason to speak of the food-producing revolution, for it was indeed a revolution. QUESTIONS ABOUT CAUSE We do not yet know _how_ and _why_ this great revolution took place. We are only just beginning to put the questions properly. I suspect the answers will concern some delicate and subtle interplay between man and nature. Clearly, both the level of culture and the natural condition of the environment must have been ready for the great change, before the change itself could come about. It is going to take years of co-operative field work by both archeologists and the natural scientists who are most helpful to them before the _how_ and _why_ answers begin to appear. Anthropologically trained archeologists are fascinated with the cultures of men in times of great change. About ten or twelve thousand years ago, the general level of culture in many parts of the world seems to have been ready for change. In northwestern Europe, we saw that cultures changed just enough so that they would not have to change. We linked this to environmental changes with the coming of post-glacial times. In western Asia, we archeologists can prove that the food-producing revolution actually took place. We can see _the_ important consequence of effective domestication of plants and animals in the appearance of the settled village-farming community. And within the village-farming community was the seed of civilization. The way in which effective domestication of plants and animals came about, however, must also be linked closely with the natural environment. Thus the archeologists will not solve the _how_ and _why_ questions alone--they will need the help of interested natural scientists in the field itself. PRECONDITIONS FOR THE REVOLUTION Especially at this point in our story, we must remember how culture and environment go hand in hand. Neither plants nor animals domesticate themselves; men domesticate them. Furthermore, men usually domesticate only those plants and animals which are useful. There is a good question here: What is cultural usefulness? But I shall side-step it to save time. Men cannot domesticate plants and animals that do not exist in the environment where the men live. Also, there are certainly some animals and probably some plants that resist domestication, although they might be useful. This brings me back again to the point that _both_ the level of culture and the natural condition of the environment--with the proper plants and animals in it--must have been ready before domestication could have happened. But this is precondition, not cause. Why did effective food-production happen first in the Near East? Why did it happen independently in the New World slightly later? Why also in the Far East? Why did it happen at all? Why are all human beings not still living as the Maglemosians did? These are the questions we still have to face. CULTURAL RECEPTIVENESS AND PROMISING ENVIRONMENTS Until the archeologists and the natural scientists--botanists, geologists, zoologists, and general ecologists--have spent many more years on the problem, we shall not have full _how_ and _why_ answers. I do think, however, that we are beginning to understand what to look for. We shall have to learn much more of what makes the cultures of men receptive and experimental. Did change in the environment alone force it? Was it simply a case of Professor Toynbees challenge and response? I cannot believe the answer is quite that simple. Were it so simple, we should want to know why the change hadnt come earlier, along with earlier environmental changes. We shall not know the answer, however, until we have excavated the traces of many more cultures of the time in question. We shall doubtless also have to learn more about, and think imaginatively about, the simpler cultures still left today. The mechanics of culture in general will be bound to interest us. It will also be necessary to learn much more of the environments of 10,000 to 12,000 years ago. In which regions of the world were the natural conditions most promising? Did this promise include plants and animals which could be domesticated, or did it only offer new ways of food-collecting? There is much work to do on this problem, but we are beginning to get some general hints. Before I begin to detail the hints we now have from western Asia, I want to do two things. First, I shall tell you of an old theory as to how food-production might have appeared. Second, I will bother you with some definitions which should help us in our thinking as the story goes on. AN OLD THEORY AS TO THE CAUSE OF THE REVOLUTION The idea that change would result, if the balance between nature and culture became upset, is of course not a new one. For at least twenty-five years, there has been a general theory as to _how_ the food-producing revolution happened. This theory depends directly on the idea of natural change in the environment. The five thousand years following about 10,000 B.C. must have been very difficult ones, the theory begins. These were the years when the most marked melting of the last glaciers was going on. While the glaciers were in place, the climate to the south of them must have been different from the climate in those areas today. You have no doubt read that people once lived in regions now covered by the Sahara Desert. This is true; just when is not entirely clear. The theory is that during the time of the glaciers, there was a broad belt of rain winds south of the glaciers. These rain winds would have kept north Africa, the Nile Valley, and the Middle East green and fertile. But when the glaciers melted back to the north, the belt of rain winds is supposed to have moved north too. Then the people living south and east of the Mediterranean would have found that their water supply was drying up, that the animals they hunted were dying or moving away, and that the plant foods they collected were dried up and scarce. According to the theory, all this would have been true except in the valleys of rivers and in oases in the growing deserts. Here, in the only places where water was left, the men and animals and plants would have clustered. They would have been forced to live close to one another, in order to live at all. Presently the men would have seen that some animals were more useful or made better food than others, and so they would have begun to protect these animals from their natural enemies. The men would also have been forced to try new plant foods--foods which possibly had to be prepared before they could be eaten. Thus, with trials and errors, but by being forced to live close to plants and animals, men would have learned to domesticate them. THE OLD THEORY TOO SIMPLE FOR THE FACTS This theory was set up before we really knew anything in detail about the later prehistory of the Near and Middle East. We now know that the facts which have been found dont fit the old theory at all well. Also, I have yet to find an American meteorologist who feels that we know enough about the changes in the weather pattern to say that it can have been so simple and direct. And, of course, the glacial ice which began melting after 12,000 years ago was merely the last sub-phase of the last great glaciation. There had also been three earlier periods of great alpine glaciers, and long periods of warm weather in between. If the rain belt moved north as the glaciers melted for the last time, it must have moved in the same direction in earlier times. Thus, the forced neighborliness of men, plants, and animals in river valleys and oases must also have happened earlier. Why didnt domestication happen earlier, then? Furthermore, it does not seem to be in the oases and river valleys that we have our first or only traces of either food-production or the earliest farming villages. These traces are also in the hill-flanks of the mountains of western Asia. Our earliest sites of the village-farmers do not seem to indicate a greatly different climate from that which the same region now shows. In fact, everything we now know suggests that the old theory was just too simple an explanation to have been the true one. The only reason I mention it--beyond correcting the ideas you may get in the general texts--is that it illustrates the kind of thinking we shall have to do, even if it is doubtless wrong in detail. We archeologists shall have to depend much more than we ever have on the natural scientists who can really help us. I can tell you this from experience. I had the great good fortune to have on my expedition staff in Iraq in 1954-55, a geologist, a botanist, and a zoologist. Their studies added whole new bands of color to my spectrum of thinking about _how_ and _why_ the revolution took place and how the village-farming community began. But it was only a beginning; as I said earlier, we are just now learning to ask the proper questions. ABOUT STAGES AND ERAS Now come some definitions, so I may describe my material more easily. Archeologists have always loved to make divisions and subdivisions within the long range of materials which they have found. They often disagree violently about which particular assemblage of material goes into which subdivision, about what the subdivisions should be named, about what the subdivisions really mean culturally. Some archeologists, probably through habit, favor an old scheme of Grecized names for the subdivisions: paleolithic, mesolithic, neolithic. I refuse to use these words myself. They have meant too many different things to too many different people and have tended to hide some pretty fuzzy thinking. Probably you havent even noticed my own scheme of subdivision up to now, but Id better tell you in general what it is. I think of the earliest great group of archeological materials, from which we can deduce only a food-gathering way of culture, as the _food-gathering stage_. I say stage rather than age, because it is not quite over yet; there are still a few primitive people in out-of-the-way parts of the world who remain in the _food-gathering stage_. In fact, Professor Julian Steward would probably prefer to call it a food-gathering _level_ of existence, rather than a stage. This would be perfectly acceptable to me. I also tend to find myself using _collecting_, rather than _gathering_, for the more recent aspects or era of the stage, as the word collecting appears to have more sense of purposefulness and specialization than does gathering (see p. 91). Now, while I think we could make several possible subdivisions of the food-gathering stage--I call my subdivisions of stages _eras_[5]--I believe the only one which means much to us here is the last or _terminal sub-era of food-collecting_ of the whole food-gathering stage. The microliths seem to mark its approach in the northwestern part of the Old World. It is really shown best in the Old World by the materials of the Forest folk, the cultural adaptation to the post-glacial environment in northwestern Europe. We talked about the Forest folk at the beginning of this chapter, and I used the Maglemosian assemblage of Denmark as an example. [5] It is difficult to find words which have a sequence or gradation of meaning with respect to both development and a range of time in the past, or with a range of time from somewhere in the past which is perhaps not yet ended. One standard Webster definition of _stage_ is: One of the steps into which the material development of man ... is divided. I cannot find any dictionary definition that suggests which of the words, _stage_ or _era_, has the meaning of a longer span of time. Therefore, I have chosen to let my eras be shorter, and to subdivide my stages into eras. Webster gives _era_ as: A signal stage of history, an epoch. When I want to subdivide my eras, I find myself using _sub-eras_. Thus I speak of the _eras_ within a _stage_ and of the _sub-eras_ within an _era_; that is, I do so when I feel that I really have to, and when the evidence is clear enough to allow it. The food-producing revolution ushers in the _food-producing stage_. This stage began to be replaced by the _industrial stage_ only about two hundred years ago. Now notice that my stage divisions are in terms of technology and economics. We must think sharply to be sure that the subdivisions of the stages, the eras, are in the same terms. This does not mean that I think technology and economics are the only important realms of culture. It is rather that for most of prehistoric time the materials left to the archeologists tend to limit our deductions to technology and economics. Im so soon out of my competence, as conventional ancient history begins, that I shall only suggest the earlier eras of the food-producing stage to you. This book is about prehistory, and Im not a universal historian. THE TWO EARLIEST ERAS OF THE FOOD-PRODUCING STAGE The food-producing stage seems to appear in western Asia with really revolutionary suddenness. It is seen by the relative speed with which the traces of new crafts appear in the earliest village-farming community sites weve dug. It is seen by the spread and multiplication of these sites themselves, and the remarkable growth in human population we deduce from this increase in sites. Well look at some of these sites and the archeological traces they yield in the next chapter. When such village sites begin to appear, I believe we are in the _era of the primary village-farming community_. I also believe this is the second era of the food-producing stage. The first era of the food-producing stage, I believe, was an _era of incipient cultivation and animal domestication_. I keep saying I believe because the actual evidence for this earlier era is so slight that one has to set it up mainly by playing a hunch for it. The reason for playing the hunch goes about as follows. One thing we seem to be able to see, in the food-collecting era in general, is a tendency for people to begin to settle down. This settling down seemed to become further intensified in the terminal era. How this is connected with Professor Mathiassens receptiveness and the tendency to be experimental, we do not exactly know. The evidence from the New World comes into play here as well as that from the Old World. With this settling down in one place, the people of the terminal era--especially the Forest folk whom we know best--began making a great variety of new things. I remarked about this earlier in the chapter. Dr. Robert M. Adams is of the opinion that this atmosphere of experimentation with new tools--with new ways of collecting food--is the kind of atmosphere in which one might expect trials at planting and at animal domestication to have been made. We first begin to find traces of more permanent life in outdoor camp sites, although caves were still inhabited at the beginning of the terminal era. It is not surprising at all that the Forest folk had already domesticated the dog. In this sense, the whole era of food-collecting was becoming ready and almost incipient for cultivation and animal domestication. Northwestern Europe was not the place for really effective beginnings in agriculture and animal domestication. These would have had to take place in one of those natural environments of promise, where a variety of plants and animals, each possible of domestication, was available in the wild state. Let me spell this out. Really effective food-production must include a variety of items to make up a reasonably well-rounded diet. The food-supply so produced must be trustworthy, even though the food-producing peoples themselves might be happy to supplement it with fish and wild strawberries, just as we do when such things are available. So, as we said earlier, part of our problem is that of finding a region with a natural environment which includes--and did include, some ten thousand years ago--a variety of possibly domesticable wild plants and animals. NUCLEAR AREAS Now comes the last of my definitions. A region with a natural environment which included a variety of wild plants and animals, both possible and ready for domestication, would be a central or core or _nuclear area_, that is, it would be when and _if_ food-production took place within it. It is pretty hard for me to imagine food-production having ever made an independent start outside such a nuclear area, although there may be some possible nuclear areas in which food-production never took place (possibly in parts of Africa, for example). We know of several such nuclear areas. In the New World, Middle America and the Andean highlands make up one or two; it is my understanding that the evidence is not yet clear as to which. There seems to have been a nuclear area somewhere in southeastern Asia, in the Malay peninsula or Burma perhaps, connected with the early cultivation of taro, breadfruit, the banana and the mango. Possibly the cultivation of rice and the domestication of the chicken and of zebu cattle and the water buffalo belong to this southeast Asiatic nuclear area. We know relatively little about it archeologically, as yet. The nuclear area which was the scene of the earliest experiment in effective food-production was in western Asia. Since I know it best, I shall use it as my example. THE NUCLEAR NEAR EAST The nuclear area of western Asia is naturally the one of greatest interest to people of the western cultural tradition. Our cultural heritage began within it. The area itself is the region of the hilly flanks of rain-watered grass-land which build up to the high mountain ridges of Iran, Iraq, Turkey, Syria, and Palestine. The map on page 125 indicates the region. If you have a good atlas, try to locate the zone which surrounds the drainage basin of the Tigris and Euphrates Rivers at elevations of from approximately 2,000 to 5,000 feet. The lower alluvial land of the Tigris-Euphrates basin itself has very little rainfall. Some years ago Professor James Henry Breasted called the alluvial lands of the Tigris-Euphrates a part of the fertile crescent. These alluvial lands are very fertile if irrigated. Breasted was most interested in the oriental civilizations of conventional ancient history, and irrigation had been discovered before they appeared. The country of hilly flanks above Breasteds crescent receives from 10 to 20 or more inches of winter rainfall each year, which is about what Kansas has. Above the hilly-flanks zone tower the peaks and ridges of the Lebanon-Amanus chain bordering the coast-line from Palestine to Turkey, the Taurus Mountains of southern Turkey, and the Zagros range of the Iraq-Iran borderland. This rugged mountain frame for our hilly-flanks zone rises to some magnificent alpine scenery, with peaks of from ten to fifteen thousand feet in elevation. There are several gaps in the Mediterranean coastal portion of the frame, through which the winters rain-bearing winds from the sea may break so as to carry rain to the foothills of the Taurus and the Zagros. The picture I hope you will have from this description is that of an intermediate hilly-flanks zone lying between two regions of extremes. The lower Tigris-Euphrates basin land is low and far too dry and hot for agriculture based on rainfall alone; to the south and southwest, it merges directly into the great desert of Arabia. The mountains which lie above the hilly-flanks zone are much too high and rugged to have encouraged farmers. THE NATURAL ENVIRONMENT OF THE NUCLEAR NEAR EAST The more we learn of this hilly-flanks zone that I describe, the more it seems surely to have been a nuclear area. This is where we archeologists need, and are beginning to get, the help of natural scientists. They are coming to the conclusion that the natural environment of the hilly-flanks zone today is much as it was some eight to ten thousand years ago. There are still two kinds of wild wheat and a wild barley, and the wild sheep, goat, and pig. We have discovered traces of each of these at about nine thousand years ago, also traces of wild ox, horse, and dog, each of which appears to be the probable ancestor of the domesticated form. In fact, at about nine thousand years ago, the two wheats, the barley, and at least the goat, were already well on the road to domestication. The wild wheats give us an interesting clue. They are only available together with the wild barley within the hilly-flanks zone. While the wild barley grows in a variety of elevations and beyond the zone, at least one of the wild wheats does not seem to grow below the hill country. As things look at the moment, the domestication of both the wheats together could _only_ have taken place within the hilly-flanks zone. Barley seems to have first come into cultivation due to its presence as a weed in already cultivated wheat fields. There is also a suggestion--there is still much more to learn in the matter--that the animals which were first domesticated were most at home up in the hilly-flanks zone in their wild state. With a single exception--that of the dog--the earliest positive evidence of domestication includes the two forms of wheat, the barley, and the goat. The evidence comes from within the hilly-flanks zone. However, it comes from a settled village proper, Jarmo (which Ill describe in the next chapter), and is thus from the era of the primary village-farming community. We are still without positive evidence of domesticated grain and animals in the first era of the food-producing stage, that of incipient cultivation and animal domestication. THE ERA OF INCIPIENT CULTIVATION AND ANIMAL DOMESTICATION I said above (p. 105) that my era of incipient cultivation and animal domestication is mainly set up by playing a hunch. Although we cannot really demonstrate it--and certainly not in the Near East--it would be very strange for food-collectors not to have known a great deal about the plants and animals most useful to them. They do seem to have domesticated the dog. We can easily imagine them remembering to go back, season after season, to a particular patch of ground where seeds or acorns or berries grew particularly well. Most human beings, unless they are extremely hungry, are attracted to baby animals, and many wild pups or fawns or piglets must have been brought back alive by hunting parties. In this last sense, man has probably always been an incipient cultivator and domesticator. But I believe that Adams is right in suggesting that this would be doubly true with the experimenters of the terminal era of food-collecting. We noticed that they also seem to have had a tendency to settle down. Now my hunch goes that _when_ this experimentation and settling down took place within a potential nuclear area--where a whole constellation of plants and animals possible of domestication was available--the change was easily made. Professor Charles A. Reed, our field colleague in zoology, agrees that year-round settlement with plant domestication probably came before there were important animal domestications. INCIPIENT ERAS AND NUCLEAR AREAS I have put this scheme into a simple chart (p. 111) with the names of a few of the sites we are going to talk about. You will see that my hunch means that there are eras of incipient cultivation _only_ within nuclear areas. In a nuclear area, the terminal era of food-collecting would probably have been quite short. I do not know for how long a time the era of incipient cultivation and domestication would have lasted, but perhaps for several thousand years. Then it passed on into the era of the primary village-farming community. Outside a nuclear area, the terminal era of food-collecting would last for a long time; in a few out-of-the-way parts of the world, it still hangs on. It would end in any particular place through contact with and the spread of ideas of people who had passed on into one of the more developed eras. In many cases, the terminal era of food-collecting was ended by the incoming of the food-producing peoples themselves. For example, the practices of food-production were carried into Europe by the actual movement of some numbers of peoples (we dont know how many) who had reached at least the level of the primary village-farming community. The Forest folk learned food-production from them. There was never an era of incipient cultivation and domestication proper in Europe, if my hunch is right. ARCHEOLOGICAL DIFFICULTIES IN SEEING THE INCIPIENT ERA The way I see it, two things were required in order that an era of incipient cultivation and domestication could begin. First, there had to be the natural environment of a nuclear area, with its whole group of plants and animals capable of domestication. This is the aspect of the matter which weve said is directly given by nature. But it is quite possible that such an environment with such a group of plants and animals in it may have existed well before ten thousand years ago in the Near East. It is also quite possible that the same promising condition may have existed in regions which never developed into nuclear areas proper. Here, again, we come back to the cultural factor. I think it was that atmosphere of experimentation weve talked about once or twice before. I cant define it for you, other than to say that by the end of the Ice Age, the general level of many cultures was ready for change. Ask me how and why this was so, and Ill tell you we dont know yet, and that if we did understand this kind of question, there would be no need for me to go on being a prehistorian! [Illustration: POSSIBLE RELATIONSHIPS OF STAGES AND ERAS IN WESTERN ASIA AND NORTHEASTERN AFRICA] Now since this was an era of incipience, of the birth of new ideas, and of experimentation, it is very difficult to see its traces archeologically. New tools having to do with the new ways of getting and, in fact, producing food would have taken some time to develop. It need not surprise us too much if we cannot find hoes for planting and sickles for reaping grain at the very beginning. We might expect a time of making-do with some of the older tools, or with make-shift tools, for some of the new jobs. The present-day wild cousin of the domesticated sheep still lives in the mountains of western Asia. It has no wool, only a fine down under hair like that of a deer, so it need not surprise us to find neither the whorls used for spinning nor traces of woolen cloth. It must have taken some time for a wool-bearing sheep to develop and also time for the invention of the new tools which go with weaving. It would have been the same with other kinds of tools for the new way of life. It is difficult even for an experienced comparative zoologist to tell which are the bones of domesticated animals and which are those of their wild cousins. This is especially so because the animal bones the archeologists find are usually fragmentary. Furthermore, we do not have a sort of library collection of the skeletons of the animals or an herbarium of the plants of those times, against which the traces which the archeologists find may be checked. We are only beginning to get such collections for the modern wild forms of animals and plants from some of our nuclear areas. In the nuclear area in the Near East, some of the wild animals, at least, have already become extinct. There are no longer wild cattle or wild horses in western Asia. We know they were there from the finds weve made in caves of late Ice Age times, and from some slightly later sites. SITES WITH ANTIQUITIES OF THE INCIPIENT ERA So far, we know only a very few sites which would suit my notion of the incipient era of cultivation and animal domestication. I am closing this chapter with descriptions of two of the best Near Eastern examples I know of. You may not be satisfied that what I am able to describe makes a full-bodied era of development at all. Remember, however, that Ive told you Im largely playing a kind of a hunch, and also that the archeological materials of this era will always be extremely difficult to interpret. At the beginning of any new way of life, there will be a great tendency for people to make-do, at first, with tools and habits they are already used to. I would suspect that a great deal of this making-do went on almost to the end of this era. THE NATUFIAN, AN ASSEMBLAGE OF THE INCIPIENT ERA The assemblage called the Natufian comes from the upper layers of a number of caves in Palestine. Traces of its flint industry have also turned up in Syria and Lebanon. We dont know just how old it is. I guess that it probably falls within five hundred years either way of about 5000 B.C. Until recently, the people who produced the Natufian assemblage were thought to have been only cave dwellers, but now at least three open air Natufian sites have been briefly described. In their best-known dwelling place, on Mount Carmel, the Natufian folk lived in the open mouth of a large rock-shelter and on the terrace in front of it. On the terrace, they had set at least two short curving lines of stones; but these were hardly architecture; they seem more like benches or perhaps the low walls of open pens. There were also one or two small clusters of stones laid like paving, and a ring of stones around a hearth or fireplace. One very round and regular basin-shaped depression had been cut into the rocky floor of the terrace, and there were other less regular basin-like depressions. In the newly reported open air sites, there seem to have been huts with rounded corners. Most of the finds in the Natufian layer of the Mount Carmel cave were flints. About 80 per cent of these flint tools were microliths made by the regular working of tiny blades into various tools, some having geometric forms. The larger flint tools included backed blades, burins, scrapers, a few arrow points, some larger hacking or picking tools, and one special type. This last was the sickle blade. We know a sickle blade of flint when we see one, because of a strange polish or sheen which seems to develop on the cutting edge when the blade has been used to cut grasses or grain, or--perhaps--reeds. In the Natufian, we have even found the straight bone handles in which a number of flint sickle blades were set in a line. There was a small industry in ground or pecked stone (that is, abraded not chipped) in the Natufian. This included some pestle and mortar fragments. The mortars are said to have a deep and narrow hole, and some of the pestles show traces of red ochre. We are not sure that these mortars and pestles were also used for grinding food. In addition, there were one or two bits of carving in stone. NATUFIAN ANTIQUITIES IN OTHER MATERIALS; BURIALS AND PEOPLE The Natufian industry in bone was quite rich. It included, beside the sickle hafts mentioned above, points and harpoons, straight and curved types of fish-hooks, awls, pins and needles, and a variety of beads and pendants. There were also beads and pendants of pierced teeth and shell. A number of Natufian burials have been found in the caves; some burials were grouped together in one grave. The people who were buried within the Mount Carmel cave were laid on their backs in an extended position, while those on the terrace seem to have been flexed (placed in their graves in a curled-up position). This may mean no more than that it was easier to dig a long hole in cave dirt than in the hard-packed dirt of the terrace. The people often had some kind of object buried with them, and several of the best collections of beads come from the burials. On two of the skulls there were traces of elaborate head-dresses of shell beads. [Illustration: SKETCH OF NATUFIAN ASSEMBLAGE MICROLITHS ARCHITECTURE? BURIAL CHIPPED STONE GROUND STONE BONE] The animal bones of the Natufian layers show beasts of a modern type, but with some differences from those of present-day Palestine. The bones of the gazelle far outnumber those of the deer; since gazelles like a much drier climate than deer, Palestine must then have had much the same climate that it has today. Some of the animal bones were those of large or dangerous beasts: the hyena, the bear, the wild boar, and the leopard. But the Natufian people may have had the help of a large domesticated dog. If our guess at a date for the Natufian is right (about 7750 B.C.), this is an earlier dog than was that in the Maglemosian of northern Europe. More recently, it has been reported that a domesticated goat is also part of the Natufian finds. The study of the human bones from the Natufian burials is not yet complete. Until Professor McCowns study becomes available, we may note Professor Coons assessment that these people were of a basically Mediterranean type. THE KARIM SHAHIR ASSEMBLAGE Karim Shahir differs from the Natufian sites in that it shows traces of a temporary open site or encampment. It lies on the top of a bluff in the Kurdish hill-country of northeastern Iraq. It was dug by Dr. Bruce Howe of the expedition I directed in 1950-51 for the Oriental Institute and the American Schools of Oriental Research. In 1954-55, our expedition located another site, Mlefaat, with general resemblance to Karim Shahir, but about a hundred miles north of it. In 1956, Dr. Ralph Solecki located still another Karim Shahir type of site called Zawi Chemi Shanidar. The Zawi Chemi site has a radiocarbon date of 8900 300 B.C. Karim Shahir has evidence of only one very shallow level of occupation. It was probably not lived on very long, although the people who lived on it spread out over about three acres of area. In spots, the single layer yielded great numbers of fist-sized cracked pieces of limestone, which had been carried up from the bed of a stream at the bottom of the bluff. We think these cracked stones had something to do with a kind of architecture, but we were unable to find positive traces of hut plans. At Mlefaat and Zawi Chemi, there were traces of rounded hut plans. As in the Natufian, the great bulk of small objects of the Karim Shahir assemblage was in chipped flint. A large proportion of the flint tools were microlithic bladelets and geometric forms. The flint sickle blade was almost non-existent, being far scarcer than in the Natufian. The people of Karim Shahir did a modest amount of work in the grinding of stone; there were milling stone fragments of both the mortar and the quern type, and stone hoes or axes with polished bits. Beads, pendants, rings, and bracelets were made of finer quality stone. We found a few simple points and needles of bone, and even two rather formless unbaked clay figurines which seemed to be of animal form. [Illustration: SKETCH OF KARIM SHAHIR ASSEMBLAGE CHIPPED STONE GROUND STONE UNBAKED CLAY SHELL BONE ARCHITECTURE] Karim Shahir did not yield direct evidence of the kind of vegetable food its people ate. The animal bones showed a considerable increase in the proportion of the bones of the species capable of domestication--sheep, goat, cattle, horse, dog--as compared with animal bones from the earlier cave sites of the area, which have a high proportion of bones of wild forms like deer and gazelle. But we do not know that any of the Karim Shahir animals were actually domesticated. Some of them may have been, in an incipient way, but we have no means at the moment that will tell us from the bones alone. WERE THE NATUFIAN AND KARIM SHAHIR PEOPLES FOOD-PRODUCERS? It is clear that a great part of the food of the Natufian people must have been hunted or collected. Shells of land, fresh-water, and sea animals occur in their cave layers. The same is true as regards Karim Shahir, save for sea shells. But on the other hand, we have the sickles, the milling stones, the possible Natufian dog, and the goat, and the general animal situation at Karim Shahir to hint at an incipient approach to food-production. At Karim Shahir, there was the tendency to settle down out in the open; this is echoed by the new reports of open air Natufian sites. The large number of cracked stones certainly indicates that it was worth the peoples while to have some kind of structure, even if the site as a whole was short-lived. It is a part of my hunch that these things all point toward food-production--that the hints we seek are there. But in the sense that the peoples of the era of the primary village-farming community, which we shall look at next, are fully food-producing, the Natufian and Karim Shahir folk had not yet arrived. I think they were part of a general build-up to full scale food-production. They were possibly controlling a few animals of several kinds and perhaps one or two plants, without realizing the full possibilities of this control as a new way of life. This is why I think of the Karim Shahir and Natufian folk as being at a level, or in an era, of incipient cultivation and domestication. But we shall have to do a great deal more excavation in this range of time before well get the kind of positive information we need. SUMMARY I am sorry that this chapter has had to be so much more about ideas than about the archeological traces of prehistoric men themselves. But the antiquities of the incipient era of cultivation and animal domestication will not be spectacular, even when we do have them excavated in quantity. Few museums will be interested in these antiquities for exhibition purposes. The charred bits or impressions of plants, the fragments of animal bone and shell, and the varied clues to climate and environment will be as important as the artifacts themselves. It will be the ideas to which these traces lead us that will be important. I am sure that this unspectacular material--when we have much more of it, and learn how to understand what it says--will lead us to how and why answers about the first great change in human history. We know the earliest village-farming communities appeared in western Asia, in a nuclear area. We do not yet know why the Near Eastern experiment came first, or why it didnt happen earlier in some other nuclear area. Apparently, the level of culture and the promise of the natural environment were ready first in western Asia. The next sites we look at will show a simple but effective food-production already in existence. Without effective food-production and the settled village-farming communities, civilization never could have followed. How effective food-production came into being by the end of the incipient era, is, I believe, one of the most fascinating questions any archeologist could face. It now seems probable--from possibly two of the Palestinian sites with varieties of the Natufian (Jericho and Nahal Oren)--that there were one or more local Palestinian developments out of the Natufian into later times. In the same way, what followed after the Karim Shahir type of assemblage in northeastern Iraq was in some ways a reflection of beginnings made at Karim Shahir and Zawi Chemi. THE First Revolution [Illustration] As the incipient era of cultivation and animal domestication passed onward into the era of the primary village-farming community, the first basic change in human economy was fully achieved. In southwestern Asia, this seems to have taken place about nine thousand years ago. I am going to restrict my description to this earliest Near Eastern case--I do not know enough about the later comparable experiments in the Far East and in the New World. Let us first, once again, think of the contrast between food-collecting and food-producing as ways of life. THE DIFFERENCE BETWEEN FOOD-COLLECTORS AND FOOD-PRODUCERS Childe used the word revolution because of the radical change that took place in the habits and customs of man. Food-collectors--that is, hunters, fishers, berry- and nut-gatherers--had to live in small groups or bands, for they had to be ready to move wherever their food supply moved. Not many people can be fed in this way in one area, and small children and old folks are a burden. There is not enough food to store, and it is not the kind that can be stored for long. Do you see how this all fits into a picture? Small groups of people living now in this cave, now in that--or out in the open--as they moved after the animals they hunted; no permanent villages, a few half-buried huts at best; no breakable utensils; no pottery; no signs of anything for clothing beyond the tools that were probably used to dress the skins of animals; no time to think of much of anything but food and protection and disposal of the dead when death did come: an existence which takes nature as it finds it, which does little or nothing to modify nature--all in all, a savages existence, and a very tough one. A man who spends his whole life following animals just to kill them to eat, or moving from one berry patch to another, is really living just like an animal himself. THE FOOD-PRODUCING ECONOMY Against this picture let me try to draw another--that of mans life after food-production had begun. His meat was stored on the hoof, his grain in silos or great pottery jars. He lived in a house: it was worth his while to build one, because he couldnt move far from his fields and flocks. In his neighborhood enough food could be grown and enough animals bred so that many people were kept busy. They all lived close to their flocks and fields, in a village. The village was already of a fair size, and it was growing, too. Everybody had more to eat; they were presumably all stronger, and there were more children. Children and old men could shepherd the animals by day or help with the lighter work in the fields. After the crops had been harvested the younger men might go hunting and some of them would fish, but the food they brought in was only an addition to the food in the village; the villagers wouldnt starve, even if the hunters and fishermen came home empty-handed. There was more time to do different things, too. They began to modify nature. They made pottery out of raw clay, and textiles out of hair or fiber. People who became good at pottery-making traded their pots for food and spent all of their time on pottery alone. Other people were learning to weave cloth or to make new tools. There were already people in the village who were becoming full-time craftsmen. Other things were changing, too. The villagers must have had to agree on new rules for living together. The head man of the village had problems different from those of the chief of the small food-collectors band. If somebodys flock of sheep spoiled a wheat field, the owner wanted payment for the grain he lost. The chief of the hunters was never bothered with such questions. Even the gods had changed. The spirits and the magic that had been used by hunters werent of any use to the villagers. They needed gods who would watch over the fields and the flocks, and they eventually began to erect buildings where their gods might dwell, and where the men who knew most about the gods might live. WAS FOOD-PRODUCTION A REVOLUTION? If you can see the difference between these two pictures--between life in the food-collecting stage and life after food-production had begun--youll see why Professor Childe speaks of a revolution. By revolution, he doesnt mean that it happened over night or that it happened only once. We dont know exactly how long it took. Some people think that all these changes may have occurred in less than 500 years, but I doubt that. The incipient era was probably an affair of some duration. Once the level of the village-farming community had been established, however, things did begin to move very fast. By six thousand years ago, the descendants of the first villagers had developed irrigation and plow agriculture in the relatively rainless Mesopotamian alluvium and were living in towns with temples. Relative to the half million years of food-gathering which lay behind, this had been achieved with truly revolutionary suddenness. GAPS IN OUR KNOWLEDGE OF THE NEAR EAST If youll look again at the chart (p. 111) youll see that I have very few sites and assemblages to name in the incipient era of cultivation and domestication, and not many in the earlier part of the primary village-farming level either. Thanks in no small part to the intelligent co-operation given foreign excavators by the Iraq Directorate General of Antiquities, our understanding of the sequence in Iraq is growing more complete. I shall use Iraq as my main yard-stick here. But I am far from being able to show you a series of Sears Roebuck catalogues, even century by century, for any part of the nuclear area. There is still a great deal of earth to move, and a great mass of material to recover and interpret before we even begin to understand how and why. Perhaps here, because this kind of archeology is really my specialty, youll excuse it if I become personal for a moment. I very much look forward to having further part in closing some of the gaps in knowledge of the Near East. This is not, as Ive told you, the spectacular range of Near Eastern archeology. There are no royal tombs, no gold, no great buildings or sculpture, no writing, in fact nothing to excite the normal museum at all. Nevertheless it is a range which, idea-wise, gives the archeologist tremendous satisfaction. The country of the hilly flanks is an exciting combination of green grasslands and mountainous ridges. The Kurds, who inhabit the part of the area in which Ive worked most recently, are an extremely interesting and hospitable people. Archeologists dont become rich, but Ill forego the Cadillac for any bright spring morning in the Kurdish hills, on a good site with a happy crew of workmen and an interested and efficient staff. It is probably impossible to convey the full feeling which life on such a dig holds--halcyon days for the body and acute pleasurable stimulation for the mind. Old things coming newly out of the good dirt, and the pieces of the human puzzle fitting into place! I think I am an honest man; I cannot tell you that I am sorry the job is not yet finished and that there are still gaps in this part of the Near Eastern archeological sequence. EARLIEST SITES OF THE VILLAGE FARMERS So far, the Karim Shahir type of assemblage, which we looked at in the last chapter, is the earliest material available in what I take to be the nuclear area. We do not believe that Karim Shahir was a village site proper: it looks more like the traces of a temporary encampment. Two caves, called Belt and Hotu, which are outside the nuclear area and down on the foreshore of the Caspian Sea, have been excavated by Professor Coon. These probably belong in the later extension of the terminal era of food-gathering; in their upper layers are traits like the use of pottery borrowed from the more developed era of the same time in the nuclear area. The same general explanation doubtless holds true for certain materials in Egypt, along the upper Nile and in the Kharga oasis: these materials, called Sebilian III, the Khartoum neolithic, and the Khargan microlithic, are from surface sites, not from caves. The chart (p. 111) shows where I would place these materials in era and time. [Illustration: THE HILLY FLANKS OF THE CRESCENT AND EARLY SITES OF THE NEAR EAST] Both Mlefaat and Dr. Soleckis Zawi Chemi Shanidar site appear to have been slightly more settled in than was Karim Shahir itself. But I do not think they belong to the era of farming-villages proper. The first site of this era, in the hills of Iraqi Kurdistan, is Jarmo, on which we have spent three seasons of work. Following Jarmo comes a variety of sites and assemblages which lie along the hilly flanks of the crescent and just below it. I am going to describe and illustrate some of these for you. Since not very much archeological excavation has yet been done on sites of this range of time, I shall have to mention the names of certain single sites which now alone stand for an assemblage. This does not mean that I think the individual sites I mention were unique. In the times when their various cultures flourished, there must have been many little villages which shared the same general assemblage. We are only now beginning to locate them again. Thus, if I speak of Jarmo, or Jericho, or Sialk as single examples of their particular kinds of assemblages, I dont mean that they were unique at all. I think I could take you to the sites of at least three more Jarmos, within twenty miles of the original one. They are there, but they simply havent yet been excavated. In 1956, a Danish expedition discovered material of Jarmo type at Shimshara, only two dozen miles northeast of Jarmo, and below an assemblage of Hassunan type (which I shall describe presently). THE GAP BETWEEN KARIM SHAHIR AND JARMO As we see the matter now, there is probably still a gap in the available archeological record between the Karim Shahir-Mlefaat-Zawi Chemi group (of the incipient era) and that of Jarmo (of the village-farming era). Although some items of the Jarmo type materials do reflect the beginnings of traditions set in the Karim Shahir group (see p. 120), there is not a clear continuity. Moreover--to the degree that we may trust a few radiocarbon dates--there would appear to be around two thousand years of difference in time. The single available Zawi Chemi date is 8900 300 B.C.; the most reasonable group of dates from Jarmo average to about 6750 200 B.C. I am uncertain about this two thousand years--I do not think it can have been so long. This suggests that we still have much work to do in Iraq. You can imagine how earnestly we await the return of political stability in the Republic of Iraq. JARMO, IN THE KURDISH HILLS, IRAQ The site of Jarmo has a depth of deposit of about twenty-seven feet, and approximately a dozen layers of architectural renovation and change. Nevertheless it is a one period site: its assemblage remains essentially the same throughout, although one or two new items are added in later levels. It covers about four acres of the top of a bluff, below which runs a small stream. Jarmo lies in the hill country east of the modern oil town of Kirkuk. The Iraq Directorate General of Antiquities suggested that we look at it in 1948, and we have had three seasons of digging on it since. The people of Jarmo grew the barley plant and two different kinds of wheat. They made flint sickles with which to reap their grain, mortars or querns on which to crack it, ovens in which it might be parched, and stone bowls out of which they might eat their porridge. We are sure that they had the domesticated goat, but Professor Reed (the staff zoologist) is not convinced that the bones of the other potentially domesticable animals of Jarmo--sheep, cattle, pig, horse, dog--show sure signs of domestication. We had first thought that all of these animals were domesticated ones, but Reed feels he must find out much more before he can be sure. As well as their grain and the meat from their animals, the people of Jarmo consumed great quantities of land snails. Botanically, the Jarmo wheat stands about half way between fully bred wheat and the wild forms. ARCHITECTURE: HALL-MARK OF THE VILLAGE The sure sign of the village proper is in its traces of architectural permanence. The houses of Jarmo were only the size of a small cottage by our standards, but each was provided with several rectangular rooms. The walls of the houses were made of puddled mud, often set on crude foundations of stone. (The puddled mud wall, which the Arabs call _touf_, is built by laying a three to six inch course of soft mud, letting this sun-dry for a day or two, then adding the next course, etc.) The village probably looked much like the simple Kurdish farming village of today, with its mud-walled houses and low mud-on-brush roofs. I doubt that the Jarmo village had more than twenty houses at any one moment of its existence. Today, an average of about seven people live in a comparable Kurdish house; probably the population of Jarmo was about 150 people. [Illustration: SKETCH OF JARMO ASSEMBLAGE CHIPPED STONE UNBAKED CLAY GROUND STONE POTTERY _UPPER THIRD OF SITE ONLY._ REED MATTING BONE ARCHITECTURE] It is interesting that portable pottery does not appear until the last third of the life of the Jarmo village. Throughout the duration of the village, however, its people had experimented with the plastic qualities of clay. They modeled little figurines of animals and of human beings in clay; one type of human figurine they favored was that of a markedly pregnant woman, probably the expression of some sort of fertility spirit. They provided their house floors with baked-in-place depressions, either as basins or hearths, and later with domed ovens of clay. As weve noted, the houses themselves were of clay or mud; one could almost say they were built up like a house-sized pot. Then, finally, the idea of making portable pottery itself appeared, although I very much doubt that the people of the Jarmo village discovered the art. On the other hand, the old tradition of making flint blades and microlithic tools was still very strong at Jarmo. The sickle-blade was made in quantities, but so also were many of the much older tool types. Strangely enough, it is within this age-old category of chipped stone tools that we see one of the clearest pointers to a newer age. Many of the Jarmo chipped stone tools--microliths--were made of obsidian, a black volcanic natural glass. The obsidian beds nearest to Jarmo are over three hundred miles to the north. Already a bulk carrying trade had been established--the forerunner of commerce--and the routes were set by which, in later times, the metal trade was to move. There are now twelve radioactive carbon dates from Jarmo. The most reasonable cluster of determinations averages to about 6750 200 B.C., although there is a completely unreasonable range of dates running from 3250 to 9250 B.C.! _If_ I am right in what I take to be reasonable, the first flush of the food-producing revolution had been achieved almost nine thousand years ago. HASSUNA, IN UPPER MESOPOTAMIAN IRAQ We are not sure just how soon after Jarmo the next assemblage of Iraqi material is to be placed. I do not think the time was long, and there are a few hints that detailed habits in the making of pottery and ground stone tools were actually continued from Jarmo times into the time of the next full assemblage. This is called after a site named Hassuna, a few miles to the south and west of modern Mosul. We also have Hassunan type materials from several other sites in the same general region. It is probably too soon to make generalizations about it, but the Hassunan sites seem to cluster at slightly lower elevations than those we have been talking about so far. The catalogue of the Hassuna assemblage is of course more full and elaborate than that of Jarmo. The Iraqi governments archeologists who dug Hassuna itself, exposed evidence of increasing architectural know-how. The walls of houses were still formed of puddled mud; sun-dried bricks appear only in later periods. There were now several different ways of making and decorating pottery vessels. One style of pottery painting, called the Samarran style, is an extremely handsome one and must have required a great deal of concentration and excellence of draftsmanship. On the other hand, the old habits for the preparation of good chipped stone tools--still apparent at Jarmo--seem to have largely disappeared by Hassunan times. The flint work of the Hassunan catalogue is, by and large, a wretched affair. We might guess that the kinaesthetic concentration of the Hassuna craftsmen now went into other categories; that is, they suddenly discovered they might have more fun working with the newer materials. Its a shame, for example, that none of their weaving is preserved for us. The two available radiocarbon determinations from Hassunan contexts stand at about 5100 and 5600 B.C. 250 years. OTHER EARLY VILLAGE SITES IN THE NUCLEAR AREA Ill now name and very briefly describe a few of the other early village assemblages either in or adjacent to the hilly flanks of the crescent. Unfortunately, we do not have radioactive carbon dates for many of these materials. We may guess that some particular assemblage, roughly comparable to that of Hassuna, for example, must reflect a culture which lived at just about the same time as that of Hassuna. We do this guessing on the basis of the general similarity and degree of complexity of the Sears Roebuck catalogues of the particular assemblage and that of Hassuna. We suppose that for sites near at hand and of a comparable cultural level, as indicated by their generally similar assemblages, the dating must be about the same. We may also know that in a general stratigraphic sense, the sites in question may both appear at the bottom of the ascending village sequence in their respective areas. Without a number of consistent radioactive carbon dates, we cannot be precise about priorities. [Illustration: SKETCH OF HASSUNA ASSEMBLAGE POTTERY POTTERY OBJECTS CHIPPED STONE BONE GROUND STONE ARCHITECTURE REED MATTING BURIAL] The ancient mound at Jericho, in the Dead Sea valley in Palestine, yields some very interesting material. Its catalogue somewhat resembles that of Jarmo, especially in the sense that there is a fair depth of deposit without portable pottery vessels. On the other hand, the architecture of Jericho is surprisingly complex, with traces of massive stone fortification walls and the general use of formed sun-dried mud brick. Jericho lies in a somewhat strange and tropically lush ecological niche, some seven hundred feet below sea level; it is geographically within the hilly-flanks zone but environmentally not part of it. Several radiocarbon dates for Jericho fall within the range of those I find reasonable for Jarmo, and their internal statistical consistency is far better than that for the Jarmo determinations. It is not yet clear exactly what this means. The mound at Jericho (Tell es-Sultan) contains a remarkably fine sequence, which perhaps does not have the gap we noted in Iraqi-Kurdistan between the Karim Shahir group and Jarmo. While I am not sure that the Jericho sequence will prove valid for those parts of Palestine outside the special Dead Sea environmental niche, the sequence does appear to proceed from the local variety of Natufian into that of a very well settled community. So far, we have little direct evidence for the food-production basis upon which the Jericho people subsisted. There is an early village assemblage with strong characteristics of its own in the land bordering the northeast corner of the Mediterranean Sea, where Syria and the Cilician province of Turkey join. This early Syro-Cilician assemblage must represent a general cultural pattern which was at least in part contemporary with that of the Hassuna assemblage. These materials from the bases of the mounds at Mersin, and from Judaidah in the Amouq plain, as well as from a few other sites, represent the remains of true villages. The walls of their houses were built of puddled mud, but some of the house foundations were of stone. Several different kinds of pottery were made by the people of these villages. None of it resembles the pottery from Hassuna or from the upper levels of Jarmo or Jericho. The Syro-Cilician people had not lost their touch at working flint. An important southern variation of the Syro-Cilician assemblage has been cleared recently at Byblos, a port town famous in later Phoenician times. There are three radiocarbon determinations which suggest that the time range for these developments was in the sixth or early fifth millennium B.C. It would be fascinating to search for traces of even earlier village-farming communities and for the remains of the incipient cultivation era, in the Syro-Cilician region. THE IRANIAN PLATEAU AND THE NILE VALLEY The map on page 125 shows some sites which lie either outside or in an extension of the hilly-flanks zone proper. From the base of the great mound at Sialk on the Iranian plateau came an assemblage of early village material, generally similar, in the kinds of things it contained, to the catalogues of Hassuna and Judaidah. The details of how things were made are different; the Sialk assemblage represents still another cultural pattern. I suspect it appeared a bit later in time than did that of Hassuna. There is an important new item in the Sialk catalogue. The Sialk people made small drills or pins of hammered copper. Thus the metallurgists specialized craft had made its appearance. There is at least one very early Iranian site on the inward slopes of the hilly-flanks zone. It is the earlier of two mounds at a place called Bakun, in southwestern Iran; the results of the excavations there are not yet published and we only know of its coarse and primitive pottery. I only mention Bakun because it helps us to plot the extent of the hilly-flanks zone villages on the map. The Nile Valley lies beyond the peculiar environmental zone of the hilly flanks of the crescent, and it is probable that the earliest village-farming communities in Egypt were established by a few people who wandered into the Nile delta area from the nuclear area. The assemblage which is most closely comparable to the catalogue of Hassuna or Judaidah, for example, is that from little settlements along the shore of the Fayum lake. The Fayum materials come mainly from grain bins or silos. Another site, Merimde, in the western part of the Nile delta, shows the remains of a true village, but it may be slightly later than the settlement of the Fayum. There are radioactive carbon dates for the Fayum materials at about 4275 B.C. 320 years, which is almost fifteen hundred years later than the determinations suggested for the Hassunan or Syro-Cilician assemblages. I suspect that this is a somewhat over-extended indication of the time it took for the generalized cultural pattern of village-farming community life to spread from the nuclear area down into Egypt, but as yet we have no way of testing these matters. In this same vein, we have two radioactive carbon dates for an assemblage from sites near Khartoum in the Sudan, best represented by the mound called Shaheinab. The Shaheinab catalogue roughly corresponds to that of the Fayum; the distance between the two places, as the Nile flows, is roughly 1,500 miles. Thus it took almost a thousand years for the new way of life to be carried as far south into Africa as Khartoum; the two Shaheinab dates average about 3300 B.C. 400 years. If the movement was up the Nile (southward), as these dates suggest, then I suspect that the earliest available village material of middle Egypt, the so-called Tasian, is also later than that of the Fayum. The Tasian materials come from a few graves near a village called Deir Tasa, and I have an uncomfortable feeling that the Tasian assemblage may be mainly an artificial selection of poor examples of objects which belong in the following range of time. SPREAD IN TIME AND SPACE There are now two things we can do; in fact, we have already begun to do them. We can watch the spread of the new way of life upward through time in the nuclear area. We can also see how the new way of life spread outward in space from the nuclear area, as time went on. There is good archeological evidence that both these processes took place. For the hill country of northeastern Iraq, in the nuclear area, we have already noticed how the succession (still with gaps) from Karim Shahir, through Mlefaat and Jarmo, to Hassuna can be charted (see chart, p. 111). In the next chapter, we shall continue this charting and description of what happened in Iraq upward through time. We also watched traces of the new way of life move through space up the Nile into Africa, to reach Khartoum in the Sudan some thirty-five hundred years later than we had seen it at Jarmo or Jericho. We caught glimpses of it in the Fayum and perhaps at Tasa along the way. For the remainder of this chapter, I shall try to suggest briefly for you the directions taken by the spread of the new way of life from the nuclear area in the Near East. First, let me make clear again that I _do not_ believe that the village-farming community way of life was invented only once and in the Near East. It seems to me that the evidence is very clear that a separate experiment arose in the New World. For China, the question of independence or borrowing--in the appearance of the village-farming community there--is still an open one. In the last chapter, we noted the probability of an independent nuclear area in southeastern Asia. Professor Carl Sauer strongly champions the great importance of this area as _the_ original center of agricultural pursuits, as a kind of cradle of all incipient eras of the Old World at least. While there is certainly not the slightest archeological evidence to allow us to go that far, we may easily expect that an early southeast Asian development would have been felt in China. However, the appearance of the village-farming community in the northwest of India, at least, seems to have depended on the earlier development in the Near East. It is also probable that ideas of the new way of life moved well beyond Khartoum in Africa. THE SPREAD OF THE VILLAGE-FARMING COMMUNITY WAY OF LIFE INTO EUROPE How about Europe? I wont give you many details. You can easily imagine that the late prehistoric prelude to European history is a complicated affair. We all know very well how complicated an area Europe is now, with its welter of different languages and cultures. Remember, however, that a great deal of archeology has been done on the late prehistory of Europe, and very little on that of further Asia and Africa. If we knew as much about these areas as we do of Europe, I expect wed find them just as complicated. This much is clear for Europe, as far as the spread of the village-community way of life is concerned. The general idea and much of the know-how and the basic tools of food-production moved from the Near East to Europe. So did the plants and animals which had been domesticated; they were not naturally at home in Europe, as they were in western Asia. I do not, of course, mean that there were traveling salesmen who carried these ideas and things to Europe with a commercial gleam in their eyes. The process took time, and the ideas and things must have been passed on from one group of people to the next. There was also some actual movement of peoples, but we dont know the size of the groups that moved. The story of the colonization of Europe by the first farmers is thus one of (1) the movement from the eastern Mediterranean lands of some people who were farmers; (2) the spread of ideas and things beyond the Near East itself and beyond the paths along which the colonists moved; and (3) the adaptations of the ideas and things by the indigenous Forest folk, about whose receptiveness Professor Mathiassen speaks (p. 97). It is important to note that the resulting cultures in the new European environment were European, not Near Eastern. The late Professor Childe remarked that the peoples of the West were not slavish imitators; they adapted the gifts from the East ... into a new and organic whole capable of developing on its own original lines. THE WAYS TO EUROPE Suppose we want to follow the traces of those earliest village-farmers who did travel from western Asia into Europe. Let us start from Syro-Cilicia, that part of the hilly-flanks zone proper which lies in the very northeastern corner of the Mediterranean. Three ways would be open to us (of course we could not be worried about permission from the Soviet authorities!). We would go north, or north and slightly east, across Anatolian Turkey, and skirt along either shore of the Black Sea or even to the east of the Caucasus Mountains along the Caspian Sea, to reach the plains of Ukrainian Russia. From here, we could march across eastern Europe to the Baltic and Scandinavia, or even hook back southwestward to Atlantic Europe. Our second way from Syro-Cilicia would also lie over Anatolia, to the northwest, where we would have to swim or raft ourselves over the Dardanelles or the Bosphorus to the European shore. Then we would bear left toward Greece, but some of us might turn right again in Macedonia, going up the valley of the Vardar River to its divide and on down the valley of the Morava beyond, to reach the Danube near Belgrade in Jugoslavia. Here we would turn left, following the great river valley of the Danube up into central Europe. We would have a number of tributary valleys to explore, or we could cross the divide and go down the valley of the Rhine to the North Sea. Our third way from Syro-Cilicia would be by sea. We would coast along southern Anatolia and visit Cyprus, Crete, and the Aegean islands on our way to Greece, where, in the north, we might meet some of those who had taken the second route. From Greece, we would sail on to Italy and the western isles, to reach southern France and the coasts of Spain. Eventually a few of us would sail up the Atlantic coast of Europe, to reach western Britain and even Ireland. [Illustration: PROBABLE ROUTES AND TIMING IN THE SPREAD OF THE VILLAGE-FARMING COMMUNITY WAY OF LIFE FROM THE NEAR EAST TO EUROPE] Of course none of us could ever take these journeys as the first farmers took them, since the whole course of each journey must have lasted many lifetimes. The date given to the assemblage called Windmill Hill, the earliest known trace of village-farming communities in England, is about 2500 B.C. I would expect about 5500 B.C. to be a safe date to give for the well-developed early village communities of Syro-Cilicia. We suspect that the spread throughout Europe did not proceed at an even rate. Professor Piggott writes that at a date probably about 2600 B.C., simple agricultural communities were being established in Spain and southern France, and from the latter region a spread northwards can be traced ... from points on the French seaboard of the [English] Channel ... there were emigrations of a certain number of these tribes by boat, across to the chalk lands of Wessex and Sussex [in England], probably not more than three or four generations later than the formation of the south French colonies. New radiocarbon determinations are becoming available all the time--already several suggest that the food-producing way of life had reached the lower Rhine and Holland by 4000 B.C. But not all prehistorians accept these dates, so I do not show them on my map (p. 139). THE EARLIEST FARMERS OF ENGLAND To describe the later prehistory of all Europe for you would take another book and a much larger one than this is. Therefore, I have decided to give you only a few impressions of the later prehistory of Britain. Of course the British Isles lie at the other end of Europe from our base-line in western Asia. Also, they received influences along at least two of the three ways in which the new way of life moved into Europe. We will look at more of their late prehistory in a following chapter: here, I shall speak only of the first farmers. The assemblage called Windmill Hill, which appears in the south of England, exhibits three different kinds of structures, evidence of grain-growing and of stock-breeding, and some distinctive types of pottery and stone implements. The most remarkable type of structure is the earthwork enclosures which seem to have served as seasonal cattle corrals. These enclosures were roughly circular, reached over a thousand feet in diameter, and sometimes included two or three concentric sets of banks and ditches. Traces of oblong timber houses have been found, but not within the enclosures. The second type of structure is mine-shafts, dug down into the chalk beds where good flint for the making of axes or hoes could be found. The third type of structure is long simple mounds or unchambered barrows, in one end of which burials were made. It has been commonly believed that the Windmill Hill assemblage belonged entirely to the cultural tradition which moved up through France to the Channel. Professor Piggott is now convinced, however, that important elements of Windmill Hill stem from northern Germany and Denmark--products of the first way into Europe from the east. The archeological traces of a second early culture are to be found in the west of England, western and northern Scotland, and most of Ireland. The bearers of this culture had come up the Atlantic coast by sea from southern France and Spain. The evidence they have left us consists mainly of tombs and the contents of tombs, with only very rare settlement sites. The tombs were of some size and received the bodies of many people. The tombs themselves were built of stone, heaped over with earth; the stones enclosed a passage to a central chamber (passage graves), or to a simple long gallery, along the sides of which the bodies were laid (gallery graves). The general type of construction is called megalithic (= great stone), and the whole earth-mounded structure is often called a _barrow_. Since many have proper chambers, in one sense or another, we used the term unchambered barrow above to distinguish those of the Windmill Hill type from these megalithic structures. There is some evidence for sacrifice, libations, and ceremonial fires, and it is clear that some form of community ritual was focused on the megalithic tombs. The cultures of the people who produced the Windmill Hill assemblage and of those who made the megalithic tombs flourished, at least in part, at the same time. Although the distributions of the two different types of archeological traces are in quite different parts of the country, there is Windmill Hill pottery in some of the megalithic tombs. But the tombs also contain pottery which seems to have arrived with the tomb builders themselves. The third early British group of antiquities of this general time (following 2500 B.C.) comes from sites in southern and eastern England. It is not so certain that the people who made this assemblage, called Peterborough, were actually farmers. While they may on occasion have practiced a simple agriculture, many items of their assemblage link them closely with that of the Forest folk of earlier times in England and in the Baltic countries. Their pottery is decorated with impressions of cords and is quite different from that of Windmill Hill and the megalithic builders. In addition, the distribution of their finds extends into eastern Britain, where the other cultures have left no trace. The Peterborough people had villages with semi-subterranean huts, and the bones of oxen, pigs, and sheep have been found in a few of these. On the whole, however, hunting and fishing seem to have been their vital occupations. They also established trade routes especially to acquire the raw material for stone axes. A probably slightly later culture, whose traces are best known from Skara Brae on Orkney, also had its roots in those cultures of the Baltic area which fused out of the meeting of the Forest folk and the peoples who took the eastern way into Europe. Skara Brae is very well preserved, having been built of thin stone slabs about which dune-sand drifted after the village died. The individual houses, the bedsteads, the shelves, the chests for clothes and oddments--all built of thin stone-slabs--may still be seen in place. But the Skara Brae people lived entirely by sheep- and cattle-breeding, and by catching shellfish. Neither grain nor the instruments of agriculture appeared at Skara Brae. THE EUROPEAN ACHIEVEMENT The above is only a very brief description of what went on in Britain with the arrival of the first farmers. There are many interesting details which I have omitted in order to shorten the story. I believe some of the difficulty we have in understanding the establishment of the first farming communities in Europe is with the word colonization. We have a natural tendency to think of colonization as it has happened within the last few centuries. In the case of the colonization of the Americas, for example, the colonists came relatively quickly, and in increasingly vast numbers. They had vastly superior technical, political, and war-making skills, compared with those of the Indians. There was not much mixing with the Indians. The case in Europe five or six thousand years ago must have been very different. I wonder if it is even proper to call people colonists who move some miles to a new region, settle down and farm it for some years, then move on again, generation after generation? The ideas and the things which these new people carried were only _potentially_ superior. The ideas and things and the people had to prove themselves in their adaptation to each new environment. Once this was done another link to the chain would be added, and then the forest-dwellers and other indigenous folk of Europe along the way might accept the new ideas and things. It is quite reasonable to expect that there must have been much mixture of the migrants and the indigenes along the way; the Peterborough and Skara Brae assemblages we mentioned above would seem to be clear traces of such fused cultures. Sometimes, especially if the migrants were moving by boat, long distances may have been covered in a short time. Remember, however, we seem to have about three thousand years between the early Syro-Cilician villages and Windmill Hill. Let me repeat Professor Childe again. The peoples of the West were not slavish imitators: they adapted the gifts from the East ... into a new and organic whole capable of developing on its own original lines. Childe is of course completely conscious of the fact that his peoples of the West were in part the descendants of migrants who came originally from the East, bringing their gifts with them. This was the late prehistoric achievement of Europe--to take new ideas and things and some migrant peoples and, by mixing them with the old in its own environments, to forge a new and unique series of cultures. What we know of the ways of men suggests to us that when the details of the later prehistory of further Asia and Africa are learned, their stories will be just as exciting. THE Conquest of Civilization [Illustration] Now we must return to the Near East again. We are coming to the point where history is about to begin. I am going to stick pretty close to Iraq and Egypt in this chapter. These countries will perhaps be the most interesting to most of us, for the foundations of western civilization were laid in the river lands of the Tigris and Euphrates and of the Nile. I shall probably stick closest of all to Iraq, because things first happened there and also because I know it best. There is another interesting thing, too. We have seen that the first experiment in village-farming took place in the Near East. So did the first experiment in civilization. Both experiments took. The traditions we live by today are based, ultimately, on those ancient beginnings in food-production and civilization in the Near East. WHAT CIVILIZATION MEANS I shall not try to define civilization for you; rather, I shall tell you what the word brings to my mind. To me civilization means urbanization: the fact that there are cities. It means a formal political set-up--that there are kings or governing bodies that the people have set up. It means formal laws--rules of conduct--which the government (if not the people) believes are necessary. It probably means that there are formalized projects--roads, harbors, irrigation canals, and the like--and also some sort of army or police force to protect them. It means quite new and different art forms. It also usually means there is writing. (The people of the Andes--the Incas--had everything which goes to make up a civilization but formal writing. I can see no reason to say they were not civilized.) Finally, as the late Professor Redfield reminded us, civilization seems to bring with it the dawn of a new kind of moral order. In different civilizations, there may be important differences in the way such things as the above are managed. In early civilizations, it is usual to find religion very closely tied in with government, law, and so forth. The king may also be a high priest, or he may even be thought of as a god. The laws are usually thought to have been given to the people by the gods. The temples are protected just as carefully as the other projects. CIVILIZATION IMPOSSIBLE WITHOUT FOOD-PRODUCTION Civilizations have to be made up of many people. Some of the people live in the country; some live in very large towns or cities. Classes of society have begun. There are officials and government people; there are priests or religious officials; there are merchants and traders; there are craftsmen, metal-workers, potters, builders, and so on; there are also farmers, and these are the people who produce the food for the whole population. It must be obvious that civilization cannot exist without food-production and that food-production must also be at a pretty efficient level of village-farming before civilization can even begin. But people can be food-producing without being civilized. In many parts of the world this is still the case. When the white men first came to America, the Indians in most parts of this hemisphere were food-producers. They grew corn, potatoes, tomatoes, squash, and many other things the white men had never eaten before. But only the Aztecs of Mexico, the Mayas of Yucatan and Guatemala, and the Incas of the Andes were civilized. WHY DIDNT CIVILIZATION COME TO ALL FOOD-PRODUCERS? Once you have food-production, even at the well-advanced level of the village-farming community, what else has to happen before you get civilization? Many men have asked this question and have failed to give a full and satisfactory answer. There is probably no _one_ answer. I shall give you my own idea about how civilization _may_ have come about in the Near East alone. Remember, it is only a guess--a putting together of hunches from incomplete evidence. It is _not_ meant to explain how civilization began in any of the other areas--China, southeast Asia, the Americas--where other early experiments in civilization went on. The details in those areas are quite different. Whether certain general principles hold, for the appearance of any early civilization, is still an open and very interesting question. WHERE CIVILIZATION FIRST APPEARED IN THE NEAR EAST You remember that our earliest village-farming communities lay along the hilly flanks of a great crescent. (See map on p. 125.) Professor Breasteds fertile crescent emphasized the rich river valleys of the Nile and the Tigris-Euphrates Rivers. Our hilly-flanks area of the crescent zone arches up from Egypt through Palestine and Syria, along southern Turkey into northern Iraq, and down along the southwestern fringe of Iran. The earliest food-producing villages we know already existed in this area by about 6750 B.C. ( 200 years). Now notice that this hilly-flanks zone does not include southern Mesopotamia, the alluvial land of the lower Tigris and Euphrates in Iraq, or the Nile Valley proper. The earliest known villages of classic Mesopotamia and Egypt seem to appear fifteen hundred or more years after those of the hilly-flanks zone. For example, the early Fayum village which lies near a lake west of the Nile Valley proper (see p. 135) has a radiocarbon date of 4275 B.C. 320 years. It was in the river lands, however, that the immediate beginnings of civilization were made. We know that by about 3200 B.C. the Early Dynastic period had begun in southern Mesopotamia. The beginnings of writing go back several hundred years earlier, but we can safely say that civilization had begun in Mesopotamia by 3200 B.C. In Egypt, the beginning of the First Dynasty is slightly later, at about 3100 B.C., and writing probably did not appear much earlier. There is no question but that history and civilization were well under way in both Mesopotamia and Egypt by 3000 B.C.--about five thousand years ago. THE HILLY-FLANKS ZONE VERSUS THE RIVER LANDS Why did these two civilizations spring up in these two river lands which apparently were not even part of the area where the village-farming community began? Why didnt we have the first civilizations in Palestine, Syria, north Iraq, or Iran, where were sure food-production had had a long time to develop? I think the probable answer gives a clue to the ways in which civilization began in Egypt and Mesopotamia. The land in the hilly flanks is of a sort which people can farm without too much trouble. There is a fairly fertile coastal strip in Palestine and Syria. There are pleasant mountain slopes, streams running out to the sea, and rain, at least in the winter months. The rain belt and the foothills of the Turkish mountains also extend to northern Iraq and on to the Iranian plateau. The Iranian plateau has its mountain valleys, streams, and some rain. These hilly flanks of the crescent, through most of its arc, are almost made-to-order for beginning farmers. The grassy slopes of the higher hills would be pasture for their herds and flocks. As soon as the earliest experiments with agriculture and domestic animals had been successful, a pleasant living could be made--and without too much trouble. I should add here again, that our evidence points increasingly to a climate for those times which is very little different from that for the area today. Now look at Egypt and southern Mesopotamia. Both are lands without rain, for all intents and purposes. Both are lands with rivers that have laid down very fertile soil--soil perhaps superior to that in the hilly flanks. But in both lands, the rivers are of no great aid without some control. The Nile floods its banks once a year, in late September or early October. It not only soaks the narrow fertile strip of land on either side; it lays down a fresh layer of new soil each year. Beyond the fertile strip on either side rise great cliffs, and behind them is the desert. In its natural, uncontrolled state, the yearly flood of the Nile must have caused short-lived swamps that were full of crocodiles. After a short time, the flood level would have dropped, the water and the crocodiles would have run back into the river, and the swamp plants would have become parched and dry. The Tigris and the Euphrates of Mesopotamia are less likely to flood regularly than the Nile. The Tigris has a shorter and straighter course than the Euphrates; it is also the more violent river. Its banks are high, and when the snows melt and flow into all of its tributary rivers it is swift and dangerous. The Euphrates has a much longer and more curving course and few important tributaries. Its banks are lower and it is less likely to flood dangerously. The land on either side and between the two rivers is very fertile, south of the modern city of Baghdad. Unlike the Nile Valley, neither the Tigris nor the Euphrates is flanked by cliffs. The land on either side of the rivers stretches out for miles and is not much rougher than a poor tennis court. THE RIVERS MUST BE CONTROLLED The real trick in both Egypt and Mesopotamia is to make the rivers work for you. In Egypt, this is a matter of building dikes and reservoirs that will catch and hold the Nile flood. In this way, the water is held and allowed to run off over the fields as it is needed. In Mesopotamia, it is a matter of taking advantage of natural river channels and branch channels, and of leading ditches from these onto the fields. Obviously, we can no longer find the first dikes or reservoirs of the Nile Valley, or the first canals or ditches of Mesopotamia. The same land has been lived on far too long for any traces of the first attempts to be left; or, especially in Egypt, it has been covered by the yearly deposits of silt, dropped by the river floods. But were pretty sure the first food-producers of Egypt and southern Mesopotamia must have made such dikes, canals, and ditches. In the first place, there cant have been enough rain for them to grow things otherwise. In the second place, the patterns for such projects seem to have been pretty well set by historic times. CONTROL OF THE RIVERS THE BUSINESS OF EVERYONE Here, then, is a _part_ of the reason why civilization grew in Egypt and Mesopotamia first--not in Palestine, Syria, or Iran. In the latter areas, people could manage to produce their food as individuals. It wasnt too hard; there were rain and some streams, and good pasturage for the animals even if a crop or two went wrong. In Egypt and Mesopotamia, people had to put in a much greater amount of work, and this work couldnt be individual work. Whole villages or groups of people had to turn out to fix dikes or dig ditches. The dikes had to be repaired and the ditches carefully cleared of silt each year, or they would become useless. There also had to be hard and fast rules. The person who lived nearest the ditch or the reservoir must not be allowed to take all the water and leave none for his neighbors. It was not only a business of learning to control the rivers and of making their waters do the farmers work. It also meant controlling men. But once these men had managed both kinds of controls, what a wonderful yield they had! The soil was already fertile, and the silt which came in the floods and ditches kept adding fertile soil. THE GERM OF CIVILIZATION IN EGYPT AND MESOPOTAMIA This learning to work together for the common good was the real germ of the Egyptian and the Mesopotamian civilizations. The bare elements of civilization were already there: the need for a governing hand and for laws to see that the communities work was done and that the water was justly shared. You may object that there is a sort of chicken and egg paradox in this idea. How could the people set up the rules until they had managed to get a way to live, and how could they manage to get a way to live until they had set up the rules? I think that small groups must have moved down along the mud-flats of the river banks quite early, making use of naturally favorable spots, and that the rules grew out of such cases. It would have been like the hand-in-hand growth of automobiles and paved highways in the United States. Once the rules and the know-how did get going, there must have been a constant interplay of the two. Thus, the more the crops yielded, the richer and better-fed the people would have been, and the more the population would have grown. As the population grew, more land would have needed to be flooded or irrigated, and more complex systems of dikes, reservoirs, canals, and ditches would have been built. The more complex the system, the more necessity for work on new projects and for the control of their use.... And so on.... What I have just put down for you is a guess at the manner of growth of some of the formalized systems that go to make up a civilized society. My explanation has been pointed particularly at Egypt and Mesopotamia. I have already told you that the irrigation and water-control part of it does not apply to the development of the Aztecs or the Mayas, or perhaps anybody else. But I think that a fair part of the story of Egypt and Mesopotamia must be as Ive just told you. I am particularly anxious that you do _not_ understand me to mean that irrigation _caused_ civilization. I am sure it was not that simple at all. For, in fact, a complex and highly engineered irrigation system proper did not come until later times. Lets say rather that the simple beginnings of irrigation allowed and in fact encouraged a great number of things in the technological, political, social, and moral realms of culture. We do not yet understand what all these things were or how they worked. But without these other aspects of culture, I do not think that urbanization and civilization itself could have come into being. THE ARCHEOLOGICAL SEQUENCE TO CIVILIZATION IN IRAQ We last spoke of the archeological materials of Iraq on page 130, where I described the village-farming community of Hassunan type. The Hassunan type villages appear in the hilly-flanks zone and in the rolling land adjacent to the Tigris in northern Iraq. It is probable that even before the Hassuna pattern of culture lived its course, a new assemblage had been established in northern Iraq and Syria. This assemblage is called Halaf, after a site high on a tributary of the Euphrates, on the Syro-Turkish border. [Illustration: SKETCH OF SELECTED ITEMS OF HALAFIAN ASSEMBLAGE BEADS AND PENDANTS POTTERY MOTIFS POTTERY] The Halafian assemblage is incompletely known. The culture it represents included a remarkably handsome painted pottery. Archeologists have tended to be so fascinated with this pottery that they have bothered little with the rest of the Halafian assemblage. We do know that strange stone-founded houses, with plans like those of the popular notion of an Eskimo igloo, were built. Like the pottery of the Samarran style, which appears as part of the Hassunan assemblage (see p. 131), the Halafian painted pottery implies great concentration and excellence of draftsmanship on the part of the people who painted it. We must mention two very interesting sites adjacent to the mud-flats of the rivers, half way down from northern Iraq to the classic alluvial Mesopotamian area. One is Baghouz on the Euphrates; the other is Samarra on the Tigris (see map, p. 125). Both these sites yield the handsome painted pottery of the style called Samarran: in fact it is Samarra which gives its name to the pottery. Neither Baghouz nor Samarra have completely Hassunan types of assemblages, and at Samarra there are a few pots of proper Halafian style. I suppose that Samarra and Baghouz give us glimpses of those early farmers who had begun to finger their way down the mud-flats of the river banks toward the fertile but yet untilled southland. CLASSIC SOUTHERN MESOPOTAMIA FIRST OCCUPIED Our next step is into the southland proper. Here, deep in the core of the mound which later became the holy Sumerian city of Eridu, Iraqi archeologists uncovered a handsome painted pottery. Pottery of the same type had been noticed earlier by German archeologists on the surface of a small mound, awash in the spring floods, near the remains of the Biblical city of Erich (Sumerian = Uruk; Arabic = Warka). This Eridu pottery, which is about all we have of the assemblage of the people who once produced it, may be seen as a blend of the Samarran and Halafian painted pottery styles. This may over-simplify the case, but as yet we do not have much evidence to go on. The idea does at least fit with my interpretation of the meaning of Baghouz and Samarra as way-points on the mud-flats of the rivers half way down from the north. My colleague, Robert Adams, believes that there were certainly riverine-adapted food-collectors living in lower Mesopotamia. The presence of such would explain why the Eridu assemblage is not simply the sum of the Halafian and Samarran assemblages. But the domesticated plants and animals and the basic ways of food-production must have come from the hilly-flanks country in the north. Above the basal Eridu levels, and at a number of other sites in the south, comes a full-fledged assemblage called Ubaid. Incidentally, there is an aspect of the Ubaidian assemblage in the north as well. It seems to move into place before the Halaf manifestation is finished, and to blend with it. The Ubaidian assemblage in the south is by far the more spectacular. The development of the temple has been traced at Eridu from a simple little structure to a monumental building some 62 feet long, with a pilaster-decorated faade and an altar in its central chamber. There is painted Ubaidian pottery, but the style is hurried and somewhat careless and gives the _impression_ of having been a cheap mass-production means of decoration when compared with the carefully drafted styles of Samarra and Halaf. The Ubaidian people made other items of baked clay: sickles and axes of very hard-baked clay are found. The northern Ubaidian sites have yielded tools of copper, but metal tools of unquestionable Ubaidian find-spots are not yet available from the south. Clay figurines of human beings with monstrous turtle-like faces are another item in the southern Ubaidian assemblage. [Illustration: SKETCH OF SELECTED ITEMS OF UBAIDIAN ASSEMBLAGE] There is a large Ubaid cemetery at Eridu, much of it still awaiting excavation. The few skeletons so far tentatively studied reveal a completely modern type of Mediterraneanoid; the individuals whom the skeletons represent would undoubtedly blend perfectly into the modern population of southern Iraq. What the Ubaidian assemblage says to us is that these people had already adapted themselves and their culture to the peculiar riverine environment of classic southern Mesopotamia. For example, hard-baked clay axes will chop bundles of reeds very well, or help a mason dress his unbaked mud bricks, and there were only a few soft and pithy species of trees available. The Ubaidian levels of Eridu yield quantities of date pits; that excellent and characteristically Iraqi fruit was already in use. The excavators also found the clay model of a ship, with the stepping-point for a mast, so that Sinbad the Sailor must have had his antecedents as early as the time of Ubaid. The bones of fish, which must have flourished in the larger canals as well as in the rivers, are common in the Ubaidian levels and thereafter. THE UBAIDIAN ACHIEVEMENT On present evidence, my tendency is to see the Ubaidian assemblage in southern Iraq as the trace of a new era. I wish there were more evidence, but what we have suggests this to me. The culture of southern Ubaid soon became a culture of towns--of centrally located towns with some rural villages about them. The town had a temple and there must have been priests. These priests probably had political and economic functions as well as religious ones, if the somewhat later history of Mesopotamia may suggest a pattern for us. Presently the temple and its priesthood were possibly the focus of the market; the temple received its due, and may already have had its own lands and herds and flocks. The people of the town, undoubtedly at least in consultation with the temple administration, planned and maintained the simple irrigation ditches. As the system flourished, the community of rural farmers would have produced more than sufficient food. The tendency for specialized crafts to develop--tentative at best at the cultural level of the earlier village-farming community era--would now have been achieved, and probably many other specialists in temple administration, water control, architecture, and trade would also have appeared, as the surplus food-supply was assured. Southern Mesopotamia is not a land rich in natural resources other than its fertile soil. Stone, good wood for construction, metal, and innumerable other things would have had to be imported. Grain and dates--although both are bulky and difficult to transport--and wool and woven stuffs must have been the mediums of exchange. Over what area did the trading net-work of Ubaid extend? We start with the idea that the Ubaidian assemblage is most richly developed in the south. We assume, I think, correctly, that it represents a cultural flowering of the south. On the basis of the pottery of the still elusive Eridu immigrants who had first followed the rivers into alluvial Mesopotamia, we get the notion that the characteristic painted pottery style of Ubaid was developed in the southland. If this reconstruction is correct then we may watch with interest where the Ubaid pottery-painting tradition spread. We have already mentioned that there is a substantial assemblage of (and from the southern point of view, _fairly_ pure) Ubaidian material in northern Iraq. The pottery appears all along the Iranian flanks, even well east of the head of the Persian Gulf, and ends in a later and spectacular flourish in an extremely handsome painted style called the Susa style. Ubaidian pottery has been noted up the valleys of both of the great rivers, well north of the Iraqi and Syrian borders on the southern flanks of the Anatolian plateau. It reaches the Mediterranean Sea and the valley of the Orontes in Syria, and it may be faintly reflected in the painted style of a site called Ghassul, on the east bank of the Jordan in the Dead Sea Valley. Over this vast area--certainly in all of the great basin of the Tigris-Euphrates drainage system and its natural extensions--I believe we may lay our fingers on the traces of a peculiar way of decorating pottery, which we call Ubaidian. This cursive and even slap-dash decoration, it appears to me, was part of a new cultural tradition which arose from the adjustments which immigrant northern farmers first made to the new and challenging environment of southern Mesopotamia. But exciting as the idea of the spread of influences of the Ubaid tradition in space may be, I believe you will agree that the consequences of the growth of that tradition in southern Mesopotamia itself, as time passed, are even more important. THE WARKA PHASE IN THE SOUTH So far, there are only two radiocarbon determinations for the Ubaidian assemblage, one from Tepe Gawra in the north and one from Warka in the south. My hunch would be to use the dates 4500 to 3750 B.C., with a plus or more probably a minus factor of about two hundred years for each, as the time duration of the Ubaidian assemblage in southern Mesopotamia. Next, much to our annoyance, we have what is almost a temporary black-out. According to the system of terminology I favor, our next assemblage after that of Ubaid is called the _Warka_ phase, from the Arabic name for the site of Uruk or Erich. We know it only from six or seven levels in a narrow test-pit at Warka, and from an even smaller hole at another site. This assemblage, so far, is known only by its pottery, some of which still bears Ubaidian style painting. The characteristic Warkan pottery is unpainted, with smoothed red or gray surfaces and peculiar shapes. Unquestionably, there must be a great deal more to say about the Warkan assemblage, but someone will first have to excavate it! THE DAWN OF CIVILIZATION After our exasperation with the almost unknown Warka interlude, following the brilliant false dawn of Ubaid, we move next to an assemblage which yields traces of a preponderance of those elements which we noted (p. 144) as meaning civilization. This assemblage is that called _Proto-Literate_; it already contains writing. On the somewhat shaky principle that writing, however early, means history--and no longer prehistory--the assemblage is named for the historical implications of its content, and no longer after the name of the site where it was first found. Since some of the older books used site-names for this assemblage, I will tell you that the Proto-Literate includes the latter half of what used to be called the Uruk period _plus_ all of what used to be called the Jemdet Nasr period. It shows a consistent development from beginning to end. I shall, in fact, leave much of the description and the historic implications of the Proto-Literate assemblage to the conventional historians. Professor T. J. Jacobsen, reaching backward from the legends he finds in the cuneiform writings of slightly later times, can in fact tell you a more complete story of Proto-Literate culture than I can. It should be enough here if I sum up briefly what the excavated archeological evidence shows. We have yet to dig a Proto-Literate site in its entirety, but the indications are that the sites cover areas the size of small cities. In architecture, we know of large and monumental temple structures, which were built on elaborate high terraces. The plans and decoration of these temples follow the pattern set in the Ubaid phase: the chief difference is one of size. The German excavators at the site of Warka reckoned that the construction of only one of the Proto-Literate temple complexes there must have taken 1,500 men, each working a ten-hour day, five years to build. ART AND WRITING If the architecture, even in its monumental forms, can be seen to stem from Ubaidian developments, this is not so with our other evidence of Proto-Literate artistic expression. In relief and applied sculpture, in sculpture in the round, and on the engraved cylinder seals--all of which now make their appearance--several completely new artistic principles are apparent. These include the composition of subject-matter in groups, commemorative scenes, and especially the ability and apparent desire to render the human form and face. Excellent as the animals of the Franco-Cantabrian art may have been (see p. 85), and however handsome were the carefully drafted geometric designs and conventionalized figures on the pottery of the early farmers, there seems to have been, up to this time, a mental block about the drawing of the human figure and especially the human face. We do not yet know what caused this self-consciousness about picturing themselves which seems characteristic of men before the appearance of civilization. We do know that with civilization, the mental block seems to have been removed. Clay tablets bearing pictographic signs are the Proto-Literate forerunners of cuneiform writing. The earliest examples are not well understood but they seem to be devices for making accounts and for remembering accounts. Different from the later case in Egypt, where writing appears fully formed in the earliest examples, the development from simple pictographic signs to proper cuneiform writing may be traced, step by step, in Mesopotamia. It is most probable that the development of writing was connected with the temple and the need for keeping account of the temples possessions. Professor Jacobsen sees writing as a means for overcoming space, time, and the increasing complications of human affairs: Literacy, which began with ... civilization, enhanced mightily those very tendencies in its development which characterize it as a civilization and mark it off as such from other types of culture. [Illustration: RELIEF ON A PROTO-LITERATE STONE VASE, WARKA Unrolled drawing, with restoration suggested by figures from contemporary cylinder seals] While the new principles in art and the idea of writing are not foreshadowed in the Ubaid phase, or in what little we know of the Warkan, I do not think we need to look outside southern Mesopotamia for their beginnings. We do know something of the adjacent areas, too, and these beginnings are not there. I think we must accept them as completely new discoveries, made by the people who were developing the whole new culture pattern of classic southern Mesopotamia. Full description of the art, architecture, and writing of the Proto-Literate phase would call for many details. Men like Professor Jacobsen and Dr. Adams can give you these details much better than I can. Nor shall I do more than tell you that the common pottery of the Proto-Literate phase was so well standardized that it looks factory made. There was also some handsome painted pottery, and there were stone bowls with inlaid decoration. Well-made tools in metal had by now become fairly common, and the metallurgist was experimenting with the casting process. Signs for plows have been identified in the early pictographs, and a wheeled chariot is shown on a cylinder seal engraving. But if I were forced to a guess in the matter, I would say that the development of plows and draft-animals probably began in the Ubaid period and was another of the great innovations of that time. The Proto-Literate assemblage clearly suggests a highly developed and sophisticated culture. While perhaps not yet fully urban, it is on the threshold of urbanization. There seems to have been a very dense settlement of Proto-Literate sites in classic southern Mesopotamia, many of them newly founded on virgin soil where no earlier settlements had been. When we think for a moment of what all this implies, of the growth of an irrigation system which must have existed to allow the flourish of this culture, and of the social and political organization necessary to maintain the irrigation system, I think we will agree that at last we are dealing with civilization proper. FROM PREHISTORY TO HISTORY Now it is time for the conventional ancient historians to take over the story from me. Remember this when you read what they write. Their real base-line is with cultures ruled over by later kings and emperors, whose writings describe military campaigns and the administration of laws and fully organized trading ventures. To these historians, the Proto-Literate phase is still a simple beginning for what is to follow. If they mention the Ubaid assemblage at all--the one I was so lyrical about--it will be as some dim and fumbling step on the path to the civilized way of life. I suppose you could say that the difference in the approach is that as a prehistorian I have been looking forward or upward in time, while the historians look backward to glimpse what Ive been describing here. My base-line was half a million years ago with a being who had little more than the capacity to make tools and fire to distinguish him from the animals about him. Thus my point of view and that of the conventional historian are bound to be different. You will need both if you want to understand all of the story of men, as they lived through time to the present. End of PREHISTORY [Illustration] Youll doubtless easily recall your general course in ancient history: how the Sumerian dynasties of Mesopotamia were supplanted by those of Babylonia, how the Hittite kingdom appeared in Anatolian Turkey, and about the three great phases of Egyptian history. The literate kingdom of Crete arose, and by 1500 B.C. there were splendid fortified Mycenean towns on the mainland of Greece. This was the time--about the whole eastern end of the Mediterranean--of what Professor Breasted called the first great internationalism, with flourishing trade, international treaties, and royal marriages between Egyptians, Babylonians, and Hittites. By 1200 B.C., the whole thing had fragmented: the peoples of the sea were restless in their isles, and the great ancient centers in Egypt, Mesopotamia, and Anatolia were eclipsed. Numerous smaller states arose--Assyria, Phoenicia, Israel--and the Trojan war was fought. Finally Assyria became the paramount power of all the Near East, presently to be replaced by Persia. A new culture, partaking of older west Asiatic and Egyptian elements, but casting them with its own tradition into a new mould, arose in mainland Greece. I once shocked my Classical colleagues to the core by referring to Greece as a second degree derived civilization, but there is much truth in this. The principles of bronze- and then of iron-working, of the alphabet, and of many other elements in Greek culture were borrowed from western Asia. Our debt to the Greeks is too well known for me even to mention it, beyond recalling to you that it is to Greece we owe the beginnings of rational or empirical science and thought in general. But Greece fell in its turn to Rome, and in 55 B.C. Caesar invaded Britain. I last spoke of Britain on page 142; I had chosen it as my single example for telling you something of how the earliest farming communities were established in Europe. Now I will continue with Britains later prehistory, so you may sense something of the end of prehistory itself. Remember that Britain is simply a single example we select; the same thing could be done for all the other countries of Europe, and will be possible also, some day, for further Asia and Africa. Remember, too, that prehistory in most of Europe runs on for three thousand or more years _after_ conventional ancient history begins in the Near East. Britain is a good example to use in showing how prehistory ended in Europe. As we said earlier, it lies at the opposite end of Europe from the area of highest cultural achievement in those times, and should you care to read more of the story in detail, you may do so in the English language. METAL USERS REACH ENGLAND We left the story of Britain with the peoples who made three different assemblages--the Windmill Hill, the megalith-builders, and the Peterborough--making adjustments to their environments, to the original inhabitants of the island, and to each other. They had first arrived about 2500 B.C., and were simple pastoralists and hoe cultivators who lived in little village communities. Some of them planted little if any grain. By 2000 B.C., they were well settled in. Then, somewhere in the range from about 1900 to 1800 B.C., the traces of the invasion of a new series of peoples began to appear. The first newcomers are called the Beaker folk, after the name of a peculiar form of pottery they made. The beaker type of pottery seems oldest in Spain, where it occurs with great collective tombs of megalithic construction and with copper tools. But the Beaker folk who reached England seem already to have moved first from Spain(?) to the Rhineland and Holland. While in the Rhineland, and before leaving for England, the Beaker folk seem to have mixed with the local population and also with incomers from northeastern Europe whose culture included elements brought originally from the Near East by the eastern way through the steppes. This last group has also been named for a peculiar article in its assemblage; the group is called the Battle-axe folk. A few Battle-axe folk elements, including, in fact, stone battle-axes, reached England with the earliest Beaker folk,[6] coming from the Rhineland. [6] The British authors use the term Beaker folk to mean both archeological assemblage and human physical type. They speak of a ... tall, heavy-boned, rugged, and round-headed strain which they take to have developed, apparently in the Rhineland, by a mixture of the original (Spanish?) beaker-makers and the northeast European battle-axe makers. However, since the science of physical anthropology is very much in flux at the moment, and since I am not able to assess the evidence for these physical types, I _do not_ use the term folk in this book with its usual meaning of standardized physical type. When I use folk here, I mean simply _the makers of a given archeological assemblage_. The difficulty only comes when assemblages are named for some item in them; it is too clumsy to make an adjective of the item and refer to a beakerian assemblage. The Beaker folk settled earliest in the agriculturally fertile south and east. There seem to have been several phases of Beaker folk invasions, and it is not clear whether these all came strictly from the Rhineland or Holland. We do know that their copper daggers and awls and armlets are more of Irish or Atlantic European than of Rhineland origin. A few simple habitation sites and many burials of the Beaker folk are known. They buried their dead singly, sometimes in conspicuous individual barrows with the dead warrior in his full trappings. The spectacular element in the assemblage of the Beaker folk is a group of large circular monuments with ditches and with uprights of wood or stone. These henges became truly monumental several hundred years later; while they were occasionally dedicated with a burial, they were not primarily tombs. The effect of the invasion of the Beaker folk seems to cut across the whole fabric of life in Britain. [Illustration: BEAKER] There was, however, a second major element in British life at this time. It shows itself in the less well understood traces of a group again called after one of the items in their catalogue, the Food-vessel folk. There are many burials in these food-vessel pots in northern England, Scotland, and Ireland, and the pottery itself seems to link back to that of the Peterborough assemblage. Like the earlier Peterborough people in the highland zone before them, the makers of the food-vessels seem to have been heavily involved in trade. It is quite proper to wonder whether the food-vessel pottery itself was made by local women who were married to traders who were middlemen in the transmission of Irish metal objects to north Germany and Scandinavia. The belt of high, relatively woodless country, from southwest to northeast, was already established as a natural route for inland trade. MORE INVASIONS About 1500 B.C., the situation became further complicated by the arrival of new people in the region of southern England anciently called Wessex. The traces suggest the Brittany coast of France as a source, and the people seem at first to have been a small but heroic group of aristocrats. Their heroes are buried with wealth and ceremony, surrounded by their axes and daggers of bronze, their gold ornaments, and amber and jet beads. These rich finds show that the trade-linkage these warriors patronized spread from the Baltic sources of amber to Mycenean Greece or even Egypt, as evidenced by glazed blue beads. The great visual trace of Wessex achievement is the final form of the spectacular sanctuary at Stonehenge. A wooden henge or circular monument was first made several hundred years earlier, but the site now received its great circles of stone uprights and lintels. The diameter of the surrounding ditch at Stonehenge is about 350 feet, the diameter of the inner circle of large stones is about 100 feet, and the tallest stone of the innermost horseshoe-shaped enclosure is 29 feet 8 inches high. One circle is made of blue stones which must have been transported from Pembrokeshire, 145 miles away as the crow flies. Recently, many carvings representing the profile of a standard type of bronze axe of the time, and several profiles of bronze daggers--one of which has been called Mycenean in type--have been found carved in the stones. We cannot, of course, describe the details of the religious ceremonies which must have been staged in Stonehenge, but we can certainly imagine the well-integrated and smoothly working culture which must have been necessary before such a great monument could have been built. THIS ENGLAND The range from 1900 to about 1400 B.C. includes the time of development of the archeological features usually called the Early Bronze Age in Britain. In fact, traces of the Wessex warriors persisted down to about 1200 B.C. The main regions of the island were populated, and the adjustments to the highland and lowland zones were distinct and well marked. The different aspects of the assemblages of the Beaker folk and the clearly expressed activities of the Food-vessel folk and the Wessex warriors show that Britain was already taking on her characteristic trading role, separated from the European continent but conveniently adjacent to it. The tin of Cornwall--so important in the production of good bronze--as well as the copper of the west and of Ireland, taken with the gold of Ireland and the general excellence of Irish metal work, assured Britain a traders place in the then known world. Contacts with the eastern Mediterranean may have been by sea, with Cornish tin as the attraction, or may have been made by the Food-vessel middlemen on their trips to the Baltic coast. There they would have encountered traders who traveled the great north-south European road, by which Baltic amber moved southward to Greece and the Levant, and ideas and things moved northward again. There was, however, the Channel between England and Europe, and this relative isolation gave some peace and also gave time for a leveling and further fusion of culture. The separate cultural traditions began to have more in common. The growing of barley, the herding of sheep and cattle, and the production of woolen garments were already features common to all Britains inhabitants save a few in the remote highlands, the far north, and the distant islands not yet fully touched by food-production. The personality of Britain was being formed. CREMATION BURIALS BEGIN Along with people of certain religious faiths, archeologists are against cremation (for other people!). Individuals to be cremated seem in past times to have been dressed in their trappings and put upon a large pyre: it takes a lot of wood and a very hot fire for a thorough cremation. When the burning had been completed, the few fragile scraps of bone and such odd beads of stone or other rare items as had resisted the great heat seem to have been whisked into a pot and the pot buried. The archeologist is left with the pot and the unsatisfactory scraps in it. Tentatively, after about 1400 B.C. and almost completely over the whole island by 1200 B.C., Britain became the scene of cremation burials in urns. We know very little of the people themselves. None of their settlements have been identified, although there is evidence that they grew barley and made enclosures for cattle. The urns used for the burials seem to have antecedents in the pottery of the Food-vessel folk, and there are some other links with earlier British traditions. In Lancashire, a wooden circle seems to have been built about a grave with cremated burials in urns. Even occasional instances of cremation may be noticed earlier in Britain, and it is not clear what, if any, connection the British cremation burials in urns have with the classic _Urnfields_ which were now beginning in the east Mediterranean and which we shall mention below. The British cremation-burial-in-urns folk survived a long time in the highland zone. In the general British scheme, they make up what is called the Middle Bronze Age, but in the highland zone they last until after 900 B.C. and are considered to be a specialized highland Late Bronze Age. In the highland zone, these later cremation-burial folk seem to have continued the older Food-vessel tradition of being middlemen in the metal market. Granting that our knowledge of this phase of British prehistory is very restricted because the cremations have left so little for the archeologist, it does not appear that the cremation-burial-urn folk can be sharply set off from their immediate predecessors. But change on a grander scale was on the way. REVERBERATIONS FROM CENTRAL EUROPE In the centuries immediately following 1000 B.C., we see with fair clarity two phases of a cultural process which must have been going on for some time. Certainly several of the invasions we have already described in this chapter were due to earlier phases of the same cultural process, but we could not see the details. [Illustration: SLASHING SWORD] Around 1200 B.C. central Europe was upset by the spread of the so-called Urnfield folk, who practiced cremation burial in urns and whom we also know to have been possessors of long, slashing swords and the horse. I told you above that we have no idea that the Urnfield folk proper were in any way connected with the people who made cremation-burial-urn cemeteries a century or so earlier in Britain. It has been supposed that the Urnfield folk themselves may have shared ideas with the people who sacked Troy. We know that the Urnfield pressure from central Europe displaced other people in northern France, and perhaps in northwestern Germany, and that this reverberated into Britain about 1000 B.C. Soon after 750 B.C., the same thing happened again. This time, the pressure from central Europe came from the Hallstatt folk who were iron tool makers: the reverberation brought people from the western Alpine region across the Channel into Britain. At first it is possible to see the separate results of these folk movements, but the developing cultures soon fused with each other and with earlier British elements. Presently there were also strains of other northern and western European pottery and traces of Urnfield practices themselves which appeared in the finished British product. I hope you will sense that I am vastly over-simplifying the details. The result seems to have been--among other things--a new kind of agricultural system. The land was marked off by ditched divisions. Rectangular fields imply the plow rather than hoe cultivation. We seem to get a picture of estate or tribal boundaries which included village communities; we find a variety of tools in bronze, and even whetstones which show that iron has been honed on them (although the scarce iron has not been found). Let me give you the picture in Professor S. Piggotts words: The ... Late Bronze Age of southern England was but the forerunner of the earliest Iron Age in the same region, not only in the techniques of agriculture, but almost certainly in terms of ethnic kinship ... we can with some assurance talk of the Celts ... the great early Celtic expansion of the Continent is recognized to be that of the Urnfield people. Thus, certainly by 500 B.C., there were people in Britain, some of whose descendants we may recognize today in name or language in remote parts of Wales, Scotland, and the Hebrides. THE COMING OF IRON Iron--once the know-how of reducing it from its ore in a very hot, closed fire has been achieved--produces a far cheaper and much more efficient set of tools than does bronze. Iron tools seem first to have been made in quantity in Hittite Anatolia about 1500 B.C. In continental Europe, the earliest, so-called Hallstatt, iron-using cultures appeared in Germany soon after 750 B.C. Somewhat later, Greek and especially Etruscan exports of _objets dart_--which moved with a flourishing trans-Alpine wine trade--influenced the Hallstatt iron-working tradition. Still later new classical motifs, together with older Hallstatt, oriental, and northern nomad motifs, gave rise to a new style in metal decoration which characterizes the so-called La Tne phase. A few iron users reached Britain a little before 400 B.C. Not long after that, a number of allied groups appeared in southern and southeastern England. They came over the Channel from France and must have been Celts with dialects related to those already in England. A second wave of Celts arrived from the Marne district in France about 250 B.C. Finally, in the second quarter of the first century B.C., there were several groups of newcomers, some of whom were Belgae of a mixed Teutonic-Celtic confederacy of tribes in northern France and Belgium. The Belgae preceded the Romans by only a few years. HILL-FORTS AND FARMS The earliest iron-users seem to have entrenched themselves temporarily within hill-top forts, mainly in the south. Gradually, they moved inland, establishing _individual_ farm sites with extensive systems of rectangular fields. We recognize these fields by the lynchets or lines of soil-creep which plowing left on the slopes of hills. New crops appeared; there were now bread wheat, oats, and rye, as well as barley. At Little Woodbury, near the town of Salisbury, a farmstead has been rather completely excavated. The rustic buildings were within a palisade, the round house itself was built of wood, and there were various outbuildings and pits for the storage of grain. Weaving was done on the farm, but not blacksmithing, which must have been a specialized trade. Save for the lack of firearms, the place might almost be taken for a farmstead on the American frontier in the early 1800s. Toward 250 B.C. there seems to have been a hasty attempt to repair the hill-forts and to build new ones, evidently in response to signs of restlessness being shown by remote relatives in France. THE SECOND PHASE Perhaps the hill-forts were not entirely effective or perhaps a compromise was reached. In any case, the newcomers from the Marne district did establish themselves, first in the southeast and then to the north and west. They brought iron with decoration of the La Tne type and also the two-wheeled chariot. Like the Wessex warriors of over a thousand years earlier, they made heroes graves, with their warriors buried in the war-chariots and dressed in full trappings. [Illustration: CELTIC BUCKLE] The metal work of these Marnian newcomers is excellent. The peculiar Celtic art style, based originally on the classic tendril motif, is colorful and virile, and fits with Greek and Roman descriptions of Celtic love of color in dress. There is a strong trace of these newcomers northward in Yorkshire, linked by Ptolemys description to the Parisii, doubtless part of the Celtic tribe which originally gave its name to Paris on the Seine. Near Glastonbury, in Somerset, two villages in swamps have been excavated. They seem to date toward the middle of the first century B.C., which was a troubled time in Britain. The circular houses were built on timber platforms surrounded with palisades. The preservation of antiquities by the water-logged peat of the swamp has yielded us a long catalogue of the materials of these villagers. In Scotland, which yields its first iron tools at a date of about 100 B.C., and in northern Ireland even slightly earlier, the effects of the two phases of newcomers tend especially to blend. Hill-forts, brochs (stone-built round towers) and a variety of other strange structures seem to appear as the new ideas develop in the comparative isolation of northern Britain. THE THIRD PHASE For the time of about the middle of the first century B.C., we again see traces of frantic hill-fort construction. This simple military architecture now took some new forms. Its multiple ramparts must reflect the use of slings as missiles, rather than spears. We probably know the reason. In 56 B.C., Julius Caesar chastised the Veneti of Brittany for outraging the dignity of Roman ambassadors. The Veneti were famous slingers, and doubtless the reverberations of escaping Veneti were felt across the Channel. The military architecture suggests that some Veneti did escape to Britain. Also, through Caesar, we learn the names of newcomers who arrived in two waves, about 75 B.C. and about 50 B.C. These were the Belgae. Now, at last, we can even begin to speak of dynasties and individuals. Some time before 55 B.C., the Catuvellauni, originally from the Marne district in France, had possessed themselves of a large part of southeastern England. They evidently sailed up the Thames and built a town of over a hundred acres in area. Here ruled Cassivellaunus, the first man in England whose name we know, and whose town Caesar sacked. The town sprang up elsewhere again, however. THE END OF PREHISTORY Prehistory, strictly speaking, is now over in southern Britain. Claudius effective invasion took place in 43 A.D.; by 83 A.D., a raid had been made as far north as Aberdeen in Scotland. But by 127 A.D., Hadrian had completed his wall from the Solway to the Tyne, and the Romans settled behind it. In Scotland, Romanization can have affected the countryside very little. Professor Piggott adds that ... it is when the pressure of Romanization is relaxed by the break-up of the Dark Ages that we see again the Celtic metal-smiths handling their material with the same consummate skill as they had before the Roman Conquest, and with traditional styles that had not even then forgotten their Marnian and Belgic heritage. In fact, many centuries go by, in Britain as well as in the rest of Europe, before the archeologists task is complete and the historian on his own is able to describe the ways of men in the past. BRITAIN AS A SAMPLE OF THE GENERAL COURSE OF PREHISTORY IN EUROPE In giving this very brief outline of the later prehistory of Britain, you will have noticed how often I had to refer to the European continent itself. Britain, beyond the English Channel for all of her later prehistory, had a much simpler course of events than did most of the rest of Europe in later prehistoric times. This holds, in spite of all the invasions and reverberations from the continent. Most of Europe was the scene of an even more complicated ebb and flow of cultural change, save in some of its more remote mountain valleys and peninsulas. The whole course of later prehistory in Europe is, in fact, so very complicated that there is no single good book to cover it all; certainly there is none in English. There are some good regional accounts and some good general accounts of part of the range from about 3000 B.C. to A.D. 1. I suspect that the difficulty of making a good book that covers all of its later prehistory is another aspect of what makes Europe so very complicated a continent today. The prehistoric foundations for Europes very complicated set of civilizations, cultures, and sub-cultures--which begin to appear as history proceeds--were in themselves very complicated. Hence, I selected the case of Britain as a single example of how prehistory ends in Europe. It could have been more complicated than we found it to be. Even in the subject matter on Britain in the chapter before the last, we did not see direct traces of the effect on Britain of the very important developments which took place in the Danubian way from the Near East. Apparently Britain was not affected. Britain received the impulses which brought copper, bronze, and iron tools from an original east Mediterranean homeland into Europe, almost at the ends of their journeys. But by the same token, they had had time en route to take on their characteristic European aspects. Some time ago, Sir Cyril Fox wrote a famous book called _The Personality of Britain_, sub-titled Its Influence on Inhabitant and Invader in Prehistoric and Early Historic Times. We have not gone into the post-Roman early historic period here; there are still the Anglo-Saxons and Normans to account for as well as the effects of the Romans. But what I have tried to do was to begin the story of how the personality of Britain was formed. The principles that Fox used, in trying to balance cultural and environmental factors and interrelationships would not be greatly different for other lands. Summary [Illustration] In the pages you have read so far, you have been brought through the earliest 99 per cent of the story of mans life on this planet. I have left only 1 per cent of the story for the historians to tell. THE DRAMA OF THE PAST Men first became men when evolution had carried them to a certain point. This was the point where the eye-hand-brain co-ordination was good enough so that tools could be made. When tools began to be made according to sets of lasting habits, we know that men had appeared. This happened over a half million years ago. The stage for the play may have been as broad as all of Europe, Africa, and Asia. At least, it seems unlikely that it was only one little region that saw the beginning of the drama. Glaciers and different climates came and went, to change the settings. But the play went on in the same first act for a very long time. The men who were the players had simple roles. They had to feed themselves and protect themselves as best they could. They did this by hunting, catching, and finding food wherever they could, and by taking such protection as caves, fire, and their simple tools would give them. Before the first act was over, the last of the glaciers was melting away, and the players had added the New World to their stage. If we want a special name for the first act, we could call it _The Food-Gatherers_. There were not many climaxes in the first act, so far as we can see. But I think there may have been a few. Certainly the pace of the first act accelerated with the swing from simple gathering to more intensified collecting. The great cave art of France and Spain was probably an expression of a climax. Even the ideas of burying the dead and of the Venus figurines must also point to levels of human thought and activity that were over and above pure food-getting. THE SECOND ACT The second act began only about ten thousand years ago. A few of the players started it by themselves near the center of the Old World part of the stage, in the Near East. It began as a plant and animal act, but it soon became much more complicated. But the players in this one part of the stage--in the Near East--were not the only ones to start off on the second act by themselves. Other players, possibly in several places in the Far East, and certainly in the New World, also started second acts that began as plant and animal acts, and then became complicated. We can call the whole second act _The Food-Producers_. THE FIRST GREAT CLIMAX OF THE SECOND ACT In the Near East, the first marked climax of the second act happened in Mesopotamia and Egypt. The play and the players reached that great climax that we call civilization. This seems to have come less than five thousand years after the second act began. But it could never have happened in the first act at all. There is another curious thing about the first act. Many of the players didnt know it was over and they kept on with their roles long after the second act had begun. On the edges of the stage there are today some players who are still going on with the first act. The Eskimos, and the native Australians, and certain tribes in the Amazon jungle are some of these players. They seem perfectly happy to keep on with the first act. The second act moved from climax to climax. The civilizations of Mesopotamia and Egypt were only the earliest of these climaxes. The players to the west caught the spirit of the thing, and climaxes followed there. So also did climaxes come in the Far Eastern and New World portions of the stage. The greater part of the second act should really be described to you by a historian. Although it was a very short act when compared to the first one, the climaxes complicate it a great deal. I, a prehistorian, have told you about only the first act, and the very beginning of the second. THE THIRD ACT Also, as a prehistorian I probably should not even mention the third act--it began so recently. The third act is _The Industrialization_. It is the one in which we ourselves are players. If the pace of the second act was so much faster than that of the first, the pace of the third act is terrific. The danger is that it may wear down the players completely. What sort of climaxes will the third act have, and are we already in one? You have seen by now that the acts of my play are given in terms of modes or basic patterns of human economy--ways in which people get food and protection and safety. The climaxes involve more than human economy. Economics and technological factors may be part of the climaxes, but they are not all. The climaxes may be revolutions in their own way, intellectual and social revolutions if you like. If the third act follows the pattern of the second act, a climax should come soon after the act begins. We may be due for one soon if we are not already in it. Remember the terrific pace of this third act. WHY BOTHER WITH PREHISTORY? Why do we bother about prehistory? The main reason is that we think it may point to useful ideas for the present. We are in the troublesome beginnings of the third act of the play. The beginnings of the second act may have lessons for us and give depth to our thinking. I know there are at least _some_ lessons, even in the present incomplete state of our knowledge. The players who began the second act--that of food-production--separately, in different parts of the world, were not all of one pure race nor did they have pure cultural traditions. Some apparently quite mixed Mediterraneans got off to the first start on the second act and brought it to its first two climaxes as well. Peoples of quite different physical type achieved the first climaxes in China and in the New World. In our British example of how the late prehistory of Europe worked, we listed a continuous series of invasions and reverberations. After each of these came fusion. Even though the Channel protected Britain from some of the extreme complications of the mixture and fusion of continental Europe, you can see how silly it would be to refer to a pure British race or a pure British culture. We speak of the United States as a melting pot. But this is nothing new. Actually, Britain and all the rest of the world have been melting pots at one time or another. By the time the written records of Mesopotamia and Egypt begin to turn up in number, the climaxes there are well under way. To understand the beginnings of the climaxes, and the real beginnings of the second act itself, we are thrown back on prehistoric archeology. And this is as true for China, India, Middle America, and the Andes, as it is for the Near East. There are lessons to be learned from all of mans past, not simply lessons of how to fight battles or win peace conferences, but of how human society evolves from one stage to another. Many of these lessons can only be looked for in the prehistoric past. So far, we have only made a beginning. There is much still to do, and many gaps in the story are yet to be filled. The prehistorians job is to find the evidence, to fill the gaps, and to discover the lessons men have learned in the past. As I see it, this is not only an exciting but a very practical goal for which to strive. List of Books BOOKS OF GENERAL INTEREST (Chosen from a variety of the increasingly useful list of cheap paperbound books.) Childe, V. Gordon _What Happened in History._ 1954. Penguin. _Man Makes Himself._ 1955. Mentor. _The Prehistory of European Society._ 1958. Penguin. Dunn, L. C., and Dobzhansky, Th. _Heredity, Race, and Society._ 1952. Mentor. Frankfort, Henri, Frankfort, H. A., Jacobsen, Thorkild, and Wilson, John A. _Before Philosophy._ 1954. Penguin. Simpson, George G. _The Meaning of Evolution._ 1955. Mentor. Wheeler, Sir Mortimer _Archaeology from the Earth._ 1956. Penguin. GEOCHRONOLOGY AND THE ICE AGE (Two general books. Some Pleistocene geologists disagree with Zeuners interpretation of the dating evidence, but their points of view appear in professional journals, in articles too cumbersome to list here.) Flint, R. F. _Glacial Geology and the Pleistocene Epoch._ 1947. John Wiley and Sons. Zeuner, F. E. _Dating the Past._ 1952 (3rd ed.). Methuen and Co. FOSSIL MEN AND RACE (The points of view of physical anthropologists and human paleontologists are changing very quickly. Two of the different points of view are listed here.) Clark, W. E. Le Gros _History of the Primates._ 1956 (5th ed.). British Museum (Natural History). (Also in Phoenix edition, 1957.) Howells, W. W. _Mankind So Far._ 1944. Doubleday, Doran. GENERAL ANTHROPOLOGY (These are standard texts not absolutely up to date in every detail, or interpretative essays concerned with cultural change through time as well as in space.) Kroeber, A. L. _Anthropology._ 1948. Harcourt, Brace. Linton, Ralph _The Tree of Culture._ 1955. Alfred A. Knopf, Inc. Redfield, Robert _The Primitive World and Its Transformations._ 1953. Cornell University Press. Steward, Julian H. _Theory of Culture Change._ 1955. University of Illinois Press. White, Leslie _The Science of Culture._ 1949. Farrar, Strauss. GENERAL PREHISTORY (A sampling of the more useful and current standard works in English.) Childe, V. Gordon _The Dawn of European Civilization._ 1957. Kegan Paul, Trench, Trubner. _Prehistoric Migrations in Europe._ 1950. Instituttet for Sammenlignende Kulturforskning. Clark, Grahame _Archaeology and Society._ 1957. Harvard University Press. Clark, J. G. D. _Prehistoric Europe: The Economic Basis._ 1952. Methuen and Co. Garrod, D. A. E. _Environment, Tools, and Man._ 1946. Cambridge University Press. Movius, Hallam L., Jr. Old World Prehistory: Paleolithic in _Anthropology Today_. Kroeber, A. L., ed. 1953. University of Chicago Press. Oakley, Kenneth P. _Man the Tool-Maker._ 1956. British Museum (Natural History). (Also in Phoenix edition, 1957.) Piggott, Stuart _British Prehistory._ 1949. Oxford University Press. Pittioni, Richard _Die Urgeschichtlichen Grundlagen der Europischen Kultur._ 1949. Deuticke. (A single book which does attempt to cover the whole range of European prehistory to ca. 1 A.D.) THE NEAR EAST Adams, Robert M. Developmental Stages in Ancient Mesopotamia, _in_ Steward, Julian, _et al_, _Irrigation Civilizations: A Comparative Study_. 1955. Pan American Union. Braidwood, Robert J. _The Near East and the Foundations for Civilization._ 1952. University of Oregon. Childe, V. Gordon _New Light on the Most Ancient East._ 1952. Oriental Dept., Routledge and Kegan Paul. Frankfort, Henri _The Birth of Civilization in the Near East._ 1951. University of Indiana Press. (Also in Anchor edition, 1956.) Pallis, Svend A. _The Antiquity of Iraq._ 1956. Munksgaard. Wilson, John A. _The Burden of Egypt._ 1951. University of Chicago Press. (Also in Phoenix edition, called _The Culture of Ancient Egypt_, 1956.) HOW DIGGING IS DONE Braidwood, Linda _Digging beyond the Tigris._ 1953. Schuman, New York. Wheeler, Sir Mortimer _Archaeology from the Earth._ 1954. Oxford, London. Index Abbevillian, 48; core-biface tool, 44, 48 Acheulean, 48, 60 Acheuleo-Levalloisian, 63 Acheuleo-Mousterian, 63 Adams, R. M., 106 Adzes, 45 Africa, east, 67, 89; north, 70, 89; south, 22, 25, 34, 40, 67 Agriculture, incipient, in England, 140; in Near East, 123 Ain Hanech, 48 Amber, taken from Baltic to Greece, 167 American Indians, 90, 142 Anatolia, used as route to Europe, 138 Animals, in caves, 54, 64; in cave art, 85 Antevs, Ernst, 19 Anyathian, 47 Archeological interpretation, 8 Archeology, defined, 8 Architecture, at Jarmo, 128; at Jericho, 133 Arrow, points, 94; shaft straightener, 83 Art, in caves, 84; East Spanish, 85; figurines, 84; Franco-Cantabrian, 84, 85; movable (engravings, modeling, scratchings), 83; painting, 83; sculpture, 83 Asia, western, 67 Assemblage, defined, 13, 14; European, 94; Jarmo, 129; Maglemosian, 94; Natufian, 113 Aterian, industry, 67; point, 89 Australopithecinae, 24 Australopithecine, 25, 26 Awls, 77 Axes, 62, 94 Ax-heads, 15 Azilian, 97 Aztecs, 145 Baghouz, 152 Bakun, 134 Baltic sea, 93 Banana, 107 Barley, wild, 108 Barrow, 141 Battle-axe folk, 164; assemblage, 164 Beads, 80; bone, 114 Beaker folk, 164; assemblage, 164-165 Bear, in cave art, 85; cult, 68 Belgium, 94 Belt cave, 126 Bering Strait, used as route to New World, 98 Bison, in cave art, 85 Blade, awl, 77; backed, 75; blade-core, 71; end-scraper, 77; stone, defined, 71; strangulated (notched), 76; tanged point, 76; tools, 71, 75-80, 90; tool tradition, 70 Boar, wild, in cave art, 85 Bogs, source of archeological materials, 94 Bolas, 54 Bordes, Franois, 62 Borer, 77 Boskop skull, 34 Boyd, William C., 35 Bracelets, 118 Brain, development of, 24 Breadfruit, 107 Breasted, James H., 107 Brick, at Jericho, 133 Britain, 94; late prehistory, 163-175; invaders, 173 Broch, 172 Buffalo, in China, 54; killed by stampede, 86 Burials, 66, 86; in henges, 164; in urns, 168 Burins, 75 Burma, 90 Byblos, 134 Camel, 54 Cannibalism, 55 Cattle, wild, 85, 112; in cave art, 85; domesticated, 15; at Skara Brae, 142 Caucasoids, 34 Cave men, 29 Caves, 62; art in, 84 Celts, 170 Chariot, 160 Chicken, domestication of, 107 Chiefs, in food-gathering groups, 68 Childe, V. Gordon, 8 China, 136 Choukoutien, 28, 35 Choukoutienian, 47 Civilization, beginnings, 144, 149, 157; meaning of, 144 Clactonian, 45, 47 Clay, used in modeling, 128; baked, used for tools, 153 Club-heads, 82, 94 Colonization, in America, 142; in Europe, 142 Combe Capelle, 30 Combe Capelle-Brnn group, 34 Commont, Victor, 51 Coon, Carlton S., 73 Copper, 134 Corn, in America, 145 Corrals for cattle, 140 Cradle of mankind, 136 Cremation, 167 Crete, 162 Cro-Magnon, 30, 34 Cultivation, incipient, 105, 109, 111 Culture, change, 99; characteristics, defined, 38, 49; prehistoric, 39 Danube Valley, used as route from Asia, 138 Dates, 153 Deer, 54, 96 Dog, domesticated, 96 Domestication, of animals, 100, 105, 107; of plants, 100 Dragon teeth fossils in China, 28 Drill, 77 Dubois, Eugene, 26 Early Dynastic Period, Mesopotamia, 147 East Spanish art, 72, 85 Egypt, 70, 126 Ehringsdorf, 31 Elephant, 54 Emiliani, Cesare, 18 Emiran flake point, 73 England, 163-168; prehistoric, 19, 40; farmers in, 140 Eoanthropus dawsoni, 29 Eoliths, 41 Erich, 152 Eridu, 152 Euphrates River, floods in, 148 Europe, cave dwellings, 58; at end of Ice Age, 93; early farmers, 140; glaciers in, 40; huts in, 86; routes into, 137-140; spread of food-production to, 136 Far East, 69, 90 Farmers, 103 Fauresmith industry, 67 Fayum, 135; radiocarbon date, 146 Fertile Crescent, 107, 146 Figurines, Venus, 84; at Jarmo, 128; at Ubaid, 153 Fire, used by Peking man, 54 First Dynasty, Egypt, 147 Fish-hooks, 80, 94 Fishing, 80; by food-producers, 122 Fish-lines, 80 Fish spears, 94 Flint industry, 127 Fontchevade, 32, 56, 58 Food-collecting, 104, 121; end of, 104 Food-gatherers, 53, 176 Food-gathering, 99, 104; in Old World, 104; stages of, 104 Food-producers, 176 Food-producing economy, 122; in America, 145; in Asia, 105 Food-producing revolution, 99, 105; causes of, 101; preconditions for, 100 Food-production, beginnings of, 99; carried to Europe, 110 Food-vessel folk, 164 Forest folk, 97, 98, 104, 110 Fox, Sir Cyril, 174 France, caves in, 56 Galley Hill (fossil type), 29 Garrod, D. A., 73 Gazelle, 114 Germany, 94 Ghassul, 156 Glaciers, 18, 30; destruction by, 40 Goat, wild, 108; domesticated, 128 Grain, first planted, 20 Graves, passage, 141; gallery, 141 Greece, civilization in, 163; as route to western Europe, 138; towns in, 162 Grimaldi skeletons, 34 Hackberry seeds used as food, 55 Halaf, 151; assemblage, 151 Hallstatt, tradition, 169 Hand, development of, 24, 25 Hand adzes, 46 Hand axes, 44 Harpoons, antler, 83, 94; bone, 82, 94 Hassuna, 131; assemblage, 131, 132 Heidelberg, fossil type, 28 Hill-forts, in England, 171; in Scotland, 172 Hilly flanks of Near East, 107, 108, 125, 131, 146, 147 History, beginning of, 7, 17 Hoes, 112 Holland, 164 Homo sapiens, 32 Hooton, E. A., 34 Horse, 112; wild, in cave art, 85; in China, 54 Hotu cave, 126 Houses, 122; at Jarmo, 128; at Halaf, 151 Howe, Bruce, 116 Howell, F. Clark, 30 Hunting, 93 Ice Age, in Asia, 99; beginning of, 18; glaciers in, 41; last glaciation, 93 Incas, 145 India, 90, 136 Industrialization, 178 Industry, blade-tool, 88; defined, 58; ground stone, 94 Internationalism, 162 Iran, 107, 147 Iraq, 107, 124, 127, 136, 147 Iron, introduction of, 170 Irrigation, 123, 149, 155 Italy, 138 Jacobsen, T. J., 157 Jarmo, 109, 126, 128, 130; assemblage, 129 Java, 23, 29 Java man, 26, 27, 29 Jefferson, Thomas, 11 Jericho, 119, 133 Judaidah, 134 Kafuan, 48 Kanam, 23, 36 Karim Shahir, 116-119, 124; assemblage, 116, 117 Keith, Sir Arthur, 33 Kelley, Harper, 51 Kharga, 126 Khartoum, 136 Knives, 80 Krogman, W. M., 3, 25 Lamps, 85 Land bridges in Mediterranean, 19 La Tne phase, 170 Laurel leaf point, 78, 89 Leakey, L. S. B., 40 Le Moustier, 57 Levalloisian, 47, 61, 62 Levalloiso-Mousterian, 47, 63 Little Woodbury, 170 Magic, used by hunters, 123 Maglemosian, assemblage, 94, 95; folk, 98 Makapan, 40 Mammoth, 93; in cave art, 85 Man-apes, 26 Mango, 107 Mankind, age, 17 Maringer, J., 45 Markets, 155 Marston, A. T., 11 Mathiassen, T., 97 McCown, T. D., 33 Meganthropus, 26, 27, 36 Men, defined, 25; modern, 32 Merimde, 135 Mersin, 133 Metal-workers, 160, 163, 167, 172 Micoquian, 48, 60 Microliths, 87; at Jarmo, 130; lunates, 87; trapezoids, 87; triangles, 87 Minerals used as coloring matter, 66 Mine-shafts, 140 Mlefaat, 126, 127 Mongoloids, 29, 90 Mortars, 114, 118, 127 Mounds, how formed, 12 Mount Carmel, 11, 33, 52, 59, 64, 69, 113, 114 Mousterian man, 64 Mousterian tools, 61, 62; of Acheulean tradition, 62 Movius, H. L., 47 Natufian, animals in, 114; assemblage, 113, 114, 115; burials, 114; date of, 113 Neanderthal man, 29, 30, 31, 56 Near East, beginnings of civilization in, 20, 144; cave sites, 58; climate in Ice Age, 99; Fertile Crescent, 107, 146; food-production in, 99; Natufian assemblage in, 113-115; stone tools, 114 Needles, 80 Negroid, 34 New World, 90 Nile River valley, 102, 134; floods in, 148 Nuclear area, 106, 110; in Near East, 107 Obsidian, used for blade tools, 71; at Jarmo, 130 Ochre, red, with burials, 86 Oldowan, 48 Old World, 67, 70, 90; continental phases in, 18 Olorgesailie, 40, 51 Ostrich, in China, 54 Ovens, 128 Oxygen isotopes, 18 Paintings in caves, 83 Paleoanthropic man, 50 Palestine, burials, 56; cave sites, 52; types of man, 69 Parpallo, 89 Patjitanian, 45, 47 Pebble tools, 42 Peking cave, 54; animals in, 54 Peking man, 27, 28, 29, 54, 58 Pendants, 80; bone, 114 Pestle, 114 Peterborough, 141; assemblage, 141 Pictographic signs, 158 Pig, wild, 108 Piltdown man, 29 Pins, 80 Pithecanthropus, 26, 27, 30, 36 Pleistocene, 18, 25 Plows developed, 123 Points, arrow, 76; laurel leaf, 78; shouldered, 78, 79; split-based bone, 80, 82; tanged, 76; willow leaf, 78 Potatoes, in America, 145 Pottery, 122, 130, 156; decorated, 142; painted, 131, 151, 152; Susa style, 156; in tombs, 141 Prehistory, defined, 7; range of, 18 Pre-neanderthaloids, 30, 31, 37 Pre-Solutrean point, 89 Pre-Stellenbosch, 48 Proto-Literate assemblage, 157-160 Race, 35; biological, 36; pure, 16 Radioactivity, 9, 10 Radioactive carbon dates, 18, 92, 120, 130, 135, 156 Redfield, Robert, 38, 49 Reed, C. A., 128 Reindeer, 94 Rhinoceros, 93; in cave art, 85 Rhodesian man, 32 Riss glaciation, 58 Rock-shelters, 58; art in, 85 Saccopastore, 31 Sahara Desert, 34, 102 Samarra, 152; pottery, 131, 152 Sangoan industry, 67 Sauer, Carl, 136 Sbaikian point, 89 Schliemann, H., 11, 12 Scotland, 171 Scraper, flake, 79; end-scraper on blade, 77, 78; keel-shaped, 79, 80, 81 Sculpture in caves, 83 Sebilian III, 126 Shaheinab, 135 Sheep, wild, 108; at Skara Brae, 142; in China, 54 Shellfish, 142 Ship, Ubaidian, 153 Sialk, 126, 134; assemblage, 134 Siberia, 88; pathway to New World, 98 Sickle, 112, 153; blade, 113, 130 Silo, 122 Sinanthropus, 27, 30, 35 Skara Brae, 142 Snails used as food, 128 Soan, 47 Solecki, R., 116 Solo (fossil type), 29, 32 Solutrean industry, 77 Spear, shaft, 78; thrower, 82, 83 Speech, development of organs of, 25 Squash, in America, 145 Steinheim fossil skull, 28 Stillbay industry, 67 Stonehenge, 166 Stratification, in caves, 12, 57; in sites, 12 Swanscombe (fossil type), 11, 28 Syria, 107 Tabun, 60, 71 Tardenoisian, 97 Taro, 107 Tasa, 135 Tayacian, 47, 59 Teeth, pierced, in beads and pendants, 114 Temples, 123, 155 Tepe Gawra, 156 Ternafine, 29 Teshik Tash, 69 Textiles, 122 Thong-stropper, 80 Tigris River, floods in, 148 Toggle, 80 Tomatoes, in America, 145 Tombs, megalithic, 141 Tool-making, 42, 49 Tool-preparation traditions, 65 Tools, 62; antler, 80; blade, 70, 71, 75; bone, 66; chopper, 47; core-biface, 43, 48, 60, 61; flake, 44, 47, 51, 60, 64; flint, 80, 127; ground stone, 68, 127; handles, 94; pebble, 42, 43, 48, 53; use of, 24 Touf (mud wall), 128 Toynbee, A. J., 101 Trade, 130, 155, 162 Traders, 167 Traditions, 15; blade tool, 70; definition of, 51; interpretation of, 49; tool-making, 42, 48; chopper-tool, 47; chopper-chopping tool, 45; core-biface, 43, 48; flake, 44, 47; pebble tool, 42, 48 Tool-making, prehistory of, 42 Turkey, 107, 108 Ubaid, 153; assemblage, 153-155 Urnfields, 168, 169 Village-farming community era, 105, 119 Wad B, 72 Wadjak, 34 Warka phase, 156; assemblage, 156 Washburn, Sherwood L., 36 Water buffalo, domestication of, 107 Weidenreich, F., 29, 34 Wessex, 166, 167 Wheat, wild, 108; partially domesticated, 127 Willow leaf point, 78 Windmill Hill, 138; assemblage, 138, 140 Witch doctors, 68 Wool, 112; in garments, 167 Writing, 158; cuneiform, 158 Wrm I glaciation, 58 Zebu cattle, domestication of, 107 Zeuner, F. E., 73 * * * * * * Transcribers note: Punctuation, hyphenation, and spelling were made consistent when a predominant preference was found in this book; otherwise they were not changed. Simple typographical errors were corrected; occasional unbalanced quotation marks retained. Ambiguous hyphens at the ends of lines were retained. Index not checked for proper alphabetization or correct page references. In the original book, chapter headings were accompanied by illustrations, sometimes above, sometimes below, and sometimes adjacent. In this eBook those ilustrations always appear below the headings. ***END OF THE PROJECT GUTENBERG EBOOK PREHISTORIC MEN*** ******* This file should be named 52664-0.txt or 52664-0.zip ******* This and all associated files of various formats will be found in: http://www.gutenberg.org/dirs/5/2/6/6/52664 Updated editions will replace the previous one--the old editions will be renamed. Creating the works from print editions not protected by U.S. copyright law means that no one owns a United States copyright in these works, so the Foundation (and you!) can copy and distribute it in the United States without permission and without paying copyright royalties. Special rules, set forth in the General Terms of Use part of this license, apply to copying and distributing Project Gutenberg-tm electronic works to protect the PROJECT GUTENBERG-tm concept and trademark. Project Gutenberg is a registered trademark, and may not be used if you charge for the eBooks, unless you receive specific permission. If you do not charge anything for copies of this eBook, complying with the rules is very easy. You may use this eBook for nearly any purpose such as creation of derivative works, reports, performances and research. They may be modified and printed and given away--you may do practically ANYTHING in the United States with eBooks not protected by U.S. copyright law. Redistribution is subject to the trademark license, especially commercial redistribution. START: FULL LICENSE THE FULL PROJECT GUTENBERG LICENSE PLEASE READ THIS BEFORE YOU DISTRIBUTE OR USE THIS WORK To protect the Project Gutenberg-tm mission of promoting the free distribution of electronic works, by using or distributing this work (or any other work associated in any way with the phrase "Project Gutenberg"), you agree to comply with all the terms of the Full Project Gutenberg-tm License available with this file or online at www.gutenberg.org/license. Section 1. General Terms of Use and Redistributing Project Gutenberg-tm electronic works 1.A. By reading or using any part of this Project Gutenberg-tm electronic work, you indicate that you have read, understand, agree to and accept all the terms of this license and intellectual property (trademark/copyright) agreement. If you do not agree to abide by all the terms of this agreement, you must cease using and return or destroy all copies of Project Gutenberg-tm electronic works in your possession. If you paid a fee for obtaining a copy of or access to a Project Gutenberg-tm electronic work and you do not agree to be bound by the terms of this agreement, you may obtain a refund from the person or entity to whom you paid the fee as set forth in paragraph 1.E.8. 1.B. "Project Gutenberg" is a registered trademark. It may only be used on or associated in any way with an electronic work by people who agree to be bound by the terms of this agreement. There are a few things that you can do with most Project Gutenberg-tm electronic works even without complying with the full terms of this agreement. See paragraph 1.C below. There are a lot of things you can do with Project Gutenberg-tm electronic works if you follow the terms of this agreement and help preserve free future access to Project Gutenberg-tm electronic works. See paragraph 1.E below. 1.C. The Project Gutenberg Literary Archive Foundation ("the Foundation" or PGLAF), owns a compilation copyright in the collection of Project Gutenberg-tm electronic works. Nearly all the individual works in the collection are in the public domain in the United States. If an individual work is unprotected by copyright law in the United States and you are located in the United States, we do not claim a right to prevent you from copying, distributing, performing, displaying or creating derivative works based on the work as long as all references to Project Gutenberg are removed. Of course, we hope that you will support the Project Gutenberg-tm mission of promoting free access to electronic works by freely sharing Project Gutenberg-tm works in compliance with the terms of this agreement for keeping the Project Gutenberg-tm name associated with the work. You can easily comply with the terms of this agreement by keeping this work in the same format with its attached full Project Gutenberg-tm License when you share it without charge with others. 1.D. The copyright laws of the place where you are located also govern what you can do with this work. Copyright laws in most countries are in a constant state of change. If you are outside the United States, check the laws of your country in addition to the terms of this agreement before downloading, copying, displaying, performing, distributing or creating derivative works based on this work or any other Project Gutenberg-tm work. The Foundation makes no representations concerning the copyright status of any work in any country outside the United States. 1.E. Unless you have removed all references to Project Gutenberg: 1.E.1. The following sentence, with active links to, or other immediate access to, the full Project Gutenberg-tm License must appear prominently whenever any copy of a Project Gutenberg-tm work (any work on which the phrase "Project Gutenberg" appears, or with which the phrase "Project Gutenberg" is associated) is accessed, displayed, performed, viewed, copied or distributed: This eBook is for the use of anyone anywhere in the United States and most other parts of the world at no cost and with almost no restrictions whatsoever. You may copy it, give it away or re-use it under the terms of the Project Gutenberg License included with this eBook or online at www.gutenberg.org. If you are not located in the United States, you'll have to check the laws of the country where you are located before using this ebook. 1.E.2. If an individual Project Gutenberg-tm electronic work is derived from texts not protected by U.S. copyright law (does not contain a notice indicating that it is posted with permission of the copyright holder), the work can be copied and distributed to anyone in the United States without paying any fees or charges. If you are redistributing or providing access to a work with the phrase "Project Gutenberg" associated with or appearing on the work, you must comply either with the requirements of paragraphs 1.E.1 through 1.E.7 or obtain permission for the use of the work and the Project Gutenberg-tm trademark as set forth in paragraphs 1.E.8 or 1.E.9. 1.E.3. If an individual Project Gutenberg-tm electronic work is posted with the permission of the copyright holder, your use and distribution must comply with both paragraphs 1.E.1 through 1.E.7 and any additional terms imposed by the copyright holder. Additional terms will be linked to the Project Gutenberg-tm License for all works posted with the permission of the copyright holder found at the beginning of this work. 1.E.4. Do not unlink or detach or remove the full Project Gutenberg-tm License terms from this work, or any files containing a part of this work or any other work associated with Project Gutenberg-tm. 1.E.5. Do not copy, display, perform, distribute or redistribute this electronic work, or any part of this electronic work, without prominently displaying the sentence set forth in paragraph 1.E.1 with active links or immediate access to the full terms of the Project Gutenberg-tm License. 1.E.6. You may convert to and distribute this work in any binary, compressed, marked up, nonproprietary or proprietary form, including any word processing or hypertext form. However, if you provide access to or distribute copies of a Project Gutenberg-tm work in a format other than "Plain Vanilla ASCII" or other format used in the official version posted on the official Project Gutenberg-tm web site (www.gutenberg.org), you must, at no additional cost, fee or expense to the user, provide a copy, a means of exporting a copy, or a means of obtaining a copy upon request, of the work in its original "Plain Vanilla ASCII" or other form. Any alternate format must include the full Project Gutenberg-tm License as specified in paragraph 1.E.1. 1.E.7. Do not charge a fee for access to, viewing, displaying, performing, copying or distributing any Project Gutenberg-tm works unless you comply with paragraph 1.E.8 or 1.E.9. 1.E.8. You may charge a reasonable fee for copies of or providing access to or distributing Project Gutenberg-tm electronic works provided that * You pay a royalty fee of 20% of the gross profits you derive from the use of Project Gutenberg-tm works calculated using the method you already use to calculate your applicable taxes. The fee is owed to the owner of the Project Gutenberg-tm trademark, but he has agreed to donate royalties under this paragraph to the Project Gutenberg Literary Archive Foundation. Royalty payments must be paid within 60 days following each date on which you prepare (or are legally required to prepare) your periodic tax returns. Royalty payments should be clearly marked as such and sent to the Project Gutenberg Literary Archive Foundation at the address specified in Section 4, "Information about donations to the Project Gutenberg Literary Archive Foundation." * You provide a full refund of any money paid by a user who notifies you in writing (or by e-mail) within 30 days of receipt that s/he does not agree to the terms of the full Project Gutenberg-tm License. You must require such a user to return or destroy all copies of the works possessed in a physical medium and discontinue all use of and all access to other copies of Project Gutenberg-tm works. * You provide, in accordance with paragraph 1.F.3, a full refund of any money paid for a work or a replacement copy, if a defect in the electronic work is discovered and reported to you within 90 days of receipt of the work. * You comply with all other terms of this agreement for free distribution of Project Gutenberg-tm works. 1.E.9. If you wish to charge a fee or distribute a Project Gutenberg-tm electronic work or group of works on different terms than are set forth in this agreement, you must obtain permission in writing from both the Project Gutenberg Literary Archive Foundation and The Project Gutenberg Trademark LLC, the owner of the Project Gutenberg-tm trademark. Contact the Foundation as set forth in Section 3 below. 1.F. 1.F.1. Project Gutenberg volunteers and employees expend considerable effort to identify, do copyright research on, transcribe and proofread works not protected by U.S. copyright law in creating the Project Gutenberg-tm collection. Despite these efforts, Project Gutenberg-tm electronic works, and the medium on which they may be stored, may contain "Defects," such as, but not limited to, incomplete, inaccurate or corrupt data, transcription errors, a copyright or other intellectual property infringement, a defective or damaged disk or other medium, a computer virus, or computer codes that damage or cannot be read by your equipment. 1.F.2. LIMITED WARRANTY, DISCLAIMER OF DAMAGES - Except for the "Right of Replacement or Refund" described in paragraph 1.F.3, the Project Gutenberg Literary Archive Foundation, the owner of the Project Gutenberg-tm trademark, and any other party distributing a Project Gutenberg-tm electronic work under this agreement, disclaim all liability to you for damages, costs and expenses, including legal fees. YOU AGREE THAT YOU HAVE NO REMEDIES FOR NEGLIGENCE, STRICT LIABILITY, BREACH OF WARRANTY OR BREACH OF CONTRACT EXCEPT THOSE PROVIDED IN PARAGRAPH 1.F.3. YOU AGREE THAT THE FOUNDATION, THE TRADEMARK OWNER, AND ANY DISTRIBUTOR UNDER THIS AGREEMENT WILL NOT BE LIABLE TO YOU FOR ACTUAL, DIRECT, INDIRECT, CONSEQUENTIAL, PUNITIVE OR INCIDENTAL DAMAGES EVEN IF YOU GIVE NOTICE OF THE POSSIBILITY OF SUCH DAMAGE. 1.F.3. LIMITED RIGHT OF REPLACEMENT OR REFUND - If you discover a defect in this electronic work within 90 days of receiving it, you can receive a refund of the money (if any) you paid for it by sending a written explanation to the person you received the work from. If you received the work on a physical medium, you must return the medium with your written explanation. The person or entity that provided you with the defective work may elect to provide a replacement copy in lieu of a refund. If you received the work electronically, the person or entity providing it to you may choose to give you a second opportunity to receive the work electronically in lieu of a refund. If the second copy is also defective, you may demand a refund in writing without further opportunities to fix the problem. 1.F.4. Except for the limited right of replacement or refund set forth in paragraph 1.F.3, this work is provided to you 'AS-IS', WITH NO OTHER WARRANTIES OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO WARRANTIES OF MERCHANTABILITY OR FITNESS FOR ANY PURPOSE. 1.F.5. Some states do not allow disclaimers of certain implied warranties or the exclusion or limitation of certain types of damages. If any disclaimer or limitation set forth in this agreement violates the law of the state applicable to this agreement, the agreement shall be interpreted to make the maximum disclaimer or limitation permitted by the applicable state law. The invalidity or unenforceability of any provision of this agreement shall not void the remaining provisions. 1.F.6. INDEMNITY - You agree to indemnify and hold the Foundation, the trademark owner, any agent or employee of the Foundation, anyone providing copies of Project Gutenberg-tm electronic works in accordance with this agreement, and any volunteers associated with the production, promotion and distribution of Project Gutenberg-tm electronic works, harmless from all liability, costs and expenses, including legal fees, that arise directly or indirectly from any of the following which you do or cause to occur: (a) distribution of this or any Project Gutenberg-tm work, (b) alteration, modification, or additions or deletions to any Project Gutenberg-tm work, and (c) any Defect you cause. Section 2. Information about the Mission of Project Gutenberg-tm Project Gutenberg-tm is synonymous with the free distribution of electronic works in formats readable by the widest variety of computers including obsolete, old, middle-aged and new computers. It exists because of the efforts of hundreds of volunteers and donations from people in all walks of life. Volunteers and financial support to provide volunteers with the assistance they need are critical to reaching Project Gutenberg-tm's goals and ensuring that the Project Gutenberg-tm collection will remain freely available for generations to come. In 2001, the Project Gutenberg Literary Archive Foundation was created to provide a secure and permanent future for Project Gutenberg-tm and future generations. To learn more about the Project Gutenberg Literary Archive Foundation and how your efforts and donations can help, see Sections 3 and 4 and the Foundation information page at www.gutenberg.org Section 3. Information about the Project Gutenberg Literary Archive Foundation The Project Gutenberg Literary Archive Foundation is a non profit 501(c)(3) educational corporation organized under the laws of the state of Mississippi and granted tax exempt status by the Internal Revenue Service. The Foundation's EIN or federal tax identification number is 64-6221541. Contributions to the Project Gutenberg Literary Archive Foundation are tax deductible to the full extent permitted by U.S. federal laws and your state's laws. The Foundation's principal office is in Fairbanks, Alaska, with the mailing address: PO Box 750175, Fairbanks, AK 99775, but its volunteers and employees are scattered throughout numerous locations. Its business office is located at 809 North 1500 West, Salt Lake City, UT 84116, (801) 596-1887. Email contact links and up to date contact information can be found at the Foundation's web site and official page at www.gutenberg.org/contact For additional contact information: Dr. Gregory B. Newby Chief Executive and Director [email protected] Section 4. Information about Donations to the Project Gutenberg Literary Archive Foundation Project Gutenberg-tm depends upon and cannot survive without wide spread public support and donations to carry out its mission of increasing the number of public domain and licensed works that can be freely distributed in machine readable form accessible by the widest array of equipment including outdated equipment. Many small donations ($1 to $5,000) are particularly important to maintaining tax exempt status with the IRS. The Foundation is committed to complying with the laws regulating charities and charitable donations in all 50 states of the United States. Compliance requirements are not uniform and it takes a considerable effort, much paperwork and many fees to meet and keep up with these requirements. We do not solicit donations in locations where we have not received written confirmation of compliance. To SEND DONATIONS or determine the status of compliance for any particular state visit www.gutenberg.org/donate While we cannot and do not solicit contributions from states where we have not met the solicitation requirements, we know of no prohibition against accepting unsolicited donations from donors in such states who approach us with offers to donate. International donations are gratefully accepted, but we cannot make any statements concerning tax treatment of donations received from outside the United States. U.S. laws alone swamp our small staff. Please check the Project Gutenberg Web pages for current donation methods and addresses. Donations are accepted in a number of other ways including checks, online payments and credit card donations. To donate, please visit: www.gutenberg.org/donate Section 5. General Information About Project Gutenberg-tm electronic works. Professor Michael S. Hart was the originator of the Project Gutenberg-tm concept of a library of electronic works that could be freely shared with anyone. For forty years, he produced and distributed Project Gutenberg-tm eBooks with only a loose network of volunteer support. Project Gutenberg-tm eBooks are often created from several printed editions, all of which are confirmed as not protected by copyright in the U.S. unless a copyright notice is included. Thus, we do not necessarily keep eBooks in compliance with any particular paper edition. Most people start at our Web site which has the main PG search facility: www.gutenberg.org This Web site includes information about Project Gutenberg-tm, including how to make donations to the Project Gutenberg Literary Archive Foundation, how to help produce our new eBooks, and how to subscribe to our email newsletter to hear about new eBooks.
The Project Gutenberg eBook, Prehistoric Men, by Robert J. (Robert John) Braidwood, Illustrated by Susan T. Richert This eBook is for the use of anyone anywhere in the United States and most other parts of the world at no cost and with almost no restrictions whatsoever. You may copy it, give it away or re-use it under the terms of the Project Gutenberg License included with this eBook or online at www.gutenberg.org. If you are not located in the United States, you'll have to check the laws of the country where you are located before using this ebook. Title: Prehistoric Men Author: Robert J. (Robert John) Braidwood Release Date: July 28, 2016 [eBook #52664] Language: English Character set encoding: UTF-8 ***START OF THE PROJECT GUTENBERG EBOOK PREHISTORIC MEN*** E-text prepared by Stephen Hutcheson, Dave Morgan, Charlie Howard, and the Online Distributed Proofreading Team (http://www.pgdp.net) Note: Project Gutenberg also has an HTML version of this file which includes the original illustrations. See 52664-h.htm or 52664-h.zip: (http://www.gutenberg.org/files/52664/52664-h/52664-h.htm) or (http://www.gutenberg.org/files/52664/52664-h.zip) Transcriber's note: Some characters might not display in this UTF-8 text version. If so, the reader should consult the HTML version referred to above. One example of this might occur in the second paragraph under "Choppers and Adze-like Tools", page 46, which contains the phrase an adze cutting edge is ? shaped. The symbol before shaped looks like a sharply-italicized sans-serif L. Devices that cannot display that symbol may substitute a question mark, a square, or other symbol. PREHISTORIC MEN by ROBERT J. BRAIDWOOD Research Associate, Old World Prehistory Professor Oriental Institute and Department of Anthropology University of Chicago Drawings by Susan T. Richert [Illustration] Chicago Natural History Museum Popular Series Anthropology, Number 37 Third Edition Issued in Co-operation with The Oriental Institute, The University of Chicago Edited by Lillian A. Ross Printed in the United States of America by Chicago Natural History Museum Press Copyright 1948, 1951, and 1957 by Chicago Natural History Museum First edition 1948 Second edition 1951 Third edition 1957 Fourth edition 1959 Preface [Illustration] Like the writing of most professional archeologists, mine has been confined to so-called learned papers. Good, bad, or indifferent, these papers were in a jargon that only my colleagues and a few advanced students could understand. Hence, when I was asked to do this little book, I soon found it extremely difficult to say what I meant in simple fashion. The style is new to me, but I hope the reader will not find it forced or pedantic; at least I have done my very best to tell the story simply and clearly. Many friends have aided in the preparation of the book. The whimsical charm of Miss Susan Richerts illustrations add enormously to the spirit I wanted. She gave freely of her own time on the drawings and in planning the book with me. My colleagues at the University of Chicago, especially Professor Wilton M. Krogman (now of the University of Pennsylvania), and also Mrs. Linda Braidwood, Associate of the Oriental Institute, and Professors Fay-Cooper Cole and Sol Tax, of the Department of Anthropology, gave me counsel in matters bearing on their special fields, and the Department of Anthropology bore some of the expense of the illustrations. From Mrs. Irma Hunter and Mr. Arnold Maremont, who are not archeologists at all and have only an intelligent laymans notion of archeology, I had sound advice on how best to tell the story. I am deeply indebted to all these friends. While I was preparing the second edition, I had the great fortune to be able to rework the third chapter with Professor Sherwood L. Washburn, now of the Department of Anthropology of the University of California, and the fourth, fifth, and sixth chapters with Professor Hallum L. Movius, Jr., of the Peabody Museum, Harvard University. The book has gained greatly in accuracy thereby. In matters of dating, Professor Movius and the indications of Professor W. F. Libbys Carbon 14 chronology project have both encouraged me to choose the lowest dates now current for the events of the Pleistocene Ice Age. There is still no certain way of fixing a direct chronology for most of the Pleistocene, but Professor Libbys method appears very promising for its end range and for proto-historic dates. In any case, this book names periods, and new dates may be written in against mine, if new and better dating systems appear. I wish to thank Dr. Clifford C. Gregg, Director of Chicago Natural History Museum, for the opportunity to publish this book. My old friend, Dr. Paul S. Martin, Chief Curator in the Department of Anthropology, asked me to undertake the job and inspired me to complete it. I am also indebted to Miss Lillian A. Ross, Associate Editor of Scientific Publications, and to Mr. George I. Quimby, Curator of Exhibits in Anthropology, for all the time they have given me in getting the manuscript into proper shape. ROBERT J. BRAIDWOOD _June 15, 1950_ Preface to the Third Edition In preparing the enlarged third edition, many of the above mentioned friends have again helped me. I have picked the brains of Professor F. Clark Howell of the Department of Anthropology of the University of Chicago in reworking the earlier chapters, and he was very patient in the matter, which I sincerely appreciate. All of Mrs. Susan Richert Allens original drawings appear, but a few necessary corrections have been made in some of the charts and some new drawings have been added by Mr. John Pfiffner, Staff Artist, Chicago Natural History Museum. ROBERT J. BRAIDWOOD _March 1, 1959_ Contents PAGE How We Learn about Prehistoric Men 7 The Changing World in Which Prehistoric Men Lived 17 Prehistoric Men Themselves 22 Cultural Beginnings 38 More Evidence of Culture 56 Early Moderns 70 End and Prelude 92 The First Revolution 121 The Conquest of Civilization 144 End of Prehistory 162 Summary 176 List of Books 180 Index 184 HOW WE LEARN about Prehistoric Men [Illustration] Prehistory means the time before written history began. Actually, more than 99 per cent of mans story is prehistory. Man is at least half a million years old, but he did not begin to write history (or to write anything) until about 5,000 years ago. The men who lived in prehistoric times left us no history books, but they did unintentionally leave a record of their presence and their way of life. This record is studied and interpreted by different kinds of scientists. SCIENTISTS WHO FIND OUT ABOUT PREHISTORIC MEN The scientists who study the bones and teeth and any other parts they find of the bodies of prehistoric men, are called _physical anthropologists_. Physical anthropologists are trained, much like doctors, to know all about the human body. They study living people, too; they know more about the biological facts of human races than anybody else. If the police find a badly decayed body in a trunk, they ask a physical anthropologist to tell them what the person originally looked like. The physical anthropologists who specialize in prehistoric men work with fossils, so they are sometimes called _human paleontologists_. ARCHEOLOGISTS There is a kind of scientist who studies the things that prehistoric men made and did. Such a scientist is called an _archeologist_. It is the archeologists business to look for the stone and metal tools, the pottery, the graves, and the caves or huts of the men who lived before history began. But there is more to archeology than just looking for things. In Professor V. Gordon Childes words, archeology furnishes a sort of history of human activity, provided always that the actions have produced concrete results and left recognizable material traces. You will see that there are at least three points in what Childe says: 1. The archeologists have to find the traces of things left behind by ancient man, and 2. Only a few objects may be found, for most of these were probably too soft or too breakable to last through the years. However, 3. The archeologist must use whatever he can find to tell a story--to make a sort of history--from the objects and living-places and graves that have escaped destruction. What I mean is this: Let us say you are walking through a dump yard, and you find a rusty old spark plug. If you want to think about what the spark plug means, you quickly remember that it is a part of an automobile motor. This tells you something about the man who threw the spark plug on the dump. He either had an automobile, or he knew or lived near someone who did. He cant have lived so very long ago, youll remember, because spark plugs and automobiles are only about sixty years old. When you think about the old spark plug in this way you have just been making the beginnings of what we call an archeological _interpretation_; you have been making the spark plug tell a story. It is the same way with the man-made things we archeologists find and put in museums. Usually, only a few of these objects are pretty to look at; but each of them has some sort of story to tell. Making the interpretation of his finds is the most important part of the archeologists job. It is the way he gets at the sort of history of human activity which is expected of archeology. SOME OTHER SCIENTISTS There are many other scientists who help the archeologist and the physical anthropologist find out about prehistoric men. The geologists help us tell the age of the rocks or caves or gravel beds in which human bones or man-made objects are found. There are other scientists with names which all begin with paleo (the Greek word for old). The _paleontologists_ study fossil animals. There are also, for example, such scientists as _paleobotanists_ and _paleoclimatologists_, who study ancient plants and climates. These scientists help us to know the kinds of animals and plants that were living in prehistoric times and so could be used for food by ancient man; what the weather was like; and whether there were glaciers. Also, when I tell you that prehistoric men did not appear until long after the great dinosaurs had disappeared, I go on the say-so of the paleontologists. They know that fossils of men and of dinosaurs are not found in the same geological period. The dinosaur fossils come in early periods, the fossils of men much later. Since World War II even the atomic scientists have been helping the archeologists. By testing the amount of radioactivity left in charcoal, wood, or other vegetable matter obtained from archeological sites, they have been able to date the sites. Shell has been used also, and even the hair of Egyptian mummies. The dates of geological and climatic events have also been discovered. Some of this work has been done from drillings taken from the bottom of the sea. This dating by radioactivity has considerably shortened the dates which the archeologists used to give. If you find that some of the dates I give here are more recent than the dates you see in other books on prehistory, it is because I am using one of the new lower dating systems. [Illustration: RADIOCARBON CHART The rate of disappearance of radioactivity as time passes.[1]] [1] It is important that the limitations of the radioactive carbon dating system be held in mind. As the statistics involved in the system are used, there are two chances in three that the date of the sample falls within the range given as plus or minus an added number of years. For example, the date for the Jarmo village (see chart), given as 6750 200 B.C., really means that there are only two chances in three that the real date of the charcoal sampled fell between 6950 and 6550 B.C. We have also begun to suspect that there are ways in which the samples themselves may have become contaminated, either on the early or on the late side. We now tend to be suspicious of single radioactive carbon determinations, or of determinations from one site alone. But as a fabric of consistent determinations for several or more sites of one archeological period, we gain confidence in the dates. HOW THE SCIENTISTS FIND OUT So far, this chapter has been mainly about the people who find out about prehistoric men. We also need a word about _how_ they find out. All our finds came by accident until about a hundred years ago. Men digging wells, or digging in caves for fertilizer, often turned up ancient swords or pots or stone arrowheads. People also found some odd pieces of stone that didnt look like natural forms, but they also didnt look like any known tool. As a result, the people who found them gave them queer names; for example, thunderbolts. The people thought the strange stones came to earth as bolts of lightning. We know now that these strange stones were prehistoric stone tools. Many important finds still come to us by accident. In 1935, a British dentist, A. T. Marston, found the first of two fragments of a very important fossil human skull, in a gravel pit at Swanscombe, on the River Thames, England. He had to wait nine months, until the face of the gravel pit had been dug eight yards farther back, before the second fragment appeared. They fitted! Then, twenty years later, still another piece appeared. In 1928 workmen who were blasting out rock for the breakwater in the port of Haifa began to notice flint tools. Thus the story of cave men on Mount Carmel, in Palestine, began to be known. Planned archeological digging is only about a century old. Even before this, however, a few men realized the significance of objects they dug from the ground; one of these early archeologists was our own Thomas Jefferson. The first real mound-digger was a German grocers clerk, Heinrich Schliemann. Schliemann made a fortune as a merchant, first in Europe and then in the California gold-rush of 1849. He became an American citizen. Then he retired and had both money and time to test an old idea of his. He believed that the heroes of ancient Troy and Mycenae were once real Trojans and Greeks. He proved it by going to Turkey and Greece and digging up the remains of both cities. Schliemann had the great good fortune to find rich and spectacular treasures, and he also had the common sense to keep notes and make descriptions of what he found. He proved beyond doubt that many ancient city mounds can be _stratified_. This means that there may be the remains of many towns in a mound, one above another, like layers in a cake. You might like to have an idea of how mounds come to be in layers. The original settlers may have chosen the spot because it had a good spring and there were good fertile lands nearby, or perhaps because it was close to some road or river or harbor. These settlers probably built their town of stone and mud-brick. Finally, something would have happened to the town--a flood, or a burning, or a raid by enemies--and the walls of the houses would have fallen in or would have melted down as mud in the rain. Nothing would have remained but the mud and debris of a low mound of _one_ layer. The second settlers would have wanted the spot for the same reasons the first settlers did--good water, land, and roads. Also, the second settlers would have found a nice low mound to build their houses on, a protection from floods. But again, something would finally have happened to the second town, and the walls of _its_ houses would have come tumbling down. This makes the _second_ layer. And so on.... In Syria I once had the good fortune to dig on a large mound that had no less than fifteen layers. Also, most of the layers were thick, and there were signs of rebuilding and repairs within each layer. The mound was more than a hundred feet high. In each layer, the building material used had been a soft, unbaked mud-brick, and most of the debris consisted of fallen or rain-melted mud from these mud-bricks. This idea of _stratification_, like the cake layers, was already a familiar one to the geologists by Schliemanns time. They could show that their lowest layer of rock was oldest or earliest, and that the overlying layers became more recent as one moved upward. Schliemanns digging proved the same thing at Troy. His first (lowest and earliest) city had at least nine layers above it; he thought that the second layer contained the remains of Homers Troy. We now know that Homeric Troy was layer VIIa from the bottom; also, we count eleven layers or sub-layers in total. Schliemanns work marks the beginnings of modern archeology. Scholars soon set out to dig on ancient sites, from Egypt to Central America. ARCHEOLOGICAL INFORMATION As time went on, the study of archeological materials--found either by accident or by digging on purpose--began to show certain things. Archeologists began to get ideas as to the kinds of objects that belonged together. If you compared a mail-order catalogue of 1890 with one of today, you would see a lot of differences. If you really studied the two catalogues hard, you would also begin to see that certain objects go together. Horseshoes and metal buggy tires and pieces of harness would begin to fit into a picture with certain kinds of coal stoves and furniture and china dishes and kerosene lamps. Our friend the spark plug, and radios and electric refrigerators and light bulbs would fit into a picture with different kinds of furniture and dishes and tools. You wont be old enough to remember the kind of hats that women wore in 1890, but youve probably seen pictures of them, and you know very well they couldnt be worn with the fashions of today. This is one of the ways that archeologists study their materials. The various tools and weapons and jewelry, the pottery, the kinds of houses, and even the ways of burying the dead tend to fit into pictures. Some archeologists call all of the things that go together to make such a picture an _assemblage_. The assemblage of the first layer of Schliemanns Troy was as different from that of the seventh layer as our 1900 mail-order catalogue is from the one of today. The archeologists who came after Schliemann began to notice other things and to compare them with occurrences in modern times. The idea that people will buy better mousetraps goes back into very ancient times. Today, if we make good automobiles or radios, we can sell some of them in Turkey or even in Timbuktu. This means that a few present-day types of American automobiles and radios form part of present-day assemblages in both Turkey and Timbuktu. The total present-day assemblage of Turkey is quite different from that of Timbuktu or that of America, but they have at least some automobiles and some radios in common. Now these automobiles and radios will eventually wear out. Let us suppose we could go to some remote part of Turkey or to Timbuktu in a dream. We dont know what the date is, in our dream, but we see all sorts of strange things and ways of living in both places. Nobody tells us what the date is. But suddenly we see a 1936 Ford; so we know that in our dream it has to be at least the year 1936, and only as many years after that as we could reasonably expect a Ford to keep in running order. The Ford would probably break down in twenty years time, so the Turkish or Timbuktu assemblage were seeing in our dream has to date at about A.D. 1936-56. Archeologists not only date their ancient materials in this way; they also see over what distances and between which peoples trading was done. It turns out that there was a good deal of trading in ancient times, probably all on a barter and exchange basis. EVERYTHING BEGINS TO FIT TOGETHER Now we need to pull these ideas all together and see the complicated structure the archeologists can build with their materials. Even the earliest archeologists soon found that there was a very long range of prehistoric time which would yield only very simple things. For this very long early part of prehistory, there was little to be found but the flint tools which wandering, hunting and gathering people made, and the bones of the wild animals they ate. Toward the end of prehistoric time there was a general settling down with the coming of agriculture, and all sorts of new things began to be made. Archeologists soon got a general notion of what ought to appear with what. Thus, it would upset a French prehistorian digging at the bottom of a very early cave if he found a fine bronze sword, just as much as it would upset him if he found a beer bottle. The people of his very early cave layer simply could not have made bronze swords, which came later, just as do beer bottles. Some accidental disturbance of the layers of his cave must have happened. With any luck, archeologists do their digging in a layered, stratified site. They find the remains of everything that would last through time, in several different layers. They know that the assemblage in the bottom layer was laid down earlier than the assemblage in the next layer above, and so on up to the topmost layer, which is the latest. They look at the results of other digs and find that some other archeologist 900 miles away has found ax-heads in his lowest layer, exactly like the ax-heads of their fifth layer. This means that their fifth layer must have been lived in at about the same time as was the first layer in the site 200 miles away. It also may mean that the people who lived in the two layers knew and traded with each other. Or it could mean that they didnt necessarily know each other, but simply that both traded with a third group at about the same time. You can see that the more we dig and find, the more clearly the main facts begin to stand out. We begin to be more sure of which people lived at the same time, which earlier and which later. We begin to know who traded with whom, and which peoples seemed to live off by themselves. We begin to find enough skeletons in burials so that the physical anthropologists can tell us what the people looked like. We get animal bones, and a paleontologist may tell us they are all bones of wild animals; or he may tell us that some or most of the bones are those of domesticated animals, for instance, sheep or cattle, and therefore the people must have kept herds. More important than anything else--as our structure grows more complicated and our materials increase--is the fact that a sort of history of human activity does begin to appear. The habits or traditions that men formed in the making of their tools and in the ways they did things, begin to stand out for us. How characteristic were these habits and traditions? What areas did they spread over? How long did they last? We watch the different tools and the traces of the way things were done--how the burials were arranged, what the living-places were like, and so on. We wonder about the people themselves, for the traces of habits and traditions are useful to us only as clues to the men who once had them. So we ask the physical anthropologists about the skeletons that we found in the burials. The physical anthropologists tell us about the anatomy and the similarities and differences which the skeletons show when compared with other skeletons. The physical anthropologists are even working on a method--chemical tests of the bones--that will enable them to discover what the blood-type may have been. One thing is sure. We have never found a group of skeletons so absolutely similar among themselves--so cast from a single mould, so to speak--that we could claim to have a pure race. I am sure we never shall. We become particularly interested in any signs of change--when new materials and tool types and ways of doing things replace old ones. We watch for signs of social change and progress in one way or another. We must do all this without one word of written history to aid us. Everything we are concerned with goes back to the time _before_ men learned to write. That is the prehistorians job--to find out what happened before history began. THE CHANGING WORLD in which Prehistoric Men Lived [Illustration] Mankind, well say, is at least a half million years old. It is very hard to understand how long a time half a million years really is. If we were to compare this whole length of time to one day, wed get something like this: The present time is midnight, and Jesus was born just five minutes and thirty-six seconds ago. Earliest history began less than fifteen minutes ago. Everything before 11:45 was in prehistoric time. Or maybe we can grasp the length of time better in terms of generations. As you know, primitive peoples tend to marry and have children rather early in life. So suppose we say that twenty years will make an average generation. At this rate there would be 25,000 generations in a half-million years. But our United States is much less than ten generations old, twenty-five generations take us back before the time of Columbus, Julius Caesar was alive just 100 generations ago, David was king of Israel less than 150 generations ago, 250 generations take us back to the beginning of written history. And there were 24,750 generations of men before written history began! I should probably tell you that there is a new method of prehistoric dating which would cut the earliest dates in my reckoning almost in half. Dr. Cesare Emiliani, combining radioactive (C14) and chemical (oxygen isotope) methods in the study of deep-sea borings, has developed a system which would lower the total range of human prehistory to about 300,000 years. The system is still too new to have had general examination and testing. Hence, I have not used it in this book; it would mainly affect the dates earlier than 25,000 years ago. CHANGES IN ENVIRONMENT The earth probably hasnt changed much in the last 5,000 years (250 generations). Men have built things on its surface and dug into it and drawn boundaries on maps of it, but the places where rivers, lakes, seas, and mountains now stand have changed very little. In earlier times the earth looked very different. Geologists call the last great geological period the _Pleistocene_. It began somewhere between a half million and a million years ago, and was a time of great changes. Sometimes we call it the Ice Age, for in the Pleistocene there were at least three or four times when large areas of earth were covered with glaciers. The reason for my uncertainty is that while there seem to have been four major mountain or alpine phases of glaciation, there may only have been three general continental phases in the Old World.[2] [2] This is a complicated affair and I do not want to bother you with its details. Both the alpine and the continental ice sheets seem to have had minor fluctuations during their _main_ phases, and the advances of the later phases destroyed many of the traces of the earlier phases. The general textbooks have tended to follow the names and numbers established for the Alps early in this century by two German geologists. I will not bother you with the names, but there were _four_ major phases. It is the second of these alpine phases which seems to fit the traces of the earliest of the great continental glaciations. In this book, I will use the four-part system, since it is the most familiar, but will add the word _alpine_ so you may remember to make the transition to the continental system if you wish to do so. Glaciers are great sheets of ice, sometimes over a thousand feet thick, which are now known only in Greenland and Antarctica and in high mountains. During several of the glacial periods in the Ice Age, the glaciers covered most of Canada and the northern United States and reached down to southern England and France in Europe. Smaller ice sheets sat like caps on the Rockies, the Alps, and the Himalayas. The continental glaciation only happened north of the equator, however, so remember that Ice Age is only half true. As you know, the amount of water on and about the earth does not vary. These large glaciers contained millions of tons of water frozen into ice. Because so much water was frozen and contained in the glaciers, the water level of lakes and oceans was lowered. Flooded areas were drained and appeared as dry land. There were times in the Ice Age when there was no English Channel, so that England was not an island, and a land bridge at the Dardanelles probably divided the Mediterranean from the Black Sea. A very important thing for people living during the time of a glaciation was the region adjacent to the glacier. They could not, of course, live on the ice itself. The questions would be how close could they live to it, and how would they have had to change their way of life to do so. GLACIERS CHANGE THE WEATHER Great sheets of ice change the weather. When the front of a glacier stood at Milwaukee, the weather must have been bitterly cold in Chicago. The climate of the whole world would have been different, and you can see how animals and men would have been forced to move from one place to another in search of food and warmth. On the other hand, it looks as if only a minor proportion of the whole Ice Age was really taken up by times of glaciation. In between came the _interglacial_ periods. During these times the climate around Chicago was as warm as it is now, and sometimes even warmer. It may interest you to know that the last great glacier melted away less than 10,000 years ago. Professor Ernst Antevs thinks we may be living in an interglacial period and that the Ice Age may not be over yet. So if you want to make a killing in real estate for your several hundred times great-grandchildren, you might buy some land in the Arizona desert or the Sahara. We do not yet know just why the glaciers appeared and disappeared, as they did. It surely had something to do with an increase in rainfall and a fall in temperature. It probably also had to do with a general tendency for the land to rise at the beginning of the Pleistocene. We know there was some mountain-building at that time. Hence, rain-bearing winds nourished the rising and cooler uplands with snow. An increase in all three of these factors--if they came together--would only have needed to be slight. But exactly why this happened we do not know. The reason I tell you about the glaciers is simply to remind you of the changing world in which prehistoric men lived. Their surroundings--the animals and plants they used for food, and the weather they had to protect themselves from--were always changing. On the other hand, this change happened over so long a period of time and was so slow that individual people could not have noticed it. Glaciers, about which they probably knew nothing, moved in hundreds of miles to the north of them. The people must simply have wandered ever more southward in search of the plants and animals on which they lived. Or some men may have stayed where they were and learned to hunt different animals and eat different foods. Prehistoric men had to keep adapting themselves to new environments and those who were most adaptive were most successful. OTHER CHANGES Changes took place in the men themselves as well as in the ways they lived. As time went on, they made better tools and weapons. Then, too, we begin to find signs of how they started thinking of other things than food and the tools to get it with. We find that they painted on the walls of caves, and decorated their tools; we find that they buried their dead. At about the time when the last great glacier was finally melting away, men in the Near East made the first basic change in human economy. They began to plant grain, and they learned to raise and herd certain animals. This meant that they could store food in granaries and on the hoof against the bad times of the year. This first really basic change in mans way of living has been called the food-producing revolution. By the time it happened, a modern kind of climate was beginning. Men had already grown to look as they do now. Know-how in ways of living had developed and progressed, slowly but surely, up to a point. It was impossible for men to go beyond that point if they only hunted and fished and gathered wild foods. Once the basic change was made--once the food-producing revolution became effective--technology leaped ahead and civilization and written history soon began. Prehistoric Men THEMSELVES [Illustration] DO WE KNOW WHERE MAN ORIGINATED? For a long time some scientists thought the cradle of mankind was in central Asia. Other scientists insisted it was in Africa, and still others said it might have been in Europe. Actually, we dont know where it was. We dont even know that there was only _one_ cradle. If we had to choose a cradle at this moment, we would probably say Africa. But the southern portions of Asia and Europe may also have been included in the general area. The scene of the early development of mankind was certainly the Old World. It is pretty certain men didnt reach North or South America until almost the end of the Ice Age--had they done so earlier we would certainly have found some trace of them by now. The earliest tools we have yet found come from central and south Africa. By the dating system Im using, these tools must be over 500,000 years old. There are now reports that a few such early tools have been found--at the Sterkfontein cave in South Africa--along with the bones of small fossil men called australopithecines. Not all scientists would agree that the australopithecines were men, or would agree that the tools were made by the australopithecines themselves. For these sticklers, the earliest bones of men come from the island of Java. The date would be about 450,000 years ago. So far, we have not yet found the tools which we suppose these earliest men in the Far East must have made. Let me say it another way. How old are the earliest traces of men we now have? Over half a million years. This was a time when the first alpine glaciation was happening in the north. What has been found so far? The tools which the men of those times made, in different parts of Africa. It is now fairly generally agreed that the men who made the tools were the australopithecines. There is also a more man-like jawbone at Kanam in Kenya, but its find-spot has been questioned. The next earliest bones we have were found in Java, and they may be almost a hundred thousand years younger than the earliest African finds. We havent yet found the tools of these early Javanese. Our knowledge of tool-using in Africa spreads quickly as time goes on: soon after the appearance of tools in the south we shall have them from as far north as Algeria. Very soon after the earliest Javanese come the bones of slightly more developed people in Java, and the jawbone of a man who once lived in what is now Germany. The same general glacial beds which yielded the later Javanese bones and the German jawbone also include tools. These finds come from the time of the second alpine glaciation. So this is the situation. By the time of the end of the second alpine or first continental glaciation (say 400,000 years ago) we have traces of men from the extremes of the more southerly portions of the Old World--South Africa, eastern Asia, and western Europe. There are also some traces of men in the middle ground. In fact, Professor Franz Weidenreich believed that creatures who were the immediate ancestors of men had already spread over Europe, Africa, and Asia by the time the Ice Age began. We certainly have no reason to disbelieve this, but fortunate accidents of discovery have not yet given us the evidence to prove it. MEN AND APES Many people used to get extremely upset at the ill-formed notion that man descended from the apes. Such words were much more likely to start fights or monkey trials than the correct notion that all living animals, including man, ascended or evolved from a single-celled organism which lived in the primeval seas hundreds of millions of years ago. Men are mammals, of the order called Primates, and mans living relatives are the great apes. Men didnt descend from the apes or apes from men, and mankind must have had much closer relatives who have since become extinct. Men stand erect. They also walk and run on their two feet. Apes are happiest in trees, swinging with their arms from branch to branch. Few branches of trees will hold the mighty gorilla, although he still manages to sleep in trees. Apes cant stand really erect in our sense, and when they have to run on the ground, they use the knuckles of their hands as well as their feet. A key group of fossil bones here are the south African australopithecines. These are called the _Australopithecinae_ or man-apes or sometimes even ape-men. We do not _know_ that they were directly ancestral to men but they can hardly have been so to apes. Presently Ill describe them a bit more. The reason I mention them here is that while they had brains no larger than those of apes, their hipbones were enough like ours so that they must have stood erect. There is no good reason to think they couldnt have walked as we do. BRAINS, HANDS, AND TOOLS Whether the australopithecines were our ancestors or not, the proper ancestors of men must have been able to stand erect and to walk on their two feet. Three further important things probably were involved, next, before they could become men proper. These are: 1. The increasing size and development of the brain. 2. The increasing usefulness (specialization) of the thumb and hand. 3. The use of tools. Nobody knows which of these three is most important, or which came first. Most probably the growth of all three things was very much blended together. If you think about each of the things, you will see what I mean. Unless your hand is more flexible than a paw, and your thumb will work against (or oppose) your fingers, you cant hold a tool very well. But you wouldnt get the idea of using a tool unless you had enough brain to help you see cause and effect. And it is rather hard to see how your hand and brain would develop unless they had something to practice on--like using tools. In Professor Krogmans words, the hand must become the obedient servant of the eye and the brain. It is the _co-ordination_ of these things that counts. Many other things must have been happening to the bodies of the creatures who were the ancestors of men. Our ancestors had to develop organs of speech. More than that, they had to get the idea of letting _certain sounds_ made with these speech organs have _certain meanings_. All this must have gone very slowly. Probably everything was developing little by little, all together. Men became men very slowly. WHEN SHALL WE CALL MEN MEN? What do I mean when I say men? People who looked pretty much as we do, and who used different tools to do different things, are men to me. Well probably never know whether the earliest ones talked or not. They probably had vocal cords, so they could make sounds, but did they know how to make sounds work as symbols to carry meanings? But if the fossil bones look like our skeletons, and if we find tools which well agree couldnt have been made by nature or by animals, then Id say we had traces of _men_. The australopithecine finds of the Transvaal and Bechuanaland, in south Africa, are bound to come into the discussion here. Ive already told you that the australopithecines could have stood upright and walked on their two hind legs. They come from the very base of the Pleistocene or Ice Age, and a few coarse stone tools have been found with the australopithecine fossils. But there are three varieties of the australopithecines and they last on until a time equal to that of the second alpine glaciation. They are the best suggestion we have yet as to what the ancestors of men _may_ have looked like. They were certainly closer to men than to apes. Although their brain size was no larger than the brains of modern apes their body size and stature were quite small; hence, relative to their small size, their brains were large. We have not been able to prove without doubt that the australopithecines were _tool-making_ creatures, even though the recent news has it that tools have been found with australopithecine bones. The doubt as to whether the australopithecines used the tools themselves goes like this--just suppose some man-like creature (whose bones we have not yet found) made the tools and used them to kill and butcher australopithecines. Hence a few experts tend to let australopithecines still hang in limbo as man-apes. THE EARLIEST MEN WE KNOW Ill postpone talking about the tools of early men until the next chapter. The men whose bones were the earliest of the Java lot have been given the name _Meganthropus_. The bones are very fragmentary. We would not understand them very well unless we had the somewhat later Javanese lot--the more commonly known _Pithecanthropus_ or Java man--against which to refer them for study. One of the less well-known and earliest fragments, a piece of lower jaw and some teeth, rather strongly resembles the lower jaws and teeth of the australopithecine type. Was _Meganthropus_ a sort of half-way point between the australopithecines and _Pithecanthropus_? It is still too early to say. We shall need more finds before we can be definite one way or the other. Java man, _Pithecanthropus_, comes from geological beds equal in age to the latter part of the second alpine glaciation; the _Meganthropus_ finds refer to beds of the beginning of this glaciation. The first finds of Java man were made in 1891-92 by Dr. Eugene Dubois, a Dutch doctor in the colonial service. Finds have continued to be made. There are now bones enough to account for four skulls. There are also four jaws and some odd teeth and thigh bones. Java man, generally speaking, was about five feet six inches tall, and didnt hold his head very erect. His skull was very thick and heavy and had room for little more than two-thirds as large a brain as we have. He had big teeth and a big jaw and enormous eyebrow ridges. No tools were found in the geological deposits where bones of Java man appeared. There are some tools in the same general area, but they come a bit later in time. One reason we accept the Java man as man--aside from his general anatomical appearance--is that these tools probably belonged to his near descendants. Remember that there are several varieties of men in the whole early Java lot, at least two of which are earlier than the _Pithecanthropus_, Java man. Some of the earlier ones seem to have gone in for bigness, in tooth-size at least. _Meganthropus_ is one of these earlier varieties. As we said, he _may_ turn out to be a link to the australopithecines, who _may_ or _may not_ be ancestral to men. _Meganthropus_ is best understandable in terms of _Pithecanthropus_, who appeared later in the same general area. _Pithecanthropus_ is pretty well understandable from the bones he left us, and also because of his strong resemblance to the fully tool-using cave-dwelling Peking man, _Sinanthropus_, about whom we shall talk next. But you can see that the physical anthropologists and prehistoric archeologists still have a lot of work to do on the problem of earliest men. PEKING MEN AND SOME EARLY WESTERNERS The earliest known Chinese are called _Sinanthropus_, or Peking man, because the finds were made near that city. In World War II, the United States Marine guard at our Embassy in Peking tried to help get the bones out of the city before the Japanese attack. Nobody knows where these bones are now. The Red Chinese accuse us of having stolen them. They were last seen on a dock-side at a Chinese port. But should you catch a Marine with a sack of old bones, perhaps we could achieve peace in Asia by returning them! Fortunately, there is a complete set of casts of the bones. Peking man lived in a cave in a limestone hill, made tools, cracked animal bones to get the marrow out, and used fire. Incidentally, the bones of Peking man were found because Chinese dig for what they call dragon bones and dragon teeth. Uneducated Chinese buy these things in their drug stores and grind them into powder for medicine. The dragon teeth and bones are really fossils of ancient animals, and sometimes of men. The people who supply the drug stores have learned where to dig for strange bones and teeth. Paleontologists who get to China go to the drug stores to buy fossils. In a roundabout way, this is how the fallen-in cave of Peking man at Choukoutien was discovered. Peking man was not quite as tall as Java man but he probably stood straighter. His skull looked very much like that of the Java skull except that it had room for a slightly larger brain. His face was less brutish than was Java mans face, but this isnt saying much. Peking man dates from early in the interglacial period following the second alpine glaciation. He probably lived close to 350,000 years ago. There are several finds to account for in Europe by about this time, and one from northwest Africa. The very large jawbone found near Heidelberg in Germany is doubtless even earlier than Peking man. The beds where it was found are of second alpine glacial times, and recently some tools have been said to have come from the same beds. There is not much I need tell you about the Heidelberg jaw save that it seems certainly to have belonged to an early man, and that it is very big. Another find in Germany was made at Steinheim. It consists of the fragmentary skull of a man. It is very important because of its relative completeness, but it has not yet been fully studied. The bone is thick, but the back of the head is neither very low nor primitive, and the face is also not primitive. The forehead does, however, have big ridges over the eyes. The more fragmentary skull from Swanscombe in England (p. 11) has been much more carefully studied. Only the top and back of that skull have been found. Since the skull rounds up nicely, it has been assumed that the face and forehead must have been quite modern. Careful comparison with Steinheim shows that this was not necessarily so. This is important because it bears on the question of how early truly modern man appeared. Recently two fragmentary jaws were found at Ternafine in Algeria, northwest Africa. They look like the jaws of Peking man. Tools were found with them. Since no jaws have yet been found at Steinheim or Swanscombe, but the time is the same, one wonders if these people had jaws like those of Ternafine. WHAT HAPPENED TO JAVA AND PEKING MEN Professor Weidenreich thought that there were at least a dozen ways in which the Peking man resembled the modern Mongoloids. This would seem to indicate that Peking man was really just a very early Chinese. Several later fossil men have been found in the Java-Australian area. The best known of these is the so-called Solo man. There are some finds from Australia itself which we now know to be quite late. But it looks as if we may assume a line of evolution from Java man down to the modern Australian natives. During parts of the Ice Age there was a land bridge all the way from Java to Australia. TWO ENGLISHMEN WHO WERENT OLD The older textbooks contain descriptions of two English finds which were thought to be very old. These were called Piltdown (_Eoanthropus dawsoni_) and Galley Hill. The skulls were very modern in appearance. In 1948-49, British scientists began making chemical tests which proved that neither of these finds is very old. It is now known that both Piltdown man and the tools which were said to have been found with him were part of an elaborate fake! TYPICAL CAVE MEN The next men we have to talk about are all members of a related group. These are the Neanderthal group. Neanderthal man himself was found in the Neander Valley, near Dsseldorf, Germany, in 1856. He was the first human fossil to be recognized as such. [Illustration: PRINCIPAL KNOWN TYPES OF FOSSIL MEN CRO-MAGNON NEANDERTHAL MODERN SKULL COMBE-CAPELLE SINANTHROPUS PITHECANTHROPUS] Some of us think that the neanderthaloids proper are only those people of western Europe who didnt get out before the beginning of the last great glaciation, and who found themselves hemmed in by the glaciers in the Alps and northern Europe. Being hemmed in, they intermarried a bit too much and developed into a special type. Professor F. Clark Howell sees it this way. In Europe, the earliest trace of men we now know is the Heidelberg jaw. Evolution continued in Europe, from Heidelberg through the Swanscombe and Steinheim types to a group of pre-neanderthaloids. There are traces of these pre-neanderthaloids pretty much throughout Europe during the third interglacial period--say 100,000 years ago. The pre-neanderthaloids are represented by such finds as the ones at Ehringsdorf in Germany and Saccopastore in Italy. I wont describe them for you, since they are simply less extreme than the neanderthaloids proper--about half way between Steinheim and the classic Neanderthal people. Professor Howell believes that the pre-neanderthaloids who happened to get caught in the pocket of the southwest corner of Europe at the onset of the last great glaciation became the classic Neanderthalers. Out in the Near East, Howell thinks, it is possible to see traces of people evolving from the pre-neanderthaloid type toward that of fully modern man. Certainly, we dont see such extreme cases of neanderthaloidism outside of western Europe. There are at least a dozen good examples in the main or classic Neanderthal group in Europe. They date to just before and in the earlier part of the last great glaciation (85,000 to 40,000 years ago). Many of the finds have been made in caves. The cave men the movies and the cartoonists show you are probably meant to be Neanderthalers. Im not at all sure they dragged their women by the hair; the women were probably pretty tough, too! Neanderthal men had large bony heads, but plenty of room for brains. Some had brain cases even larger than the average for modern man. Their faces were heavy, and they had eyebrow ridges of bone, but the ridges were not as big as those of Java man. Their foreheads were very low, and they didnt have much chin. They were about five feet three inches tall, but were heavy and barrel-chested. But the Neanderthalers didnt slouch as much as theyve been blamed for, either. One important thing about the Neanderthal group is that there is a fair number of them to study. Just as important is the fact that we know something about how they lived, and about some of the tools they made. OTHER MEN CONTEMPORARY WITH THE NEANDERTHALOIDS We have seen that the neanderthaloids seem to be a specialization in a corner of Europe. What was going on elsewhere? We think that the pre-neanderthaloid type was a generally widespread form of men. From this type evolved other more or less extreme although generally related men. The Solo finds in Java form one such case. Another was the Rhodesian man of Africa, and the more recent Hopefield finds show more of the general Rhodesian type. It is more confusing than it needs to be if these cases outside western Europe are called neanderthaloids. They lived during the same approximate time range but they were all somewhat different-looking people. EARLY MODERN MEN How early is modern man (_Homo sapiens_), the wise man? Some people have thought that he was very early, a few still think so. Piltdown and Galley Hill, which were quite modern in anatomical appearance and _supposedly_ very early in date, were the best evidence for very early modern men. Now that Piltdown has been liquidated and Galley Hill is known to be very late, what is left of the idea? The backs of the skulls of the Swanscombe and Steinheim finds look rather modern. Unless you pay attention to the face and forehead of the Steinheim find--which not many people have--and perhaps also consider the Ternafine jaws, you might come to the conclusion that the crown of the Swanscombe head was that of a modern-like man. Two more skulls, again without faces, are available from a French cave site, Fontchevade. They come from the time of the last great interglacial, as did the pre-neanderthaloids. The crowns of the Fontchevade skulls also look quite modern. There is a bit of the forehead preserved on one of these skulls and the brow-ridge is not heavy. Nevertheless, there is a suggestion that the bones belonged to an immature individual. In this case, his (or even more so, if _her_) brow-ridges would have been weak anyway. The case for the Fontchevade fossils, as modern type men, is little stronger than that for Swanscombe, although Professor Vallois believes it a good case. It seems to add up to the fact that there were people living in Europe--before the classic neanderthaloids--who looked more modern, in some features, than the classic western neanderthaloids did. Our best suggestion of what men looked like--just before they became fully modern--comes from a cave on Mount Carmel in Palestine. THE FIRST MODERNS Professor T. D. McCown and the late Sir Arthur Keith, who studied the Mount Carmel bones, figured out that one of the two groups involved was as much as 70 per cent modern. There were, in fact, two groups or varieties of men in the Mount Carmel caves and in at least two other Palestinian caves of about the same time. The time would be about that of the onset of colder weather, when the last glaciation was beginning in the north--say 75,000 years ago. The 70 per cent modern group came from only one cave, Mugharet es-Skhul (cave of the kids). The other group, from several caves, had bones of men of the type weve been calling pre-neanderthaloid which we noted were widespread in Europe and beyond. The tools which came with each of these finds were generally similar, and McCown and Keith, and other scholars since their study, have tended to assume that both the Skhul group and the pre-neanderthaloid group came from exactly the same time. The conclusion was quite natural: here was a population of men in the act of evolving in two different directions. But the time may not be exactly the same. It is very difficult to be precise, within say 10,000 years, for a time some 75,000 years ago. If the Skhul men are in fact later than the pre-neanderthaloid group of Palestine, as some of us think, then they show how relatively modern some men were--men who lived at the same time as the classic Neanderthalers of the European pocket. Soon after the first extremely cold phase of the last glaciation, we begin to get a number of bones of completely modern men in Europe. We also get great numbers of the tools they made, and their living places in caves. Completely modern skeletons begin turning up in caves dating back to toward 40,000 years ago. The time is about that of the beginning of the second phase of the last glaciation. These skeletons belonged to people no different from many people we see today. Like people today, not everybody looked alike. (The positions of the more important fossil men of later Europe are shown in the chart on page 72.) DIFFERENCES IN THE EARLY MODERNS The main early European moderns have been divided into two groups, the Cro-Magnon group and the Combe Capelle-Brnn group. Cro-Magnon people were tall and big-boned, with large, long, and rugged heads. They must have been built like many present-day Scandinavians. The Combe Capelle-Brnn people were shorter; they had narrow heads and faces, and big eyebrow-ridges. Of course we dont find the skin or hair of these people. But there is little doubt they were Caucasoids (Whites). Another important find came in the Italian Riviera, near Monte Carlo. Here, in a cave near Grimaldi, there was a grave containing a woman and a young boy, buried together. The two skeletons were first called Negroid because some features of their bones were thought to resemble certain features of modern African Negro bones. But more recently, Professor E. A. Hooton and other experts questioned the use of the word Negroid in describing the Grimaldi skeletons. It is true that nothing is known of the skin color, hair form, or any other fleshy feature of the Grimaldi people, so that the word Negroid in its usual meaning is not proper here. It is also not clear whether the features of the bones claimed to be Negroid are really so at all. From a place called Wadjak, in Java, we have proto-Australoid skulls which closely resemble those of modern Australian natives. Some of the skulls found in South Africa, especially the Boskop skull, look like those of modern Bushmen, but are much bigger. The ancestors of the Bushmen seem to have once been very widespread south of the Sahara Desert. True African Negroes were forest people who apparently expanded out of the west central African area only in the last several thousand years. Although dark in skin color, neither the Australians nor the Bushmen are Negroes; neither the Wadjak nor the Boskop skulls are Negroid. As weve already mentioned, Professor Weidenreich believed that Peking man was already on the way to becoming a Mongoloid. Anyway, the Mongoloids would seem to have been present by the time of the Upper Cave at Choukoutien, the _Sinanthropus_ find-spot. WHAT THE DIFFERENCES MEAN What does all this difference mean? It means that, at one moment in time, within each different area, men tended to look somewhat alike. From area to area, men tended to look somewhat different, just as they do today. This is all quite natural. People _tended_ to mate near home; in the anthropological jargon, they made up geographically localized breeding populations. The simple continental division of stocks--black = Africa, yellow = Asia, white = Europe--is too simple a picture to fit the facts. People became accustomed to life in some particular area within a continent (we might call it a natural area). As they went on living there, they evolved towards some particular physical variety. It would, of course, have been difficult to draw a clear boundary between two adjacent areas. There must always have been some mating across the boundaries in every case. One thing human beings dont do, and never have done, is to mate for purity. It is self-righteous nonsense when we try to kid ourselves into thinking that they do. I am not going to struggle with the whole business of modern stocks and races. This is a book about prehistoric men, not recent historic or modern men. My physical anthropologist friends have been very patient in helping me to write and rewrite this chapter--I am not going to break their patience completely. Races are their business, not mine, and they must do the writing about races. I shall, however, give two modern definitions of race, and then make one comment. Dr. William G. Boyd, professor of Immunochemistry, School of Medicine, Boston University: We may define a human race as a population which differs significantly from other human populations in regard to the frequency of one or more of the genes it possesses. Professor Sherwood L. Washburn, professor of Physical Anthropology, Department of Anthropology, the University of California: A race is a group of genetically similar populations, and races intergrade because there are always intermediate populations. My comment is that the ideas involved here are all biological: they concern groups, _not_ individuals. Boyd and Washburn may differ a bit on what they want to consider a population, but a population is a group nevertheless, and genetics is biology to the hilt. Now a lot of people still think of race in terms of how people dress or fix their food or of other habits or customs they have. The next step is to talk about racial purity. None of this has anything whatever to do with race proper, which is a matter of the biology of groups. Incidentally, Im told that if man very carefully _controls_ the breeding of certain animals over generations--dogs, cattle, chickens--he might achieve a pure race of animals. But he doesnt do it. Some unfortunate genetic trait soon turns up, so this has just as carefully to be bred out again, and so on. SUMMARY OF PRESENT KNOWLEDGE OF FOSSIL MEN The earliest bones of men we now have--upon which all the experts would probably agree--are those of _Meganthropus_, from Java, of about 450,000 years ago. The earlier australopithecines of Africa were possibly not tool-users and may not have been ancestral to men at all. But there is an alternate and evidently increasingly stronger chance that some of them may have been. The Kanam jaw from Kenya, another early possibility, is not only very incomplete but its find-spot is very questionable. Java man proper, _Pithecanthropus_, comes next, at about 400,000 years ago, and the big Heidelberg jaw in Germany must be of about the same date. Next comes Swanscombe in England, Steinheim in Germany, the Ternafine jaws in Algeria, and Peking man, _Sinanthropus_. They all date to the second great interglacial period, about 350,000 years ago. Piltdown and Galley Hill are out, and with them, much of the starch in the old idea that there were two distinct lines of development in human evolution: (1) a line of paleoanthropic development from Heidelberg to the Neanderthalers where it became extinct, and (2) a very early modern line, through Piltdown, Galley Hill, Swanscombe, to us. Swanscombe, Steinheim, and Ternafine are just as easily cases of very early pre-neanderthaloids. The pre-neanderthaloids were very widespread during the third interglacial: Ehringsdorf, Saccopastore, some of the Mount Carmel people, and probably Fontchevade are cases in point. A variety of their descendants can be seen, from Java (Solo), Africa (Rhodesian man), and about the Mediterranean and in western Europe. As the acute cold of the last glaciation set in, the western Europeans found themselves surrounded by water, ice, or bitter cold tundra. To vastly over-simplify it, they bred in and became classic neanderthaloids. But on Mount Carmel, the Skhul cave-find with its 70 per cent modern features shows what could happen elsewhere at the same time. Lastly, from about 40,000 or 35,000 years ago--the time of the onset of the second phase of the last glaciation--we begin to find the fully modern skeletons of men. The modern skeletons differ from place to place, just as different groups of men living in different places still look different. What became of the Neanderthalers? Nobody can tell me for sure. Ive a hunch they were simply bred out again when the cold weather was over. Many Americans, as the years go by, are no longer ashamed to claim they have Indian blood in their veins. Give us a few more generations and there will not be very many other Americans left to whom we can brag about it. It certainly isnt inconceivable to me to imagine a little Cro-Magnon boy bragging to his friends about his tough, strong, Neanderthaler great-great-great-great-grandfather! Cultural BEGINNINGS [Illustration] Men, unlike the lower animals, are made up of much more than flesh and blood and bones; for men have culture. WHAT IS CULTURE? Culture is a word with many meanings. The doctors speak of making a culture of a certain kind of bacteria, and ants are said to have a culture. Then there is the Emily Post kind of culture--you say a person is cultured, or that he isnt, depending on such things as whether or not he eats peas with his knife. The anthropologists use the word too, and argue heatedly over its finer meanings; but they all agree that every human being is part of or has some kind of culture. Each particular human group has a particular culture; that is one of the ways in which we can tell one group of men from another. In this sense, a CULTURE means the way the members of a group of people think and believe and live, the tools they make, and the way they do things. Professor Robert Redfield says a culture is an organized or formalized body of conventional understandings. Conventional understandings means the whole set of rules, beliefs, and standards which a group of people lives by. These understandings show themselves in art, and in the other things a people may make and do. The understandings continue to last, through tradition, from one generation to another. They are what really characterize different human groups. SOME CHARACTERISTICS OF CULTURE A culture lasts, although individual men in the group die off. On the other hand, a culture changes as the different conventions and understandings change. You could almost say that a culture lives in the minds of the men who have it. But people are not born with it; they get it as they grow up. Suppose a day-old Hungarian baby is adopted by a family in Oshkosh, Wisconsin, and the child is not told that he is Hungarian. He will grow up with no more idea of Hungarian culture than anyone else in Oshkosh. So when I speak of ancient Egyptian culture, I mean the whole body of understandings and beliefs and knowledge possessed by the ancient Egyptians. I mean their beliefs as to why grain grew, as well as their ability to make tools with which to reap the grain. I mean their beliefs about life after death. What I am thinking about as culture is a thing which lasted in time. If any one Egyptian, even the Pharaoh, died, it didnt affect the Egyptian culture of that particular moment. PREHISTORIC CULTURES For that long period of mans history that is all prehistory, we have no written descriptions of cultures. We find only the tools men made, the places where they lived, the graves in which they buried their dead. Fortunately for us, these tools and living places and graves all tell us something about the ways these men lived and the things they believed. But the story we learn of the very early cultures must be only a very small part of the whole, for we find so few things. The rest of the story is gone forever. We have to do what we can with what we find. For all of the time up to about 75,000 years ago, which was the time of the classic European Neanderthal group of men, we have found few cave-dwelling places of very early prehistoric men. First, there is the fallen-in cave where Peking man was found, near Peking. Then there are two or three other _early_, but not _very early_, possibilities. The finds at the base of the French cave of Fontchevade, those in one of the Makapan caves in South Africa, and several open sites such as Dr. L. S. B. Leakeys Olorgesailie in Kenya doubtless all lie earlier than the time of the main European Neanderthal group, but none are so early as the Peking finds. You can see that we know very little about the home life of earlier prehistoric men. We find different kinds of early stone tools, but we cant even be really sure which tools may have been used together. WHY LITTLE HAS LASTED FROM EARLY TIMES Except for the rare find-spots mentioned above, all our very early finds come from geological deposits, or from the wind-blown surfaces of deserts. Here is what the business of geological deposits really means. Let us say that a group of people was living in England about 300,000 years ago. They made the tools they needed, lived in some sort of camp, almost certainly built fires, and perhaps buried their dead. While the climate was still warm, many generations may have lived in the same place, hunting, and gathering nuts and berries; but after some few thousand years, the weather began very gradually to grow colder. These early Englishmen would not have known that a glacier was forming over northern Europe. They would only have noticed that the animals they hunted seemed to be moving south, and that the berries grew larger toward the south. So they would have moved south, too. The camp site they left is the place we archeologists would really have liked to find. All of the different tools the people used would have been there together--many broken, some whole. The graves, and traces of fire, and the tools would have been there. But the glacier got there first! The front of this enormous sheet of ice moved down over the country, crushing and breaking and plowing up everything, like a gigantic bulldozer. You can see what happened to our camp site. Everything the glacier couldnt break, it pushed along in front of it or plowed beneath it. Rocks were ground to gravel, and soil was caught into the ice, which afterwards melted and ran off as muddy water. Hard tools of flint sometimes remained whole. Human bones werent so hard; its a wonder _any_ of them lasted. Gushing streams of melt water flushed out the debris from underneath the glacier, and water flowed off the surface and through great crevasses. The hard materials these waters carried were even more rolled and ground up. Finally, such materials were dropped by the rushing waters as gravels, miles from the front of the glacier. At last the glacier reached its greatest extent; then it melted backward toward the north. Debris held in the ice was dropped where the ice melted, or was flushed off by more melt water. When the glacier, leaving the land, had withdrawn to the sea, great hunks of ice were broken off as icebergs. These icebergs probably dropped the materials held in their ice wherever they floated and melted. There must be many tools and fragmentary bones of prehistoric men on the bottom of the Atlantic Ocean and the North Sea. Remember, too, that these glaciers came and went at least three or four times during the Ice Age. Then you will realize why the earlier things we find are all mixed up. Stone tools from one camp site got mixed up with stone tools from many other camp sites--tools which may have been made tens of thousands or more years apart. The glaciers mixed them all up, and so we cannot say which particular sets of tools belonged together in the first place. EOLITHS But what sort of tools do we find earliest? For almost a century, people have been picking up odd bits of flint and other stone in the oldest Ice Age gravels in England and France. It is now thought these odd bits of stone werent actually worked by prehistoric men. The stones were given a name, _eoliths_, or dawn stones. You can see them in many museums; but you can be pretty sure that very few of them were actually fashioned by men. It is impossible to pick out eoliths that seem to be made in any one _tradition_. By tradition I mean a set of habits for making one kind of tool for some particular job. No two eoliths look very much alike: tools made as part of some one tradition all look much alike. Now its easy to suppose that the very earliest prehistoric men picked up and used almost any sort of stone. This wouldnt be surprising; you and I do it when we go camping. In other words, some of these eoliths may actually have been used by prehistoric men. They must have used anything that might be handy when they needed it. We could have figured that out without the eoliths. THE ROAD TO STANDARDIZATION Reasoning from what we know or can easily imagine, there should have been three major steps in the prehistory of tool-making. The first step would have been simple _utilization_ of what was at hand. This is the step into which the eoliths would fall. The second step would have been _fashioning_--the haphazard preparation of a tool when there was a need for it. Probably many of the earlier pebble tools, which I shall describe next, fall into this group. The third step would have been _standardization_. Here, men began to make tools according to certain set traditions. Counting the better-made pebble tools, there are four such traditions or sets of habits for the production of stone tools in earliest prehistoric times. Toward the end of the Pleistocene, a fifth tradition appears. PEBBLE TOOLS At the beginning of the last chapter, youll remember that I said there were tools from very early geological beds. The earliest bones of men have not yet been found in such early beds although the Sterkfontein australopithecine cave approaches this early date. The earliest tools come from Africa. They date back to the time of the first great alpine glaciation and are at least 500,000 years old. The earliest ones are made of split pebbles, about the size of your fist or a bit bigger. They go under the name of pebble tools. There are many natural exposures of early Pleistocene geological beds in Africa, and the prehistoric archeologists of south and central Africa have concentrated on searching for early tools. Other finds of early pebble tools have recently been made in Algeria and Morocco. [Illustration: SOUTH AFRICAN PEBBLE TOOL] There are probably early pebble tools to be found in areas of the Old World besides Africa; in fact, some prehistorians already claim to have identified a few. Since the forms and the distinct ways of making the earlier pebble tools had not yet sufficiently jelled into a set tradition, they are difficult for us to recognize. It is not so difficult, however, if there are great numbers of possibles available. A little later in time the tradition becomes more clearly set, and pebble tools are easier to recognize. So far, really large collections of pebble tools have only been found and examined in Africa. CORE-BIFACE TOOLS The next tradition well look at is the _core_ or biface one. The tools are large pear-shaped pieces of stone trimmed flat on the two opposite sides or faces. Hence biface has been used to describe these tools. The front view is like that of a pear with a rather pointed top, and the back view looks almost exactly the same. Look at them side on, and you can see that the front and back faces are the same and have been trimmed to a thin tip. The real purpose in trimming down the two faces was to get a good cutting edge all around. You can see all this in the illustration. [Illustration: ABBEVILLIAN BIFACE] We have very little idea of the way in which these core-bifaces were used. They have been called hand axes, but this probably gives the wrong idea, for an ax, to us, is not a pointed tool. All of these early tools must have been used for a number of jobs--chopping, scraping, cutting, hitting, picking, and prying. Since the core-bifaces tend to be pointed, it seems likely that they were used for hitting, picking, and prying. But they have rough cutting edges, so they could have been used for chopping, scraping, and cutting. FLAKE TOOLS The third tradition is the _flake_ tradition. The idea was to get a tool with a good cutting edge by simply knocking a nice large flake off a big block of stone. You had to break off the flake in such a way that it was broad and thin, and also had a good sharp cutting edge. Once you really got on to the trick of doing it, this was probably a simpler way to make a good cutting tool than preparing a biface. You have to know how, though; Ive tried it and have mashed my fingers more than once. The flake tools look as if they were meant mainly for chopping, scraping, and cutting jobs. When one made a flake tool, the idea seems to have been to produce a broad, sharp, cutting edge. [Illustration: CLACTONIAN FLAKE] The core-biface and the flake traditions were spread, from earliest times, over much of Europe, Africa, and western Asia. The map on page 52 shows the general area. Over much of this great region there was flint. Both of these traditions seem well adapted to flint, although good core-bifaces and flakes were made from other kinds of stone, especially in Africa south of the Sahara. CHOPPERS AND ADZE-LIKE TOOLS The fourth early tradition is found in southern and eastern Asia, from northwestern India through Java and Burma into China. Father Maringer recently reported an early group of tools in Japan, which most resemble those of Java, called Patjitanian. The prehistoric men in this general area mostly used quartz and tuff and even petrified wood for their stone tools (see illustration, p. 46). This fourth early tradition is called the _chopper-chopping tool_ tradition. It probably has its earliest roots in the pebble tool tradition of African type. There are several kinds of tools in this tradition, but all differ from the western core-bifaces and flakes. There are broad, heavy scrapers or cleavers, and tools with an adze-like cutting edge. These last-named tools are called hand adzes, just as the core-bifaces of the west have often been called hand axes. The section of an adze cutting edge is ? shaped; the section of an ax is < shaped. [Illustration: ANYATHIAN ADZE-LIKE TOOL] There are also pointed pebble tools. Thus the tool kit of these early south and east Asiatic peoples seems to have included tools for doing as many different jobs as did the tools of the Western traditions. Dr. H. L. Movius has emphasized that the tools which were found in the Peking cave with Peking man belong to the chopper-tool tradition. This is the only case as yet where the tools and the man have been found together from very earliest times--if we except Sterkfontein. DIFFERENCES WITHIN THE TOOL-MAKING TRADITIONS The latter three great traditions in the manufacture of stone tools--and the less clear-cut pebble tools before them--are all we have to show of the cultures of the men of those times. Changes happened in each of the traditions. As time went on, the tools in each tradition were better made. There could also be slight regional differences in the tools within one tradition. Thus, tools with small differences, but all belonging to one tradition, can be given special group (facies) names. This naming of special groups has been going on for some time. Here are some of these names, since you may see them used in museum displays of flint tools, or in books. Within each tradition of tool-making (save the chopper tools), the earliest tool type is at the bottom of the list, just as it appears in the lowest beds of a geological stratification.[3] [3] Archeologists usually make their charts and lists with the earliest materials at the bottom and the latest on top, since this is the way they find them in the ground. Chopper tool (all about equally early): Anyathian (Burma) Choukoutienian (China) Patjitanian (Java) Soan (India) Flake: Typical Mousterian Levalloiso-Mousterian Levalloisian Tayacian Clactonian (localized in England) Core-biface: Some blended elements in Mousterian Micoquian (= Acheulean 6 and 7) Acheulean Abbevillian (once called Chellean) Pebble tool: Oldowan Ain Hanech pre-Stellenbosch Kafuan The core-biface and the flake traditions appear in the chart (p. 65). The early archeologists had many of the tool groups named before they ever realized that there were broader tool preparation traditions. This was understandable, for in dealing with the mixture of things that come out of glacial gravels the easiest thing to do first is to isolate individual types of tools into groups. First you put a bushel-basketful of tools on a table and begin matching up types. Then you give names to the groups of each type. The groups and the types are really matters of the archeologists choice; in real life, they were probably less exact than the archeologists lists of them. We now know pretty well in which of the early traditions the various early groups belong. THE MEANING OF THE DIFFERENT TRADITIONS What do the traditions really mean? I see them as the standardization of ways to make tools for particular jobs. We may not know exactly what job the maker of a particular core-biface or flake tool had in mind. We can easily see, however, that he already enjoyed a know-how, a set of persistent habits of tool preparation, which would always give him the same type of tool when he wanted to make it. Therefore, the traditions show us that persistent habits already existed for the preparation of one type of tool or another. This tells us that one of the characteristic aspects of human culture was already present. There must have been, in the minds of these early men, a notion of the ideal type of tool for a particular job. Furthermore, since we find so many thousands upon thousands of tools of one type or another, the notion of the ideal types of tools _and_ the know-how for the making of each type must have been held in common by many men. The notions of the ideal types and the know-how for their production must have been passed on from one generation to another. I could even guess that the notions of the ideal type of one or the other of these tools stood out in the minds of men of those times somewhat like a symbol of perfect tool for good job. If this were so--remember its only a wild guess of mine--then men were already symbol users. Now lets go on a further step to the fact that the words men speak are simply sounds, each different sound being a symbol for a different meaning. If standardized tool-making suggests symbol-making, is it also possible that crude word-symbols were also being made? I suppose that it is not impossible. There may, of course, be a real question whether tool-utilizing creatures--our first step, on page 42--were actually men. Other animals utilize things at hand as tools. The tool-fashioning creature of our second step is more suggestive, although we may not yet feel sure that many of the earlier pebble tools were man-made products. But with the step to standardization and the appearance of the traditions, I believe we must surely be dealing with the traces of culture-bearing _men_. The conventional understandings which Professor Redfields definition of culture suggests are now evidenced for us in the persistent habits for the preparation of stone tools. Were we able to see the other things these prehistoric men must have made--in materials no longer preserved for the archeologist to find--I believe there would be clear signs of further conventional understandings. The men may have been physically primitive and pretty shaggy in appearance, but I think we must surely call them men. AN OLDER INTERPRETATION OF THE WESTERN TRADITIONS In the last chapter, I told you that many of the older archeologists and human paleontologists used to think that modern man was very old. The supposed ages of Piltdown and Galley Hill were given as evidence of the great age of anatomically modern man, and some interpretations of the Swanscombe and Fontchevade fossils were taken to support this view. The conclusion was that there were two parallel lines or phyla of men already present well back in the Pleistocene. The first of these, the more primitive or paleoanthropic line, was said to include Heidelberg, the proto-neanderthaloids and classic Neanderthal. The more anatomically modern or neanthropic line was thought to consist of Piltdown and the others mentioned above. The Neanderthaler or paleoanthropic line was thought to have become extinct after the first phase of the last great glaciation. Of course, the modern or neanthropic line was believed to have persisted into the present, as the basis for the worlds population today. But with Piltdown liquidated, Galley Hill known to be very late, and Swanscombe and Fontchevade otherwise interpreted, there is little left of the so-called parallel phyla theory. While the theory was in vogue, however, and as long as the European archeological evidence was looked at in one short-sighted way, the archeological materials _seemed_ to fit the parallel phyla theory. It was simply necessary to believe that the flake tools were made only by the paleoanthropic Neanderthaler line, and that the more handsome core-biface tools were the product of the neanthropic modern-man line. Remember that _almost_ all of the early prehistoric European tools came only from the redeposited gravel beds. This means that the tools were not normally found in the remains of camp sites or work shops where they had actually been dropped by the men who made and used them. The tools came, rather, from the secondary hodge-podge of the glacial gravels. I tried to give you a picture of the bulldozing action of glaciers (p. 40) and of the erosion and weathering that were side-effects of a glacially conditioned climate on the earths surface. As we said above, if one simply plucks tools out of the redeposited gravels, his natural tendency is to type the tools by groups, and to think that the groups stand for something _on their own_. In 1906, M. Victor Commont actually made a rare find of what seems to have been a kind of workshop site, on a terrace above the Somme river in France. Here, Commont realized, flake tools appeared clearly in direct association with core-biface tools. Few prehistorians paid attention to Commont or his site, however. It was easier to believe that flake tools represented a distinct culture and that this culture was that of the Neanderthaler or paleoanthropic line, and that the core-bifaces stood for another culture which was that of the supposed early modern or neanthropic line. Of course, I am obviously skipping many details here. Some later sites with Neanderthal fossils do seem to have only flake tools, but other such sites have both types of tools. The flake tools which appeared _with_ the core-bifaces in the Swanscombe gravels were never made much of, although it was embarrassing for the parallel phyla people that Fontchevade ran heavily to flake tools. All in all, the parallel phyla theory flourished because it seemed so neat and easy to understand. TRADITIONS ARE TOOL-MAKING HABITS, NOT CULTURES In case you think I simply enjoy beating a dead horse, look in any standard book on prehistory written twenty (or even ten) years ago, or in most encyclopedias. Youll find that each of the individual tool types, of the West, at least, was supposed to represent a culture. The cultures were believed to correspond to parallel lines of human evolution. In 1937, Mr. Harper Kelley strongly re-emphasized the importance of Commonts workshop site and the presence of flake tools with core-bifaces. Next followed Dr. Movius clear delineation of the chopper-chopping tool tradition of the Far East. This spoiled the nice symmetry of the flake-tool = paleoanthropic, core-biface = neanthropic equations. Then came increasing understanding of the importance of the pebble tools in Africa, and the location of several more workshop sites there, especially at Olorgesailie in Kenya. Finally came the liquidation of Piltdown and the deflation of Galley Hills date. So it is at last possible to picture an individual prehistoric man making a flake tool to do one job and a core-biface tool to do another. Commont showed us this picture in 1906, but few believed him. [Illustration: DISTRIBUTION OF TOOL-PREPARATION TRADITIONS Time approximately 100,000 years ago] There are certainly a few cases in which flake tools did appear with few or no core-bifaces. The flake-tool group called Clactonian in England is such a case. Another good, but certainly later case is that of the cave on Mount Carmel in Palestine, where the blended pre-neanderthaloid, 70 per cent modern-type skulls were found. Here, in the same level with the skulls, were 9,784 flint tools. Of these, only three--doubtless strays--were core-bifaces; all the rest were flake tools or flake chips. We noted above how the Fontchevade cave ran to flake tools. The only conclusion I would draw from this is that times and circumstances did exist in which prehistoric men needed only flake tools. So they only made flake tools for those particular times and circumstances. LIFE IN EARLIEST TIMES What do we actually know of life in these earliest times? In the glacial gravels, or in the terrace gravels of rivers once swollen by floods of melt water or heavy rains, or on the windswept deserts, we find stone tools. The earliest and coarsest of these are the pebble tools. We do not yet know what the men who made them looked like, although the Sterkfontein australopithecines probably give us a good hint. Then begin the more formal tool preparation traditions of the west--the core-bifaces and the flake tools--and the chopper-chopping tool series of the farther east. There is an occasional roughly worked piece of bone. From the gravels which yield the Clactonian flakes of England comes the fire-hardened point of a wooden spear. There are also the chance finds of the fossil human bones themselves, of which we spoke in the last chapter. Aside from the cave of Peking man, none of the earliest tools have been found in caves. Open air or workshop sites which do not seem to have been disturbed later by some geological agency are very rare. The chart on page 65 shows graphically what the situation in west-central Europe seems to have been. It is not yet certain whether there were pebble tools there or not. The Fontchevade cave comes into the picture about 100,000 years ago or more. But for the earlier hundreds of thousands of years--below the red-dotted line on the chart--the tools we find come almost entirely from the haphazard mixture within the geological contexts. The stone tools of each of the earlier traditions are the simplest kinds of all-purpose tools. Almost any one of them could be used for hacking, chopping, cutting, and scraping; so the men who used them must have been living in a rough and ready sort of way. They found or hunted their food wherever they could. In the anthropological jargon, they were food-gatherers, pure and simple. Because of the mixture in the gravels and in the materials they carried, we cant be sure which animals these men hunted. Bones of the larger animals turn up in the gravels, but they could just as well belong to the animals who hunted the men, rather than the other way about. We dont know. This is why camp sites like Commonts and Olorgesailie in Kenya are so important when we do find them. The animal bones at Olorgesailie belonged to various mammals of extremely large size. Probably they were taken in pit-traps, but there are a number of groups of three round stones on the site which suggest that the people used bolas. The South American Indians used three-ball bolas, with the stones in separate leather bags connected by thongs. These were whirled and then thrown through the air so as to entangle the feet of a fleeing animal. Professor F. Clark Howell recently returned from excavating another important open air site at Isimila in Tanganyika. The site yielded the bones of many fossil animals and also thousands of core-bifaces, flakes, and choppers. But Howells reconstruction of the food-getting habits of the Isimila people certainly suggests that the word hunting is too dignified for what they did; scavenging would be much nearer the mark. During a great part of this time the climate was warm and pleasant. The second interglacial period (the time between the second and third great alpine glaciations) lasted a long time, and during much of this time the climate may have been even better than ours is now. We dont know that earlier prehistoric men in Europe or Africa lived in caves. They may not have needed to; much of the weather may have been so nice that they lived in the open. Perhaps they didnt wear clothes, either. WHAT THE PEKING CAVE-FINDS TELL US The one early cave-dwelling we have found is that of Peking man, in China. Peking man had fire. He probably cooked his meat, or used the fire to keep dangerous animals away from his den. In the cave were bones of dangerous animals, members of the wolf, bear, and cat families. Some of the cat bones belonged to beasts larger than tigers. There were also bones of other wild animals: buffalo, camel, deer, elephants, horses, sheep, and even ostriches. Seventy per cent of the animals Peking man killed were fallow deer. Its much too cold and dry in north China for all these animals to live there today. So this list helps us know that the weather was reasonably warm, and that there was enough rain to grow grass for the grazing animals. The list also helps the paleontologists to date the find. Peking man also seems to have eaten plant food, for there are hackberry seeds in the debris of the cave. His tools were made of sandstone and quartz and sometimes of a rather bad flint. As weve already seen, they belong in the chopper-tool tradition. It seems fairly clear that some of the edges were chipped by right-handed people. There are also many split pieces of heavy bone. Peking man probably split them so he could eat the bone marrow, but he may have used some of them as tools. Many of these split bones were the bones of Peking men. Each one of the skulls had already had the base broken out of it. In no case were any of the bones resting together in their natural relation to one another. There is nothing like a burial; all of the bones are scattered. Now its true that animals could have scattered bodies that were not cared for or buried. But splitting bones lengthwise and carefully removing the base of a skull call for both the tools and the people to use them. Its pretty clear who the people were. Peking man was a cannibal. * * * * * This rounds out about all we can say of the life and times of early prehistoric men. In those days life was rough. You evidently had to watch out not only for dangerous animals but also for your fellow men. You ate whatever you could catch or find growing. But you had sense enough to build fires, and you had already formed certain habits for making the kinds of stone tools you needed. Thats about all we know. But I think well have to admit that cultural beginnings had been made, and that these early people were really _men_. MORE EVIDENCE of Culture [Illustration] While the dating is not yet sure, the material that we get from caves in Europe must go back to about 100,000 years ago; the time of the classic Neanderthal group followed soon afterwards. We dont know why there is no earlier material in the caves; apparently they were not used before the last interglacial phase (the period just before the last great glaciation). We know that men of the classic Neanderthal group were living in caves from about 75,000 to 45,000 years ago. New radioactive carbon dates even suggest that some of the traces of culture well describe in this chapter may have lasted to about 35,000 years ago. Probably some of the pre-neanderthaloid types of men had also lived in caves. But we have so far found their bones in caves only in Palestine and at Fontchevade. THE CAVE LAYERS In parts of France, some peasants still live in caves. In prehistoric time, many generations of people lived in them. As a result, many caves have deep layers of debris. The first people moved in and lived on the rock floor. They threw on the floor whatever they didnt want, and they tracked in mud; nobody bothered to clean house in those days. Their debris--junk and mud and garbage and what not--became packed into a layer. As time went on, and generations passed, the layer grew thicker. Then there might have been a break in the occupation of the cave for a while. Perhaps the game animals got scarce and the people moved away; or maybe the cave became flooded. Later on, other people moved in and began making a new layer of their own on top of the first layer. Perhaps this process of layering went on in the same cave for a hundred thousand years; you can see what happened. The drawing on this page shows a section through such a cave. The earliest layer is on the bottom, the latest one on top. They go in order from bottom to top, earliest to latest. This is the _stratification_ we talked about (p. 12). [Illustration: SECTION OF SHELTER ON LOWER TERRACE, LE MOUSTIER] While we may find a mix-up in caves, its not nearly as bad as the mixing up that was done by glaciers. The animal bones and shells, the fireplaces, the bones of men, and the tools the men made all belong together, if they come from one layer. Thats the reason why the cave of Peking man is so important. It is also the reason why the caves in Europe and the Near East are so important. We can get an idea of which things belong together and which lot came earliest and which latest. In most cases, prehistoric men lived only in the mouths of caves. They didnt like the dark inner chambers as places to live in. They preferred rock-shelters, at the bases of overhanging cliffs, if there was enough overhang to give shelter. When the weather was good, they no doubt lived in the open air as well. Ill go on using the term cave since its more familiar, but remember that I really mean rock-shelter, as a place in which people actually lived. The most important European cave sites are in Spain, France, and central Europe; there are also sites in England and Italy. A few caves are known in the Near East and Africa, and no doubt more sites will be found when the out-of-the-way parts of Europe, Africa, and Asia are studied. AN INDUSTRY DEFINED We have already seen that the earliest European cave materials are those from the cave of Fontchevade. Movius feels certain that the lowest materials here date back well into the third interglacial stage, that which lay between the Riss (next to the last) and the Wrm I (first stage of the last) alpine glaciations. This material consists of an _industry_ of stone tools, apparently all made in the flake tradition. This is the first time we have used the word industry. It is useful to call all of the different tools found together in one layer and made of _one kind of material_ an industry; that is, the tools must be found together as men left them. Tools taken from the glacial gravels (or from windswept desert surfaces or river gravels or any geological deposit) are not together in this sense. We might say the latter have only geological, not archeological context. Archeological context means finding things just as men left them. We can tell what tools go together in an industrial sense only if we have archeological context. Up to now, the only things we could have called industries were the worked stone industry and perhaps the worked (?) bone industry of the Peking cave. We could add some of the very clear cases of open air sites, like Olorgesailie. We couldnt use the term for the stone tools from the glacial gravels, because we do not know which tools belonged together. But when the cave materials begin to appear in Europe, we can begin to speak of industries. Most of the European caves of this time contain industries of flint tools alone. THE EARLIEST EUROPEAN CAVE LAYERS Weve just mentioned the industry from what is said to be the oldest inhabited cave in Europe; that is, the industry from the deepest layer of the site at Fontchevade. Apparently it doesnt amount to much. The tools are made of stone, in the flake tradition, and are very poorly worked. This industry is called _Tayacian_. Its type tool seems to be a smallish flake tool, but there are also larger flakes which seem to have been fashioned for hacking. In fact, the type tool seems to be simply a smaller edition of the Clactonian tool (pictured on p. 45). None of the Fontchevade tools are really good. There are scrapers, and more or less pointed tools, and tools that may have been used for hacking and chopping. Many of the tools from the earlier glacial gravels are better made than those of this first industry we see in a European cave. There is so little of this material available that we do not know which is really typical and which is not. You would probably find it hard to see much difference between this industry and a collection of tools of the type called Clactonian, taken from the glacial gravels, especially if the Clactonian tools were small-sized. The stone industry of the bottommost layer of the Mount Carmel cave, in Palestine, where somewhat similar tools were found, has also been called Tayacian. I shall have to bring in many unfamiliar words for the names of the industries. The industries are usually named after the places where they were first found, and since these were in most cases in France, most of the names which follow will be of French origin. However, the names have simply become handles and are in use far beyond the boundaries of France. It would be better if we had a non-place-name terminology, but archeologists have not yet been able to agree on such a terminology. THE ACHEULEAN INDUSTRY Both in France and in Palestine, as well as in some African cave sites, the next layers in the deep caves have an industry in both the core-biface and the flake traditions. The core-biface tools usually make up less than half of all the tools in the industry. However, the name of the biface type of tool is generally given to the whole industry. It is called the _Acheulean_, actually a late form of it, as Acheulean is also used for earlier core-biface tools taken from the glacial gravels. In western Europe, the name used is _Upper Acheulean_ or _Micoquian_. The same terms have been borrowed to name layers E and F in the Tabun cave, on Mount Carmel in Palestine. The Acheulean core-biface type of tool is worked on two faces so as to give a cutting edge all around. The outline of its front view may be oval, or egg-shaped, or a quite pointed pear shape. The large chip-scars of the Acheulean core-bifaces are shallow and flat. It is suspected that this resulted from the removal of the chips with a wooden club; the deep chip-scars of the earlier Abbevillian core-biface came from beating the tool against a stone anvil. These tools are really the best and also the final products of the core-biface tradition. We first noticed the tradition in the early glacial gravels (p. 43); now we see its end, but also its finest examples, in the deeper cave levels. The flake tools, which really make up the greater bulk of this industry, are simple scrapers and chips with sharp cutting edges. The habits used to prepare them must have been pretty much the same as those used for at least one of the flake industries we shall mention presently. There is very little else in these early cave layers. We do not have a proper industry of bone tools. There are traces of fire, and of animal bones, and a few shells. In Palestine, there are many more bones of deer than of gazelle in these layers; the deer lives in a wetter climate than does the gazelle. In the European cave layers, the animal bones are those of beasts that live in a warm climate. They belonged in the last interglacial period. We have not yet found the bones of fossil men definitely in place with this industry. [Illustration: ACHEULEAN BIFACE] FLAKE INDUSTRIES FROM THE CAVES Two more stone industries--the _Levalloisian_ and the _Mousterian_--turn up at approximately the same time in the European cave layers. Their tools seem to be mainly in the flake tradition, but according to some of the authorities their preparation also shows some combination with the habits by which the core-biface tools were prepared. Now notice that I dont tell you the Levalloisian and the Mousterian layers are both above the late Acheulean layers. Look at the cave section (p. 57) and youll find that some Mousterian of Acheulean tradition appears above some typical Mousterian. This means that there may be some kinds of Acheulean industries that are later than some kinds of Mousterian. The same is true of the Levalloisian. There were now several different kinds of habits that men used in making stone tools. These habits were based on either one or the other of the two traditions--core-biface or flake--or on combinations of the habits used in the preparation techniques of both traditions. All were popular at about the same time. So we find that people who made one kind of stone tool industry lived in a cave for a while. Then they gave up the cave for some reason, and people with another industry moved in. Then the first people came back--or at least somebody with the same tool-making habits as the first people. Or maybe a third group of tool-makers moved in. The people who had these different habits for making their stone tools seem to have moved around a good deal. They no doubt borrowed and exchanged tricks of the trade with each other. There were no patent laws in those days. The extremely complicated interrelationships of the different habits used by the tool-makers of this range of time are at last being systematically studied. M. Franois Bordes has developed a statistical method of great importance for understanding these tool preparation habits. THE LEVALLOISIAN AND MOUSTERIAN The easiest Levalloisian tool to spot is a big flake tool. The trick in making it was to fashion carefully a big chunk of stone (called the Levalloisian tortoise core, because it resembles the shape of a turtle-shell) and then to whack this in such a way that a large flake flew off. This large thin flake, with sharp cutting edges, is the finished Levalloisian tool. There were various other tools in a Levalloisian industry, but this is the characteristic _Levalloisian_ tool. There are several typical Mousterian stone tools. Different from the tools of the Levalloisian type, these were made from disc-like cores. There are medium-sized flake side scrapers. There are also some small pointed tools and some small hand axes. The last of these tool types is often a flake worked on both of the flat sides (that is, bifacially). There are also pieces of flint worked into the form of crude balls. The pointed tools may have been fixed on shafts to make short jabbing spears; the round flint balls may have been used as bolas. Actually, we dont _know_ what either tool was used for. The points and side scrapers are illustrated (pp. 64 and 66). [Illustration: LEVALLOIS FLAKE] THE MIXING OF TRADITIONS Nowadays the archeologists are less and less sure of the importance of any one specific tool type and name. Twenty years ago, they used to speak simply of Acheulean or Levalloisian or Mousterian tools. Now, more and more, _all_ of the tools from some one layer in a cave are called an industry, which is given a mixed name. Thus we have Levalloiso-Mousterian, and Acheuleo-Levalloisian, and even Acheuleo-Mousterian (or Mousterian of Acheulean tradition). Bordes systematic work is beginning to clear up some of our confusion. The time of these late Acheuleo-Levalloiso-Mousterioid industries is from perhaps as early as 100,000 years ago. It may have lasted until well past 50,000 years ago. This was the time of the first phase of the last great glaciation. It was also the time that the classic group of Neanderthal men was living in Europe. A number of the Neanderthal fossil finds come from these cave layers. Before the different habits of tool preparation were understood it used to be popular to say Neanderthal man was Mousterian man. I think this is wrong. What used to be called Mousterian is now known to be a variety of industries with tools of both core-biface and flake habits, and so mixed that the word Mousterian used alone really doesnt mean anything. The Neanderthalers doubtless understood the tool preparation habits by means of which Acheulean, Levalloisian and Mousterian type tools were produced. We also have the more modern-like Mount Carmel people, found in a cave layer of Palestine with tools almost entirely in the flake tradition, called Levalloiso-Mousterian, and the Fontchevade-Tayacian (p. 59). [Illustration: MOUSTERIAN POINT] OTHER SUGGESTIONS OF LIFE IN THE EARLY CAVE LAYERS Except for the stone tools, what do we know of the way men lived in the time range after 100,000 to perhaps 40,000 years ago or even later? We know that in the area from Europe to Palestine, at least some of the people (some of the time) lived in the fronts of caves and warmed themselves over fires. In Europe, in the cave layers of these times, we find the bones of different animals; the bones in the lowest layers belong to animals that lived in a warm climate; above them are the bones of those who could stand the cold, like the reindeer and mammoth. Thus, the meat diet must have been changing, as the glacier crept farther south. Shells and possibly fish bones have lasted in these cave layers, but there is not a trace of the vegetable foods and the nuts and berries and other wild fruits that must have been eaten when they could be found. [Illustration: CHART SHOWING PRESENT UNDERSTANDING OF RELATIONSHIPS AND SUCCESSION OF TOOL-PREPARATION TRADITIONS, INDUSTRIES, AND ASSEMBLAGES OF WEST-CENTRAL EUROPE Wavy lines indicate transitions in industrial habits. These transitions are not yet understood in detail. The glacial and climatic scheme shown is the alpine one.] Bone tools have also been found from this period. Some are called scrapers, and there are also long chisel-like leg-bone fragments believed to have been used for skinning animals. Larger hunks of bone, which seem to have served as anvils or chopping blocks, are fairly common. Bits of mineral, used as coloring matter, have also been found. We dont know what the color was used for. [Illustration: MOUSTERIAN SIDE SCRAPER] There is a small but certain number of cases of intentional burials. These burials have been found on the floors of the caves; in other words, the people dug graves in the places where they lived. The holes made for the graves were small. For this reason (or perhaps for some other?) the bodies were in a curled-up or contracted position. Flint or bone tools or pieces of meat seem to have been put in with some of the bodies. In several cases, flat stones had been laid over the graves. TOOLS FROM AFRICA AND ASIA ABOUT 100,000 YEARS AGO Professor Movius characterizes early prehistoric Africa as a continent showing a variety of stone industries. Some of these industries were purely local developments and some were practically identical with industries found in Europe at the same time. From northwest Africa to Capetown--excepting the tropical rain forest region of the west center--tools of developed Acheulean, Levalloisian, and Mousterian types have been recognized. Often they are named after African place names. In east and south Africa lived people whose industries show a development of the Levalloisian technique. Such industries are called Stillbay. Another industry, developed on the basis of the Acheulean technique, is called Fauresmith. From the northwest comes an industry with tanged points and flake-blades; this is called the Aterian. The tropical rain forest region contained people whose stone tools apparently show adjustment to this peculiar environment; the so-called Sangoan industry includes stone picks, adzes, core-bifaces of specialized Acheulean type, and bifacial points which were probably spearheads. In western Asia, even as far as the east coast of India, the tools of the Eurafrican core-biface and flake tool traditions continued to be used. But in the Far East, as we noted in the last chapter, men had developed characteristic stone chopper and chopping tools. This tool preparation tradition--basically a pebble tool tradition--lasted to the very end of the Ice Age. When more intact open air sites such as that of an earlier time at Olorgesailie, and more stratified cave sites are found and excavated in Asia and Africa, we shall be able to get a more complete picture. So far, our picture of the general cultural level of the Old World at about 100,000 years ago--and soon afterwards--is best from Europe, but it is still far from complete there, too. CULTURE AT THE BEGINNING OF THE LAST GREAT GLACIAL PERIOD The few things we have found must indicate only a very small part of the total activities of the people who lived at the time. All of the things they made of wood and bark, of skins, of anything soft, are gone. The fact that burials were made, at least in Europe and Palestine, is pretty clear proof that the people had some notion of a life after death. But what this notion really was, or what gods (if any) men believed in, we cannot know. Dr. Movius has also reminded me of the so-called bear cults--cases in which caves have been found which contain the skulls of bears in apparently purposeful arrangement. This might suggest some notion of hoarding up the spirits or the strength of bears killed in the hunt. Probably the people lived in small groups, as hunting and food-gathering seldom provide enough food for large groups of people. These groups probably had some kind of leader or chief. Very likely the rude beginnings of rules for community life and politics, and even law, were being made. But what these were, we do not know. We can only guess about such things, as we can only guess about many others; for example, how the idea of a family must have been growing, and how there may have been witch doctors who made beginnings in medicine or in art, in the materials they gathered for their trade. The stone tools help us most. They have lasted, and we can find them. As they come to us, from this cave or that, and from this layer or that, the tool industries show a variety of combinations of the different basic habits or traditions of tool preparation. This seems only natural, as the groups of people must have been very small. The mixtures and blendings of the habits used in making stone tools must mean that there were also mixtures and blends in many of the other ideas and beliefs of these small groups. And what this probably means is that there was no one _culture_ of the time. It is certainly unlikely that there were simply three cultures, Acheulean, Levalloisian, and Mousterian, as has been thought in the past. Rather there must have been a great variety of loosely related cultures at about the same stage of advancement. We could say, too, that here we really begin to see, for the first time, that remarkable ability of men to adapt themselves to a variety of conditions. We shall see this adaptive ability even more clearly as time goes on and the record becomes more complete. Over how great an area did these loosely related cultures reach in the time 75,000 to 45,000 or even as late as 35,000 years ago? We have described stone tools made in one or another of the flake and core-biface habits, for an enormous area. It covers all of Europe, all of Africa, the Near East, and parts of India. It is perfectly possible that the flake and core-biface habits lasted on after 35,000 years ago, in some places outside of Europe. In northern Africa, for example, we are certain that they did (see chart, p. 72). On the other hand, in the Far East (China, Burma, Java) and in northern India, the tools of the old chopper-tool tradition were still being made. Out there, we must assume, there was a different set of loosely related cultures. At least, there was a different set of loosely related habits for the making of tools. But the men who made them must have looked much like the men of the West. Their tools were different, but just as useful. As to what the men of the West looked like, Ive already hinted at all we know so far (pp. 29 ff.). The Neanderthalers were present at the time. Some more modern-like men must have been about, too, since fossils of them have turned up at Mount Carmel in Palestine, and at Teshik Tash, in Trans-caspian Russia. It is still too soon to know whether certain combinations of tools within industries were made only by certain physical types of men. But since tools of both the core-biface and the flake traditions, and their blends, turn up from South Africa to England to India, it is most unlikely that only one type of man used only one particular habit in the preparation of tools. What seems perfectly clear is that men in Africa and men in India were making just as good tools as the men who lived in western Europe. EARLY MODERNS [Illustration] From some time during the first inter-stadial of the last great glaciation (say some time after about 40,000 years ago), we have more accurate dates for the European-Mediterranean area and less accurate ones for the rest of the Old World. This is probably because the effects of the last glaciation have been studied in the European-Mediterranean area more than they have been elsewhere. A NEW TRADITION APPEARS Something new was probably beginning to happen in the European-Mediterranean area about 40,000 years ago, though all the rest of the Old World seems to have been going on as it had been. I cant be sure of this because the information we are using as a basis for dates is very inaccurate for the areas outside of Europe and the Mediterranean. We can at least make a guess. In Egypt and north Africa, men were still using the old methods of making stone tools. This was especially true of flake tools of the Levalloisian type, save that they were growing smaller and smaller as time went on. But at the same time, a new tradition was becoming popular in westernmost Asia and in Europe. This was the blade-tool tradition. BLADE TOOLS A stone blade is really just a long parallel-sided flake, as the drawing shows. It has sharp cutting edges, and makes a very useful knife. The real trick is to be able to make one. It is almost impossible to make a blade out of any stone but flint or a natural volcanic glass called obsidian. And even if you have flint or obsidian, you first have to work up a special cone-shaped blade-core, from which to whack off blades. [Illustration: PLAIN BLADE] You whack with a hammer stone against a bone or antler punch which is directed at the proper place on the blade-core. The blade-core has to be well supported or gripped while this is going on. To get a good flint blade tool takes a great deal of know-how. Remember that a tradition in stone tools means no more than that some particular way of making the tools got started and lasted a long time. Men who made some tools in one tradition or set of habits would also make other tools for different purposes by means of another tradition or set of habits. It was even possible for the two sets of habits to become combined. THE EARLIEST BLADE TOOLS The oldest blade tools we have found were deep down in the layers of the Mount Carmel caves, in Tabun Eb and Ea. Similar tools have been found in equally early cave levels in Syria; their popularity there seems to fluctuate a bit. Some more or less parallel-sided flakes are known in the Levalloisian industry in France, but they are probably no earlier than Tabun E. The Tabun blades are part of a local late Acheulean industry, which is characterized by core-biface hand axes, but which has many flake tools as well. Professor F. E. Zeuner believes that this industry may be more than 120,000 years old; actually its date has not yet been fixed, but it is very old--older than the fossil finds of modern-like men in the same caves. [Illustration: SUCCESSION OF ICE AGE FLINT TYPES, INDUSTRIES, AND ASSEMBLAGES, AND OF FOSSIL MEN, IN NORTHWESTERN EURAFRASIA] For some reason, the habit of making blades in Palestine and Syria was interrupted. Blades only reappeared there at about the same time they were first made in Europe, some time after 45,000 years ago; that is, after the first phase of the last glaciation was ended. [Illustration: BACKED BLADE] We are not sure just where the earliest _persisting_ habits for the production of blade tools developed. Impressed by the very early momentary appearance of blades at Tabun on Mount Carmel, Professor Dorothy A. Garrod first favored the Near East as a center of origin. She spoke of some as yet unidentified Asiatic centre, which she thought might be in the highlands of Iran or just beyond. But more recent work has been done in this area, especially by Professor Coon, and the blade tools do not seem to have an early appearance there. When the blade tools reappear in the Syro-Palestinian area, they do so in industries which also include Levalloiso-Mousterian flake tools. From the point of view of form and workmanship, the blade tools themselves are not so fine as those which seem to be making their appearance in western Europe about the same time. There is a characteristic Syro-Palestinian flake point, possibly a projectile tip, called the Emiran, which is not known from Europe. The appearance of blade tools, together with Levalloiso-Mousterian flakes, continues even after the Emiran point has gone out of use. It seems clear that the production of blade tools did not immediately swamp the set of older habits in Europe, too; the use of flake tools also continued there. This was not so apparent to the older archeologists, whose attention was focused on individual tool types. It is not, in fact, impossible--although it is certainly not proved--that the technique developed in the preparation of the Levalloisian tortoise core (and the striking of the Levalloisian flake from it) might have followed through to the conical core and punch technique for the production of blades. Professor Garrod is much impressed with the speed of change during the later phases of the last glaciation, and its probable consequences. She speaks of the greater number of industries having enough individual character to be classified as distinct ... since evolution now starts to outstrip diffusion. Her evolution here is of course an industrial evolution rather than a biological one. Certainly the people of Europe had begun to make blade tools during the warm spell after the first phase of the last glaciation. By about 40,000 years ago blades were well established. The bones of the blade tool makers weve found so far indicate that anatomically modern men had now certainly appeared. Unfortunately, only a few fossil men have so far been found from the very beginning of the blade tool range in Europe (or elsewhere). What I certainly shall _not_ tell you is that conquering bands of fine, strong, anatomically modern men, armed with superior blade tools, came sweeping out of the East to exterminate the lowly Neanderthalers. Even if we dont know exactly what happened, Id lay a good bet it wasnt that simple. We do know a good deal about different blade industries in Europe. Almost all of them come from cave layers. There is a great deal of complication in what we find. The chart (p. 72) tries to simplify this complication; in fact, it doubtless simplifies it too much. But it may suggest all the complication of industries which is going on at this time. You will note that the upper portion of my much simpler chart (p. 65) covers the same material (in the section marked Various Blade-Tool Industries). That chart is certainly too simplified. You will realize that all this complication comes not only from the fact that we are finding more material. It is due also to the increasing ability of men to adapt themselves to a great variety of situations. Their tools indicate this adaptiveness. We know there was a good deal of climatic change at this time. The plants and animals that men used for food were changing, too. The great variety of tools and industries we now find reflect these changes and the ability of men to keep up with the times. Now, for example, is the first time we are sure that there are tools to _make_ other tools. They also show mens increasing ability to adapt themselves. SPECIAL TYPES OF BLADE TOOLS The most useful tools that appear at this time were made from blades. 1. The backed blade. This is a knife made of a flint blade, with one edge purposely blunted, probably to save the users fingers from being cut. There are several shapes of backed blades (p. 73). [Illustration: TWO BURINS] 2. The _burin_ or graver. The burin was the original chisel. Its cutting edge is _transverse_, like a chisels. Some burins are made like a screw-driver, save that burins are sharp. Others have edges more like the blade of a chisel or a push plane, with only one bevel. Burins were probably used to make slots in wood and bone; that is, to make handles or shafts for other tools. They must also be the tools with which much of the engraving on bone (see p. 83) was done. There is a bewildering variety of different kinds of burins. [Illustration: TANGED POINT] 3. The tanged point. These stone points were used to tip arrows or light spears. They were made from blades, and they had a long tang at the bottom where they were fixed to the shaft. At the place where the tang met the main body of the stone point, there was a marked shoulder, the beginnings of a barb. Such points had either one or two shoulders. [Illustration: NOTCHED BLADE] 4. The notched or strangulated blade. Along with the points for arrows or light spears must go a tool to prepare the arrow or spear shaft. Today, such a tool would be called a draw-knife or a spoke-shave, and this is what the notched blades probably are. Our spoke-shaves have sharp straight cutting blades and really shave. Notched blades of flint probably scraped rather than cut. 5. The awl, drill, or borer. These blade tools are worked out to a spike-like point. They must have been used for making holes in wood, bone, shell, skin, or other things. [Illustration: DRILL OR AWL] 6. The end-scraper on a blade is a tool with one or both ends worked so as to give a good scraping edge. It could have been used to hollow out wood or bone, scrape hides, remove bark from trees, and a number of other things (p. 78). There is one very special type of flint tool, which is best known from western Europe in an industry called the Solutrean. These tools were usually made of blades, but the best examples are so carefully worked on both sides (bifacially) that it is impossible to see the original blade. This tool is 7. The laurel leaf point. Some of these tools were long and dagger-like, and must have been used as knives or daggers. Others were small, called willow leaf, and must have been mounted on spear or arrow shafts. Another typical Solutrean tool is the shouldered point. Both the laurel leaf and shouldered point types are illustrated (see above and p. 79). [Illustration: END-SCRAPER ON A BLADE] [Illustration: LAUREL LEAF POINT] The industries characterized by tools in the blade tradition also yield some flake and core tools. We will end this list with two types of tools that appear at this time. The first is made of a flake; the second is a core tool. [Illustration: SHOULDERED POINT] 8. The keel-shaped round scraper is usually small and quite round, and has had chips removed up to a peak in the center. It is called keel-shaped because it is supposed to look (when upside down) like a section through a boat. Actually, it looks more like a tent or an umbrella. Its outer edges are sharp all the way around, and it was probably a general purpose scraping tool (see illustration, p. 81). 9. The keel-shaped nosed scraper is a much larger and heavier tool than the round scraper. It was made on a core with a flat bottom, and has one nicely worked end or nose. Such tools are usually large enough to be easily grasped, and probably were used like push planes (see illustration, p. 81). [Illustration: KEEL-SHAPED ROUND SCRAPER] [Illustration: KEEL-SHAPED NOSED SCRAPER] The stone tools (usually made of flint) we have just listed are among the most easily recognized blade tools, although they show differences in detail at different times. There are also many other kinds. Not all of these tools appear in any one industry at one time. Thus the different industries shown in the chart (p. 72) each have only some of the blade tools weve just listed, and also a few flake tools. Some industries even have a few core tools. The particular types of blade tools appearing in one cave layer or another, and the frequency of appearance of the different types, tell which industry we have in each layer. OTHER KINDS OF TOOLS By this time in Europe--say from about 40,000 to about 10,000 years ago--we begin to find other kinds of material too. Bone tools begin to appear. There are knives, pins, needles with eyes, and little double-pointed straight bars of bone that were probably fish-hooks. The fish-line would have been fastened in the center of the bar; when the fish swallowed the bait, the bar would have caught cross-wise in the fishs mouth. One quite special kind of bone tool is a long flat point for a light spear. It has a deep notch cut up into the breadth of its base, and is called a split-based bone point (p. 82). We know examples of bone beads from these times, and of bone handles for flint tools. Pierced teeth of some animals were worn as beads or pendants, but I am not sure that elks teeth were worn this early. There are even spool-shaped buttons or toggles. [Illustration: SPLIT-BASED BONE POINT] [Illustration: SPEAR-THROWER] [Illustration: BONE HARPOON] Antler came into use for tools, especially in central and western Europe. We do not know the use of one particular antler tool that has a large hole bored in one end. One suggestion is that it was a thong-stropper used to strop or work up hide thongs (see illustration, below); another suggestion is that it was an arrow-shaft straightener. Another interesting tool, usually of antler, is the spear-thrower, which is little more than a stick with a notch or hook on one end. The hook fits into the butt end of the spear, and the length of the spear-thrower allows you to put much more power into the throw (p. 82). It works on pretty much the same principle as the sling. Very fancy harpoons of antler were also made in the latter half of the period in western Europe. These harpoons had barbs on one or both sides and a base which would slip out of the shaft (p. 82). Some have engraved decoration. THE BEGINNING OF ART [Illustration: THONG-STROPPER] In western Europe, at least, the period saw the beginning of several kinds of art work. It is handy to break the art down into two great groups: the movable art, and the cave paintings and sculpture. The movable art group includes the scratchings, engravings, and modeling which decorate tools and weapons. Knives, stroppers, spear-throwers, harpoons, and sometimes just plain fragments of bone or antler are often carved. There is also a group of large flat pebbles which seem almost to have served as sketch blocks. The surfaces of these various objects may show animals, or rather abstract floral designs, or geometric designs. [Illustration: VENUS FIGURINE FROM WILLENDORF] Some of the movable art is not done on tools. The most remarkable examples of this class are little figures of women. These women seem to be pregnant, and their most female characteristics are much emphasized. It is thought that these Venus or Mother-goddess figurines may be meant to show the great forces of nature--fertility and the birth of life. CAVE PAINTINGS In the paintings on walls and ceilings of caves we have some examples that compare with the best art of any time. The subjects were usually animals, the great cold-weather beasts of the end of the Ice Age: the mammoth, the wooly rhinoceros, the bison, the reindeer, the wild horse, the bear, the wild boar, and wild cattle. As in the movable art, there are different styles in the cave art. The really great cave art is pretty well restricted to southern France and Cantabrian (northwestern) Spain. There are several interesting things about the Franco-Cantabrian cave art. It was done deep down in the darkest and most dangerous parts of the caves, although the men lived only in the openings of caves. If you think what they must have had for lights--crude lamps of hollowed stone have been found, which must have burned some kind of oil or grease, with a matted hair or fiber wick--and of the animals that may have lurked in the caves, youll understand the part about danger. Then, too, were sure the pictures these people painted were not simply to be looked at and admired, for they painted one picture right over other pictures which had been done earlier. Clearly, it was the _act_ of _painting_ that counted. The painter had to go way down into the most mysterious depths of the earth and create an animal in paint. Possibly he believed that by doing this he gained some sort of magic power over the same kind of animal when he hunted it in the open air. It certainly doesnt look as if he cared very much about the picture he painted--as a finished product to be admired--for he or somebody else soon went down and painted another animal right over the one he had done. The cave art of the Franco-Cantabrian style is one of the great artistic achievements of all time. The subjects drawn are almost always the larger animals of the time: the bison, wild cattle and horses, the wooly rhinoceros, the mammoth, the wild boar, and the bear. In some of the best examples, the beasts are drawn in full color and the paintings are remarkably alive and charged with energy. They come from the hands of men who knew the great animals well--knew the feel of their fur, the tremendous drive of their muscles, and the danger one faced when he hunted them. Another artistic style has been found in eastern Spain. It includes lively drawings, often of people hunting with bow and arrow. The East Spanish art is found on open rock faces and in rock-shelters. It is less spectacular and apparently more recent than the Franco-Cantabrian cave art. LIFE AT THE END OF THE ICE AGE IN EUROPE Life in these times was probably as good as a hunter could expect it to be. Game and fish seem to have been plentiful; berries and wild fruits probably were, too. From France to Russia, great pits or piles of animal bones have been found. Some of this killing was done as our Plains Indians killed the buffalo--by stampeding them over steep river banks or cliffs. There were also good tools for hunting, however. In western Europe, people lived in the openings of caves and under overhanging rocks. On the great plains of eastern Europe, very crude huts were being built, half underground. The first part of this time must have been cold, for it was the middle and end phases of the last great glaciation. Northern Europe from Scotland to Scandinavia, northern Germany and Russia, and also the higher mountains to the south, were certainly covered with ice. But people had fire, and the needles and tools that were used for scraping hides must mean that they wore clothing. It is clear that men were thinking of a great variety of things beside the tools that helped them get food and shelter. Such burials as we find have more grave-gifts than before. Beads and ornaments and often flint, bone, or antler tools are included in the grave, and sometimes the body is sprinkled with red ochre. Red is the color of blood, which means life, and of fire, which means heat. Professor Childe wonders if the red ochre was a pathetic attempt at magic--to give back to the body the heat that had gone from it. But pathetic or not, it is sure proof that these people were already moved by death as men still are moved by it. Their art is another example of the direction the human mind was taking. And when I say human, I mean it in the fullest sense, for this is the time in which fully modern man has appeared. On page 34, we spoke of the Cro-Magnon group and of the Combe Capelle-Brnn group of Caucasoids and of the Grimaldi Negroids, who are no longer believed to be Negroid. I doubt that any one of these groups produced most of the achievements of the times. Its not yet absolutely sure which particular group produced the great cave art. The artists were almost certainly a blend of several (no doubt already mixed) groups. The pair of Grimaldians were buried in a grave with a sprinkling of red ochre, and were provided with shell beads and ornaments and with some blade tools of flint. Regardless of the different names once given them by the human paleontologists, each of these groups seems to have shared equally in the cultural achievements of the times, for all that the archeologists can say. MICROLITHS One peculiar set of tools seems to serve as a marker for the very last phase of the Ice Age in southwestern Europe. This tool-making habit is also found about the shore of the Mediterranean basin, and it moved into northern Europe as the last glaciation pulled northward. People began making blade tools of very small size. They learned how to chip very slender and tiny blades from a prepared core. Then they made these little blades into tiny triangles, half-moons (lunates), trapezoids, and several other geometric forms. These little tools are called microliths. They are so small that most of them must have been fixed in handles or shafts. [Illustration: MICROLITHS BLADE FRAGMENT BURIN LUNATE TRAPEZOID SCALENE TRIANGLE ARROWHEAD] We have found several examples of microliths mounted in shafts. In northern Europe, where their use soon spread, the microlithic triangles or lunates were set in rows down each side of a bone or wood point. One corner of each little triangle stuck out, and the whole thing made a fine barbed harpoon. In historic times in Egypt, geometric trapezoidal microliths were still in use as arrowheads. They were fastened--broad end out--on the end of an arrow shaft. It seems queer to give an arrow a point shaped like a T. Actually, the little points were very sharp, and must have pierced the hides of animals very easily. We also think that the broader cutting edge of the point may have caused more bleeding than a pointed arrowhead would. In hunting fleet-footed animals like the gazelle, which might run for miles after being shot with an arrow, it was an advantage to cause as much bleeding as possible, for the animal would drop sooner. We are not really sure where the microliths were first invented. There is some evidence that they appear early in the Near East. Their use was very common in northwest Africa but this came later. The microlith makers who reached south Russia and central Europe possibly moved up out of the Near East. Or it may have been the other way around; we simply dont yet know. Remember that the microliths we are talking about here were made from carefully prepared little blades, and are often geometric in outline. Each microlithic industry proper was made up, in good part, of such tiny blade tools. But there were also some normal-sized blade tools and even some flake scrapers, in most microlithic industries. I emphasize this bladelet and the geometric character of the microlithic industries of the western Old World, since there has sometimes been confusion in the matter. Sometimes small flake chips, utilized as minute pointed tools, have been called microliths. They may be _microlithic_ in size in terms of the general meaning of the word, but they do not seem to belong to the sub-tradition of the blade tool preparation habits which we have been discussing here. LATER BLADE-TOOL INDUSTRIES OF THE NEAR EAST AND AFRICA The blade-tool industries of normal size we talked about earlier spread from Europe to central Siberia. We noted that blade tools were made in western Asia too, and early, although Professor Garrod is no longer sure that the whole tradition originated in the Near East. If you look again at my chart (p. 72) you will note that in western Asia I list some of the names of the western European industries, but with the qualification -like (for example, Gravettian-like). The western Asiatic blade-tool industries do vaguely recall some aspects of those of western Europe, but we would probably be better off if we used completely local names for them. The Emiran of my chart is such an example; its industry includes a long spike-like blade point which has no western European counterpart. When we last spoke of Africa (p. 66), I told you that stone tools there were continuing in the Levalloisian flake tradition, and were becoming smaller. At some time during this process, two new tool types appeared in northern Africa: one was the Aterian point with a tang (p. 67), and the other was a sort of laurel leaf point, called the Sbaikian. These two tool types were both produced from flakes. The Sbaikian points, especially, are roughly similar to some of the Solutrean points of Europe. It has been suggested that both the Sbaikian and Aterian points may be seen on their way to France through their appearance in the Spanish cave deposits of Parpallo, but there is also a rival pre-Solutrean in central Europe. We still do not know whether there was any contact between the makers of these north African tools and the Solutrean tool-makers. What does seem clear is that the blade-tool tradition itself arrived late in northern Africa. NETHER AFRICA Blade tools and laurel leaf points and some other probably late stone tool types also appear in central and southern Africa. There are geometric microliths on bladelets and even some coarse pottery in east Africa. There is as yet no good way of telling just where these items belong in time; in broad geological terms they are late. Some people have guessed that they are as early as similar European and Near Eastern examples, but I doubt it. The makers of small-sized Levalloisian flake tools occupied much of Africa until very late in time. THE FAR EAST India and the Far East still seem to be going their own way. In India, some blade tools have been found. These are not well dated, save that we believe they must be post-Pleistocene. In the Far East it looks as if the old chopper-tool tradition was still continuing. For Burma, Dr. Movius feels this is fairly certain; for China he feels even more certain. Actually, we know very little about the Far East at about the time of the last glaciation. This is a shame, too, as you will soon agree. THE NEW WORLD BECOMES INHABITED At some time toward the end of the last great glaciation--almost certainly after 20,000 years ago--people began to move over Bering Strait, from Asia into America. As you know, the American Indians have been assumed to be basically Mongoloids. New studies of blood group types make this somewhat uncertain, but there is no doubt that the ancestors of the American Indians came from Asia. The stone-tool traditions of Europe, Africa, the Near and Middle East, and central Siberia, did _not_ move into the New World. With only a very few special or late exceptions, there are _no_ core-bifaces, flakes, or blade tools of the Old World. Such things just havent been found here. This is why I say its a shame we dont know more of the end of the chopper-tool tradition in the Far East. According to Weidenreich, the Mongoloids were in the Far East long before the end of the last glaciation. If the genetics of the blood group types do demand a non-Mongoloid ancestry for the American Indians, who else may have been in the Far East 25,000 years ago? We know a little about the habits for making stone tools which these first people brought with them, and these habits dont conform with those of the western Old World. Wed better keep our eyes open for whatever happened to the end of the chopper-tool tradition in northern China; already there are hints that it lasted late there. Also we should watch future excavations in eastern Siberia. Perhaps we shall find the chopper-tool tradition spreading up that far. THE NEW ERA Perhaps it comes in part from the way I read the evidence and perhaps in part it is only intuition, but I feel that the materials of this chapter suggest a new era in the ways of life. Before about 40,000 years ago, people simply gathered their food, wandering over large areas to scavenge or to hunt in a simple sort of way. But here we have seen them settling-in more, perhaps restricting themselves in their wanderings and adapting themselves to a given locality in more intensive ways. This intensification might be suggested by the word collecting. The ways of life we described in the earlier chapters were food-gathering ways, but now an era of food-collecting has begun. We shall see further intensifications of it in the next chapter. End and PRELUDE [Illustration] Up to the end of the last glaciation, we prehistorians have a relatively comfortable time schedule. The farther back we go the less exact we can be about time and details. Elbow-room of five, ten, even fifty or more thousands of years becomes available for us to maneuver in as we work backward in time. But now our story has come forward to the point where more exact methods of dating are at hand. The radioactive carbon method reaches back into the span of the last glaciation. There are other methods, developed by the geologists and paleobotanists, which supplement and extend the usefulness of the radioactive carbon dates. And, happily, as our means of being more exact increases, our story grows more exciting. There are also more details of culture for us to deal with, which add to the interest. CHANGES AT THE END OF THE ICE AGE The last great glaciation of the Ice Age was a two-part affair, with a sub-phase at the end of the second part. In Europe the last sub-phase of this glaciation commenced somewhere around 15,000 years ago. Then the glaciers began to melt back, for the last time. Remember that Professor Antevs (p. 19) isnt sure the Ice Age is over yet! This melting sometimes went by fits and starts, and the weather wasnt always changing for the better; but there was at least one time when European weather was even better than it is now. The melting back of the glaciers and the weather fluctuations caused other changes, too. We know a fair amount about these changes in Europe. In an earlier chapter, we said that the whole Ice Age was a matter of continual change over long periods of time. As the last glaciers began to melt back some interesting things happened to mankind. In Europe, along with the melting of the last glaciers, geography itself was changing. Britain and Ireland had certainly become islands by 5000 B.C. The Baltic was sometimes a salt sea, sometimes a large fresh-water lake. Forests began to grow where the glaciers had been, and in what had once been the cold tundra areas in front of the glaciers. The great cold-weather animals--the mammoth and the wooly rhinoceros--retreated northward and finally died out. It is probable that the efficient hunting of the earlier people of 20,000 or 25,000 to about 12,000 years ago had helped this process along (see p. 86). Europeans, especially those of the post-glacial period, had to keep changing to keep up with the times. The archeological materials for the time from 10,000 to 6000 B.C. seem simpler than those of the previous five thousand years. The great cave art of France and Spain had gone; so had the fine carving in bone and antler. Smaller, speedier animals were moving into the new forests. New ways of hunting them, or ways of getting other food, had to be found. Hence, new tools and weapons were necessary. Some of the people who moved into northern Germany were successful reindeer hunters. Then the reindeer moved off to the north, and again new sources of food had to be found. THE READJUSTMENTS COMPLETED IN EUROPE After a few thousand years, things began to look better. Or at least we can say this: By about 6000 B.C. we again get hotter archeological materials. The best of these come from the north European area: Britain, Belgium, Holland, Denmark, north Germany, southern Norway and Sweden. Much of this north European material comes from bogs and swamps where it had become water-logged and has kept very well. Thus we have much more complete _assemblages_[4] than for any time earlier. [4] Assemblage is a useful word when there are different kinds of archeological materials belonging together, from one area and of one time. An assemblage is made up of a number of industries (that is, all the tools in chipped stone, all the tools in bone, all the tools in wood, the traces of houses, etc.) and everything else that manages to survive, such as the art, the burials, the bones of the animals used as food, and the traces of plant foods; in fact, everything that has been left to us and can be used to help reconstruct the lives of the people to whom it once belonged. Our own present-day assemblage would be the sum total of all the objects in our mail-order catalogues, department stores and supply houses of every sort, our churches, our art galleries and other buildings, together with our roads, canals, dams, irrigation ditches, and any other traces we might leave of ourselves, from graves to garbage dumps. Not everything would last, so that an archeologist digging us up--say 2,000 years from now--would find only the most durable items in our assemblage. The best known of these assemblages is the _Maglemosian_, named after a great Danish peat-swamp where much has been found. [Illustration: SKETCH OF MAGLEMOSIAN ASSEMBLAGE CHIPPED STONE HEMP GROUND STONE BONE AND ANTLER WOOD] In the Maglemosian assemblage the flint industry was still very important. Blade tools, tanged arrow points, and burins were still made, but there were also axes for cutting the trees in the new forests. Moreover, the tiny microlithic blades, in a variety of geometric forms, are also found. Thus, a specialized tradition that possibly began east of the Mediterranean had reached northern Europe. There was also a ground stone industry; some axes and club-heads were made by grinding and polishing rather than by chipping. The industries in bone and antler show a great variety of tools: axes, fish-hooks, fish spears, handles and hafts for other tools, harpoons, and clubs. A remarkable industry in wood has been preserved. Paddles, sled runners, handles for tools, and bark floats for fish-nets have been found. There are even fish-nets made of plant fibers. Canoes of some kind were no doubt made. Bone and antler tools were decorated with simple patterns, and amber was collected. Wooden bows and arrows are found. It seems likely that the Maglemosian bog finds are remains of summer camps, and that in winter the people moved to higher and drier regions. Childe calls them the Forest folk; they probably lived much the same sort of life as did our pre-agricultural Indians of the north central states. They hunted small game or deer; they did a great deal of fishing; they collected what plant food they could find. In fact, their assemblage shows us again that remarkable ability of men to adapt themselves to change. They had succeeded in domesticating the dog; he was still a very wolf-like dog, but his long association with mankind had now begun. Professor Coon believes that these people were direct descendants of the men of the glacial age and that they had much the same appearance. He believes that most of the Ice Age survivors still extant are living today in the northwestern European area. SOUTH AND CENTRAL EUROPE PERHAPS AS READJUSTED AS THE NORTH There is always one trouble with things that come from areas where preservation is exceptionally good: The very quantity of materials in such an assemblage tends to make things from other areas look poor and simple, although they may not have been so originally at all. The assemblages of the people who lived to the south of the Maglemosian area may also have been quite large and varied; but, unfortunately, relatively little of the southern assemblages has lasted. The water-logged sites of the Maglemosian area preserved a great deal more. Hence the Maglemosian itself _looks_ quite advanced to us, when we compare it with the few things that have happened to last in other areas. If we could go back and wander over the Europe of eight thousand years ago, we would probably find that the peoples of France, central Europe, and south central Russia were just as advanced as those of the north European-Baltic belt. South of the north European belt the hunting-food-collecting peoples were living on as best they could during this time. One interesting group, which seems to have kept to the regions of sandy soil and scrub forest, made great quantities of geometric microliths. These are the materials called _Tardenoisian_. The materials of the Forest folk of France and central Europe generally are called _Azilian_; Dr. Movius believes the term might best be restricted to the area south of the Loire River. HOW MUCH REAL CHANGE WAS THERE? You can see that no really _basic_ change in the way of life has yet been described. Childe sees the problem that faced the Europeans of 10,000 to 3000 B.C. as a problem in readaptation to the post-glacial forest environment. By 6000 B.C. some quite successful solutions of the problem--like the Maglemosian--had been made. The upsets that came with the melting of the last ice gradually brought about all sorts of changes in the tools and food-getting habits, but the people themselves were still just as much simple hunters, fishers, and food-collectors as they had been in 25,000 B.C. It could be said that they changed just enough so that they would not have to change. But there is a bit more to it than this. Professor Mathiassen of Copenhagen, who knows the archeological remains of this time very well, poses a question. He speaks of the material as being neither rich nor progressive, in fact rather stagnant, but he goes on to add that the people had a certain receptiveness and were able to adapt themselves quickly when the next change did come. My own understanding of the situation is that the Forest folk made nothing as spectacular as had the producers of the earlier Magdalenian assemblage and the Franco-Cantabrian art. On the other hand, they _seem_ to have been making many more different kinds of tools for many more different kinds of tasks than had their Ice Age forerunners. I emphasize seem because the preservation in the Maglemosian bogs is very complete; certainly we cannot list anywhere near as many different things for earlier times as we did for the Maglemosians (p. 94). I believe this experimentation with all kinds of new tools and gadgets, this intensification of adaptiveness (p. 91), this receptiveness, even if it is still only pointed toward hunting, fishing, and food-collecting, is an important thing. Remember that the only marker we have handy for the _beginning_ of this tendency toward receptiveness and experimentation is the little microlithic blade tools of various geometric forms. These, we saw, began before the last ice had melted away, and they lasted on in use for a very long time. I wish there were a better marker than the microliths but I do not know of one. Remember, too, that as yet we can only use the microliths as a marker in Europe and about the Mediterranean. CHANGES IN OTHER AREAS? All this last section was about Europe. How about the rest of the world when the last glaciers were melting away? We simply dont know much about this particular time in other parts of the world except in Europe, the Mediterranean basin and the Middle East. People were certainly continuing to move into the New World by way of Siberia and the Bering Strait about this time. But for the greater part of Africa and Asia, we do not know exactly what was happening. Some day, we shall no doubt find out; today we are without clear information. REAL CHANGE AND PRELUDE IN THE NEAR EAST The appearance of the microliths and the developments made by the Forest folk of northwestern Europe also mark an end. They show us the terminal phase of the old food-collecting way of life. It grows increasingly clear that at about the same time that the Maglemosian and other Forest folk were adapting themselves to hunting, fishing, and collecting in new ways to fit the post-glacial environment, something completely new was being made ready in western Asia. Unfortunately, we do not have as much understanding of the climate and environment of the late Ice Age in western Asia as we have for most of Europe. Probably the weather was never so violent or life quite so rugged as it was in northern Europe. We know that the microliths made their appearance in western Asia at least by 10,000 B.C. and possibly earlier, marking the beginning of the terminal phase of food-collecting. Then, gradually, we begin to see the build-up towards the first _basic change_ in human life. This change amounted to a revolution just as important as the Industrial Revolution. In it, men first learned to domesticate plants and animals. They began _producing_ their food instead of simply gathering or collecting it. When their food-production became reasonably effective, people could and did settle down in village-farming communities. With the appearance of the little farming villages, a new way of life was actually under way. Professor Childe has good reason to speak of the food-producing revolution, for it was indeed a revolution. QUESTIONS ABOUT CAUSE We do not yet know _how_ and _why_ this great revolution took place. We are only just beginning to put the questions properly. I suspect the answers will concern some delicate and subtle interplay between man and nature. Clearly, both the level of culture and the natural condition of the environment must have been ready for the great change, before the change itself could come about. It is going to take years of co-operative field work by both archeologists and the natural scientists who are most helpful to them before the _how_ and _why_ answers begin to appear. Anthropologically trained archeologists are fascinated with the cultures of men in times of great change. About ten or twelve thousand years ago, the general level of culture in many parts of the world seems to have been ready for change. In northwestern Europe, we saw that cultures changed just enough so that they would not have to change. We linked this to environmental changes with the coming of post-glacial times. In western Asia, we archeologists can prove that the food-producing revolution actually took place. We can see _the_ important consequence of effective domestication of plants and animals in the appearance of the settled village-farming community. And within the village-farming community was the seed of civilization. The way in which effective domestication of plants and animals came about, however, must also be linked closely with the natural environment. Thus the archeologists will not solve the _how_ and _why_ questions alone--they will need the help of interested natural scientists in the field itself. PRECONDITIONS FOR THE REVOLUTION Especially at this point in our story, we must remember how culture and environment go hand in hand. Neither plants nor animals domesticate themselves; men domesticate them. Furthermore, men usually domesticate only those plants and animals which are useful. There is a good question here: What is cultural usefulness? But I shall side-step it to save time. Men cannot domesticate plants and animals that do not exist in the environment where the men live. Also, there are certainly some animals and probably some plants that resist domestication, although they might be useful. This brings me back again to the point that _both_ the level of culture and the natural condition of the environment--with the proper plants and animals in it--must have been ready before domestication could have happened. But this is precondition, not cause. Why did effective food-production happen first in the Near East? Why did it happen independently in the New World slightly later? Why also in the Far East? Why did it happen at all? Why are all human beings not still living as the Maglemosians did? These are the questions we still have to face. CULTURAL RECEPTIVENESS AND PROMISING ENVIRONMENTS Until the archeologists and the natural scientists--botanists, geologists, zoologists, and general ecologists--have spent many more years on the problem, we shall not have full _how_ and _why_ answers. I do think, however, that we are beginning to understand what to look for. We shall have to learn much more of what makes the cultures of men receptive and experimental. Did change in the environment alone force it? Was it simply a case of Professor Toynbees challenge and response? I cannot believe the answer is quite that simple. Were it so simple, we should want to know why the change hadnt come earlier, along with earlier environmental changes. We shall not know the answer, however, until we have excavated the traces of many more cultures of the time in question. We shall doubtless also have to learn more about, and think imaginatively about, the simpler cultures still left today. The mechanics of culture in general will be bound to interest us. It will also be necessary to learn much more of the environments of 10,000 to 12,000 years ago. In which regions of the world were the natural conditions most promising? Did this promise include plants and animals which could be domesticated, or did it only offer new ways of food-collecting? There is much work to do on this problem, but we are beginning to get some general hints. Before I begin to detail the hints we now have from western Asia, I want to do two things. First, I shall tell you of an old theory as to how food-production might have appeared. Second, I will bother you with some definitions which should help us in our thinking as the story goes on. AN OLD THEORY AS TO THE CAUSE OF THE REVOLUTION The idea that change would result, if the balance between nature and culture became upset, is of course not a new one. For at least twenty-five years, there has been a general theory as to _how_ the food-producing revolution happened. This theory depends directly on the idea of natural change in the environment. The five thousand years following about 10,000 B.C. must have been very difficult ones, the theory begins. These were the years when the most marked melting of the last glaciers was going on. While the glaciers were in place, the climate to the south of them must have been different from the climate in those areas today. You have no doubt read that people once lived in regions now covered by the Sahara Desert. This is true; just when is not entirely clear. The theory is that during the time of the glaciers, there was a broad belt of rain winds south of the glaciers. These rain winds would have kept north Africa, the Nile Valley, and the Middle East green and fertile. But when the glaciers melted back to the north, the belt of rain winds is supposed to have moved north too. Then the people living south and east of the Mediterranean would have found that their water supply was drying up, that the animals they hunted were dying or moving away, and that the plant foods they collected were dried up and scarce. According to the theory, all this would have been true except in the valleys of rivers and in oases in the growing deserts. Here, in the only places where water was left, the men and animals and plants would have clustered. They would have been forced to live close to one another, in order to live at all. Presently the men would have seen that some animals were more useful or made better food than others, and so they would have begun to protect these animals from their natural enemies. The men would also have been forced to try new plant foods--foods which possibly had to be prepared before they could be eaten. Thus, with trials and errors, but by being forced to live close to plants and animals, men would have learned to domesticate them. THE OLD THEORY TOO SIMPLE FOR THE FACTS This theory was set up before we really knew anything in detail about the later prehistory of the Near and Middle East. We now know that the facts which have been found dont fit the old theory at all well. Also, I have yet to find an American meteorologist who feels that we know enough about the changes in the weather pattern to say that it can have been so simple and direct. And, of course, the glacial ice which began melting after 12,000 years ago was merely the last sub-phase of the last great glaciation. There had also been three earlier periods of great alpine glaciers, and long periods of warm weather in between. If the rain belt moved north as the glaciers melted for the last time, it must have moved in the same direction in earlier times. Thus, the forced neighborliness of men, plants, and animals in river valleys and oases must also have happened earlier. Why didnt domestication happen earlier, then? Furthermore, it does not seem to be in the oases and river valleys that we have our first or only traces of either food-production or the earliest farming villages. These traces are also in the hill-flanks of the mountains of western Asia. Our earliest sites of the village-farmers do not seem to indicate a greatly different climate from that which the same region now shows. In fact, everything we now know suggests that the old theory was just too simple an explanation to have been the true one. The only reason I mention it--beyond correcting the ideas you may get in the general texts--is that it illustrates the kind of thinking we shall have to do, even if it is doubtless wrong in detail. We archeologists shall have to depend much more than we ever have on the natural scientists who can really help us. I can tell you this from experience. I had the great good fortune to have on my expedition staff in Iraq in 1954-55, a geologist, a botanist, and a zoologist. Their studies added whole new bands of color to my spectrum of thinking about _how_ and _why_ the revolution took place and how the village-farming community began. But it was only a beginning; as I said earlier, we are just now learning to ask the proper questions. ABOUT STAGES AND ERAS Now come some definitions, so I may describe my material more easily. Archeologists have always loved to make divisions and subdivisions within the long range of materials which they have found. They often disagree violently about which particular assemblage of material goes into which subdivision, about what the subdivisions should be named, about what the subdivisions really mean culturally. Some archeologists, probably through habit, favor an old scheme of Grecized names for the subdivisions: paleolithic, mesolithic, neolithic. I refuse to use these words myself. They have meant too many different things to too many different people and have tended to hide some pretty fuzzy thinking. Probably you havent even noticed my own scheme of subdivision up to now, but Id better tell you in general what it is. I think of the earliest great group of archeological materials, from which we can deduce only a food-gathering way of culture, as the _food-gathering stage_. I say stage rather than age, because it is not quite over yet; there are still a few primitive people in out-of-the-way parts of the world who remain in the _food-gathering stage_. In fact, Professor Julian Steward would probably prefer to call it a food-gathering _level_ of existence, rather than a stage. This would be perfectly acceptable to me. I also tend to find myself using _collecting_, rather than _gathering_, for the more recent aspects or era of the stage, as the word collecting appears to have more sense of purposefulness and specialization than does gathering (see p. 91). Now, while I think we could make several possible subdivisions of the food-gathering stage--I call my subdivisions of stages _eras_[5]--I believe the only one which means much to us here is the last or _terminal sub-era of food-collecting_ of the whole food-gathering stage. The microliths seem to mark its approach in the northwestern part of the Old World. It is really shown best in the Old World by the materials of the Forest folk, the cultural adaptation to the post-glacial environment in northwestern Europe. We talked about the Forest folk at the beginning of this chapter, and I used the Maglemosian assemblage of Denmark as an example. [5] It is difficult to find words which have a sequence or gradation of meaning with respect to both development and a range of time in the past, or with a range of time from somewhere in the past which is perhaps not yet ended. One standard Webster definition of _stage_ is: One of the steps into which the material development of man ... is divided. I cannot find any dictionary definition that suggests which of the words, _stage_ or _era_, has the meaning of a longer span of time. Therefore, I have chosen to let my eras be shorter, and to subdivide my stages into eras. Webster gives _era_ as: A signal stage of history, an epoch. When I want to subdivide my eras, I find myself using _sub-eras_. Thus I speak of the _eras_ within a _stage_ and of the _sub-eras_ within an _era_; that is, I do so when I feel that I really have to, and when the evidence is clear enough to allow it. The food-producing revolution ushers in the _food-producing stage_. This stage began to be replaced by the _industrial stage_ only about two hundred years ago. Now notice that my stage divisions are in terms of technology and economics. We must think sharply to be sure that the subdivisions of the stages, the eras, are in the same terms. This does not mean that I think technology and economics are the only important realms of culture. It is rather that for most of prehistoric time the materials left to the archeologists tend to limit our deductions to technology and economics. Im so soon out of my competence, as conventional ancient history begins, that I shall only suggest the earlier eras of the food-producing stage to you. This book is about prehistory, and Im not a universal historian. THE TWO EARLIEST ERAS OF THE FOOD-PRODUCING STAGE The food-producing stage seems to appear in western Asia with really revolutionary suddenness. It is seen by the relative speed with which the traces of new crafts appear in the earliest village-farming community sites weve dug. It is seen by the spread and multiplication of these sites themselves, and the remarkable growth in human population we deduce from this increase in sites. Well look at some of these sites and the archeological traces they yield in the next chapter. When such village sites begin to appear, I believe we are in the _era of the primary village-farming community_. I also believe this is the second era of the food-producing stage. The first era of the food-producing stage, I believe, was an _era of incipient cultivation and animal domestication_. I keep saying I believe because the actual evidence for this earlier era is so slight that one has to set it up mainly by playing a hunch for it. The reason for playing the hunch goes about as follows. One thing we seem to be able to see, in the food-collecting era in general, is a tendency for people to begin to settle down. This settling down seemed to become further intensified in the terminal era. How this is connected with Professor Mathiassens receptiveness and the tendency to be experimental, we do not exactly know. The evidence from the New World comes into play here as well as that from the Old World. With this settling down in one place, the people of the terminal era--especially the Forest folk whom we know best--began making a great variety of new things. I remarked about this earlier in the chapter. Dr. Robert M. Adams is of the opinion that this atmosphere of experimentation with new tools--with new ways of collecting food--is the kind of atmosphere in which one might expect trials at planting and at animal domestication to have been made. We first begin to find traces of more permanent life in outdoor camp sites, although caves were still inhabited at the beginning of the terminal era. It is not surprising at all that the Forest folk had already domesticated the dog. In this sense, the whole era of food-collecting was becoming ready and almost incipient for cultivation and animal domestication. Northwestern Europe was not the place for really effective beginnings in agriculture and animal domestication. These would have had to take place in one of those natural environments of promise, where a variety of plants and animals, each possible of domestication, was available in the wild state. Let me spell this out. Really effective food-production must include a variety of items to make up a reasonably well-rounded diet. The food-supply so produced must be trustworthy, even though the food-producing peoples themselves might be happy to supplement it with fish and wild strawberries, just as we do when such things are available. So, as we said earlier, part of our problem is that of finding a region with a natural environment which includes--and did include, some ten thousand years ago--a variety of possibly domesticable wild plants and animals. NUCLEAR AREAS Now comes the last of my definitions. A region with a natural environment which included a variety of wild plants and animals, both possible and ready for domestication, would be a central or core or _nuclear area_, that is, it would be when and _if_ food-production took place within it. It is pretty hard for me to imagine food-production having ever made an independent start outside such a nuclear area, although there may be some possible nuclear areas in which food-production never took place (possibly in parts of Africa, for example). We know of several such nuclear areas. In the New World, Middle America and the Andean highlands make up one or two; it is my understanding that the evidence is not yet clear as to which. There seems to have been a nuclear area somewhere in southeastern Asia, in the Malay peninsula or Burma perhaps, connected with the early cultivation of taro, breadfruit, the banana and the mango. Possibly the cultivation of rice and the domestication of the chicken and of zebu cattle and the water buffalo belong to this southeast Asiatic nuclear area. We know relatively little about it archeologically, as yet. The nuclear area which was the scene of the earliest experiment in effective food-production was in western Asia. Since I know it best, I shall use it as my example. THE NUCLEAR NEAR EAST The nuclear area of western Asia is naturally the one of greatest interest to people of the western cultural tradition. Our cultural heritage began within it. The area itself is the region of the hilly flanks of rain-watered grass-land which build up to the high mountain ridges of Iran, Iraq, Turkey, Syria, and Palestine. The map on page 125 indicates the region. If you have a good atlas, try to locate the zone which surrounds the drainage basin of the Tigris and Euphrates Rivers at elevations of from approximately 2,000 to 5,000 feet. The lower alluvial land of the Tigris-Euphrates basin itself has very little rainfall. Some years ago Professor James Henry Breasted called the alluvial lands of the Tigris-Euphrates a part of the fertile crescent. These alluvial lands are very fertile if irrigated. Breasted was most interested in the oriental civilizations of conventional ancient history, and irrigation had been discovered before they appeared. The country of hilly flanks above Breasteds crescent receives from 10 to 20 or more inches of winter rainfall each year, which is about what Kansas has. Above the hilly-flanks zone tower the peaks and ridges of the Lebanon-Amanus chain bordering the coast-line from Palestine to Turkey, the Taurus Mountains of southern Turkey, and the Zagros range of the Iraq-Iran borderland. This rugged mountain frame for our hilly-flanks zone rises to some magnificent alpine scenery, with peaks of from ten to fifteen thousand feet in elevation. There are several gaps in the Mediterranean coastal portion of the frame, through which the winters rain-bearing winds from the sea may break so as to carry rain to the foothills of the Taurus and the Zagros. The picture I hope you will have from this description is that of an intermediate hilly-flanks zone lying between two regions of extremes. The lower Tigris-Euphrates basin land is low and far too dry and hot for agriculture based on rainfall alone; to the south and southwest, it merges directly into the great desert of Arabia. The mountains which lie above the hilly-flanks zone are much too high and rugged to have encouraged farmers. THE NATURAL ENVIRONMENT OF THE NUCLEAR NEAR EAST The more we learn of this hilly-flanks zone that I describe, the more it seems surely to have been a nuclear area. This is where we archeologists need, and are beginning to get, the help of natural scientists. They are coming to the conclusion that the natural environment of the hilly-flanks zone today is much as it was some eight to ten thousand years ago. There are still two kinds of wild wheat and a wild barley, and the wild sheep, goat, and pig. We have discovered traces of each of these at about nine thousand years ago, also traces of wild ox, horse, and dog, each of which appears to be the probable ancestor of the domesticated form. In fact, at about nine thousand years ago, the two wheats, the barley, and at least the goat, were already well on the road to domestication. The wild wheats give us an interesting clue. They are only available together with the wild barley within the hilly-flanks zone. While the wild barley grows in a variety of elevations and beyond the zone, at least one of the wild wheats does not seem to grow below the hill country. As things look at the moment, the domestication of both the wheats together could _only_ have taken place within the hilly-flanks zone. Barley seems to have first come into cultivation due to its presence as a weed in already cultivated wheat fields. There is also a suggestion--there is still much more to learn in the matter--that the animals which were first domesticated were most at home up in the hilly-flanks zone in their wild state. With a single exception--that of the dog--the earliest positive evidence of domestication includes the two forms of wheat, the barley, and the goat. The evidence comes from within the hilly-flanks zone. However, it comes from a settled village proper, Jarmo (which Ill describe in the next chapter), and is thus from the era of the primary village-farming community. We are still without positive evidence of domesticated grain and animals in the first era of the food-producing stage, that of incipient cultivation and animal domestication. THE ERA OF INCIPIENT CULTIVATION AND ANIMAL DOMESTICATION I said above (p. 105) that my era of incipient cultivation and animal domestication is mainly set up by playing a hunch. Although we cannot really demonstrate it--and certainly not in the Near East--it would be very strange for food-collectors not to have known a great deal about the plants and animals most useful to them. They do seem to have domesticated the dog. We can easily imagine them remembering to go back, season after season, to a particular patch of ground where seeds or acorns or berries grew particularly well. Most human beings, unless they are extremely hungry, are attracted to baby animals, and many wild pups or fawns or piglets must have been brought back alive by hunting parties. In this last sense, man has probably always been an incipient cultivator and domesticator. But I believe that Adams is right in suggesting that this would be doubly true with the experimenters of the terminal era of food-collecting. We noticed that they also seem to have had a tendency to settle down. Now my hunch goes that _when_ this experimentation and settling down took place within a potential nuclear area--where a whole constellation of plants and animals possible of domestication was available--the change was easily made. Professor Charles A. Reed, our field colleague in zoology, agrees that year-round settlement with plant domestication probably came before there were important animal domestications. INCIPIENT ERAS AND NUCLEAR AREAS I have put this scheme into a simple chart (p. 111) with the names of a few of the sites we are going to talk about. You will see that my hunch means that there are eras of incipient cultivation _only_ within nuclear areas. In a nuclear area, the terminal era of food-collecting would probably have been quite short. I do not know for how long a time the era of incipient cultivation and domestication would have lasted, but perhaps for several thousand years. Then it passed on into the era of the primary village-farming community. Outside a nuclear area, the terminal era of food-collecting would last for a long time; in a few out-of-the-way parts of the world, it still hangs on. It would end in any particular place through contact with and the spread of ideas of people who had passed on into one of the more developed eras. In many cases, the terminal era of food-collecting was ended by the incoming of the food-producing peoples themselves. For example, the practices of food-production were carried into Europe by the actual movement of some numbers of peoples (we dont know how many) who had reached at least the level of the primary village-farming community. The Forest folk learned food-production from them. There was never an era of incipient cultivation and domestication proper in Europe, if my hunch is right. ARCHEOLOGICAL DIFFICULTIES IN SEEING THE INCIPIENT ERA The way I see it, two things were required in order that an era of incipient cultivation and domestication could begin. First, there had to be the natural environment of a nuclear area, with its whole group of plants and animals capable of domestication. This is the aspect of the matter which weve said is directly given by nature. But it is quite possible that such an environment with such a group of plants and animals in it may have existed well before ten thousand years ago in the Near East. It is also quite possible that the same promising condition may have existed in regions which never developed into nuclear areas proper. Here, again, we come back to the cultural factor. I think it was that atmosphere of experimentation weve talked about once or twice before. I cant define it for you, other than to say that by the end of the Ice Age, the general level of many cultures was ready for change. Ask me how and why this was so, and Ill tell you we dont know yet, and that if we did understand this kind of question, there would be no need for me to go on being a prehistorian! [Illustration: POSSIBLE RELATIONSHIPS OF STAGES AND ERAS IN WESTERN ASIA AND NORTHEASTERN AFRICA] Now since this was an era of incipience, of the birth of new ideas, and of experimentation, it is very difficult to see its traces archeologically. New tools having to do with the new ways of getting and, in fact, producing food would have taken some time to develop. It need not surprise us too much if we cannot find hoes for planting and sickles for reaping grain at the very beginning. We might expect a time of making-do with some of the older tools, or with make-shift tools, for some of the new jobs. The present-day wild cousin of the domesticated sheep still lives in the mountains of western Asia. It has no wool, only a fine down under hair like that of a deer, so it need not surprise us to find neither the whorls used for spinning nor traces of woolen cloth. It must have taken some time for a wool-bearing sheep to develop and also time for the invention of the new tools which go with weaving. It would have been the same with other kinds of tools for the new way of life. It is difficult even for an experienced comparative zoologist to tell which are the bones of domesticated animals and which are those of their wild cousins. This is especially so because the animal bones the archeologists find are usually fragmentary. Furthermore, we do not have a sort of library collection of the skeletons of the animals or an herbarium of the plants of those times, against which the traces which the archeologists find may be checked. We are only beginning to get such collections for the modern wild forms of animals and plants from some of our nuclear areas. In the nuclear area in the Near East, some of the wild animals, at least, have already become extinct. There are no longer wild cattle or wild horses in western Asia. We know they were there from the finds weve made in caves of late Ice Age times, and from some slightly later sites. SITES WITH ANTIQUITIES OF THE INCIPIENT ERA So far, we know only a very few sites which would suit my notion of the incipient era of cultivation and animal domestication. I am closing this chapter with descriptions of two of the best Near Eastern examples I know of. You may not be satisfied that what I am able to describe makes a full-bodied era of development at all. Remember, however, that Ive told you Im largely playing a kind of a hunch, and also that the archeological materials of this era will always be extremely difficult to interpret. At the beginning of any new way of life, there will be a great tendency for people to make-do, at first, with tools and habits they are already used to. I would suspect that a great deal of this making-do went on almost to the end of this era. THE NATUFIAN, AN ASSEMBLAGE OF THE INCIPIENT ERA The assemblage called the Natufian comes from the upper layers of a number of caves in Palestine. Traces of its flint industry have also turned up in Syria and Lebanon. We dont know just how old it is. I guess that it probably falls within five hundred years either way of about 5000 B.C. Until recently, the people who produced the Natufian assemblage were thought to have been only cave dwellers, but now at least three open air Natufian sites have been briefly described. In their best-known dwelling place, on Mount Carmel, the Natufian folk lived in the open mouth of a large rock-shelter and on the terrace in front of it. On the terrace, they had set at least two short curving lines of stones; but these were hardly architecture; they seem more like benches or perhaps the low walls of open pens. There were also one or two small clusters of stones laid like paving, and a ring of stones around a hearth or fireplace. One very round and regular basin-shaped depression had been cut into the rocky floor of the terrace, and there were other less regular basin-like depressions. In the newly reported open air sites, there seem to have been huts with rounded corners. Most of the finds in the Natufian layer of the Mount Carmel cave were flints. About 80 per cent of these flint tools were microliths made by the regular working of tiny blades into various tools, some having geometric forms. The larger flint tools included backed blades, burins, scrapers, a few arrow points, some larger hacking or picking tools, and one special type. This last was the sickle blade. We know a sickle blade of flint when we see one, because of a strange polish or sheen which seems to develop on the cutting edge when the blade has been used to cut grasses or grain, or--perhaps--reeds. In the Natufian, we have even found the straight bone handles in which a number of flint sickle blades were set in a line. There was a small industry in ground or pecked stone (that is, abraded not chipped) in the Natufian. This included some pestle and mortar fragments. The mortars are said to have a deep and narrow hole, and some of the pestles show traces of red ochre. We are not sure that these mortars and pestles were also used for grinding food. In addition, there were one or two bits of carving in stone. NATUFIAN ANTIQUITIES IN OTHER MATERIALS; BURIALS AND PEOPLE The Natufian industry in bone was quite rich. It included, beside the sickle hafts mentioned above, points and harpoons, straight and curved types of fish-hooks, awls, pins and needles, and a variety of beads and pendants. There were also beads and pendants of pierced teeth and shell. A number of Natufian burials have been found in the caves; some burials were grouped together in one grave. The people who were buried within the Mount Carmel cave were laid on their backs in an extended position, while those on the terrace seem to have been flexed (placed in their graves in a curled-up position). This may mean no more than that it was easier to dig a long hole in cave dirt than in the hard-packed dirt of the terrace. The people often had some kind of object buried with them, and several of the best collections of beads come from the burials. On two of the skulls there were traces of elaborate head-dresses of shell beads. [Illustration: SKETCH OF NATUFIAN ASSEMBLAGE MICROLITHS ARCHITECTURE? BURIAL CHIPPED STONE GROUND STONE BONE] The animal bones of the Natufian layers show beasts of a modern type, but with some differences from those of present-day Palestine. The bones of the gazelle far outnumber those of the deer; since gazelles like a much drier climate than deer, Palestine must then have had much the same climate that it has today. Some of the animal bones were those of large or dangerous beasts: the hyena, the bear, the wild boar, and the leopard. But the Natufian people may have had the help of a large domesticated dog. If our guess at a date for the Natufian is right (about 7750 B.C.), this is an earlier dog than was that in the Maglemosian of northern Europe. More recently, it has been reported that a domesticated goat is also part of the Natufian finds. The study of the human bones from the Natufian burials is not yet complete. Until Professor McCowns study becomes available, we may note Professor Coons assessment that these people were of a basically Mediterranean type. THE KARIM SHAHIR ASSEMBLAGE Karim Shahir differs from the Natufian sites in that it shows traces of a temporary open site or encampment. It lies on the top of a bluff in the Kurdish hill-country of northeastern Iraq. It was dug by Dr. Bruce Howe of the expedition I directed in 1950-51 for the Oriental Institute and the American Schools of Oriental Research. In 1954-55, our expedition located another site, Mlefaat, with general resemblance to Karim Shahir, but about a hundred miles north of it. In 1956, Dr. Ralph Solecki located still another Karim Shahir type of site called Zawi Chemi Shanidar. The Zawi Chemi site has a radiocarbon date of 8900 300 B.C. Karim Shahir has evidence of only one very shallow level of occupation. It was probably not lived on very long, although the people who lived on it spread out over about three acres of area. In spots, the single layer yielded great numbers of fist-sized cracked pieces of limestone, which had been carried up from the bed of a stream at the bottom of the bluff. We think these cracked stones had something to do with a kind of architecture, but we were unable to find positive traces of hut plans. At Mlefaat and Zawi Chemi, there were traces of rounded hut plans. As in the Natufian, the great bulk of small objects of the Karim Shahir assemblage was in chipped flint. A large proportion of the flint tools were microlithic bladelets and geometric forms. The flint sickle blade was almost non-existent, being far scarcer than in the Natufian. The people of Karim Shahir did a modest amount of work in the grinding of stone; there were milling stone fragments of both the mortar and the quern type, and stone hoes or axes with polished bits. Beads, pendants, rings, and bracelets were made of finer quality stone. We found a few simple points and needles of bone, and even two rather formless unbaked clay figurines which seemed to be of animal form. [Illustration: SKETCH OF KARIM SHAHIR ASSEMBLAGE CHIPPED STONE GROUND STONE UNBAKED CLAY SHELL BONE ARCHITECTURE] Karim Shahir did not yield direct evidence of the kind of vegetable food its people ate. The animal bones showed a considerable increase in the proportion of the bones of the species capable of domestication--sheep, goat, cattle, horse, dog--as compared with animal bones from the earlier cave sites of the area, which have a high proportion of bones of wild forms like deer and gazelle. But we do not know that any of the Karim Shahir animals were actually domesticated. Some of them may have been, in an incipient way, but we have no means at the moment that will tell us from the bones alone. WERE THE NATUFIAN AND KARIM SHAHIR PEOPLES FOOD-PRODUCERS? It is clear that a great part of the food of the Natufian people must have been hunted or collected. Shells of land, fresh-water, and sea animals occur in their cave layers. The same is true as regards Karim Shahir, save for sea shells. But on the other hand, we have the sickles, the milling stones, the possible Natufian dog, and the goat, and the general animal situation at Karim Shahir to hint at an incipient approach to food-production. At Karim Shahir, there was the tendency to settle down out in the open; this is echoed by the new reports of open air Natufian sites. The large number of cracked stones certainly indicates that it was worth the peoples while to have some kind of structure, even if the site as a whole was short-lived. It is a part of my hunch that these things all point toward food-production--that the hints we seek are there. But in the sense that the peoples of the era of the primary village-farming community, which we shall look at next, are fully food-producing, the Natufian and Karim Shahir folk had not yet arrived. I think they were part of a general build-up to full scale food-production. They were possibly controlling a few animals of several kinds and perhaps one or two plants, without realizing the full possibilities of this control as a new way of life. This is why I think of the Karim Shahir and Natufian folk as being at a level, or in an era, of incipient cultivation and domestication. But we shall have to do a great deal more excavation in this range of time before well get the kind of positive information we need. SUMMARY I am sorry that this chapter has had to be so much more about ideas than about the archeological traces of prehistoric men themselves. But the antiquities of the incipient era of cultivation and animal domestication will not be spectacular, even when we do have them excavated in quantity. Few museums will be interested in these antiquities for exhibition purposes. The charred bits or impressions of plants, the fragments of animal bone and shell, and the varied clues to climate and environment will be as important as the artifacts themselves. It will be the ideas to which these traces lead us that will be important. I am sure that this unspectacular material--when we have much more of it, and learn how to understand what it says--will lead us to how and why answers about the first great change in human history. We know the earliest village-farming communities appeared in western Asia, in a nuclear area. We do not yet know why the Near Eastern experiment came first, or why it didnt happen earlier in some other nuclear area. Apparently, the level of culture and the promise of the natural environment were ready first in western Asia. The next sites we look at will show a simple but effective food-production already in existence. Without effective food-production and the settled village-farming communities, civilization never could have followed. How effective food-production came into being by the end of the incipient era, is, I believe, one of the most fascinating questions any archeologist could face. It now seems probable--from possibly two of the Palestinian sites with varieties of the Natufian (Jericho and Nahal Oren)--that there were one or more local Palestinian developments out of the Natufian into later times. In the same way, what followed after the Karim Shahir type of assemblage in northeastern Iraq was in some ways a reflection of beginnings made at Karim Shahir and Zawi Chemi. THE First Revolution [Illustration] As the incipient era of cultivation and animal domestication passed onward into the era of the primary village-farming community, the first basic change in human economy was fully achieved. In southwestern Asia, this seems to have taken place about nine thousand years ago. I am going to restrict my description to this earliest Near Eastern case--I do not know enough about the later comparable experiments in the Far East and in the New World. Let us first, once again, think of the contrast between food-collecting and food-producing as ways of life. THE DIFFERENCE BETWEEN FOOD-COLLECTORS AND FOOD-PRODUCERS Childe used the word revolution because of the radical change that took place in the habits and customs of man. Food-collectors--that is, hunters, fishers, berry- and nut-gatherers--had to live in small groups or bands, for they had to be ready to move wherever their food supply moved. Not many people can be fed in this way in one area, and small children and old folks are a burden. There is not enough food to store, and it is not the kind that can be stored for long. Do you see how this all fits into a picture? Small groups of people living now in this cave, now in that--or out in the open--as they moved after the animals they hunted; no permanent villages, a few half-buried huts at best; no breakable utensils; no pottery; no signs of anything for clothing beyond the tools that were probably used to dress the skins of animals; no time to think of much of anything but food and protection and disposal of the dead when death did come: an existence which takes nature as it finds it, which does little or nothing to modify nature--all in all, a savages existence, and a very tough one. A man who spends his whole life following animals just to kill them to eat, or moving from one berry patch to another, is really living just like an animal himself. THE FOOD-PRODUCING ECONOMY Against this picture let me try to draw another--that of mans life after food-production had begun. His meat was stored on the hoof, his grain in silos or great pottery jars. He lived in a house: it was worth his while to build one, because he couldnt move far from his fields and flocks. In his neighborhood enough food could be grown and enough animals bred so that many people were kept busy. They all lived close to their flocks and fields, in a village. The village was already of a fair size, and it was growing, too. Everybody had more to eat; they were presumably all stronger, and there were more children. Children and old men could shepherd the animals by day or help with the lighter work in the fields. After the crops had been harvested the younger men might go hunting and some of them would fish, but the food they brought in was only an addition to the food in the village; the villagers wouldnt starve, even if the hunters and fishermen came home empty-handed. There was more time to do different things, too. They began to modify nature. They made pottery out of raw clay, and textiles out of hair or fiber. People who became good at pottery-making traded their pots for food and spent all of their time on pottery alone. Other people were learning to weave cloth or to make new tools. There were already people in the village who were becoming full-time craftsmen. Other things were changing, too. The villagers must have had to agree on new rules for living together. The head man of the village had problems different from those of the chief of the small food-collectors band. If somebodys flock of sheep spoiled a wheat field, the owner wanted payment for the grain he lost. The chief of the hunters was never bothered with such questions. Even the gods had changed. The spirits and the magic that had been used by hunters werent of any use to the villagers. They needed gods who would watch over the fields and the flocks, and they eventually began to erect buildings where their gods might dwell, and where the men who knew most about the gods might live. WAS FOOD-PRODUCTION A REVOLUTION? If you can see the difference between these two pictures--between life in the food-collecting stage and life after food-production had begun--youll see why Professor Childe speaks of a revolution. By revolution, he doesnt mean that it happened over night or that it happened only once. We dont know exactly how long it took. Some people think that all these changes may have occurred in less than 500 years, but I doubt that. The incipient era was probably an affair of some duration. Once the level of the village-farming community had been established, however, things did begin to move very fast. By six thousand years ago, the descendants of the first villagers had developed irrigation and plow agriculture in the relatively rainless Mesopotamian alluvium and were living in towns with temples. Relative to the half million years of food-gathering which lay behind, this had been achieved with truly revolutionary suddenness. GAPS IN OUR KNOWLEDGE OF THE NEAR EAST If youll look again at the chart (p. 111) youll see that I have very few sites and assemblages to name in the incipient era of cultivation and domestication, and not many in the earlier part of the primary village-farming level either. Thanks in no small part to the intelligent co-operation given foreign excavators by the Iraq Directorate General of Antiquities, our understanding of the sequence in Iraq is growing more complete. I shall use Iraq as my main yard-stick here. But I am far from being able to show you a series of Sears Roebuck catalogues, even century by century, for any part of the nuclear area. There is still a great deal of earth to move, and a great mass of material to recover and interpret before we even begin to understand how and why. Perhaps here, because this kind of archeology is really my specialty, youll excuse it if I become personal for a moment. I very much look forward to having further part in closing some of the gaps in knowledge of the Near East. This is not, as Ive told you, the spectacular range of Near Eastern archeology. There are no royal tombs, no gold, no great buildings or sculpture, no writing, in fact nothing to excite the normal museum at all. Nevertheless it is a range which, idea-wise, gives the archeologist tremendous satisfaction. The country of the hilly flanks is an exciting combination of green grasslands and mountainous ridges. The Kurds, who inhabit the part of the area in which Ive worked most recently, are an extremely interesting and hospitable people. Archeologists dont become rich, but Ill forego the Cadillac for any bright spring morning in the Kurdish hills, on a good site with a happy crew of workmen and an interested and efficient staff. It is probably impossible to convey the full feeling which life on such a dig holds--halcyon days for the body and acute pleasurable stimulation for the mind. Old things coming newly out of the good dirt, and the pieces of the human puzzle fitting into place! I think I am an honest man; I cannot tell you that I am sorry the job is not yet finished and that there are still gaps in this part of the Near Eastern archeological sequence. EARLIEST SITES OF THE VILLAGE FARMERS So far, the Karim Shahir type of assemblage, which we looked at in the last chapter, is the earliest material available in what I take to be the nuclear area. We do not believe that Karim Shahir was a village site proper: it looks more like the traces of a temporary encampment. Two caves, called Belt and Hotu, which are outside the nuclear area and down on the foreshore of the Caspian Sea, have been excavated by Professor Coon. These probably belong in the later extension of the terminal era of food-gathering; in their upper layers are traits like the use of pottery borrowed from the more developed era of the same time in the nuclear area. The same general explanation doubtless holds true for certain materials in Egypt, along the upper Nile and in the Kharga oasis: these materials, called Sebilian III, the Khartoum neolithic, and the Khargan microlithic, are from surface sites, not from caves. The chart (p. 111) shows where I would place these materials in era and time. [Illustration: THE HILLY FLANKS OF THE CRESCENT AND EARLY SITES OF THE NEAR EAST] Both Mlefaat and Dr. Soleckis Zawi Chemi Shanidar site appear to have been slightly more settled in than was Karim Shahir itself. But I do not think they belong to the era of farming-villages proper. The first site of this era, in the hills of Iraqi Kurdistan, is Jarmo, on which we have spent three seasons of work. Following Jarmo comes a variety of sites and assemblages which lie along the hilly flanks of the crescent and just below it. I am going to describe and illustrate some of these for you. Since not very much archeological excavation has yet been done on sites of this range of time, I shall have to mention the names of certain single sites which now alone stand for an assemblage. This does not mean that I think the individual sites I mention were unique. In the times when their various cultures flourished, there must have been many little villages which shared the same general assemblage. We are only now beginning to locate them again. Thus, if I speak of Jarmo, or Jericho, or Sialk as single examples of their particular kinds of assemblages, I dont mean that they were unique at all. I think I could take you to the sites of at least three more Jarmos, within twenty miles of the original one. They are there, but they simply havent yet been excavated. In 1956, a Danish expedition discovered material of Jarmo type at Shimshara, only two dozen miles northeast of Jarmo, and below an assemblage of Hassunan type (which I shall describe presently). THE GAP BETWEEN KARIM SHAHIR AND JARMO As we see the matter now, there is probably still a gap in the available archeological record between the Karim Shahir-Mlefaat-Zawi Chemi group (of the incipient era) and that of Jarmo (of the village-farming era). Although some items of the Jarmo type materials do reflect the beginnings of traditions set in the Karim Shahir group (see p. 120), there is not a clear continuity. Moreover--to the degree that we may trust a few radiocarbon dates--there would appear to be around two thousand years of difference in time. The single available Zawi Chemi date is 8900 300 B.C.; the most reasonable group of dates from Jarmo average to about 6750 200 B.C. I am uncertain about this two thousand years--I do not think it can have been so long. This suggests that we still have much work to do in Iraq. You can imagine how earnestly we await the return of political stability in the Republic of Iraq. JARMO, IN THE KURDISH HILLS, IRAQ The site of Jarmo has a depth of deposit of about twenty-seven feet, and approximately a dozen layers of architectural renovation and change. Nevertheless it is a one period site: its assemblage remains essentially the same throughout, although one or two new items are added in later levels. It covers about four acres of the top of a bluff, below which runs a small stream. Jarmo lies in the hill country east of the modern oil town of Kirkuk. The Iraq Directorate General of Antiquities suggested that we look at it in 1948, and we have had three seasons of digging on it since. The people of Jarmo grew the barley plant and two different kinds of wheat. They made flint sickles with which to reap their grain, mortars or querns on which to crack it, ovens in which it might be parched, and stone bowls out of which they might eat their porridge. We are sure that they had the domesticated goat, but Professor Reed (the staff zoologist) is not convinced that the bones of the other potentially domesticable animals of Jarmo--sheep, cattle, pig, horse, dog--show sure signs of domestication. We had first thought that all of these animals were domesticated ones, but Reed feels he must find out much more before he can be sure. As well as their grain and the meat from their animals, the people of Jarmo consumed great quantities of land snails. Botanically, the Jarmo wheat stands about half way between fully bred wheat and the wild forms. ARCHITECTURE: HALL-MARK OF THE VILLAGE The sure sign of the village proper is in its traces of architectural permanence. The houses of Jarmo were only the size of a small cottage by our standards, but each was provided with several rectangular rooms. The walls of the houses were made of puddled mud, often set on crude foundations of stone. (The puddled mud wall, which the Arabs call _touf_, is built by laying a three to six inch course of soft mud, letting this sun-dry for a day or two, then adding the next course, etc.) The village probably looked much like the simple Kurdish farming village of today, with its mud-walled houses and low mud-on-brush roofs. I doubt that the Jarmo village had more than twenty houses at any one moment of its existence. Today, an average of about seven people live in a comparable Kurdish house; probably the population of Jarmo was about 150 people. [Illustration: SKETCH OF JARMO ASSEMBLAGE CHIPPED STONE UNBAKED CLAY GROUND STONE POTTERY _UPPER THIRD OF SITE ONLY._ REED MATTING BONE ARCHITECTURE] It is interesting that portable pottery does not appear until the last third of the life of the Jarmo village. Throughout the duration of the village, however, its people had experimented with the plastic qualities of clay. They modeled little figurines of animals and of human beings in clay; one type of human figurine they favored was that of a markedly pregnant woman, probably the expression of some sort of fertility spirit. They provided their house floors with baked-in-place depressions, either as basins or hearths, and later with domed ovens of clay. As weve noted, the houses themselves were of clay or mud; one could almost say they were built up like a house-sized pot. Then, finally, the idea of making portable pottery itself appeared, although I very much doubt that the people of the Jarmo village discovered the art. On the other hand, the old tradition of making flint blades and microlithic tools was still very strong at Jarmo. The sickle-blade was made in quantities, but so also were many of the much older tool types. Strangely enough, it is within this age-old category of chipped stone tools that we see one of the clearest pointers to a newer age. Many of the Jarmo chipped stone tools--microliths--were made of obsidian, a black volcanic natural glass. The obsidian beds nearest to Jarmo are over three hundred miles to the north. Already a bulk carrying trade had been established--the forerunner of commerce--and the routes were set by which, in later times, the metal trade was to move. There are now twelve radioactive carbon dates from Jarmo. The most reasonable cluster of determinations averages to about 6750 200 B.C., although there is a completely unreasonable range of dates running from 3250 to 9250 B.C.! _If_ I am right in what I take to be reasonable, the first flush of the food-producing revolution had been achieved almost nine thousand years ago. HASSUNA, IN UPPER MESOPOTAMIAN IRAQ We are not sure just how soon after Jarmo the next assemblage of Iraqi material is to be placed. I do not think the time was long, and there are a few hints that detailed habits in the making of pottery and ground stone tools were actually continued from Jarmo times into the time of the next full assemblage. This is called after a site named Hassuna, a few miles to the south and west of modern Mosul. We also have Hassunan type materials from several other sites in the same general region. It is probably too soon to make generalizations about it, but the Hassunan sites seem to cluster at slightly lower elevations than those we have been talking about so far. The catalogue of the Hassuna assemblage is of course more full and elaborate than that of Jarmo. The Iraqi governments archeologists who dug Hassuna itself, exposed evidence of increasing architectural know-how. The walls of houses were still formed of puddled mud; sun-dried bricks appear only in later periods. There were now several different ways of making and decorating pottery vessels. One style of pottery painting, called the Samarran style, is an extremely handsome one and must have required a great deal of concentration and excellence of draftsmanship. On the other hand, the old habits for the preparation of good chipped stone tools--still apparent at Jarmo--seem to have largely disappeared by Hassunan times. The flint work of the Hassunan catalogue is, by and large, a wretched affair. We might guess that the kinaesthetic concentration of the Hassuna craftsmen now went into other categories; that is, they suddenly discovered they might have more fun working with the newer materials. Its a shame, for example, that none of their weaving is preserved for us. The two available radiocarbon determinations from Hassunan contexts stand at about 5100 and 5600 B.C. 250 years. OTHER EARLY VILLAGE SITES IN THE NUCLEAR AREA Ill now name and very briefly describe a few of the other early village assemblages either in or adjacent to the hilly flanks of the crescent. Unfortunately, we do not have radioactive carbon dates for many of these materials. We may guess that some particular assemblage, roughly comparable to that of Hassuna, for example, must reflect a culture which lived at just about the same time as that of Hassuna. We do this guessing on the basis of the general similarity and degree of complexity of the Sears Roebuck catalogues of the particular assemblage and that of Hassuna. We suppose that for sites near at hand and of a comparable cultural level, as indicated by their generally similar assemblages, the dating must be about the same. We may also know that in a general stratigraphic sense, the sites in question may both appear at the bottom of the ascending village sequence in their respective areas. Without a number of consistent radioactive carbon dates, we cannot be precise about priorities. [Illustration: SKETCH OF HASSUNA ASSEMBLAGE POTTERY POTTERY OBJECTS CHIPPED STONE BONE GROUND STONE ARCHITECTURE REED MATTING BURIAL] The ancient mound at Jericho, in the Dead Sea valley in Palestine, yields some very interesting material. Its catalogue somewhat resembles that of Jarmo, especially in the sense that there is a fair depth of deposit without portable pottery vessels. On the other hand, the architecture of Jericho is surprisingly complex, with traces of massive stone fortification walls and the general use of formed sun-dried mud brick. Jericho lies in a somewhat strange and tropically lush ecological niche, some seven hundred feet below sea level; it is geographically within the hilly-flanks zone but environmentally not part of it. Several radiocarbon dates for Jericho fall within the range of those I find reasonable for Jarmo, and their internal statistical consistency is far better than that for the Jarmo determinations. It is not yet clear exactly what this means. The mound at Jericho (Tell es-Sultan) contains a remarkably fine sequence, which perhaps does not have the gap we noted in Iraqi-Kurdistan between the Karim Shahir group and Jarmo. While I am not sure that the Jericho sequence will prove valid for those parts of Palestine outside the special Dead Sea environmental niche, the sequence does appear to proceed from the local variety of Natufian into that of a very well settled community. So far, we have little direct evidence for the food-production basis upon which the Jericho people subsisted. There is an early village assemblage with strong characteristics of its own in the land bordering the northeast corner of the Mediterranean Sea, where Syria and the Cilician province of Turkey join. This early Syro-Cilician assemblage must represent a general cultural pattern which was at least in part contemporary with that of the Hassuna assemblage. These materials from the bases of the mounds at Mersin, and from Judaidah in the Amouq plain, as well as from a few other sites, represent the remains of true villages. The walls of their houses were built of puddled mud, but some of the house foundations were of stone. Several different kinds of pottery were made by the people of these villages. None of it resembles the pottery from Hassuna or from the upper levels of Jarmo or Jericho. The Syro-Cilician people had not lost their touch at working flint. An important southern variation of the Syro-Cilician assemblage has been cleared recently at Byblos, a port town famous in later Phoenician times. There are three radiocarbon determinations which suggest that the time range for these developments was in the sixth or early fifth millennium B.C. It would be fascinating to search for traces of even earlier village-farming communities and for the remains of the incipient cultivation era, in the Syro-Cilician region. THE IRANIAN PLATEAU AND THE NILE VALLEY The map on page 125 shows some sites which lie either outside or in an extension of the hilly-flanks zone proper. From the base of the great mound at Sialk on the Iranian plateau came an assemblage of early village material, generally similar, in the kinds of things it contained, to the catalogues of Hassuna and Judaidah. The details of how things were made are different; the Sialk assemblage represents still another cultural pattern. I suspect it appeared a bit later in time than did that of Hassuna. There is an important new item in the Sialk catalogue. The Sialk people made small drills or pins of hammered copper. Thus the metallurgists specialized craft had made its appearance. There is at least one very early Iranian site on the inward slopes of the hilly-flanks zone. It is the earlier of two mounds at a place called Bakun, in southwestern Iran; the results of the excavations there are not yet published and we only know of its coarse and primitive pottery. I only mention Bakun because it helps us to plot the extent of the hilly-flanks zone villages on the map. The Nile Valley lies beyond the peculiar environmental zone of the hilly flanks of the crescent, and it is probable that the earliest village-farming communities in Egypt were established by a few people who wandered into the Nile delta area from the nuclear area. The assemblage which is most closely comparable to the catalogue of Hassuna or Judaidah, for example, is that from little settlements along the shore of the Fayum lake. The Fayum materials come mainly from grain bins or silos. Another site, Merimde, in the western part of the Nile delta, shows the remains of a true village, but it may be slightly later than the settlement of the Fayum. There are radioactive carbon dates for the Fayum materials at about 4275 B.C. 320 years, which is almost fifteen hundred years later than the determinations suggested for the Hassunan or Syro-Cilician assemblages. I suspect that this is a somewhat over-extended indication of the time it took for the generalized cultural pattern of village-farming community life to spread from the nuclear area down into Egypt, but as yet we have no way of testing these matters. In this same vein, we have two radioactive carbon dates for an assemblage from sites near Khartoum in the Sudan, best represented by the mound called Shaheinab. The Shaheinab catalogue roughly corresponds to that of the Fayum; the distance between the two places, as the Nile flows, is roughly 1,500 miles. Thus it took almost a thousand years for the new way of life to be carried as far south into Africa as Khartoum; the two Shaheinab dates average about 3300 B.C. 400 years. If the movement was up the Nile (southward), as these dates suggest, then I suspect that the earliest available village material of middle Egypt, the so-called Tasian, is also later than that of the Fayum. The Tasian materials come from a few graves near a village called Deir Tasa, and I have an uncomfortable feeling that the Tasian assemblage may be mainly an artificial selection of poor examples of objects which belong in the following range of time. SPREAD IN TIME AND SPACE There are now two things we can do; in fact, we have already begun to do them. We can watch the spread of the new way of life upward through time in the nuclear area. We can also see how the new way of life spread outward in space from the nuclear area, as time went on. There is good archeological evidence that both these processes took place. For the hill country of northeastern Iraq, in the nuclear area, we have already noticed how the succession (still with gaps) from Karim Shahir, through Mlefaat and Jarmo, to Hassuna can be charted (see chart, p. 111). In the next chapter, we shall continue this charting and description of what happened in Iraq upward through time. We also watched traces of the new way of life move through space up the Nile into Africa, to reach Khartoum in the Sudan some thirty-five hundred years later than we had seen it at Jarmo or Jericho. We caught glimpses of it in the Fayum and perhaps at Tasa along the way. For the remainder of this chapter, I shall try to suggest briefly for you the directions taken by the spread of the new way of life from the nuclear area in the Near East. First, let me make clear again that I _do not_ believe that the village-farming community way of life was invented only once and in the Near East. It seems to me that the evidence is very clear that a separate experiment arose in the New World. For China, the question of independence or borrowing--in the appearance of the village-farming community there--is still an open one. In the last chapter, we noted the probability of an independent nuclear area in southeastern Asia. Professor Carl Sauer strongly champions the great importance of this area as _the_ original center of agricultural pursuits, as a kind of cradle of all incipient eras of the Old World at least. While there is certainly not the slightest archeological evidence to allow us to go that far, we may easily expect that an early southeast Asian development would have been felt in China. However, the appearance of the village-farming community in the northwest of India, at least, seems to have depended on the earlier development in the Near East. It is also probable that ideas of the new way of life moved well beyond Khartoum in Africa. THE SPREAD OF THE VILLAGE-FARMING COMMUNITY WAY OF LIFE INTO EUROPE How about Europe? I wont give you many details. You can easily imagine that the late prehistoric prelude to European history is a complicated affair. We all know very well how complicated an area Europe is now, with its welter of different languages and cultures. Remember, however, that a great deal of archeology has been done on the late prehistory of Europe, and very little on that of further Asia and Africa. If we knew as much about these areas as we do of Europe, I expect wed find them just as complicated. This much is clear for Europe, as far as the spread of the village-community way of life is concerned. The general idea and much of the know-how and the basic tools of food-production moved from the Near East to Europe. So did the plants and animals which had been domesticated; they were not naturally at home in Europe, as they were in western Asia. I do not, of course, mean that there were traveling salesmen who carried these ideas and things to Europe with a commercial gleam in their eyes. The process took time, and the ideas and things must have been passed on from one group of people to the next. There was also some actual movement of peoples, but we dont know the size of the groups that moved. The story of the colonization of Europe by the first farmers is thus one of (1) the movement from the eastern Mediterranean lands of some people who were farmers; (2) the spread of ideas and things beyond the Near East itself and beyond the paths along which the colonists moved; and (3) the adaptations of the ideas and things by the indigenous Forest folk, about whose receptiveness Professor Mathiassen speaks (p. 97). It is important to note that the resulting cultures in the new European environment were European, not Near Eastern. The late Professor Childe remarked that the peoples of the West were not slavish imitators; they adapted the gifts from the East ... into a new and organic whole capable of developing on its own original lines. THE WAYS TO EUROPE Suppose we want to follow the traces of those earliest village-farmers who did travel from western Asia into Europe. Let us start from Syro-Cilicia, that part of the hilly-flanks zone proper which lies in the very northeastern corner of the Mediterranean. Three ways would be open to us (of course we could not be worried about permission from the Soviet authorities!). We would go north, or north and slightly east, across Anatolian Turkey, and skirt along either shore of the Black Sea or even to the east of the Caucasus Mountains along the Caspian Sea, to reach the plains of Ukrainian Russia. From here, we could march across eastern Europe to the Baltic and Scandinavia, or even hook back southwestward to Atlantic Europe. Our second way from Syro-Cilicia would also lie over Anatolia, to the northwest, where we would have to swim or raft ourselves over the Dardanelles or the Bosphorus to the European shore. Then we would bear left toward Greece, but some of us might turn right again in Macedonia, going up the valley of the Vardar River to its divide and on down the valley of the Morava beyond, to reach the Danube near Belgrade in Jugoslavia. Here we would turn left, following the great river valley of the Danube up into central Europe. We would have a number of tributary valleys to explore, or we could cross the divide and go down the valley of the Rhine to the North Sea. Our third way from Syro-Cilicia would be by sea. We would coast along southern Anatolia and visit Cyprus, Crete, and the Aegean islands on our way to Greece, where, in the north, we might meet some of those who had taken the second route. From Greece, we would sail on to Italy and the western isles, to reach southern France and the coasts of Spain. Eventually a few of us would sail up the Atlantic coast of Europe, to reach western Britain and even Ireland. [Illustration: PROBABLE ROUTES AND TIMING IN THE SPREAD OF THE VILLAGE-FARMING COMMUNITY WAY OF LIFE FROM THE NEAR EAST TO EUROPE] Of course none of us could ever take these journeys as the first farmers took them, since the whole course of each journey must have lasted many lifetimes. The date given to the assemblage called Windmill Hill, the earliest known trace of village-farming communities in England, is about 2500 B.C. I would expect about 5500 B.C. to be a safe date to give for the well-developed early village communities of Syro-Cilicia. We suspect that the spread throughout Europe did not proceed at an even rate. Professor Piggott writes that at a date probably about 2600 B.C., simple agricultural communities were being established in Spain and southern France, and from the latter region a spread northwards can be traced ... from points on the French seaboard of the [English] Channel ... there were emigrations of a certain number of these tribes by boat, across to the chalk lands of Wessex and Sussex [in England], probably not more than three or four generations later than the formation of the south French colonies. New radiocarbon determinations are becoming available all the time--already several suggest that the food-producing way of life had reached the lower Rhine and Holland by 4000 B.C. But not all prehistorians accept these dates, so I do not show them on my map (p. 139). THE EARLIEST FARMERS OF ENGLAND To describe the later prehistory of all Europe for you would take another book and a much larger one than this is. Therefore, I have decided to give you only a few impressions of the later prehistory of Britain. Of course the British Isles lie at the other end of Europe from our base-line in western Asia. Also, they received influences along at least two of the three ways in which the new way of life moved into Europe. We will look at more of their late prehistory in a following chapter: here, I shall speak only of the first farmers. The assemblage called Windmill Hill, which appears in the south of England, exhibits three different kinds of structures, evidence of grain-growing and of stock-breeding, and some distinctive types of pottery and stone implements. The most remarkable type of structure is the earthwork enclosures which seem to have served as seasonal cattle corrals. These enclosures were roughly circular, reached over a thousand feet in diameter, and sometimes included two or three concentric sets of banks and ditches. Traces of oblong timber houses have been found, but not within the enclosures. The second type of structure is mine-shafts, dug down into the chalk beds where good flint for the making of axes or hoes could be found. The third type of structure is long simple mounds or unchambered barrows, in one end of which burials were made. It has been commonly believed that the Windmill Hill assemblage belonged entirely to the cultural tradition which moved up through France to the Channel. Professor Piggott is now convinced, however, that important elements of Windmill Hill stem from northern Germany and Denmark--products of the first way into Europe from the east. The archeological traces of a second early culture are to be found in the west of England, western and northern Scotland, and most of Ireland. The bearers of this culture had come up the Atlantic coast by sea from southern France and Spain. The evidence they have left us consists mainly of tombs and the contents of tombs, with only very rare settlement sites. The tombs were of some size and received the bodies of many people. The tombs themselves were built of stone, heaped over with earth; the stones enclosed a passage to a central chamber (passage graves), or to a simple long gallery, along the sides of which the bodies were laid (gallery graves). The general type of construction is called megalithic (= great stone), and the whole earth-mounded structure is often called a _barrow_. Since many have proper chambers, in one sense or another, we used the term unchambered barrow above to distinguish those of the Windmill Hill type from these megalithic structures. There is some evidence for sacrifice, libations, and ceremonial fires, and it is clear that some form of community ritual was focused on the megalithic tombs. The cultures of the people who produced the Windmill Hill assemblage and of those who made the megalithic tombs flourished, at least in part, at the same time. Although the distributions of the two different types of archeological traces are in quite different parts of the country, there is Windmill Hill pottery in some of the megalithic tombs. But the tombs also contain pottery which seems to have arrived with the tomb builders themselves. The third early British group of antiquities of this general time (following 2500 B.C.) comes from sites in southern and eastern England. It is not so certain that the people who made this assemblage, called Peterborough, were actually farmers. While they may on occasion have practiced a simple agriculture, many items of their assemblage link them closely with that of the Forest folk of earlier times in England and in the Baltic countries. Their pottery is decorated with impressions of cords and is quite different from that of Windmill Hill and the megalithic builders. In addition, the distribution of their finds extends into eastern Britain, where the other cultures have left no trace. The Peterborough people had villages with semi-subterranean huts, and the bones of oxen, pigs, and sheep have been found in a few of these. On the whole, however, hunting and fishing seem to have been their vital occupations. They also established trade routes especially to acquire the raw material for stone axes. A probably slightly later culture, whose traces are best known from Skara Brae on Orkney, also had its roots in those cultures of the Baltic area which fused out of the meeting of the Forest folk and the peoples who took the eastern way into Europe. Skara Brae is very well preserved, having been built of thin stone slabs about which dune-sand drifted after the village died. The individual houses, the bedsteads, the shelves, the chests for clothes and oddments--all built of thin stone-slabs--may still be seen in place. But the Skara Brae people lived entirely by sheep- and cattle-breeding, and by catching shellfish. Neither grain nor the instruments of agriculture appeared at Skara Brae. THE EUROPEAN ACHIEVEMENT The above is only a very brief description of what went on in Britain with the arrival of the first farmers. There are many interesting details which I have omitted in order to shorten the story. I believe some of the difficulty we have in understanding the establishment of the first farming communities in Europe is with the word colonization. We have a natural tendency to think of colonization as it has happened within the last few centuries. In the case of the colonization of the Americas, for example, the colonists came relatively quickly, and in increasingly vast numbers. They had vastly superior technical, political, and war-making skills, compared with those of the Indians. There was not much mixing with the Indians. The case in Europe five or six thousand years ago must have been very different. I wonder if it is even proper to call people colonists who move some miles to a new region, settle down and farm it for some years, then move on again, generation after generation? The ideas and the things which these new people carried were only _potentially_ superior. The ideas and things and the people had to prove themselves in their adaptation to each new environment. Once this was done another link to the chain would be added, and then the forest-dwellers and other indigenous folk of Europe along the way might accept the new ideas and things. It is quite reasonable to expect that there must have been much mixture of the migrants and the indigenes along the way; the Peterborough and Skara Brae assemblages we mentioned above would seem to be clear traces of such fused cultures. Sometimes, especially if the migrants were moving by boat, long distances may have been covered in a short time. Remember, however, we seem to have about three thousand years between the early Syro-Cilician villages and Windmill Hill. Let me repeat Professor Childe again. The peoples of the West were not slavish imitators: they adapted the gifts from the East ... into a new and organic whole capable of developing on its own original lines. Childe is of course completely conscious of the fact that his peoples of the West were in part the descendants of migrants who came originally from the East, bringing their gifts with them. This was the late prehistoric achievement of Europe--to take new ideas and things and some migrant peoples and, by mixing them with the old in its own environments, to forge a new and unique series of cultures. What we know of the ways of men suggests to us that when the details of the later prehistory of further Asia and Africa are learned, their stories will be just as exciting. THE Conquest of Civilization [Illustration] Now we must return to the Near East again. We are coming to the point where history is about to begin. I am going to stick pretty close to Iraq and Egypt in this chapter. These countries will perhaps be the most interesting to most of us, for the foundations of western civilization were laid in the river lands of the Tigris and Euphrates and of the Nile. I shall probably stick closest of all to Iraq, because things first happened there and also because I know it best. There is another interesting thing, too. We have seen that the first experiment in village-farming took place in the Near East. So did the first experiment in civilization. Both experiments took. The traditions we live by today are based, ultimately, on those ancient beginnings in food-production and civilization in the Near East. WHAT CIVILIZATION MEANS I shall not try to define civilization for you; rather, I shall tell you what the word brings to my mind. To me civilization means urbanization: the fact that there are cities. It means a formal political set-up--that there are kings or governing bodies that the people have set up. It means formal laws--rules of conduct--which the government (if not the people) believes are necessary. It probably means that there are formalized projects--roads, harbors, irrigation canals, and the like--and also some sort of army or police force to protect them. It means quite new and different art forms. It also usually means there is writing. (The people of the Andes--the Incas--had everything which goes to make up a civilization but formal writing. I can see no reason to say they were not civilized.) Finally, as the late Professor Redfield reminded us, civilization seems to bring with it the dawn of a new kind of moral order. In different civilizations, there may be important differences in the way such things as the above are managed. In early civilizations, it is usual to find religion very closely tied in with government, law, and so forth. The king may also be a high priest, or he may even be thought of as a god. The laws are usually thought to have been given to the people by the gods. The temples are protected just as carefully as the other projects. CIVILIZATION IMPOSSIBLE WITHOUT FOOD-PRODUCTION Civilizations have to be made up of many people. Some of the people live in the country; some live in very large towns or cities. Classes of society have begun. There are officials and government people; there are priests or religious officials; there are merchants and traders; there are craftsmen, metal-workers, potters, builders, and so on; there are also farmers, and these are the people who produce the food for the whole population. It must be obvious that civilization cannot exist without food-production and that food-production must also be at a pretty efficient level of village-farming before civilization can even begin. But people can be food-producing without being civilized. In many parts of the world this is still the case. When the white men first came to America, the Indians in most parts of this hemisphere were food-producers. They grew corn, potatoes, tomatoes, squash, and many other things the white men had never eaten before. But only the Aztecs of Mexico, the Mayas of Yucatan and Guatemala, and the Incas of the Andes were civilized. WHY DIDNT CIVILIZATION COME TO ALL FOOD-PRODUCERS? Once you have food-production, even at the well-advanced level of the village-farming community, what else has to happen before you get civilization? Many men have asked this question and have failed to give a full and satisfactory answer. There is probably no _one_ answer. I shall give you my own idea about how civilization _may_ have come about in the Near East alone. Remember, it is only a guess--a putting together of hunches from incomplete evidence. It is _not_ meant to explain how civilization began in any of the other areas--China, southeast Asia, the Americas--where other early experiments in civilization went on. The details in those areas are quite different. Whether certain general principles hold, for the appearance of any early civilization, is still an open and very interesting question. WHERE CIVILIZATION FIRST APPEARED IN THE NEAR EAST You remember that our earliest village-farming communities lay along the hilly flanks of a great crescent. (See map on p. 125.) Professor Breasteds fertile crescent emphasized the rich river valleys of the Nile and the Tigris-Euphrates Rivers. Our hilly-flanks area of the crescent zone arches up from Egypt through Palestine and Syria, along southern Turkey into northern Iraq, and down along the southwestern fringe of Iran. The earliest food-producing villages we know already existed in this area by about 6750 B.C. ( 200 years). Now notice that this hilly-flanks zone does not include southern Mesopotamia, the alluvial land of the lower Tigris and Euphrates in Iraq, or the Nile Valley proper. The earliest known villages of classic Mesopotamia and Egypt seem to appear fifteen hundred or more years after those of the hilly-flanks zone. For example, the early Fayum village which lies near a lake west of the Nile Valley proper (see p. 135) has a radiocarbon date of 4275 B.C. 320 years. It was in the river lands, however, that the immediate beginnings of civilization were made. We know that by about 3200 B.C. the Early Dynastic period had begun in southern Mesopotamia. The beginnings of writing go back several hundred years earlier, but we can safely say that civilization had begun in Mesopotamia by 3200 B.C. In Egypt, the beginning of the First Dynasty is slightly later, at about 3100 B.C., and writing probably did not appear much earlier. There is no question but that history and civilization were well under way in both Mesopotamia and Egypt by 3000 B.C.--about five thousand years ago. THE HILLY-FLANKS ZONE VERSUS THE RIVER LANDS Why did these two civilizations spring up in these two river lands which apparently were not even part of the area where the village-farming community began? Why didnt we have the first civilizations in Palestine, Syria, north Iraq, or Iran, where were sure food-production had had a long time to develop? I think the probable answer gives a clue to the ways in which civilization began in Egypt and Mesopotamia. The land in the hilly flanks is of a sort which people can farm without too much trouble. There is a fairly fertile coastal strip in Palestine and Syria. There are pleasant mountain slopes, streams running out to the sea, and rain, at least in the winter months. The rain belt and the foothills of the Turkish mountains also extend to northern Iraq and on to the Iranian plateau. The Iranian plateau has its mountain valleys, streams, and some rain. These hilly flanks of the crescent, through most of its arc, are almost made-to-order for beginning farmers. The grassy slopes of the higher hills would be pasture for their herds and flocks. As soon as the earliest experiments with agriculture and domestic animals had been successful, a pleasant living could be made--and without too much trouble. I should add here again, that our evidence points increasingly to a climate for those times which is very little different from that for the area today. Now look at Egypt and southern Mesopotamia. Both are lands without rain, for all intents and purposes. Both are lands with rivers that have laid down very fertile soil--soil perhaps superior to that in the hilly flanks. But in both lands, the rivers are of no great aid without some control. The Nile floods its banks once a year, in late September or early October. It not only soaks the narrow fertile strip of land on either side; it lays down a fresh layer of new soil each year. Beyond the fertile strip on either side rise great cliffs, and behind them is the desert. In its natural, uncontrolled state, the yearly flood of the Nile must have caused short-lived swamps that were full of crocodiles. After a short time, the flood level would have dropped, the water and the crocodiles would have run back into the river, and the swamp plants would have become parched and dry. The Tigris and the Euphrates of Mesopotamia are less likely to flood regularly than the Nile. The Tigris has a shorter and straighter course than the Euphrates; it is also the more violent river. Its banks are high, and when the snows melt and flow into all of its tributary rivers it is swift and dangerous. The Euphrates has a much longer and more curving course and few important tributaries. Its banks are lower and it is less likely to flood dangerously. The land on either side and between the two rivers is very fertile, south of the modern city of Baghdad. Unlike the Nile Valley, neither the Tigris nor the Euphrates is flanked by cliffs. The land on either side of the rivers stretches out for miles and is not much rougher than a poor tennis court. THE RIVERS MUST BE CONTROLLED The real trick in both Egypt and Mesopotamia is to make the rivers work for you. In Egypt, this is a matter of building dikes and reservoirs that will catch and hold the Nile flood. In this way, the water is held and allowed to run off over the fields as it is needed. In Mesopotamia, it is a matter of taking advantage of natural river channels and branch channels, and of leading ditches from these onto the fields. Obviously, we can no longer find the first dikes or reservoirs of the Nile Valley, or the first canals or ditches of Mesopotamia. The same land has been lived on far too long for any traces of the first attempts to be left; or, especially in Egypt, it has been covered by the yearly deposits of silt, dropped by the river floods. But were pretty sure the first food-producers of Egypt and southern Mesopotamia must have made such dikes, canals, and ditches. In the first place, there cant have been enough rain for them to grow things otherwise. In the second place, the patterns for such projects seem to have been pretty well set by historic times. CONTROL OF THE RIVERS THE BUSINESS OF EVERYONE Here, then, is a _part_ of the reason why civilization grew in Egypt and Mesopotamia first--not in Palestine, Syria, or Iran. In the latter areas, people could manage to produce their food as individuals. It wasnt too hard; there were rain and some streams, and good pasturage for the animals even if a crop or two went wrong. In Egypt and Mesopotamia, people had to put in a much greater amount of work, and this work couldnt be individual work. Whole villages or groups of people had to turn out to fix dikes or dig ditches. The dikes had to be repaired and the ditches carefully cleared of silt each year, or they would become useless. There also had to be hard and fast rules. The person who lived nearest the ditch or the reservoir must not be allowed to take all the water and leave none for his neighbors. It was not only a business of learning to control the rivers and of making their waters do the farmers work. It also meant controlling men. But once these men had managed both kinds of controls, what a wonderful yield they had! The soil was already fertile, and the silt which came in the floods and ditches kept adding fertile soil. THE GERM OF CIVILIZATION IN EGYPT AND MESOPOTAMIA This learning to work together for the common good was the real germ of the Egyptian and the Mesopotamian civilizations. The bare elements of civilization were already there: the need for a governing hand and for laws to see that the communities work was done and that the water was justly shared. You may object that there is a sort of chicken and egg paradox in this idea. How could the people set up the rules until they had managed to get a way to live, and how could they manage to get a way to live until they had set up the rules? I think that small groups must have moved down along the mud-flats of the river banks quite early, making use of naturally favorable spots, and that the rules grew out of such cases. It would have been like the hand-in-hand growth of automobiles and paved highways in the United States. Once the rules and the know-how did get going, there must have been a constant interplay of the two. Thus, the more the crops yielded, the richer and better-fed the people would have been, and the more the population would have grown. As the population grew, more land would have needed to be flooded or irrigated, and more complex systems of dikes, reservoirs, canals, and ditches would have been built. The more complex the system, the more necessity for work on new projects and for the control of their use.... And so on.... What I have just put down for you is a guess at the manner of growth of some of the formalized systems that go to make up a civilized society. My explanation has been pointed particularly at Egypt and Mesopotamia. I have already told you that the irrigation and water-control part of it does not apply to the development of the Aztecs or the Mayas, or perhaps anybody else. But I think that a fair part of the story of Egypt and Mesopotamia must be as Ive just told you. I am particularly anxious that you do _not_ understand me to mean that irrigation _caused_ civilization. I am sure it was not that simple at all. For, in fact, a complex and highly engineered irrigation system proper did not come until later times. Lets say rather that the simple beginnings of irrigation allowed and in fact encouraged a great number of things in the technological, political, social, and moral realms of culture. We do not yet understand what all these things were or how they worked. But without these other aspects of culture, I do not think that urbanization and civilization itself could have come into being. THE ARCHEOLOGICAL SEQUENCE TO CIVILIZATION IN IRAQ We last spoke of the archeological materials of Iraq on page 130, where I described the village-farming community of Hassunan type. The Hassunan type villages appear in the hilly-flanks zone and in the rolling land adjacent to the Tigris in northern Iraq. It is probable that even before the Hassuna pattern of culture lived its course, a new assemblage had been established in northern Iraq and Syria. This assemblage is called Halaf, after a site high on a tributary of the Euphrates, on the Syro-Turkish border. [Illustration: SKETCH OF SELECTED ITEMS OF HALAFIAN ASSEMBLAGE BEADS AND PENDANTS POTTERY MOTIFS POTTERY] The Halafian assemblage is incompletely known. The culture it represents included a remarkably handsome painted pottery. Archeologists have tended to be so fascinated with this pottery that they have bothered little with the rest of the Halafian assemblage. We do know that strange stone-founded houses, with plans like those of the popular notion of an Eskimo igloo, were built. Like the pottery of the Samarran style, which appears as part of the Hassunan assemblage (see p. 131), the Halafian painted pottery implies great concentration and excellence of draftsmanship on the part of the people who painted it. We must mention two very interesting sites adjacent to the mud-flats of the rivers, half way down from northern Iraq to the classic alluvial Mesopotamian area. One is Baghouz on the Euphrates; the other is Samarra on the Tigris (see map, p. 125). Both these sites yield the handsome painted pottery of the style called Samarran: in fact it is Samarra which gives its name to the pottery. Neither Baghouz nor Samarra have completely Hassunan types of assemblages, and at Samarra there are a few pots of proper Halafian style. I suppose that Samarra and Baghouz give us glimpses of those early farmers who had begun to finger their way down the mud-flats of the river banks toward the fertile but yet untilled southland. CLASSIC SOUTHERN MESOPOTAMIA FIRST OCCUPIED Our next step is into the southland proper. Here, deep in the core of the mound which later became the holy Sumerian city of Eridu, Iraqi archeologists uncovered a handsome painted pottery. Pottery of the same type had been noticed earlier by German archeologists on the surface of a small mound, awash in the spring floods, near the remains of the Biblical city of Erich (Sumerian = Uruk; Arabic = Warka). This Eridu pottery, which is about all we have of the assemblage of the people who once produced it, may be seen as a blend of the Samarran and Halafian painted pottery styles. This may over-simplify the case, but as yet we do not have much evidence to go on. The idea does at least fit with my interpretation of the meaning of Baghouz and Samarra as way-points on the mud-flats of the rivers half way down from the north. My colleague, Robert Adams, believes that there were certainly riverine-adapted food-collectors living in lower Mesopotamia. The presence of such would explain why the Eridu assemblage is not simply the sum of the Halafian and Samarran assemblages. But the domesticated plants and animals and the basic ways of food-production must have come from the hilly-flanks country in the north. Above the basal Eridu levels, and at a number of other sites in the south, comes a full-fledged assemblage called Ubaid. Incidentally, there is an aspect of the Ubaidian assemblage in the north as well. It seems to move into place before the Halaf manifestation is finished, and to blend with it. The Ubaidian assemblage in the south is by far the more spectacular. The development of the temple has been traced at Eridu from a simple little structure to a monumental building some 62 feet long, with a pilaster-decorated faade and an altar in its central chamber. There is painted Ubaidian pottery, but the style is hurried and somewhat careless and gives the _impression_ of having been a cheap mass-production means of decoration when compared with the carefully drafted styles of Samarra and Halaf. The Ubaidian people made other items of baked clay: sickles and axes of very hard-baked clay are found. The northern Ubaidian sites have yielded tools of copper, but metal tools of unquestionable Ubaidian find-spots are not yet available from the south. Clay figurines of human beings with monstrous turtle-like faces are another item in the southern Ubaidian assemblage. [Illustration: SKETCH OF SELECTED ITEMS OF UBAIDIAN ASSEMBLAGE] There is a large Ubaid cemetery at Eridu, much of it still awaiting excavation. The few skeletons so far tentatively studied reveal a completely modern type of Mediterraneanoid; the individuals whom the skeletons represent would undoubtedly blend perfectly into the modern population of southern Iraq. What the Ubaidian assemblage says to us is that these people had already adapted themselves and their culture to the peculiar riverine environment of classic southern Mesopotamia. For example, hard-baked clay axes will chop bundles of reeds very well, or help a mason dress his unbaked mud bricks, and there were only a few soft and pithy species of trees available. The Ubaidian levels of Eridu yield quantities of date pits; that excellent and characteristically Iraqi fruit was already in use. The excavators also found the clay model of a ship, with the stepping-point for a mast, so that Sinbad the Sailor must have had his antecedents as early as the time of Ubaid. The bones of fish, which must have flourished in the larger canals as well as in the rivers, are common in the Ubaidian levels and thereafter. THE UBAIDIAN ACHIEVEMENT On present evidence, my tendency is to see the Ubaidian assemblage in southern Iraq as the trace of a new era. I wish there were more evidence, but what we have suggests this to me. The culture of southern Ubaid soon became a culture of towns--of centrally located towns with some rural villages about them. The town had a temple and there must have been priests. These priests probably had political and economic functions as well as religious ones, if the somewhat later history of Mesopotamia may suggest a pattern for us. Presently the temple and its priesthood were possibly the focus of the market; the temple received its due, and may already have had its own lands and herds and flocks. The people of the town, undoubtedly at least in consultation with the temple administration, planned and maintained the simple irrigation ditches. As the system flourished, the community of rural farmers would have produced more than sufficient food. The tendency for specialized crafts to develop--tentative at best at the cultural level of the earlier village-farming community era--would now have been achieved, and probably many other specialists in temple administration, water control, architecture, and trade would also have appeared, as the surplus food-supply was assured. Southern Mesopotamia is not a land rich in natural resources other than its fertile soil. Stone, good wood for construction, metal, and innumerable other things would have had to be imported. Grain and dates--although both are bulky and difficult to transport--and wool and woven stuffs must have been the mediums of exchange. Over what area did the trading net-work of Ubaid extend? We start with the idea that the Ubaidian assemblage is most richly developed in the south. We assume, I think, correctly, that it represents a cultural flowering of the south. On the basis of the pottery of the still elusive Eridu immigrants who had first followed the rivers into alluvial Mesopotamia, we get the notion that the characteristic painted pottery style of Ubaid was developed in the southland. If this reconstruction is correct then we may watch with interest where the Ubaid pottery-painting tradition spread. We have already mentioned that there is a substantial assemblage of (and from the southern point of view, _fairly_ pure) Ubaidian material in northern Iraq. The pottery appears all along the Iranian flanks, even well east of the head of the Persian Gulf, and ends in a later and spectacular flourish in an extremely handsome painted style called the Susa style. Ubaidian pottery has been noted up the valleys of both of the great rivers, well north of the Iraqi and Syrian borders on the southern flanks of the Anatolian plateau. It reaches the Mediterranean Sea and the valley of the Orontes in Syria, and it may be faintly reflected in the painted style of a site called Ghassul, on the east bank of the Jordan in the Dead Sea Valley. Over this vast area--certainly in all of the great basin of the Tigris-Euphrates drainage system and its natural extensions--I believe we may lay our fingers on the traces of a peculiar way of decorating pottery, which we call Ubaidian. This cursive and even slap-dash decoration, it appears to me, was part of a new cultural tradition which arose from the adjustments which immigrant northern farmers first made to the new and challenging environment of southern Mesopotamia. But exciting as the idea of the spread of influences of the Ubaid tradition in space may be, I believe you will agree that the consequences of the growth of that tradition in southern Mesopotamia itself, as time passed, are even more important. THE WARKA PHASE IN THE SOUTH So far, there are only two radiocarbon determinations for the Ubaidian assemblage, one from Tepe Gawra in the north and one from Warka in the south. My hunch would be to use the dates 4500 to 3750 B.C., with a plus or more probably a minus factor of about two hundred years for each, as the time duration of the Ubaidian assemblage in southern Mesopotamia. Next, much to our annoyance, we have what is almost a temporary black-out. According to the system of terminology I favor, our next assemblage after that of Ubaid is called the _Warka_ phase, from the Arabic name for the site of Uruk or Erich. We know it only from six or seven levels in a narrow test-pit at Warka, and from an even smaller hole at another site. This assemblage, so far, is known only by its pottery, some of which still bears Ubaidian style painting. The characteristic Warkan pottery is unpainted, with smoothed red or gray surfaces and peculiar shapes. Unquestionably, there must be a great deal more to say about the Warkan assemblage, but someone will first have to excavate it! THE DAWN OF CIVILIZATION After our exasperation with the almost unknown Warka interlude, following the brilliant false dawn of Ubaid, we move next to an assemblage which yields traces of a preponderance of those elements which we noted (p. 144) as meaning civilization. This assemblage is that called _Proto-Literate_; it already contains writing. On the somewhat shaky principle that writing, however early, means history--and no longer prehistory--the assemblage is named for the historical implications of its content, and no longer after the name of the site where it was first found. Since some of the older books used site-names for this assemblage, I will tell you that the Proto-Literate includes the latter half of what used to be called the Uruk period _plus_ all of what used to be called the Jemdet Nasr period. It shows a consistent development from beginning to end. I shall, in fact, leave much of the description and the historic implications of the Proto-Literate assemblage to the conventional historians. Professor T. J. Jacobsen, reaching backward from the legends he finds in the cuneiform writings of slightly later times, can in fact tell you a more complete story of Proto-Literate culture than I can. It should be enough here if I sum up briefly what the excavated archeological evidence shows. We have yet to dig a Proto-Literate site in its entirety, but the indications are that the sites cover areas the size of small cities. In architecture, we know of large and monumental temple structures, which were built on elaborate high terraces. The plans and decoration of these temples follow the pattern set in the Ubaid phase: the chief difference is one of size. The German excavators at the site of Warka reckoned that the construction of only one of the Proto-Literate temple complexes there must have taken 1,500 men, each working a ten-hour day, five years to build. ART AND WRITING If the architecture, even in its monumental forms, can be seen to stem from Ubaidian developments, this is not so with our other evidence of Proto-Literate artistic expression. In relief and applied sculpture, in sculpture in the round, and on the engraved cylinder seals--all of which now make their appearance--several completely new artistic principles are apparent. These include the composition of subject-matter in groups, commemorative scenes, and especially the ability and apparent desire to render the human form and face. Excellent as the animals of the Franco-Cantabrian art may have been (see p. 85), and however handsome were the carefully drafted geometric designs and conventionalized figures on the pottery of the early farmers, there seems to have been, up to this time, a mental block about the drawing of the human figure and especially the human face. We do not yet know what caused this self-consciousness about picturing themselves which seems characteristic of men before the appearance of civilization. We do know that with civilization, the mental block seems to have been removed. Clay tablets bearing pictographic signs are the Proto-Literate forerunners of cuneiform writing. The earliest examples are not well understood but they seem to be devices for making accounts and for remembering accounts. Different from the later case in Egypt, where writing appears fully formed in the earliest examples, the development from simple pictographic signs to proper cuneiform writing may be traced, step by step, in Mesopotamia. It is most probable that the development of writing was connected with the temple and the need for keeping account of the temples possessions. Professor Jacobsen sees writing as a means for overcoming space, time, and the increasing complications of human affairs: Literacy, which began with ... civilization, enhanced mightily those very tendencies in its development which characterize it as a civilization and mark it off as such from other types of culture. [Illustration: RELIEF ON A PROTO-LITERATE STONE VASE, WARKA Unrolled drawing, with restoration suggested by figures from contemporary cylinder seals] While the new principles in art and the idea of writing are not foreshadowed in the Ubaid phase, or in what little we know of the Warkan, I do not think we need to look outside southern Mesopotamia for their beginnings. We do know something of the adjacent areas, too, and these beginnings are not there. I think we must accept them as completely new discoveries, made by the people who were developing the whole new culture pattern of classic southern Mesopotamia. Full description of the art, architecture, and writing of the Proto-Literate phase would call for many details. Men like Professor Jacobsen and Dr. Adams can give you these details much better than I can. Nor shall I do more than tell you that the common pottery of the Proto-Literate phase was so well standardized that it looks factory made. There was also some handsome painted pottery, and there were stone bowls with inlaid decoration. Well-made tools in metal had by now become fairly common, and the metallurgist was experimenting with the casting process. Signs for plows have been identified in the early pictographs, and a wheeled chariot is shown on a cylinder seal engraving. But if I were forced to a guess in the matter, I would say that the development of plows and draft-animals probably began in the Ubaid period and was another of the great innovations of that time. The Proto-Literate assemblage clearly suggests a highly developed and sophisticated culture. While perhaps not yet fully urban, it is on the threshold of urbanization. There seems to have been a very dense settlement of Proto-Literate sites in classic southern Mesopotamia, many of them newly founded on virgin soil where no earlier settlements had been. When we think for a moment of what all this implies, of the growth of an irrigation system which must have existed to allow the flourish of this culture, and of the social and political organization necessary to maintain the irrigation system, I think we will agree that at last we are dealing with civilization proper. FROM PREHISTORY TO HISTORY Now it is time for the conventional ancient historians to take over the story from me. Remember this when you read what they write. Their real base-line is with cultures ruled over by later kings and emperors, whose writings describe military campaigns and the administration of laws and fully organized trading ventures. To these historians, the Proto-Literate phase is still a simple beginning for what is to follow. If they mention the Ubaid assemblage at all--the one I was so lyrical about--it will be as some dim and fumbling step on the path to the civilized way of life. I suppose you could say that the difference in the approach is that as a prehistorian I have been looking forward or upward in time, while the historians look backward to glimpse what Ive been describing here. My base-line was half a million years ago with a being who had little more than the capacity to make tools and fire to distinguish him from the animals about him. Thus my point of view and that of the conventional historian are bound to be different. You will need both if you want to understand all of the story of men, as they lived through time to the present. End of PREHISTORY [Illustration] Youll doubtless easily recall your general course in ancient history: how the Sumerian dynasties of Mesopotamia were supplanted by those of Babylonia, how the Hittite kingdom appeared in Anatolian Turkey, and about the three great phases of Egyptian history. The literate kingdom of Crete arose, and by 1500 B.C. there were splendid fortified Mycenean towns on the mainland of Greece. This was the time--about the whole eastern end of the Mediterranean--of what Professor Breasted called the first great internationalism, with flourishing trade, international treaties, and royal marriages between Egyptians, Babylonians, and Hittites. By 1200 B.C., the whole thing had fragmented: the peoples of the sea were restless in their isles, and the great ancient centers in Egypt, Mesopotamia, and Anatolia were eclipsed. Numerous smaller states arose--Assyria, Phoenicia, Israel--and the Trojan war was fought. Finally Assyria became the paramount power of all the Near East, presently to be replaced by Persia. A new culture, partaking of older west Asiatic and Egyptian elements, but casting them with its own tradition into a new mould, arose in mainland Greece. I once shocked my Classical colleagues to the core by referring to Greece as a second degree derived civilization, but there is much truth in this. The principles of bronze- and then of iron-working, of the alphabet, and of many other elements in Greek culture were borrowed from western Asia. Our debt to the Greeks is too well known for me even to mention it, beyond recalling to you that it is to Greece we owe the beginnings of rational or empirical science and thought in general. But Greece fell in its turn to Rome, and in 55 B.C. Caesar invaded Britain. I last spoke of Britain on page 142; I had chosen it as my single example for telling you something of how the earliest farming communities were established in Europe. Now I will continue with Britains later prehistory, so you may sense something of the end of prehistory itself. Remember that Britain is simply a single example we select; the same thing could be done for all the other countries of Europe, and will be possible also, some day, for further Asia and Africa. Remember, too, that prehistory in most of Europe runs on for three thousand or more years _after_ conventional ancient history begins in the Near East. Britain is a good example to use in showing how prehistory ended in Europe. As we said earlier, it lies at the opposite end of Europe from the area of highest cultural achievement in those times, and should you care to read more of the story in detail, you may do so in the English language. METAL USERS REACH ENGLAND We left the story of Britain with the peoples who made three different assemblages--the Windmill Hill, the megalith-builders, and the Peterborough--making adjustments to their environments, to the original inhabitants of the island, and to each other. They had first arrived about 2500 B.C., and were simple pastoralists and hoe cultivators who lived in little village communities. Some of them planted little if any grain. By 2000 B.C., they were well settled in. Then, somewhere in the range from about 1900 to 1800 B.C., the traces of the invasion of a new series of peoples began to appear. The first newcomers are called the Beaker folk, after the name of a peculiar form of pottery they made. The beaker type of pottery seems oldest in Spain, where it occurs with great collective tombs of megalithic construction and with copper tools. But the Beaker folk who reached England seem already to have moved first from Spain(?) to the Rhineland and Holland. While in the Rhineland, and before leaving for England, the Beaker folk seem to have mixed with the local population and also with incomers from northeastern Europe whose culture included elements brought originally from the Near East by the eastern way through the steppes. This last group has also been named for a peculiar article in its assemblage; the group is called the Battle-axe folk. A few Battle-axe folk elements, including, in fact, stone battle-axes, reached England with the earliest Beaker folk,[6] coming from the Rhineland. [6] The British authors use the term Beaker folk to mean both archeological assemblage and human physical type. They speak of a ... tall, heavy-boned, rugged, and round-headed strain which they take to have developed, apparently in the Rhineland, by a mixture of the original (Spanish?) beaker-makers and the northeast European battle-axe makers. However, since the science of physical anthropology is very much in flux at the moment, and since I am not able to assess the evidence for these physical types, I _do not_ use the term folk in this book with its usual meaning of standardized physical type. When I use folk here, I mean simply _the makers of a given archeological assemblage_. The difficulty only comes when assemblages are named for some item in them; it is too clumsy to make an adjective of the item and refer to a beakerian assemblage. The Beaker folk settled earliest in the agriculturally fertile south and east. There seem to have been several phases of Beaker folk invasions, and it is not clear whether these all came strictly from the Rhineland or Holland. We do know that their copper daggers and awls and armlets are more of Irish or Atlantic European than of Rhineland origin. A few simple habitation sites and many burials of the Beaker folk are known. They buried their dead singly, sometimes in conspicuous individual barrows with the dead warrior in his full trappings. The spectacular element in the assemblage of the Beaker folk is a group of large circular monuments with ditches and with uprights of wood or stone. These henges became truly monumental several hundred years later; while they were occasionally dedicated with a burial, they were not primarily tombs. The effect of the invasion of the Beaker folk seems to cut across the whole fabric of life in Britain. [Illustration: BEAKER] There was, however, a second major element in British life at this time. It shows itself in the less well understood traces of a group again called after one of the items in their catalogue, the Food-vessel folk. There are many burials in these food-vessel pots in northern England, Scotland, and Ireland, and the pottery itself seems to link back to that of the Peterborough assemblage. Like the earlier Peterborough people in the highland zone before them, the makers of the food-vessels seem to have been heavily involved in trade. It is quite proper to wonder whether the food-vessel pottery itself was made by local women who were married to traders who were middlemen in the transmission of Irish metal objects to north Germany and Scandinavia. The belt of high, relatively woodless country, from southwest to northeast, was already established as a natural route for inland trade. MORE INVASIONS About 1500 B.C., the situation became further complicated by the arrival of new people in the region of southern England anciently called Wessex. The traces suggest the Brittany coast of France as a source, and the people seem at first to have been a small but heroic group of aristocrats. Their heroes are buried with wealth and ceremony, surrounded by their axes and daggers of bronze, their gold ornaments, and amber and jet beads. These rich finds show that the trade-linkage these warriors patronized spread from the Baltic sources of amber to Mycenean Greece or even Egypt, as evidenced by glazed blue beads. The great visual trace of Wessex achievement is the final form of the spectacular sanctuary at Stonehenge. A wooden henge or circular monument was first made several hundred years earlier, but the site now received its great circles of stone uprights and lintels. The diameter of the surrounding ditch at Stonehenge is about 350 feet, the diameter of the inner circle of large stones is about 100 feet, and the tallest stone of the innermost horseshoe-shaped enclosure is 29 feet 8 inches high. One circle is made of blue stones which must have been transported from Pembrokeshire, 145 miles away as the crow flies. Recently, many carvings representing the profile of a standard type of bronze axe of the time, and several profiles of bronze daggers--one of which has been called Mycenean in type--have been found carved in the stones. We cannot, of course, describe the details of the religious ceremonies which must have been staged in Stonehenge, but we can certainly imagine the well-integrated and smoothly working culture which must have been necessary before such a great monument could have been built. THIS ENGLAND The range from 1900 to about 1400 B.C. includes the time of development of the archeological features usually called the Early Bronze Age in Britain. In fact, traces of the Wessex warriors persisted down to about 1200 B.C. The main regions of the island were populated, and the adjustments to the highland and lowland zones were distinct and well marked. The different aspects of the assemblages of the Beaker folk and the clearly expressed activities of the Food-vessel folk and the Wessex warriors show that Britain was already taking on her characteristic trading role, separated from the European continent but conveniently adjacent to it. The tin of Cornwall--so important in the production of good bronze--as well as the copper of the west and of Ireland, taken with the gold of Ireland and the general excellence of Irish metal work, assured Britain a traders place in the then known world. Contacts with the eastern Mediterranean may have been by sea, with Cornish tin as the attraction, or may have been made by the Food-vessel middlemen on their trips to the Baltic coast. There they would have encountered traders who traveled the great north-south European road, by which Baltic amber moved southward to Greece and the Levant, and ideas and things moved northward again. There was, however, the Channel between England and Europe, and this relative isolation gave some peace and also gave time for a leveling and further fusion of culture. The separate cultural traditions began to have more in common. The growing of barley, the herding of sheep and cattle, and the production of woolen garments were already features common to all Britains inhabitants save a few in the remote highlands, the far north, and the distant islands not yet fully touched by food-production. The personality of Britain was being formed. CREMATION BURIALS BEGIN Along with people of certain religious faiths, archeologists are against cremation (for other people!). Individuals to be cremated seem in past times to have been dressed in their trappings and put upon a large pyre: it takes a lot of wood and a very hot fire for a thorough cremation. When the burning had been completed, the few fragile scraps of bone and such odd beads of stone or other rare items as had resisted the great heat seem to have been whisked into a pot and the pot buried. The archeologist is left with the pot and the unsatisfactory scraps in it. Tentatively, after about 1400 B.C. and almost completely over the whole island by 1200 B.C., Britain became the scene of cremation burials in urns. We know very little of the people themselves. None of their settlements have been identified, although there is evidence that they grew barley and made enclosures for cattle. The urns used for the burials seem to have antecedents in the pottery of the Food-vessel folk, and there are some other links with earlier British traditions. In Lancashire, a wooden circle seems to have been built about a grave with cremated burials in urns. Even occasional instances of cremation may be noticed earlier in Britain, and it is not clear what, if any, connection the British cremation burials in urns have with the classic _Urnfields_ which were now beginning in the east Mediterranean and which we shall mention below. The British cremation-burial-in-urns folk survived a long time in the highland zone. In the general British scheme, they make up what is called the Middle Bronze Age, but in the highland zone they last until after 900 B.C. and are considered to be a specialized highland Late Bronze Age. In the highland zone, these later cremation-burial folk seem to have continued the older Food-vessel tradition of being middlemen in the metal market. Granting that our knowledge of this phase of British prehistory is very restricted because the cremations have left so little for the archeologist, it does not appear that the cremation-burial-urn folk can be sharply set off from their immediate predecessors. But change on a grander scale was on the way. REVERBERATIONS FROM CENTRAL EUROPE In the centuries immediately following 1000 B.C., we see with fair clarity two phases of a cultural process which must have been going on for some time. Certainly several of the invasions we have already described in this chapter were due to earlier phases of the same cultural process, but we could not see the details. [Illustration: SLASHING SWORD] Around 1200 B.C. central Europe was upset by the spread of the so-called Urnfield folk, who practiced cremation burial in urns and whom we also know to have been possessors of long, slashing swords and the horse. I told you above that we have no idea that the Urnfield folk proper were in any way connected with the people who made cremation-burial-urn cemeteries a century or so earlier in Britain. It has been supposed that the Urnfield folk themselves may have shared ideas with the people who sacked Troy. We know that the Urnfield pressure from central Europe displaced other people in northern France, and perhaps in northwestern Germany, and that this reverberated into Britain about 1000 B.C. Soon after 750 B.C., the same thing happened again. This time, the pressure from central Europe came from the Hallstatt folk who were iron tool makers: the reverberation brought people from the western Alpine region across the Channel into Britain. At first it is possible to see the separate results of these folk movements, but the developing cultures soon fused with each other and with earlier British elements. Presently there were also strains of other northern and western European pottery and traces of Urnfield practices themselves which appeared in the finished British product. I hope you will sense that I am vastly over-simplifying the details. The result seems to have been--among other things--a new kind of agricultural system. The land was marked off by ditched divisions. Rectangular fields imply the plow rather than hoe cultivation. We seem to get a picture of estate or tribal boundaries which included village communities; we find a variety of tools in bronze, and even whetstones which show that iron has been honed on them (although the scarce iron has not been found). Let me give you the picture in Professor S. Piggotts words: The ... Late Bronze Age of southern England was but the forerunner of the earliest Iron Age in the same region, not only in the techniques of agriculture, but almost certainly in terms of ethnic kinship ... we can with some assurance talk of the Celts ... the great early Celtic expansion of the Continent is recognized to be that of the Urnfield people. Thus, certainly by 500 B.C., there were people in Britain, some of whose descendants we may recognize today in name or language in remote parts of Wales, Scotland, and the Hebrides. THE COMING OF IRON Iron--once the know-how of reducing it from its ore in a very hot, closed fire has been achieved--produces a far cheaper and much more efficient set of tools than does bronze. Iron tools seem first to have been made in quantity in Hittite Anatolia about 1500 B.C. In continental Europe, the earliest, so-called Hallstatt, iron-using cultures appeared in Germany soon after 750 B.C. Somewhat later, Greek and especially Etruscan exports of _objets dart_--which moved with a flourishing trans-Alpine wine trade--influenced the Hallstatt iron-working tradition. Still later new classical motifs, together with older Hallstatt, oriental, and northern nomad motifs, gave rise to a new style in metal decoration which characterizes the so-called La Tne phase. A few iron users reached Britain a little before 400 B.C. Not long after that, a number of allied groups appeared in southern and southeastern England. They came over the Channel from France and must have been Celts with dialects related to those already in England. A second wave of Celts arrived from the Marne district in France about 250 B.C. Finally, in the second quarter of the first century B.C., there were several groups of newcomers, some of whom were Belgae of a mixed Teutonic-Celtic confederacy of tribes in northern France and Belgium. The Belgae preceded the Romans by only a few years. HILL-FORTS AND FARMS The earliest iron-users seem to have entrenched themselves temporarily within hill-top forts, mainly in the south. Gradually, they moved inland, establishing _individual_ farm sites with extensive systems of rectangular fields. We recognize these fields by the lynchets or lines of soil-creep which plowing left on the slopes of hills. New crops appeared; there were now bread wheat, oats, and rye, as well as barley. At Little Woodbury, near the town of Salisbury, a farmstead has been rather completely excavated. The rustic buildings were within a palisade, the round house itself was built of wood, and there were various outbuildings and pits for the storage of grain. Weaving was done on the farm, but not blacksmithing, which must have been a specialized trade. Save for the lack of firearms, the place might almost be taken for a farmstead on the American frontier in the early 1800s. Toward 250 B.C. there seems to have been a hasty attempt to repair the hill-forts and to build new ones, evidently in response to signs of restlessness being shown by remote relatives in France. THE SECOND PHASE Perhaps the hill-forts were not entirely effective or perhaps a compromise was reached. In any case, the newcomers from the Marne district did establish themselves, first in the southeast and then to the north and west. They brought iron with decoration of the La Tne type and also the two-wheeled chariot. Like the Wessex warriors of over a thousand years earlier, they made heroes graves, with their warriors buried in the war-chariots and dressed in full trappings. [Illustration: CELTIC BUCKLE] The metal work of these Marnian newcomers is excellent. The peculiar Celtic art style, based originally on the classic tendril motif, is colorful and virile, and fits with Greek and Roman descriptions of Celtic love of color in dress. There is a strong trace of these newcomers northward in Yorkshire, linked by Ptolemys description to the Parisii, doubtless part of the Celtic tribe which originally gave its name to Paris on the Seine. Near Glastonbury, in Somerset, two villages in swamps have been excavated. They seem to date toward the middle of the first century B.C., which was a troubled time in Britain. The circular houses were built on timber platforms surrounded with palisades. The preservation of antiquities by the water-logged peat of the swamp has yielded us a long catalogue of the materials of these villagers. In Scotland, which yields its first iron tools at a date of about 100 B.C., and in northern Ireland even slightly earlier, the effects of the two phases of newcomers tend especially to blend. Hill-forts, brochs (stone-built round towers) and a variety of other strange structures seem to appear as the new ideas develop in the comparative isolation of northern Britain. THE THIRD PHASE For the time of about the middle of the first century B.C., we again see traces of frantic hill-fort construction. This simple military architecture now took some new forms. Its multiple ramparts must reflect the use of slings as missiles, rather than spears. We probably know the reason. In 56 B.C., Julius Caesar chastised the Veneti of Brittany for outraging the dignity of Roman ambassadors. The Veneti were famous slingers, and doubtless the reverberations of escaping Veneti were felt across the Channel. The military architecture suggests that some Veneti did escape to Britain. Also, through Caesar, we learn the names of newcomers who arrived in two waves, about 75 B.C. and about 50 B.C. These were the Belgae. Now, at last, we can even begin to speak of dynasties and individuals. Some time before 55 B.C., the Catuvellauni, originally from the Marne district in France, had possessed themselves of a large part of southeastern England. They evidently sailed up the Thames and built a town of over a hundred acres in area. Here ruled Cassivellaunus, the first man in England whose name we know, and whose town Caesar sacked. The town sprang up elsewhere again, however. THE END OF PREHISTORY Prehistory, strictly speaking, is now over in southern Britain. Claudius effective invasion took place in 43 A.D.; by 83 A.D., a raid had been made as far north as Aberdeen in Scotland. But by 127 A.D., Hadrian had completed his wall from the Solway to the Tyne, and the Romans settled behind it. In Scotland, Romanization can have affected the countryside very little. Professor Piggott adds that ... it is when the pressure of Romanization is relaxed by the break-up of the Dark Ages that we see again the Celtic metal-smiths handling their material with the same consummate skill as they had before the Roman Conquest, and with traditional styles that had not even then forgotten their Marnian and Belgic heritage. In fact, many centuries go by, in Britain as well as in the rest of Europe, before the archeologists task is complete and the historian on his own is able to describe the ways of men in the past. BRITAIN AS A SAMPLE OF THE GENERAL COURSE OF PREHISTORY IN EUROPE In giving this very brief outline of the later prehistory of Britain, you will have noticed how often I had to refer to the European continent itself. Britain, beyond the English Channel for all of her later prehistory, had a much simpler course of events than did most of the rest of Europe in later prehistoric times. This holds, in spite of all the invasions and reverberations from the continent. Most of Europe was the scene of an even more complicated ebb and flow of cultural change, save in some of its more remote mountain valleys and peninsulas. The whole course of later prehistory in Europe is, in fact, so very complicated that there is no single good book to cover it all; certainly there is none in English. There are some good regional accounts and some good general accounts of part of the range from about 3000 B.C. to A.D. 1. I suspect that the difficulty of making a good book that covers all of its later prehistory is another aspect of what makes Europe so very complicated a continent today. The prehistoric foundations for Europes very complicated set of civilizations, cultures, and sub-cultures--which begin to appear as history proceeds--were in themselves very complicated. Hence, I selected the case of Britain as a single example of how prehistory ends in Europe. It could have been more complicated than we found it to be. Even in the subject matter on Britain in the chapter before the last, we did not see direct traces of the effect on Britain of the very important developments which took place in the Danubian way from the Near East. Apparently Britain was not affected. Britain received the impulses which brought copper, bronze, and iron tools from an original east Mediterranean homeland into Europe, almost at the ends of their journeys. But by the same token, they had had time en route to take on their characteristic European aspects. Some time ago, Sir Cyril Fox wrote a famous book called _The Personality of Britain_, sub-titled Its Influence on Inhabitant and Invader in Prehistoric and Early Historic Times. We have not gone into the post-Roman early historic period here; there are still the Anglo-Saxons and Normans to account for as well as the effects of the Romans. But what I have tried to do was to begin the story of how the personality of Britain was formed. The principles that Fox used, in trying to balance cultural and environmental factors and interrelationships would not be greatly different for other lands. Summary [Illustration] In the pages you have read so far, you have been brought through the earliest 99 per cent of the story of mans life on this planet. I have left only 1 per cent of the story for the historians to tell. THE DRAMA OF THE PAST Men first became men when evolution had carried them to a certain point. This was the point where the eye-hand-brain co-ordination was good enough so that tools could be made. When tools began to be made according to sets of lasting habits, we know that men had appeared. This happened over a half million years ago. The stage for the play may have been as broad as all of Europe, Africa, and Asia. At least, it seems unlikely that it was only one little region that saw the beginning of the drama. Glaciers and different climates came and went, to change the settings. But the play went on in the same first act for a very long time. The men who were the players had simple roles. They had to feed themselves and protect themselves as best they could. They did this by hunting, catching, and finding food wherever they could, and by taking such protection as caves, fire, and their simple tools would give them. Before the first act was over, the last of the glaciers was melting away, and the players had added the New World to their stage. If we want a special name for the first act, we could call it _The Food-Gatherers_. There were not many climaxes in the first act, so far as we can see. But I think there may have been a few. Certainly the pace of the first act accelerated with the swing from simple gathering to more intensified collecting. The great cave art of France and Spain was probably an expression of a climax. Even the ideas of burying the dead and of the Venus figurines must also point to levels of human thought and activity that were over and above pure food-getting. THE SECOND ACT The second act began only about ten thousand years ago. A few of the players started it by themselves near the center of the Old World part of the stage, in the Near East. It began as a plant and animal act, but it soon became much more complicated. But the players in this one part of the stage--in the Near East--were not the only ones to start off on the second act by themselves. Other players, possibly in several places in the Far East, and certainly in the New World, also started second acts that began as plant and animal acts, and then became complicated. We can call the whole second act _The Food-Producers_. THE FIRST GREAT CLIMAX OF THE SECOND ACT In the Near East, the first marked climax of the second act happened in Mesopotamia and Egypt. The play and the players reached that great climax that we call civilization. This seems to have come less than five thousand years after the second act began. But it could never have happened in the first act at all. There is another curious thing about the first act. Many of the players didnt know it was over and they kept on with their roles long after the second act had begun. On the edges of the stage there are today some players who are still going on with the first act. The Eskimos, and the native Australians, and certain tribes in the Amazon jungle are some of these players. They seem perfectly happy to keep on with the first act. The second act moved from climax to climax. The civilizations of Mesopotamia and Egypt were only the earliest of these climaxes. The players to the west caught the spirit of the thing, and climaxes followed there. So also did climaxes come in the Far Eastern and New World portions of the stage. The greater part of the second act should really be described to you by a historian. Although it was a very short act when compared to the first one, the climaxes complicate it a great deal. I, a prehistorian, have told you about only the first act, and the very beginning of the second. THE THIRD ACT Also, as a prehistorian I probably should not even mention the third act--it began so recently. The third act is _The Industrialization_. It is the one in which we ourselves are players. If the pace of the second act was so much faster than that of the first, the pace of the third act is terrific. The danger is that it may wear down the players completely. What sort of climaxes will the third act have, and are we already in one? You have seen by now that the acts of my play are given in terms of modes or basic patterns of human economy--ways in which people get food and protection and safety. The climaxes involve more than human economy. Economics and technological factors may be part of the climaxes, but they are not all. The climaxes may be revolutions in their own way, intellectual and social revolutions if you like. If the third act follows the pattern of the second act, a climax should come soon after the act begins. We may be due for one soon if we are not already in it. Remember the terrific pace of this third act. WHY BOTHER WITH PREHISTORY? Why do we bother about prehistory? The main reason is that we think it may point to useful ideas for the present. We are in the troublesome beginnings of the third act of the play. The beginnings of the second act may have lessons for us and give depth to our thinking. I know there are at least _some_ lessons, even in the present incomplete state of our knowledge. The players who began the second act--that of food-production--separately, in different parts of the world, were not all of one pure race nor did they have pure cultural traditions. Some apparently quite mixed Mediterraneans got off to the first start on the second act and brought it to its first two climaxes as well. Peoples of quite different physical type achieved the first climaxes in China and in the New World. In our British example of how the late prehistory of Europe worked, we listed a continuous series of invasions and reverberations. After each of these came fusion. Even though the Channel protected Britain from some of the extreme complications of the mixture and fusion of continental Europe, you can see how silly it would be to refer to a pure British race or a pure British culture. We speak of the United States as a melting pot. But this is nothing new. Actually, Britain and all the rest of the world have been melting pots at one time or another. By the time the written records of Mesopotamia and Egypt begin to turn up in number, the climaxes there are well under way. To understand the beginnings of the climaxes, and the real beginnings of the second act itself, we are thrown back on prehistoric archeology. And this is as true for China, India, Middle America, and the Andes, as it is for the Near East. There are lessons to be learned from all of mans past, not simply lessons of how to fight battles or win peace conferences, but of how human society evolves from one stage to another. Many of these lessons can only be looked for in the prehistoric past. So far, we have only made a beginning. There is much still to do, and many gaps in the story are yet to be filled. The prehistorians job is to find the evidence, to fill the gaps, and to discover the lessons men have learned in the past. As I see it, this is not only an exciting but a very practical goal for which to strive. List of Books BOOKS OF GENERAL INTEREST (Chosen from a variety of the increasingly useful list of cheap paperbound books.) Childe, V. Gordon _What Happened in History._ 1954. Penguin. _Man Makes Himself._ 1955. Mentor. _The Prehistory of European Society._ 1958. Penguin. Dunn, L. C., and Dobzhansky, Th. _Heredity, Race, and Society._ 1952. Mentor. Frankfort, Henri, Frankfort, H. A., Jacobsen, Thorkild, and Wilson, John A. _Before Philosophy._ 1954. Penguin. Simpson, George G. _The Meaning of Evolution._ 1955. Mentor. Wheeler, Sir Mortimer _Archaeology from the Earth._ 1956. Penguin. GEOCHRONOLOGY AND THE ICE AGE (Two general books. Some Pleistocene geologists disagree with Zeuners interpretation of the dating evidence, but their points of view appear in professional journals, in articles too cumbersome to list here.) Flint, R. F. _Glacial Geology and the Pleistocene Epoch._ 1947. John Wiley and Sons. Zeuner, F. E. _Dating the Past._ 1952 (3rd ed.). Methuen and Co. FOSSIL MEN AND RACE (The points of view of physical anthropologists and human paleontologists are changing very quickly. Two of the different points of view are listed here.) Clark, W. E. Le Gros _History of the Primates._ 1956 (5th ed.). British Museum (Natural History). (Also in Phoenix edition, 1957.) Howells, W. W. _Mankind So Far._ 1944. Doubleday, Doran. GENERAL ANTHROPOLOGY (These are standard texts not absolutely up to date in every detail, or interpretative essays concerned with cultural change through time as well as in space.) Kroeber, A. L. _Anthropology._ 1948. Harcourt, Brace. Linton, Ralph _The Tree of Culture._ 1955. Alfred A. Knopf, Inc. Redfield, Robert _The Primitive World and Its Transformations._ 1953. Cornell University Press. Steward, Julian H. _Theory of Culture Change._ 1955. University of Illinois Press. White, Leslie _The Science of Culture._ 1949. Farrar, Strauss. GENERAL PREHISTORY (A sampling of the more useful and current standard works in English.) Childe, V. Gordon _The Dawn of European Civilization._ 1957. Kegan Paul, Trench, Trubner. _Prehistoric Migrations in Europe._ 1950. Instituttet for Sammenlignende Kulturforskning. Clark, Grahame _Archaeology and Society._ 1957. Harvard University Press. Clark, J. G. D. _Prehistoric Europe: The Economic Basis._ 1952. Methuen and Co. Garrod, D. A. E. _Environment, Tools, and Man._ 1946. Cambridge University Press. Movius, Hallam L., Jr. Old World Prehistory: Paleolithic in _Anthropology Today_. Kroeber, A. L., ed. 1953. University of Chicago Press. Oakley, Kenneth P. _Man the Tool-Maker._ 1956. British Museum (Natural History). (Also in Phoenix edition, 1957.) Piggott, Stuart _British Prehistory._ 1949. Oxford University Press. Pittioni, Richard _Die Urgeschichtlichen Grundlagen der Europischen Kultur._ 1949. Deuticke. (A single book which does attempt to cover the whole range of European prehistory to ca. 1 A.D.) THE NEAR EAST Adams, Robert M. Developmental Stages in Ancient Mesopotamia, _in_ Steward, Julian, _et al_, _Irrigation Civilizations: A Comparative Study_. 1955. Pan American Union. Braidwood, Robert J. _The Near East and the Foundations for Civilization._ 1952. University of Oregon. Childe, V. Gordon _New Light on the Most Ancient East._ 1952. Oriental Dept., Routledge and Kegan Paul. Frankfort, Henri _The Birth of Civilization in the Near East._ 1951. University of Indiana Press. (Also in Anchor edition, 1956.) Pallis, Svend A. _The Antiquity of Iraq._ 1956. Munksgaard. Wilson, John A. _The Burden of Egypt._ 1951. University of Chicago Press. (Also in Phoenix edition, called _The Culture of Ancient Egypt_, 1956.) HOW DIGGING IS DONE Braidwood, Linda _Digging beyond the Tigris._ 1953. Schuman, New York. Wheeler, Sir Mortimer _Archaeology from the Earth._ 1954. Oxford, London. Index Abbevillian, 48; core-biface tool, 44, 48 Acheulean, 48, 60 Acheuleo-Levalloisian, 63 Acheuleo-Mousterian, 63 Adams, R. M., 106 Adzes, 45 Africa, east, 67, 89; north, 70, 89; south, 22, 25, 34, 40, 67 Agriculture, incipient, in England, 140; in Near East, 123 Ain Hanech, 48 Amber, taken from Baltic to Greece, 167 American Indians, 90, 142 Anatolia, used as route to Europe, 138 Animals, in caves, 54, 64; in cave art, 85 Antevs, Ernst, 19 Anyathian, 47 Archeological interpretation, 8 Archeology, defined, 8 Architecture, at Jarmo, 128; at Jericho, 133 Arrow, points, 94; shaft straightener, 83 Art, in caves, 84; East Spanish, 85; figurines, 84; Franco-Cantabrian, 84, 85; movable (engravings, modeling, scratchings), 83; painting, 83; sculpture, 83 Asia, western, 67 Assemblage, defined, 13, 14; European, 94; Jarmo, 129; Maglemosian, 94; Natufian, 113 Aterian, industry, 67; point, 89 Australopithecinae, 24 Australopithecine, 25, 26 Awls, 77 Axes, 62, 94 Ax-heads, 15 Azilian, 97 Aztecs, 145 Baghouz, 152 Bakun, 134 Baltic sea, 93 Banana, 107 Barley, wild, 108 Barrow, 141 Battle-axe folk, 164; assemblage, 164 Beads, 80; bone, 114 Beaker folk, 164; assemblage, 164-165 Bear, in cave art, 85; cult, 68 Belgium, 94 Belt cave, 126 Bering Strait, used as route to New World, 98 Bison, in cave art, 85 Blade, awl, 77; backed, 75; blade-core, 71; end-scraper, 77; stone, defined, 71; strangulated (notched), 76; tanged point, 76; tools, 71, 75-80, 90; tool tradition, 70 Boar, wild, in cave art, 85 Bogs, source of archeological materials, 94 Bolas, 54 Bordes, Franois, 62 Borer, 77 Boskop skull, 34 Boyd, William C., 35 Bracelets, 118 Brain, development of, 24 Breadfruit, 107 Breasted, James H., 107 Brick, at Jericho, 133 Britain, 94; late prehistory, 163-175; invaders, 173 Broch, 172 Buffalo, in China, 54; killed by stampede, 86 Burials, 66, 86; in henges, 164; in urns, 168 Burins, 75 Burma, 90 Byblos, 134 Camel, 54 Cannibalism, 55 Cattle, wild, 85, 112; in cave art, 85; domesticated, 15; at Skara Brae, 142 Caucasoids, 34 Cave men, 29 Caves, 62; art in, 84 Celts, 170 Chariot, 160 Chicken, domestication of, 107 Chiefs, in food-gathering groups, 68 Childe, V. Gordon, 8 China, 136 Choukoutien, 28, 35 Choukoutienian, 47 Civilization, beginnings, 144, 149, 157; meaning of, 144 Clactonian, 45, 47 Clay, used in modeling, 128; baked, used for tools, 153 Club-heads, 82, 94 Colonization, in America, 142; in Europe, 142 Combe Capelle, 30 Combe Capelle-Brnn group, 34 Commont, Victor, 51 Coon, Carlton S., 73 Copper, 134 Corn, in America, 145 Corrals for cattle, 140 Cradle of mankind, 136 Cremation, 167 Crete, 162 Cro-Magnon, 30, 34 Cultivation, incipient, 105, 109, 111 Culture, change, 99; characteristics, defined, 38, 49; prehistoric, 39 Danube Valley, used as route from Asia, 138 Dates, 153 Deer, 54, 96 Dog, domesticated, 96 Domestication, of animals, 100, 105, 107; of plants, 100 Dragon teeth fossils in China, 28 Drill, 77 Dubois, Eugene, 26 Early Dynastic Period, Mesopotamia, 147 East Spanish art, 72, 85 Egypt, 70, 126 Ehringsdorf, 31 Elephant, 54 Emiliani, Cesare, 18 Emiran flake point, 73 England, 163-168; prehistoric, 19, 40; farmers in, 140 Eoanthropus dawsoni, 29 Eoliths, 41 Erich, 152 Eridu, 152 Euphrates River, floods in, 148 Europe, cave dwellings, 58; at end of Ice Age, 93; early farmers, 140; glaciers in, 40; huts in, 86; routes into, 137-140; spread of food-production to, 136 Far East, 69, 90 Farmers, 103 Fauresmith industry, 67 Fayum, 135; radiocarbon date, 146 Fertile Crescent, 107, 146 Figurines, Venus, 84; at Jarmo, 128; at Ubaid, 153 Fire, used by Peking man, 54 First Dynasty, Egypt, 147 Fish-hooks, 80, 94 Fishing, 80; by food-producers, 122 Fish-lines, 80 Fish spears, 94 Flint industry, 127 Fontchevade, 32, 56, 58 Food-collecting, 104, 121; end of, 104 Food-gatherers, 53, 176 Food-gathering, 99, 104; in Old World, 104; stages of, 104 Food-producers, 176 Food-producing economy, 122; in America, 145; in Asia, 105 Food-producing revolution, 99, 105; causes of, 101; preconditions for, 100 Food-production, beginnings of, 99; carried to Europe, 110 Food-vessel folk, 164 Forest folk, 97, 98, 104, 110 Fox, Sir Cyril, 174 France, caves in, 56 Galley Hill (fossil type), 29 Garrod, D. A., 73 Gazelle, 114 Germany, 94 Ghassul, 156 Glaciers, 18, 30; destruction by, 40 Goat, wild, 108; domesticated, 128 Grain, first planted, 20 Graves, passage, 141; gallery, 141 Greece, civilization in, 163; as route to western Europe, 138; towns in, 162 Grimaldi skeletons, 34 Hackberry seeds used as food, 55 Halaf, 151; assemblage, 151 Hallstatt, tradition, 169 Hand, development of, 24, 25 Hand adzes, 46 Hand axes, 44 Harpoons, antler, 83, 94; bone, 82, 94 Hassuna, 131; assemblage, 131, 132 Heidelberg, fossil type, 28 Hill-forts, in England, 171; in Scotland, 172 Hilly flanks of Near East, 107, 108, 125, 131, 146, 147 History, beginning of, 7, 17 Hoes, 112 Holland, 164 Homo sapiens, 32 Hooton, E. A., 34 Horse, 112; wild, in cave art, 85; in China, 54 Hotu cave, 126 Houses, 122; at Jarmo, 128; at Halaf, 151 Howe, Bruce, 116 Howell, F. Clark, 30 Hunting, 93 Ice Age, in Asia, 99; beginning of, 18; glaciers in, 41; last glaciation, 93 Incas, 145 India, 90, 136 Industrialization, 178 Industry, blade-tool, 88; defined, 58; ground stone, 94 Internationalism, 162 Iran, 107, 147 Iraq, 107, 124, 127, 136, 147 Iron, introduction of, 170 Irrigation, 123, 149, 155 Italy, 138 Jacobsen, T. J., 157 Jarmo, 109, 126, 128, 130; assemblage, 129 Java, 23, 29 Java man, 26, 27, 29 Jefferson, Thomas, 11 Jericho, 119, 133 Judaidah, 134 Kafuan, 48 Kanam, 23, 36 Karim Shahir, 116-119, 124; assemblage, 116, 117 Keith, Sir Arthur, 33 Kelley, Harper, 51 Kharga, 126 Khartoum, 136 Knives, 80 Krogman, W. M., 3, 25 Lamps, 85 Land bridges in Mediterranean, 19 La Tne phase, 170 Laurel leaf point, 78, 89 Leakey, L. S. B., 40 Le Moustier, 57 Levalloisian, 47, 61, 62 Levalloiso-Mousterian, 47, 63 Little Woodbury, 170 Magic, used by hunters, 123 Maglemosian, assemblage, 94, 95; folk, 98 Makapan, 40 Mammoth, 93; in cave art, 85 Man-apes, 26 Mango, 107 Mankind, age, 17 Maringer, J., 45 Markets, 155 Marston, A. T., 11 Mathiassen, T., 97 McCown, T. D., 33 Meganthropus, 26, 27, 36 Men, defined, 25; modern, 32 Merimde, 135 Mersin, 133 Metal-workers, 160, 163, 167, 172 Micoquian, 48, 60 Microliths, 87; at Jarmo, 130; lunates, 87; trapezoids, 87; triangles, 87 Minerals used as coloring matter, 66 Mine-shafts, 140 Mlefaat, 126, 127 Mongoloids, 29, 90 Mortars, 114, 118, 127 Mounds, how formed, 12 Mount Carmel, 11, 33, 52, 59, 64, 69, 113, 114 Mousterian man, 64 Mousterian tools, 61, 62; of Acheulean tradition, 62 Movius, H. L., 47 Natufian, animals in, 114; assemblage, 113, 114, 115; burials, 114; date of, 113 Neanderthal man, 29, 30, 31, 56 Near East, beginnings of civilization in, 20, 144; cave sites, 58; climate in Ice Age, 99; Fertile Crescent, 107, 146; food-production in, 99; Natufian assemblage in, 113-115; stone tools, 114 Needles, 80 Negroid, 34 New World, 90 Nile River valley, 102, 134; floods in, 148 Nuclear area, 106, 110; in Near East, 107 Obsidian, used for blade tools, 71; at Jarmo, 130 Ochre, red, with burials, 86 Oldowan, 48 Old World, 67, 70, 90; continental phases in, 18 Olorgesailie, 40, 51 Ostrich, in China, 54 Ovens, 128 Oxygen isotopes, 18 Paintings in caves, 83 Paleoanthropic man, 50 Palestine, burials, 56; cave sites, 52; types of man, 69 Parpallo, 89 Patjitanian, 45, 47 Pebble tools, 42 Peking cave, 54; animals in, 54 Peking man, 27, 28, 29, 54, 58 Pendants, 80; bone, 114 Pestle, 114 Peterborough, 141; assemblage, 141 Pictographic signs, 158 Pig, wild, 108 Piltdown man, 29 Pins, 80 Pithecanthropus, 26, 27, 30, 36 Pleistocene, 18, 25 Plows developed, 123 Points, arrow, 76; laurel leaf, 78; shouldered, 78, 79; split-based bone, 80, 82; tanged, 76; willow leaf, 78 Potatoes, in America, 145 Pottery, 122, 130, 156; decorated, 142; painted, 131, 151, 152; Susa style, 156; in tombs, 141 Prehistory, defined, 7; range of, 18 Pre-neanderthaloids, 30, 31, 37 Pre-Solutrean point, 89 Pre-Stellenbosch, 48 Proto-Literate assemblage, 157-160 Race, 35; biological, 36; pure, 16 Radioactivity, 9, 10 Radioactive carbon dates, 18, 92, 120, 130, 135, 156 Redfield, Robert, 38, 49 Reed, C. A., 128 Reindeer, 94 Rhinoceros, 93; in cave art, 85 Rhodesian man, 32 Riss glaciation, 58 Rock-shelters, 58; art in, 85 Saccopastore, 31 Sahara Desert, 34, 102 Samarra, 152; pottery, 131, 152 Sangoan industry, 67 Sauer, Carl, 136 Sbaikian point, 89 Schliemann, H., 11, 12 Scotland, 171 Scraper, flake, 79; end-scraper on blade, 77, 78; keel-shaped, 79, 80, 81 Sculpture in caves, 83 Sebilian III, 126 Shaheinab, 135 Sheep, wild, 108; at Skara Brae, 142; in China, 54 Shellfish, 142 Ship, Ubaidian, 153 Sialk, 126, 134; assemblage, 134 Siberia, 88; pathway to New World, 98 Sickle, 112, 153; blade, 113, 130 Silo, 122 Sinanthropus, 27, 30, 35 Skara Brae, 142 Snails used as food, 128 Soan, 47 Solecki, R., 116 Solo (fossil type), 29, 32 Solutrean industry, 77 Spear, shaft, 78; thrower, 82, 83 Speech, development of organs of, 25 Squash, in America, 145 Steinheim fossil skull, 28 Stillbay industry, 67 Stonehenge, 166 Stratification, in caves, 12, 57; in sites, 12 Swanscombe (fossil type), 11, 28 Syria, 107 Tabun, 60, 71 Tardenoisian, 97 Taro, 107 Tasa, 135 Tayacian, 47, 59 Teeth, pierced, in beads and pendants, 114 Temples, 123, 155 Tepe Gawra, 156 Ternafine, 29 Teshik Tash, 69 Textiles, 122 Thong-stropper, 80 Tigris River, floods in, 148 Toggle, 80 Tomatoes, in America, 145 Tombs, megalithic, 141 Tool-making, 42, 49 Tool-preparation traditions, 65 Tools, 62; antler, 80; blade, 70, 71, 75; bone, 66; chopper, 47; core-biface, 43, 48, 60, 61; flake, 44, 47, 51, 60, 64; flint, 80, 127; ground stone, 68, 127; handles, 94; pebble, 42, 43, 48, 53; use of, 24 Touf (mud wall), 128 Toynbee, A. J., 101 Trade, 130, 155, 162 Traders, 167 Traditions, 15; blade tool, 70; definition of, 51; interpretation of, 49; tool-making, 42, 48; chopper-tool, 47; chopper-chopping tool, 45; core-biface, 43, 48; flake, 44, 47; pebble tool, 42, 48 Tool-making, prehistory of, 42 Turkey, 107, 108 Ubaid, 153; assemblage, 153-155 Urnfields, 168, 169 Village-farming community era, 105, 119 Wad B, 72 Wadjak, 34 Warka phase, 156; assemblage, 156 Washburn, Sherwood L., 36 Water buffalo, domestication of, 107 Weidenreich, F., 29, 34 Wessex, 166, 167 Wheat, wild, 108; partially domesticated, 127 Willow leaf point, 78 Windmill Hill, 138; assemblage, 138, 140 Witch doctors, 68 Wool, 112; in garments, 167 Writing, 158; cuneiform, 158 Wrm I glaciation, 58 Zebu cattle, domestication of, 107 Zeuner, F. E., 73 * * * * * * Transcribers note: Punctuation, hyphenation, and spelling were made consistent when a predominant preference was found in this book; otherwise they were not changed. Simple typographical errors were corrected; occasional unbalanced quotation marks retained. Ambiguous hyphens at the ends of lines were retained. Index not checked for proper alphabetization or correct page references. In the original book, chapter headings were accompanied by illustrations, sometimes above, sometimes below, and sometimes adjacent. In this eBook those ilustrations always appear below the headings. ***END OF THE PROJECT GUTENBERG EBOOK PREHISTORIC MEN*** ******* This file should be named 52664-0.txt or 52664-0.zip ******* This and all associated files of various formats will be found in: http://www.gutenberg.org/dirs/5/2/6/6/52664 Updated editions will replace the previous one--the old editions will be renamed. Creating the works from print editions not protected by U.S. copyright law means that no one owns a United States copyright in these works, so the Foundation (and you!) can copy and distribute it in the United States without permission and without paying copyright royalties. Special rules, set forth in the General Terms of Use part of this license, apply to copying and distributing Project Gutenberg-tm electronic works to protect the PROJECT GUTENBERG-tm concept and trademark. Project Gutenberg is a registered trademark, and may not be used if you charge for the eBooks, unless you receive specific permission. If you do not charge anything for copies of this eBook, complying with the rules is very easy. You may use this eBook for nearly any purpose such as creation of derivative works, reports, performances and research. They may be modified and printed and given away--you may do practically ANYTHING in the United States with eBooks not protected by U.S. copyright law. Redistribution is subject to the trademark license, especially commercial redistribution. START: FULL LICENSE THE FULL PROJECT GUTENBERG LICENSE PLEASE READ THIS BEFORE YOU DISTRIBUTE OR USE THIS WORK To protect the Project Gutenberg-tm mission of promoting the free distribution of electronic works, by using or distributing this work (or any other work associated in any way with the phrase "Project Gutenberg"), you agree to comply with all the terms of the Full Project Gutenberg-tm License available with this file or online at www.gutenberg.org/license. Section 1. General Terms of Use and Redistributing Project Gutenberg-tm electronic works 1.A. By reading or using any part of this Project Gutenberg-tm electronic work, you indicate that you have read, understand, agree to and accept all the terms of this license and intellectual property (trademark/copyright) agreement. If you do not agree to abide by all the terms of this agreement, you must cease using and return or destroy all copies of Project Gutenberg-tm electronic works in your possession. If you paid a fee for obtaining a copy of or access to a Project Gutenberg-tm electronic work and you do not agree to be bound by the terms of this agreement, you may obtain a refund from the person or entity to whom you paid the fee as set forth in paragraph 1.E.8. 1.B. "Project Gutenberg" is a registered trademark. It may only be used on or associated in any way with an electronic work by people who agree to be bound by the terms of this agreement. There are a few things that you can do with most Project Gutenberg-tm electronic works even without complying with the full terms of this agreement. See paragraph 1.C below. There are a lot of things you can do with Project Gutenberg-tm electronic works if you follow the terms of this agreement and help preserve free future access to Project Gutenberg-tm electronic works. See paragraph 1.E below. 1.C. The Project Gutenberg Literary Archive Foundation ("the Foundation" or PGLAF), owns a compilation copyright in the collection of Project Gutenberg-tm electronic works. Nearly all the individual works in the collection are in the public domain in the United States. If an individual work is unprotected by copyright law in the United States and you are located in the United States, we do not claim a right to prevent you from copying, distributing, performing, displaying or creating derivative works based on the work as long as all references to Project Gutenberg are removed. Of course, we hope that you will support the Project Gutenberg-tm mission of promoting free access to electronic works by freely sharing Project Gutenberg-tm works in compliance with the terms of this agreement for keeping the Project Gutenberg-tm name associated with the work. You can easily comply with the terms of this agreement by keeping this work in the same format with its attached full Project Gutenberg-tm License when you share it without charge with others. 1.D. The copyright laws of the place where you are located also govern what you can do with this work. Copyright laws in most countries are in a constant state of change. If you are outside the United States, check the laws of your country in addition to the terms of this agreement before downloading, copying, displaying, performing, distributing or creating derivative works based on this work or any other Project Gutenberg-tm work. The Foundation makes no representations concerning the copyright status of any work in any country outside the United States. 1.E. Unless you have removed all references to Project Gutenberg: 1.E.1. The following sentence, with active links to, or other immediate access to, the full Project Gutenberg-tm License must appear prominently whenever any copy of a Project Gutenberg-tm work (any work on which the phrase "Project Gutenberg" appears, or with which the phrase "Project Gutenberg" is associated) is accessed, displayed, performed, viewed, copied or distributed: This eBook is for the use of anyone anywhere in the United States and most other parts of the world at no cost and with almost no restrictions whatsoever. You may copy it, give it away or re-use it under the terms of the Project Gutenberg License included with this eBook or online at www.gutenberg.org. If you are not located in the United States, you'll have to check the laws of the country where you are located before using this ebook. 1.E.2. If an individual Project Gutenberg-tm electronic work is derived from texts not protected by U.S. copyright law (does not contain a notice indicating that it is posted with permission of the copyright holder), the work can be copied and distributed to anyone in the United States without paying any fees or charges. If you are redistributing or providing access to a work with the phrase "Project Gutenberg" associated with or appearing on the work, you must comply either with the requirements of paragraphs 1.E.1 through 1.E.7 or obtain permission for the use of the work and the Project Gutenberg-tm trademark as set forth in paragraphs 1.E.8 or 1.E.9. 1.E.3. If an individual Project Gutenberg-tm electronic work is posted with the permission of the copyright holder, your use and distribution must comply with both paragraphs 1.E.1 through 1.E.7 and any additional terms imposed by the copyright holder. Additional terms will be linked to the Project Gutenberg-tm License for all works posted with the permission of the copyright holder found at the beginning of this work. 1.E.4. Do not unlink or detach or remove the full Project Gutenberg-tm License terms from this work, or any files containing a part of this work or any other work associated with Project Gutenberg-tm. 1.E.5. Do not copy, display, perform, distribute or redistribute this electronic work, or any part of this electronic work, without prominently displaying the sentence set forth in paragraph 1.E.1 with active links or immediate access to the full terms of the Project Gutenberg-tm License. 1.E.6. You may convert to and distribute this work in any binary, compressed, marked up, nonproprietary or proprietary form, including any word processing or hypertext form. However, if you provide access to or distribute copies of a Project Gutenberg-tm work in a format other than "Plain Vanilla ASCII" or other format used in the official version posted on the official Project Gutenberg-tm web site (www.gutenberg.org), you must, at no additional cost, fee or expense to the user, provide a copy, a means of exporting a copy, or a means of obtaining a copy upon request, of the work in its original "Plain Vanilla ASCII" or other form. Any alternate format must include the full Project Gutenberg-tm License as specified in paragraph 1.E.1. 1.E.7. Do not charge a fee for access to, viewing, displaying, performing, copying or distributing any Project Gutenberg-tm works unless you comply with paragraph 1.E.8 or 1.E.9. 1.E.8. You may charge a reasonable fee for copies of or providing access to or distributing Project Gutenberg-tm electronic works provided that * You pay a royalty fee of 20% of the gross profits you derive from the use of Project Gutenberg-tm works calculated using the method you already use to calculate your applicable taxes. The fee is owed to the owner of the Project Gutenberg-tm trademark, but he has agreed to donate royalties under this paragraph to the Project Gutenberg Literary Archive Foundation. Royalty payments must be paid within 60 days following each date on which you prepare (or are legally required to prepare) your periodic tax returns. Royalty payments should be clearly marked as such and sent to the Project Gutenberg Literary Archive Foundation at the address specified in Section 4, "Information about donations to the Project Gutenberg Literary Archive Foundation." * You provide a full refund of any money paid by a user who notifies you in writing (or by e-mail) within 30 days of receipt that s/he does not agree to the terms of the full Project Gutenberg-tm License. You must require such a user to return or destroy all copies of the works possessed in a physical medium and discontinue all use of and all access to other copies of Project Gutenberg-tm works. * You provide, in accordance with paragraph 1.F.3, a full refund of any money paid for a work or a replacement copy, if a defect in the electronic work is discovered and reported to you within 90 days of receipt of the work. * You comply with all other terms of this agreement for free distribution of Project Gutenberg-tm works. 1.E.9. If you wish to charge a fee or distribute a Project Gutenberg-tm electronic work or group of works on different terms than are set forth in this agreement, you must obtain permission in writing from both the Project Gutenberg Literary Archive Foundation and The Project Gutenberg Trademark LLC, the owner of the Project Gutenberg-tm trademark. Contact the Foundation as set forth in Section 3 below. 1.F. 1.F.1. Project Gutenberg volunteers and employees expend considerable effort to identify, do copyright research on, transcribe and proofread works not protected by U.S. copyright law in creating the Project Gutenberg-tm collection. Despite these efforts, Project Gutenberg-tm electronic works, and the medium on which they may be stored, may contain "Defects," such as, but not limited to, incomplete, inaccurate or corrupt data, transcription errors, a copyright or other intellectual property infringement, a defective or damaged disk or other medium, a computer virus, or computer codes that damage or cannot be read by your equipment. 1.F.2. LIMITED WARRANTY, DISCLAIMER OF DAMAGES - Except for the "Right of Replacement or Refund" described in paragraph 1.F.3, the Project Gutenberg Literary Archive Foundation, the owner of the Project Gutenberg-tm trademark, and any other party distributing a Project Gutenberg-tm electronic work under this agreement, disclaim all liability to you for damages, costs and expenses, including legal fees. YOU AGREE THAT YOU HAVE NO REMEDIES FOR NEGLIGENCE, STRICT LIABILITY, BREACH OF WARRANTY OR BREACH OF CONTRACT EXCEPT THOSE PROVIDED IN PARAGRAPH 1.F.3. YOU AGREE THAT THE FOUNDATION, THE TRADEMARK OWNER, AND ANY DISTRIBUTOR UNDER THIS AGREEMENT WILL NOT BE LIABLE TO YOU FOR ACTUAL, DIRECT, INDIRECT, CONSEQUENTIAL, PUNITIVE OR INCIDENTAL DAMAGES EVEN IF YOU GIVE NOTICE OF THE POSSIBILITY OF SUCH DAMAGE. 1.F.3. LIMITED RIGHT OF REPLACEMENT OR REFUND - If you discover a defect in this electronic work within 90 days of receiving it, you can receive a refund of the money (if any) you paid for it by sending a written explanation to the person you received the work from. If you received the work on a physical medium, you must return the medium with your written explanation. The person or entity that provided you with the defective work may elect to provide a replacement copy in lieu of a refund. If you received the work electronically, the person or entity providing it to you may choose to give you a second opportunity to receive the work electronically in lieu of a refund. If the second copy is also defective, you may demand a refund in writing without further opportunities to fix the problem. 1.F.4. Except for the limited right of replacement or refund set forth in paragraph 1.F.3, this work is provided to you 'AS-IS', WITH NO OTHER WARRANTIES OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO WARRANTIES OF MERCHANTABILITY OR FITNESS FOR ANY PURPOSE. 1.F.5. Some states do not allow disclaimers of certain implied warranties or the exclusion or limitation of certain types of damages. If any disclaimer or limitation set forth in this agreement violates the law of the state applicable to this agreement, the agreement shall be interpreted to make the maximum disclaimer or limitation permitted by the applicable state law. The invalidity or unenforceability of any provision of this agreement shall not void the remaining provisions. 1.F.6. INDEMNITY - You agree to indemnify and hold the Foundation, the trademark owner, any agent or employee of the Foundation, anyone providing copies of Project Gutenberg-tm electronic works in accordance with this agreement, and any volunteers associated with the production, promotion and distribution of Project Gutenberg-tm electronic works, harmless from all liability, costs and expenses, including legal fees, that arise directly or indirectly from any of the following which you do or cause to occur: (a) distribution of this or any Project Gutenberg-tm work, (b) alteration, modification, or additions or deletions to any Project Gutenberg-tm work, and (c) any Defect you cause. Section 2. Information about the Mission of Project Gutenberg-tm Project Gutenberg-tm is synonymous with the free distribution of electronic works in formats readable by the widest variety of computers including obsolete, old, middle-aged and new computers. It exists because of the efforts of hundreds of volunteers and donations from people in all walks of life. Volunteers and financial support to provide volunteers with the assistance they need are critical to reaching Project Gutenberg-tm's goals and ensuring that the Project Gutenberg-tm collection will remain freely available for generations to come. In 2001, the Project Gutenberg Literary Archive Foundation was created to provide a secure and permanent future for Project Gutenberg-tm and future generations. To learn more about the Project Gutenberg Literary Archive Foundation and how your efforts and donations can help, see Sections 3 and 4 and the Foundation information page at www.gutenberg.org Section 3. Information about the Project Gutenberg Literary Archive Foundation The Project Gutenberg Literary Archive Foundation is a non profit 501(c)(3) educational corporation organized under the laws of the state of Mississippi and granted tax exempt status by the Internal Revenue Service. The Foundation's EIN or federal tax identification number is 64-6221541. Contributions to the Project Gutenberg Literary Archive Foundation are tax deductible to the full extent permitted by U.S. federal laws and your state's laws. The Foundation's principal office is in Fairbanks, Alaska, with the mailing address: PO Box 750175, Fairbanks, AK 99775, but its volunteers and employees are scattered throughout numerous locations. Its business office is located at 809 North 1500 West, Salt Lake City, UT 84116, (801) 596-1887. Email contact links and up to date contact information can be found at the Foundation's web site and official page at www.gutenberg.org/contact For additional contact information: Dr. Gregory B. Newby Chief Executive and Director [email protected] Section 4. Information about Donations to the Project Gutenberg Literary Archive Foundation Project Gutenberg-tm depends upon and cannot survive without wide spread public support and donations to carry out its mission of increasing the number of public domain and licensed works that can be freely distributed in machine readable form accessible by the widest array of equipment including outdated equipment. Many small donations ($1 to $5,000) are particularly important to maintaining tax exempt status with the IRS. The Foundation is committed to complying with the laws regulating charities and charitable donations in all 50 states of the United States. Compliance requirements are not uniform and it takes a considerable effort, much paperwork and many fees to meet and keep up with these requirements. We do not solicit donations in locations where we have not received written confirmation of compliance. To SEND DONATIONS or determine the status of compliance for any particular state visit www.gutenberg.org/donate While we cannot and do not solicit contributions from states where we have not met the solicitation requirements, we know of no prohibition against accepting unsolicited donations from donors in such states who approach us with offers to donate. International donations are gratefully accepted, but we cannot make any statements concerning tax treatment of donations received from outside the United States. U.S. laws alone swamp our small staff. Please check the Project Gutenberg Web pages for current donation methods and addresses. Donations are accepted in a number of other ways including checks, online payments and credit card donations. To donate, please visit: www.gutenberg.org/donate Section 5. General Information About Project Gutenberg-tm electronic works. Professor Michael S. Hart was the originator of the Project Gutenberg-tm concept of a library of electronic works that could be freely shared with anyone. For forty years, he produced and distributed Project Gutenberg-tm eBooks with only a loose network of volunteer support. Project Gutenberg-tm eBooks are often created from several printed editions, all of which are confirmed as not protected by copyright in the U.S. unless a copyright notice is included. Thus, we do not necessarily keep eBooks in compliance with any particular paper edition. Most people start at our Web site which has the main PG search facility: www.gutenberg.org This Web site includes information about Project Gutenberg-tm, including how to make donations to the Project Gutenberg Literary Archive Foundation, how to help produce our new eBooks, and how to subscribe to our email newsletter to hear about new eBooks.
-1
TheAlgorithms/Python
6,591
Test on Python 3.11
### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-10-03T07:32:25Z"
"2022-10-31T13:50:03Z"
b2165a65fcf1a087236d2a1527b10b64a12f69e6
a31edd4477af958adb840dadd568c38eecc9567b
Test on Python 3.11. ### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
"MARY","PATRICIA","LINDA","BARBARA","ELIZABETH","JENNIFER","MARIA","SUSAN","MARGARET","DOROTHY","LISA","NANCY","KAREN","BETTY","HELEN","SANDRA","DONNA","CAROL","RUTH","SHARON","MICHELLE","LAURA","SARAH","KIMBERLY","DEBORAH","JESSICA","SHIRLEY","CYNTHIA","ANGELA","MELISSA","BRENDA","AMY","ANNA","REBECCA","VIRGINIA","KATHLEEN","PAMELA","MARTHA","DEBRA","AMANDA","STEPHANIE","CAROLYN","CHRISTINE","MARIE","JANET","CATHERINE","FRANCES","ANN","JOYCE","DIANE","ALICE","JULIE","HEATHER","TERESA","DORIS","GLORIA","EVELYN","JEAN","CHERYL","MILDRED","KATHERINE","JOAN","ASHLEY","JUDITH","ROSE","JANICE","KELLY","NICOLE","JUDY","CHRISTINA","KATHY","THERESA","BEVERLY","DENISE","TAMMY","IRENE","JANE","LORI","RACHEL","MARILYN","ANDREA","KATHRYN","LOUISE","SARA","ANNE","JACQUELINE","WANDA","BONNIE","JULIA","RUBY","LOIS","TINA","PHYLLIS","NORMA","PAULA","DIANA","ANNIE","LILLIAN","EMILY","ROBIN","PEGGY","CRYSTAL","GLADYS","RITA","DAWN","CONNIE","FLORENCE","TRACY","EDNA","TIFFANY","CARMEN","ROSA","CINDY","GRACE","WENDY","VICTORIA","EDITH","KIM","SHERRY","SYLVIA","JOSEPHINE","THELMA","SHANNON","SHEILA","ETHEL","ELLEN","ELAINE","MARJORIE","CARRIE","CHARLOTTE","MONICA","ESTHER","PAULINE","EMMA","JUANITA","ANITA","RHONDA","HAZEL","AMBER","EVA","DEBBIE","APRIL","LESLIE","CLARA","LUCILLE","JAMIE","JOANNE","ELEANOR","VALERIE","DANIELLE","MEGAN","ALICIA","SUZANNE","MICHELE","GAIL","BERTHA","DARLENE","VERONICA","JILL","ERIN","GERALDINE","LAUREN","CATHY","JOANN","LORRAINE","LYNN","SALLY","REGINA","ERICA","BEATRICE","DOLORES","BERNICE","AUDREY","YVONNE","ANNETTE","JUNE","SAMANTHA","MARION","DANA","STACY","ANA","RENEE","IDA","VIVIAN","ROBERTA","HOLLY","BRITTANY","MELANIE","LORETTA","YOLANDA","JEANETTE","LAURIE","KATIE","KRISTEN","VANESSA","ALMA","SUE","ELSIE","BETH","JEANNE","VICKI","CARLA","TARA","ROSEMARY","EILEEN","TERRI","GERTRUDE","LUCY","TONYA","ELLA","STACEY","WILMA","GINA","KRISTIN","JESSIE","NATALIE","AGNES","VERA","WILLIE","CHARLENE","BESSIE","DELORES","MELINDA","PEARL","ARLENE","MAUREEN","COLLEEN","ALLISON","TAMARA","JOY","GEORGIA","CONSTANCE","LILLIE","CLAUDIA","JACKIE","MARCIA","TANYA","NELLIE","MINNIE","MARLENE","HEIDI","GLENDA","LYDIA","VIOLA","COURTNEY","MARIAN","STELLA","CAROLINE","DORA","JO","VICKIE","MATTIE","TERRY","MAXINE","IRMA","MABEL","MARSHA","MYRTLE","LENA","CHRISTY","DEANNA","PATSY","HILDA","GWENDOLYN","JENNIE","NORA","MARGIE","NINA","CASSANDRA","LEAH","PENNY","KAY","PRISCILLA","NAOMI","CAROLE","BRANDY","OLGA","BILLIE","DIANNE","TRACEY","LEONA","JENNY","FELICIA","SONIA","MIRIAM","VELMA","BECKY","BOBBIE","VIOLET","KRISTINA","TONI","MISTY","MAE","SHELLY","DAISY","RAMONA","SHERRI","ERIKA","KATRINA","CLAIRE","LINDSEY","LINDSAY","GENEVA","GUADALUPE","BELINDA","MARGARITA","SHERYL","CORA","FAYE","ADA","NATASHA","SABRINA","ISABEL","MARGUERITE","HATTIE","HARRIET","MOLLY","CECILIA","KRISTI","BRANDI","BLANCHE","SANDY","ROSIE","JOANNA","IRIS","EUNICE","ANGIE","INEZ","LYNDA","MADELINE","AMELIA","ALBERTA","GENEVIEVE","MONIQUE","JODI","JANIE","MAGGIE","KAYLA","SONYA","JAN","LEE","KRISTINE","CANDACE","FANNIE","MARYANN","OPAL","ALISON","YVETTE","MELODY","LUZ","SUSIE","OLIVIA","FLORA","SHELLEY","KRISTY","MAMIE","LULA","LOLA","VERNA","BEULAH","ANTOINETTE","CANDICE","JUANA","JEANNETTE","PAM","KELLI","HANNAH","WHITNEY","BRIDGET","KARLA","CELIA","LATOYA","PATTY","SHELIA","GAYLE","DELLA","VICKY","LYNNE","SHERI","MARIANNE","KARA","JACQUELYN","ERMA","BLANCA","MYRA","LETICIA","PAT","KRISTA","ROXANNE","ANGELICA","JOHNNIE","ROBYN","FRANCIS","ADRIENNE","ROSALIE","ALEXANDRA","BROOKE","BETHANY","SADIE","BERNADETTE","TRACI","JODY","KENDRA","JASMINE","NICHOLE","RACHAEL","CHELSEA","MABLE","ERNESTINE","MURIEL","MARCELLA","ELENA","KRYSTAL","ANGELINA","NADINE","KARI","ESTELLE","DIANNA","PAULETTE","LORA","MONA","DOREEN","ROSEMARIE","ANGEL","DESIREE","ANTONIA","HOPE","GINGER","JANIS","BETSY","CHRISTIE","FREDA","MERCEDES","MEREDITH","LYNETTE","TERI","CRISTINA","EULA","LEIGH","MEGHAN","SOPHIA","ELOISE","ROCHELLE","GRETCHEN","CECELIA","RAQUEL","HENRIETTA","ALYSSA","JANA","KELLEY","GWEN","KERRY","JENNA","TRICIA","LAVERNE","OLIVE","ALEXIS","TASHA","SILVIA","ELVIRA","CASEY","DELIA","SOPHIE","KATE","PATTI","LORENA","KELLIE","SONJA","LILA","LANA","DARLA","MAY","MINDY","ESSIE","MANDY","LORENE","ELSA","JOSEFINA","JEANNIE","MIRANDA","DIXIE","LUCIA","MARTA","FAITH","LELA","JOHANNA","SHARI","CAMILLE","TAMI","SHAWNA","ELISA","EBONY","MELBA","ORA","NETTIE","TABITHA","OLLIE","JAIME","WINIFRED","KRISTIE","MARINA","ALISHA","AIMEE","RENA","MYRNA","MARLA","TAMMIE","LATASHA","BONITA","PATRICE","RONDA","SHERRIE","ADDIE","FRANCINE","DELORIS","STACIE","ADRIANA","CHERI","SHELBY","ABIGAIL","CELESTE","JEWEL","CARA","ADELE","REBEKAH","LUCINDA","DORTHY","CHRIS","EFFIE","TRINA","REBA","SHAWN","SALLIE","AURORA","LENORA","ETTA","LOTTIE","KERRI","TRISHA","NIKKI","ESTELLA","FRANCISCA","JOSIE","TRACIE","MARISSA","KARIN","BRITTNEY","JANELLE","LOURDES","LAUREL","HELENE","FERN","ELVA","CORINNE","KELSEY","INA","BETTIE","ELISABETH","AIDA","CAITLIN","INGRID","IVA","EUGENIA","CHRISTA","GOLDIE","CASSIE","MAUDE","JENIFER","THERESE","FRANKIE","DENA","LORNA","JANETTE","LATONYA","CANDY","MORGAN","CONSUELO","TAMIKA","ROSETTA","DEBORA","CHERIE","POLLY","DINA","JEWELL","FAY","JILLIAN","DOROTHEA","NELL","TRUDY","ESPERANZA","PATRICA","KIMBERLEY","SHANNA","HELENA","CAROLINA","CLEO","STEFANIE","ROSARIO","OLA","JANINE","MOLLIE","LUPE","ALISA","LOU","MARIBEL","SUSANNE","BETTE","SUSANA","ELISE","CECILE","ISABELLE","LESLEY","JOCELYN","PAIGE","JONI","RACHELLE","LEOLA","DAPHNE","ALTA","ESTER","PETRA","GRACIELA","IMOGENE","JOLENE","KEISHA","LACEY","GLENNA","GABRIELA","KERI","URSULA","LIZZIE","KIRSTEN","SHANA","ADELINE","MAYRA","JAYNE","JACLYN","GRACIE","SONDRA","CARMELA","MARISA","ROSALIND","CHARITY","TONIA","BEATRIZ","MARISOL","CLARICE","JEANINE","SHEENA","ANGELINE","FRIEDA","LILY","ROBBIE","SHAUNA","MILLIE","CLAUDETTE","CATHLEEN","ANGELIA","GABRIELLE","AUTUMN","KATHARINE","SUMMER","JODIE","STACI","LEA","CHRISTI","JIMMIE","JUSTINE","ELMA","LUELLA","MARGRET","DOMINIQUE","SOCORRO","RENE","MARTINA","MARGO","MAVIS","CALLIE","BOBBI","MARITZA","LUCILE","LEANNE","JEANNINE","DEANA","AILEEN","LORIE","LADONNA","WILLA","MANUELA","GALE","SELMA","DOLLY","SYBIL","ABBY","LARA","DALE","IVY","DEE","WINNIE","MARCY","LUISA","JERI","MAGDALENA","OFELIA","MEAGAN","AUDRA","MATILDA","LEILA","CORNELIA","BIANCA","SIMONE","BETTYE","RANDI","VIRGIE","LATISHA","BARBRA","GEORGINA","ELIZA","LEANN","BRIDGETTE","RHODA","HALEY","ADELA","NOLA","BERNADINE","FLOSSIE","ILA","GRETA","RUTHIE","NELDA","MINERVA","LILLY","TERRIE","LETHA","HILARY","ESTELA","VALARIE","BRIANNA","ROSALYN","EARLINE","CATALINA","AVA","MIA","CLARISSA","LIDIA","CORRINE","ALEXANDRIA","CONCEPCION","TIA","SHARRON","RAE","DONA","ERICKA","JAMI","ELNORA","CHANDRA","LENORE","NEVA","MARYLOU","MELISA","TABATHA","SERENA","AVIS","ALLIE","SOFIA","JEANIE","ODESSA","NANNIE","HARRIETT","LORAINE","PENELOPE","MILAGROS","EMILIA","BENITA","ALLYSON","ASHLEE","TANIA","TOMMIE","ESMERALDA","KARINA","EVE","PEARLIE","ZELMA","MALINDA","NOREEN","TAMEKA","SAUNDRA","HILLARY","AMIE","ALTHEA","ROSALINDA","JORDAN","LILIA","ALANA","GAY","CLARE","ALEJANDRA","ELINOR","MICHAEL","LORRIE","JERRI","DARCY","EARNESTINE","CARMELLA","TAYLOR","NOEMI","MARCIE","LIZA","ANNABELLE","LOUISA","EARLENE","MALLORY","CARLENE","NITA","SELENA","TANISHA","KATY","JULIANNE","JOHN","LAKISHA","EDWINA","MARICELA","MARGERY","KENYA","DOLLIE","ROXIE","ROSLYN","KATHRINE","NANETTE","CHARMAINE","LAVONNE","ILENE","KRIS","TAMMI","SUZETTE","CORINE","KAYE","JERRY","MERLE","CHRYSTAL","LINA","DEANNE","LILIAN","JULIANA","ALINE","LUANN","KASEY","MARYANNE","EVANGELINE","COLETTE","MELVA","LAWANDA","YESENIA","NADIA","MADGE","KATHIE","EDDIE","OPHELIA","VALERIA","NONA","MITZI","MARI","GEORGETTE","CLAUDINE","FRAN","ALISSA","ROSEANN","LAKEISHA","SUSANNA","REVA","DEIDRE","CHASITY","SHEREE","CARLY","JAMES","ELVIA","ALYCE","DEIRDRE","GENA","BRIANA","ARACELI","KATELYN","ROSANNE","WENDI","TESSA","BERTA","MARVA","IMELDA","MARIETTA","MARCI","LEONOR","ARLINE","SASHA","MADELYN","JANNA","JULIETTE","DEENA","AURELIA","JOSEFA","AUGUSTA","LILIANA","YOUNG","CHRISTIAN","LESSIE","AMALIA","SAVANNAH","ANASTASIA","VILMA","NATALIA","ROSELLA","LYNNETTE","CORINA","ALFREDA","LEANNA","CAREY","AMPARO","COLEEN","TAMRA","AISHA","WILDA","KARYN","CHERRY","QUEEN","MAURA","MAI","EVANGELINA","ROSANNA","HALLIE","ERNA","ENID","MARIANA","LACY","JULIET","JACKLYN","FREIDA","MADELEINE","MARA","HESTER","CATHRYN","LELIA","CASANDRA","BRIDGETT","ANGELITA","JANNIE","DIONNE","ANNMARIE","KATINA","BERYL","PHOEBE","MILLICENT","KATHERYN","DIANN","CARISSA","MARYELLEN","LIZ","LAURI","HELGA","GILDA","ADRIAN","RHEA","MARQUITA","HOLLIE","TISHA","TAMERA","ANGELIQUE","FRANCESCA","BRITNEY","KAITLIN","LOLITA","FLORINE","ROWENA","REYNA","TWILA","FANNY","JANELL","INES","CONCETTA","BERTIE","ALBA","BRIGITTE","ALYSON","VONDA","PANSY","ELBA","NOELLE","LETITIA","KITTY","DEANN","BRANDIE","LOUELLA","LETA","FELECIA","SHARLENE","LESA","BEVERLEY","ROBERT","ISABELLA","HERMINIA","TERRA","CELINA","TORI","OCTAVIA","JADE","DENICE","GERMAINE","SIERRA","MICHELL","CORTNEY","NELLY","DORETHA","SYDNEY","DEIDRA","MONIKA","LASHONDA","JUDI","CHELSEY","ANTIONETTE","MARGOT","BOBBY","ADELAIDE","NAN","LEEANN","ELISHA","DESSIE","LIBBY","KATHI","GAYLA","LATANYA","MINA","MELLISA","KIMBERLEE","JASMIN","RENAE","ZELDA","ELDA","MA","JUSTINA","GUSSIE","EMILIE","CAMILLA","ABBIE","ROCIO","KAITLYN","JESSE","EDYTHE","ASHLEIGH","SELINA","LAKESHA","GERI","ALLENE","PAMALA","MICHAELA","DAYNA","CARYN","ROSALIA","SUN","JACQULINE","REBECA","MARYBETH","KRYSTLE","IOLA","DOTTIE","BENNIE","BELLE","AUBREY","GRISELDA","ERNESTINA","ELIDA","ADRIANNE","DEMETRIA","DELMA","CHONG","JAQUELINE","DESTINY","ARLEEN","VIRGINA","RETHA","FATIMA","TILLIE","ELEANORE","CARI","TREVA","BIRDIE","WILHELMINA","ROSALEE","MAURINE","LATRICE","YONG","JENA","TARYN","ELIA","DEBBY","MAUDIE","JEANNA","DELILAH","CATRINA","SHONDA","HORTENCIA","THEODORA","TERESITA","ROBBIN","DANETTE","MARYJANE","FREDDIE","DELPHINE","BRIANNE","NILDA","DANNA","CINDI","BESS","IONA","HANNA","ARIEL","WINONA","VIDA","ROSITA","MARIANNA","WILLIAM","RACHEAL","GUILLERMINA","ELOISA","CELESTINE","CAREN","MALISSA","LONA","CHANTEL","SHELLIE","MARISELA","LEORA","AGATHA","SOLEDAD","MIGDALIA","IVETTE","CHRISTEN","ATHENA","JANEL","CHLOE","VEDA","PATTIE","TESSIE","TERA","MARILYNN","LUCRETIA","KARRIE","DINAH","DANIELA","ALECIA","ADELINA","VERNICE","SHIELA","PORTIA","MERRY","LASHAWN","DEVON","DARA","TAWANA","OMA","VERDA","CHRISTIN","ALENE","ZELLA","SANDI","RAFAELA","MAYA","KIRA","CANDIDA","ALVINA","SUZAN","SHAYLA","LYN","LETTIE","ALVA","SAMATHA","ORALIA","MATILDE","MADONNA","LARISSA","VESTA","RENITA","INDIA","DELOIS","SHANDA","PHILLIS","LORRI","ERLINDA","CRUZ","CATHRINE","BARB","ZOE","ISABELL","IONE","GISELA","CHARLIE","VALENCIA","ROXANNA","MAYME","KISHA","ELLIE","MELLISSA","DORRIS","DALIA","BELLA","ANNETTA","ZOILA","RETA","REINA","LAURETTA","KYLIE","CHRISTAL","PILAR","CHARLA","ELISSA","TIFFANI","TANA","PAULINA","LEOTA","BREANNA","JAYME","CARMEL","VERNELL","TOMASA","MANDI","DOMINGA","SANTA","MELODIE","LURA","ALEXA","TAMELA","RYAN","MIRNA","KERRIE","VENUS","NOEL","FELICITA","CRISTY","CARMELITA","BERNIECE","ANNEMARIE","TIARA","ROSEANNE","MISSY","CORI","ROXANA","PRICILLA","KRISTAL","JUNG","ELYSE","HAYDEE","ALETHA","BETTINA","MARGE","GILLIAN","FILOMENA","CHARLES","ZENAIDA","HARRIETTE","CARIDAD","VADA","UNA","ARETHA","PEARLINE","MARJORY","MARCELA","FLOR","EVETTE","ELOUISE","ALINA","TRINIDAD","DAVID","DAMARIS","CATHARINE","CARROLL","BELVA","NAKIA","MARLENA","LUANNE","LORINE","KARON","DORENE","DANITA","BRENNA","TATIANA","SAMMIE","LOUANN","LOREN","JULIANNA","ANDRIA","PHILOMENA","LUCILA","LEONORA","DOVIE","ROMONA","MIMI","JACQUELIN","GAYE","TONJA","MISTI","JOE","GENE","CHASTITY","STACIA","ROXANN","MICAELA","NIKITA","MEI","VELDA","MARLYS","JOHNNA","AURA","LAVERN","IVONNE","HAYLEY","NICKI","MAJORIE","HERLINDA","GEORGE","ALPHA","YADIRA","PERLA","GREGORIA","DANIEL","ANTONETTE","SHELLI","MOZELLE","MARIAH","JOELLE","CORDELIA","JOSETTE","CHIQUITA","TRISTA","LOUIS","LAQUITA","GEORGIANA","CANDI","SHANON","LONNIE","HILDEGARD","CECIL","VALENTINA","STEPHANY","MAGDA","KAROL","GERRY","GABRIELLA","TIANA","ROMA","RICHELLE","RAY","PRINCESS","OLETA","JACQUE","IDELLA","ALAINA","SUZANNA","JOVITA","BLAIR","TOSHA","RAVEN","NEREIDA","MARLYN","KYLA","JOSEPH","DELFINA","TENA","STEPHENIE","SABINA","NATHALIE","MARCELLE","GERTIE","DARLEEN","THEA","SHARONDA","SHANTEL","BELEN","VENESSA","ROSALINA","ONA","GENOVEVA","COREY","CLEMENTINE","ROSALBA","RENATE","RENATA","MI","IVORY","GEORGIANNA","FLOY","DORCAS","ARIANA","TYRA","THEDA","MARIAM","JULI","JESICA","DONNIE","VIKKI","VERLA","ROSELYN","MELVINA","JANNETTE","GINNY","DEBRAH","CORRIE","ASIA","VIOLETA","MYRTIS","LATRICIA","COLLETTE","CHARLEEN","ANISSA","VIVIANA","TWYLA","PRECIOUS","NEDRA","LATONIA","LAN","HELLEN","FABIOLA","ANNAMARIE","ADELL","SHARYN","CHANTAL","NIKI","MAUD","LIZETTE","LINDY","KIA","KESHA","JEANA","DANELLE","CHARLINE","CHANEL","CARROL","VALORIE","LIA","DORTHA","CRISTAL","SUNNY","LEONE","LEILANI","GERRI","DEBI","ANDRA","KESHIA","IMA","EULALIA","EASTER","DULCE","NATIVIDAD","LINNIE","KAMI","GEORGIE","CATINA","BROOK","ALDA","WINNIFRED","SHARLA","RUTHANN","MEAGHAN","MAGDALENE","LISSETTE","ADELAIDA","VENITA","TRENA","SHIRLENE","SHAMEKA","ELIZEBETH","DIAN","SHANTA","MICKEY","LATOSHA","CARLOTTA","WINDY","SOON","ROSINA","MARIANN","LEISA","JONNIE","DAWNA","CATHIE","BILLY","ASTRID","SIDNEY","LAUREEN","JANEEN","HOLLI","FAWN","VICKEY","TERESSA","SHANTE","RUBYE","MARCELINA","CHANDA","CARY","TERESE","SCARLETT","MARTY","MARNIE","LULU","LISETTE","JENIFFER","ELENOR","DORINDA","DONITA","CARMAN","BERNITA","ALTAGRACIA","ALETA","ADRIANNA","ZORAIDA","RONNIE","NICOLA","LYNDSEY","KENDALL","JANINA","CHRISSY","AMI","STARLA","PHYLIS","PHUONG","KYRA","CHARISSE","BLANCH","SANJUANITA","RONA","NANCI","MARILEE","MARANDA","CORY","BRIGETTE","SANJUANA","MARITA","KASSANDRA","JOYCELYN","IRA","FELIPA","CHELSIE","BONNY","MIREYA","LORENZA","KYONG","ILEANA","CANDELARIA","TONY","TOBY","SHERIE","OK","MARK","LUCIE","LEATRICE","LAKESHIA","GERDA","EDIE","BAMBI","MARYLIN","LAVON","HORTENSE","GARNET","EVIE","TRESSA","SHAYNA","LAVINA","KYUNG","JEANETTA","SHERRILL","SHARA","PHYLISS","MITTIE","ANABEL","ALESIA","THUY","TAWANDA","RICHARD","JOANIE","TIFFANIE","LASHANDA","KARISSA","ENRIQUETA","DARIA","DANIELLA","CORINNA","ALANNA","ABBEY","ROXANE","ROSEANNA","MAGNOLIA","LIDA","KYLE","JOELLEN","ERA","CORAL","CARLEEN","TRESA","PEGGIE","NOVELLA","NILA","MAYBELLE","JENELLE","CARINA","NOVA","MELINA","MARQUERITE","MARGARETTE","JOSEPHINA","EVONNE","DEVIN","CINTHIA","ALBINA","TOYA","TAWNYA","SHERITA","SANTOS","MYRIAM","LIZABETH","LISE","KEELY","JENNI","GISELLE","CHERYLE","ARDITH","ARDIS","ALESHA","ADRIANE","SHAINA","LINNEA","KAROLYN","HONG","FLORIDA","FELISHA","DORI","DARCI","ARTIE","ARMIDA","ZOLA","XIOMARA","VERGIE","SHAMIKA","NENA","NANNETTE","MAXIE","LOVIE","JEANE","JAIMIE","INGE","FARRAH","ELAINA","CAITLYN","STARR","FELICITAS","CHERLY","CARYL","YOLONDA","YASMIN","TEENA","PRUDENCE","PENNIE","NYDIA","MACKENZIE","ORPHA","MARVEL","LIZBETH","LAURETTE","JERRIE","HERMELINDA","CAROLEE","TIERRA","MIRIAN","META","MELONY","KORI","JENNETTE","JAMILA","ENA","ANH","YOSHIKO","SUSANNAH","SALINA","RHIANNON","JOLEEN","CRISTINE","ASHTON","ARACELY","TOMEKA","SHALONDA","MARTI","LACIE","KALA","JADA","ILSE","HAILEY","BRITTANI","ZONA","SYBLE","SHERRYL","RANDY","NIDIA","MARLO","KANDICE","KANDI","DEB","DEAN","AMERICA","ALYCIA","TOMMY","RONNA","NORENE","MERCY","JOSE","INGEBORG","GIOVANNA","GEMMA","CHRISTEL","AUDRY","ZORA","VITA","VAN","TRISH","STEPHAINE","SHIRLEE","SHANIKA","MELONIE","MAZIE","JAZMIN","INGA","HOA","HETTIE","GERALYN","FONDA","ESTRELLA","ADELLA","SU","SARITA","RINA","MILISSA","MARIBETH","GOLDA","EVON","ETHELYN","ENEDINA","CHERISE","CHANA","VELVA","TAWANNA","SADE","MIRTA","LI","KARIE","JACINTA","ELNA","DAVINA","CIERRA","ASHLIE","ALBERTHA","TANESHA","STEPHANI","NELLE","MINDI","LU","LORINDA","LARUE","FLORENE","DEMETRA","DEDRA","CIARA","CHANTELLE","ASHLY","SUZY","ROSALVA","NOELIA","LYDA","LEATHA","KRYSTYNA","KRISTAN","KARRI","DARLINE","DARCIE","CINDA","CHEYENNE","CHERRIE","AWILDA","ALMEDA","ROLANDA","LANETTE","JERILYN","GISELE","EVALYN","CYNDI","CLETA","CARIN","ZINA","ZENA","VELIA","TANIKA","PAUL","CHARISSA","THOMAS","TALIA","MARGARETE","LAVONDA","KAYLEE","KATHLENE","JONNA","IRENA","ILONA","IDALIA","CANDIS","CANDANCE","BRANDEE","ANITRA","ALIDA","SIGRID","NICOLETTE","MARYJO","LINETTE","HEDWIG","CHRISTIANA","CASSIDY","ALEXIA","TRESSIE","MODESTA","LUPITA","LITA","GLADIS","EVELIA","DAVIDA","CHERRI","CECILY","ASHELY","ANNABEL","AGUSTINA","WANITA","SHIRLY","ROSAURA","HULDA","EUN","BAILEY","YETTA","VERONA","THOMASINA","SIBYL","SHANNAN","MECHELLE","LUE","LEANDRA","LANI","KYLEE","KANDY","JOLYNN","FERNE","EBONI","CORENE","ALYSIA","ZULA","NADA","MOIRA","LYNDSAY","LORRETTA","JUAN","JAMMIE","HORTENSIA","GAYNELL","CAMERON","ADRIA","VINA","VICENTA","TANGELA","STEPHINE","NORINE","NELLA","LIANA","LESLEE","KIMBERELY","ILIANA","GLORY","FELICA","EMOGENE","ELFRIEDE","EDEN","EARTHA","CARMA","BEA","OCIE","MARRY","LENNIE","KIARA","JACALYN","CARLOTA","ARIELLE","YU","STAR","OTILIA","KIRSTIN","KACEY","JOHNETTA","JOEY","JOETTA","JERALDINE","JAUNITA","ELANA","DORTHEA","CAMI","AMADA","ADELIA","VERNITA","TAMAR","SIOBHAN","RENEA","RASHIDA","OUIDA","ODELL","NILSA","MERYL","KRISTYN","JULIETA","DANICA","BREANNE","AUREA","ANGLEA","SHERRON","ODETTE","MALIA","LORELEI","LIN","LEESA","KENNA","KATHLYN","FIONA","CHARLETTE","SUZIE","SHANTELL","SABRA","RACQUEL","MYONG","MIRA","MARTINE","LUCIENNE","LAVADA","JULIANN","JOHNIE","ELVERA","DELPHIA","CLAIR","CHRISTIANE","CHAROLETTE","CARRI","AUGUSTINE","ASHA","ANGELLA","PAOLA","NINFA","LEDA","LAI","EDA","SUNSHINE","STEFANI","SHANELL","PALMA","MACHELLE","LISSA","KECIA","KATHRYNE","KARLENE","JULISSA","JETTIE","JENNIFFER","HUI","CORRINA","CHRISTOPHER","CAROLANN","ALENA","TESS","ROSARIA","MYRTICE","MARYLEE","LIANE","KENYATTA","JUDIE","JANEY","IN","ELMIRA","ELDORA","DENNA","CRISTI","CATHI","ZAIDA","VONNIE","VIVA","VERNIE","ROSALINE","MARIELA","LUCIANA","LESLI","KARAN","FELICE","DENEEN","ADINA","WYNONA","TARSHA","SHERON","SHASTA","SHANITA","SHANI","SHANDRA","RANDA","PINKIE","PARIS","NELIDA","MARILOU","LYLA","LAURENE","LACI","JOI","JANENE","DOROTHA","DANIELE","DANI","CAROLYNN","CARLYN","BERENICE","AYESHA","ANNELIESE","ALETHEA","THERSA","TAMIKO","RUFINA","OLIVA","MOZELL","MARYLYN","MADISON","KRISTIAN","KATHYRN","KASANDRA","KANDACE","JANAE","GABRIEL","DOMENICA","DEBBRA","DANNIELLE","CHUN","BUFFY","BARBIE","ARCELIA","AJA","ZENOBIA","SHAREN","SHAREE","PATRICK","PAGE","MY","LAVINIA","KUM","KACIE","JACKELINE","HUONG","FELISA","EMELIA","ELEANORA","CYTHIA","CRISTIN","CLYDE","CLARIBEL","CARON","ANASTACIA","ZULMA","ZANDRA","YOKO","TENISHA","SUSANN","SHERILYN","SHAY","SHAWANDA","SABINE","ROMANA","MATHILDA","LINSEY","KEIKO","JOANA","ISELA","GRETTA","GEORGETTA","EUGENIE","DUSTY","DESIRAE","DELORA","CORAZON","ANTONINA","ANIKA","WILLENE","TRACEE","TAMATHA","REGAN","NICHELLE","MICKIE","MAEGAN","LUANA","LANITA","KELSIE","EDELMIRA","BREE","AFTON","TEODORA","TAMIE","SHENA","MEG","LINH","KELI","KACI","DANYELLE","BRITT","ARLETTE","ALBERTINE","ADELLE","TIFFINY","STORMY","SIMONA","NUMBERS","NICOLASA","NICHOL","NIA","NAKISHA","MEE","MAIRA","LOREEN","KIZZY","JOHNNY","JAY","FALLON","CHRISTENE","BOBBYE","ANTHONY","YING","VINCENZA","TANJA","RUBIE","RONI","QUEENIE","MARGARETT","KIMBERLI","IRMGARD","IDELL","HILMA","EVELINA","ESTA","EMILEE","DENNISE","DANIA","CARL","CARIE","ANTONIO","WAI","SANG","RISA","RIKKI","PARTICIA","MUI","MASAKO","MARIO","LUVENIA","LOREE","LONI","LIEN","KEVIN","GIGI","FLORENCIA","DORIAN","DENITA","DALLAS","CHI","BILLYE","ALEXANDER","TOMIKA","SHARITA","RANA","NIKOLE","NEOMA","MARGARITE","MADALYN","LUCINA","LAILA","KALI","JENETTE","GABRIELE","EVELYNE","ELENORA","CLEMENTINA","ALEJANDRINA","ZULEMA","VIOLETTE","VANNESSA","THRESA","RETTA","PIA","PATIENCE","NOELLA","NICKIE","JONELL","DELTA","CHUNG","CHAYA","CAMELIA","BETHEL","ANYA","ANDREW","THANH","SUZANN","SPRING","SHU","MILA","LILLA","LAVERNA","KEESHA","KATTIE","GIA","GEORGENE","EVELINE","ESTELL","ELIZBETH","VIVIENNE","VALLIE","TRUDIE","STEPHANE","MICHEL","MAGALY","MADIE","KENYETTA","KARREN","JANETTA","HERMINE","HARMONY","DRUCILLA","DEBBI","CELESTINA","CANDIE","BRITNI","BECKIE","AMINA","ZITA","YUN","YOLANDE","VIVIEN","VERNETTA","TRUDI","SOMMER","PEARLE","PATRINA","OSSIE","NICOLLE","LOYCE","LETTY","LARISA","KATHARINA","JOSELYN","JONELLE","JENELL","IESHA","HEIDE","FLORINDA","FLORENTINA","FLO","ELODIA","DORINE","BRUNILDA","BRIGID","ASHLI","ARDELLA","TWANA","THU","TARAH","SUNG","SHEA","SHAVON","SHANE","SERINA","RAYNA","RAMONITA","NGA","MARGURITE","LUCRECIA","KOURTNEY","KATI","JESUS","JESENIA","DIAMOND","CRISTA","AYANA","ALICA","ALIA","VINNIE","SUELLEN","ROMELIA","RACHELL","PIPER","OLYMPIA","MICHIKO","KATHALEEN","JOLIE","JESSI","JANESSA","HANA","HA","ELEASE","CARLETTA","BRITANY","SHONA","SALOME","ROSAMOND","REGENA","RAINA","NGOC","NELIA","LOUVENIA","LESIA","LATRINA","LATICIA","LARHONDA","JINA","JACKI","HOLLIS","HOLLEY","EMMY","DEEANN","CORETTA","ARNETTA","VELVET","THALIA","SHANICE","NETA","MIKKI","MICKI","LONNA","LEANA","LASHUNDA","KILEY","JOYE","JACQULYN","IGNACIA","HYUN","HIROKO","HENRY","HENRIETTE","ELAYNE","DELINDA","DARNELL","DAHLIA","COREEN","CONSUELA","CONCHITA","CELINE","BABETTE","AYANNA","ANETTE","ALBERTINA","SKYE","SHAWNEE","SHANEKA","QUIANA","PAMELIA","MIN","MERRI","MERLENE","MARGIT","KIESHA","KIERA","KAYLENE","JODEE","JENISE","ERLENE","EMMIE","ELSE","DARYL","DALILA","DAISEY","CODY","CASIE","BELIA","BABARA","VERSIE","VANESA","SHELBA","SHAWNDA","SAM","NORMAN","NIKIA","NAOMA","MARNA","MARGERET","MADALINE","LAWANA","KINDRA","JUTTA","JAZMINE","JANETT","HANNELORE","GLENDORA","GERTRUD","GARNETT","FREEDA","FREDERICA","FLORANCE","FLAVIA","DENNIS","CARLINE","BEVERLEE","ANJANETTE","VALDA","TRINITY","TAMALA","STEVIE","SHONNA","SHA","SARINA","ONEIDA","MICAH","MERILYN","MARLEEN","LURLINE","LENNA","KATHERIN","JIN","JENI","HAE","GRACIA","GLADY","FARAH","ERIC","ENOLA","EMA","DOMINQUE","DEVONA","DELANA","CECILA","CAPRICE","ALYSHA","ALI","ALETHIA","VENA","THERESIA","TAWNY","SONG","SHAKIRA","SAMARA","SACHIKO","RACHELE","PAMELLA","NICKY","MARNI","MARIEL","MAREN","MALISA","LIGIA","LERA","LATORIA","LARAE","KIMBER","KATHERN","KAREY","JENNEFER","JANETH","HALINA","FREDIA","DELISA","DEBROAH","CIERA","CHIN","ANGELIKA","ANDREE","ALTHA","YEN","VIVAN","TERRESA","TANNA","SUK","SUDIE","SOO","SIGNE","SALENA","RONNI","REBBECCA","MYRTIE","MCKENZIE","MALIKA","MAIDA","LOAN","LEONARDA","KAYLEIGH","FRANCE","ETHYL","ELLYN","DAYLE","CAMMIE","BRITTNI","BIRGIT","AVELINA","ASUNCION","ARIANNA","AKIKO","VENICE","TYESHA","TONIE","TIESHA","TAKISHA","STEFFANIE","SINDY","SANTANA","MEGHANN","MANDA","MACIE","LADY","KELLYE","KELLEE","JOSLYN","JASON","INGER","INDIRA","GLINDA","GLENNIS","FERNANDA","FAUSTINA","ENEIDA","ELICIA","DOT","DIGNA","DELL","ARLETTA","ANDRE","WILLIA","TAMMARA","TABETHA","SHERRELL","SARI","REFUGIO","REBBECA","PAULETTA","NIEVES","NATOSHA","NAKITA","MAMMIE","KENISHA","KAZUKO","KASSIE","GARY","EARLEAN","DAPHINE","CORLISS","CLOTILDE","CAROLYNE","BERNETTA","AUGUSTINA","AUDREA","ANNIS","ANNABELL","YAN","TENNILLE","TAMICA","SELENE","SEAN","ROSANA","REGENIA","QIANA","MARKITA","MACY","LEEANNE","LAURINE","KYM","JESSENIA","JANITA","GEORGINE","GENIE","EMIKO","ELVIE","DEANDRA","DAGMAR","CORIE","COLLEN","CHERISH","ROMAINE","PORSHA","PEARLENE","MICHELINE","MERNA","MARGORIE","MARGARETTA","LORE","KENNETH","JENINE","HERMINA","FREDERICKA","ELKE","DRUSILLA","DORATHY","DIONE","DESIRE","CELENA","BRIGIDA","ANGELES","ALLEGRA","THEO","TAMEKIA","SYNTHIA","STEPHEN","SOOK","SLYVIA","ROSANN","REATHA","RAYE","MARQUETTA","MARGART","LING","LAYLA","KYMBERLY","KIANA","KAYLEEN","KATLYN","KARMEN","JOELLA","IRINA","EMELDA","ELENI","DETRA","CLEMMIE","CHERYLL","CHANTELL","CATHEY","ARNITA","ARLA","ANGLE","ANGELIC","ALYSE","ZOFIA","THOMASINE","TENNIE","SON","SHERLY","SHERLEY","SHARYL","REMEDIOS","PETRINA","NICKOLE","MYUNG","MYRLE","MOZELLA","LOUANNE","LISHA","LATIA","LANE","KRYSTA","JULIENNE","JOEL","JEANENE","JACQUALINE","ISAURA","GWENDA","EARLEEN","DONALD","CLEOPATRA","CARLIE","AUDIE","ANTONIETTA","ALISE","ALEX","VERDELL","VAL","TYLER","TOMOKO","THAO","TALISHA","STEVEN","SO","SHEMIKA","SHAUN","SCARLET","SAVANNA","SANTINA","ROSIA","RAEANN","ODILIA","NANA","MINNA","MAGAN","LYNELLE","LE","KARMA","JOEANN","IVANA","INELL","ILANA","HYE","HONEY","HEE","GUDRUN","FRANK","DREAMA","CRISSY","CHANTE","CARMELINA","ARVILLA","ARTHUR","ANNAMAE","ALVERA","ALEIDA","AARON","YEE","YANIRA","VANDA","TIANNA","TAM","STEFANIA","SHIRA","PERRY","NICOL","NANCIE","MONSERRATE","MINH","MELYNDA","MELANY","MATTHEW","LOVELLA","LAURE","KIRBY","KACY","JACQUELYNN","HYON","GERTHA","FRANCISCO","ELIANA","CHRISTENA","CHRISTEEN","CHARISE","CATERINA","CARLEY","CANDYCE","ARLENA","AMMIE","YANG","WILLETTE","VANITA","TUYET","TINY","SYREETA","SILVA","SCOTT","RONALD","PENNEY","NYLA","MICHAL","MAURICE","MARYAM","MARYA","MAGEN","LUDIE","LOMA","LIVIA","LANELL","KIMBERLIE","JULEE","DONETTA","DIEDRA","DENISHA","DEANE","DAWNE","CLARINE","CHERRYL","BRONWYN","BRANDON","ALLA","VALERY","TONDA","SUEANN","SORAYA","SHOSHANA","SHELA","SHARLEEN","SHANELLE","NERISSA","MICHEAL","MERIDITH","MELLIE","MAYE","MAPLE","MAGARET","LUIS","LILI","LEONILA","LEONIE","LEEANNA","LAVONIA","LAVERA","KRISTEL","KATHEY","KATHE","JUSTIN","JULIAN","JIMMY","JANN","ILDA","HILDRED","HILDEGARDE","GENIA","FUMIKO","EVELIN","ERMELINDA","ELLY","DUNG","DOLORIS","DIONNA","DANAE","BERNEICE","ANNICE","ALIX","VERENA","VERDIE","TRISTAN","SHAWNNA","SHAWANA","SHAUNNA","ROZELLA","RANDEE","RANAE","MILAGRO","LYNELL","LUISE","LOUIE","LOIDA","LISBETH","KARLEEN","JUNITA","JONA","ISIS","HYACINTH","HEDY","GWENN","ETHELENE","ERLINE","EDWARD","DONYA","DOMONIQUE","DELICIA","DANNETTE","CICELY","BRANDA","BLYTHE","BETHANN","ASHLYN","ANNALEE","ALLINE","YUKO","VELLA","TRANG","TOWANDA","TESHA","SHERLYN","NARCISA","MIGUELINA","MERI","MAYBELL","MARLANA","MARGUERITA","MADLYN","LUNA","LORY","LORIANN","LIBERTY","LEONORE","LEIGHANN","LAURICE","LATESHA","LARONDA","KATRICE","KASIE","KARL","KALEY","JADWIGA","GLENNIE","GEARLDINE","FRANCINA","EPIFANIA","DYAN","DORIE","DIEDRE","DENESE","DEMETRICE","DELENA","DARBY","CRISTIE","CLEORA","CATARINA","CARISA","BERNIE","BARBERA","ALMETA","TRULA","TEREASA","SOLANGE","SHEILAH","SHAVONNE","SANORA","ROCHELL","MATHILDE","MARGARETA","MAIA","LYNSEY","LAWANNA","LAUNA","KENA","KEENA","KATIA","JAMEY","GLYNDA","GAYLENE","ELVINA","ELANOR","DANUTA","DANIKA","CRISTEN","CORDIE","COLETTA","CLARITA","CARMON","BRYNN","AZUCENA","AUNDREA","ANGELE","YI","WALTER","VERLIE","VERLENE","TAMESHA","SILVANA","SEBRINA","SAMIRA","REDA","RAYLENE","PENNI","PANDORA","NORAH","NOMA","MIREILLE","MELISSIA","MARYALICE","LARAINE","KIMBERY","KARYL","KARINE","KAM","JOLANDA","JOHANA","JESUSA","JALEESA","JAE","JACQUELYNE","IRISH","ILUMINADA","HILARIA","HANH","GENNIE","FRANCIE","FLORETTA","EXIE","EDDA","DREMA","DELPHA","BEV","BARBAR","ASSUNTA","ARDELL","ANNALISA","ALISIA","YUKIKO","YOLANDO","WONDA","WEI","WALTRAUD","VETA","TEQUILA","TEMEKA","TAMEIKA","SHIRLEEN","SHENITA","PIEDAD","OZELLA","MIRTHA","MARILU","KIMIKO","JULIANE","JENICE","JEN","JANAY","JACQUILINE","HILDE","FE","FAE","EVAN","EUGENE","ELOIS","ECHO","DEVORAH","CHAU","BRINDA","BETSEY","ARMINDA","ARACELIS","APRYL","ANNETT","ALISHIA","VEOLA","USHA","TOSHIKO","THEOLA","TASHIA","TALITHA","SHERY","RUDY","RENETTA","REIKO","RASHEEDA","OMEGA","OBDULIA","MIKA","MELAINE","MEGGAN","MARTIN","MARLEN","MARGET","MARCELINE","MANA","MAGDALEN","LIBRADA","LEZLIE","LEXIE","LATASHIA","LASANDRA","KELLE","ISIDRA","ISA","INOCENCIA","GWYN","FRANCOISE","ERMINIA","ERINN","DIMPLE","DEVORA","CRISELDA","ARMANDA","ARIE","ARIANE","ANGELO","ANGELENA","ALLEN","ALIZA","ADRIENE","ADALINE","XOCHITL","TWANNA","TRAN","TOMIKO","TAMISHA","TAISHA","SUSY","SIU","RUTHA","ROXY","RHONA","RAYMOND","OTHA","NORIKO","NATASHIA","MERRIE","MELVIN","MARINDA","MARIKO","MARGERT","LORIS","LIZZETTE","LEISHA","KAILA","KA","JOANNIE","JERRICA","JENE","JANNET","JANEE","JACINDA","HERTA","ELENORE","DORETTA","DELAINE","DANIELL","CLAUDIE","CHINA","BRITTA","APOLONIA","AMBERLY","ALEASE","YURI","YUK","WEN","WANETA","UTE","TOMI","SHARRI","SANDIE","ROSELLE","REYNALDA","RAGUEL","PHYLICIA","PATRIA","OLIMPIA","ODELIA","MITZIE","MITCHELL","MISS","MINDA","MIGNON","MICA","MENDY","MARIVEL","MAILE","LYNETTA","LAVETTE","LAURYN","LATRISHA","LAKIESHA","KIERSTEN","KARY","JOSPHINE","JOLYN","JETTA","JANISE","JACQUIE","IVELISSE","GLYNIS","GIANNA","GAYNELLE","EMERALD","DEMETRIUS","DANYELL","DANILLE","DACIA","CORALEE","CHER","CEOLA","BRETT","BELL","ARIANNE","ALESHIA","YUNG","WILLIEMAE","TROY","TRINH","THORA","TAI","SVETLANA","SHERIKA","SHEMEKA","SHAUNDA","ROSELINE","RICKI","MELDA","MALLIE","LAVONNA","LATINA","LARRY","LAQUANDA","LALA","LACHELLE","KLARA","KANDIS","JOHNA","JEANMARIE","JAYE","HANG","GRAYCE","GERTUDE","EMERITA","EBONIE","CLORINDA","CHING","CHERY","CAROLA","BREANN","BLOSSOM","BERNARDINE","BECKI","ARLETHA","ARGELIA","ARA","ALITA","YULANDA","YON","YESSENIA","TOBI","TASIA","SYLVIE","SHIRL","SHIRELY","SHERIDAN","SHELLA","SHANTELLE","SACHA","ROYCE","REBECKA","REAGAN","PROVIDENCIA","PAULENE","MISHA","MIKI","MARLINE","MARICA","LORITA","LATOYIA","LASONYA","KERSTIN","KENDA","KEITHA","KATHRIN","JAYMIE","JACK","GRICELDA","GINETTE","ERYN","ELINA","ELFRIEDA","DANYEL","CHEREE","CHANELLE","BARRIE","AVERY","AURORE","ANNAMARIA","ALLEEN","AILENE","AIDE","YASMINE","VASHTI","VALENTINE","TREASA","TORY","TIFFANEY","SHERYLL","SHARIE","SHANAE","SAU","RAISA","PA","NEDA","MITSUKO","MIRELLA","MILDA","MARYANNA","MARAGRET","MABELLE","LUETTA","LORINA","LETISHA","LATARSHA","LANELLE","LAJUANA","KRISSY","KARLY","KARENA","JON","JESSIKA","JERICA","JEANELLE","JANUARY","JALISA","JACELYN","IZOLA","IVEY","GREGORY","EUNA","ETHA","DREW","DOMITILA","DOMINICA","DAINA","CREOLA","CARLI","CAMIE","BUNNY","BRITTNY","ASHANTI","ANISHA","ALEEN","ADAH","YASUKO","WINTER","VIKI","VALRIE","TONA","TINISHA","THI","TERISA","TATUM","TANEKA","SIMONNE","SHALANDA","SERITA","RESSIE","REFUGIA","PAZ","OLENE","NA","MERRILL","MARGHERITA","MANDIE","MAN","MAIRE","LYNDIA","LUCI","LORRIANE","LORETA","LEONIA","LAVONA","LASHAWNDA","LAKIA","KYOKO","KRYSTINA","KRYSTEN","KENIA","KELSI","JUDE","JEANICE","ISOBEL","GEORGIANN","GENNY","FELICIDAD","EILENE","DEON","DELOISE","DEEDEE","DANNIE","CONCEPTION","CLORA","CHERILYN","CHANG","CALANDRA","BERRY","ARMANDINA","ANISA","ULA","TIMOTHY","TIERA","THERESSA","STEPHANIA","SIMA","SHYLA","SHONTA","SHERA","SHAQUITA","SHALA","SAMMY","ROSSANA","NOHEMI","NERY","MORIAH","MELITA","MELIDA","MELANI","MARYLYNN","MARISHA","MARIETTE","MALORIE","MADELENE","LUDIVINA","LORIA","LORETTE","LORALEE","LIANNE","LEON","LAVENIA","LAURINDA","LASHON","KIT","KIMI","KEILA","KATELYNN","KAI","JONE","JOANE","JI","JAYNA","JANELLA","JA","HUE","HERTHA","FRANCENE","ELINORE","DESPINA","DELSIE","DEEDRA","CLEMENCIA","CARRY","CAROLIN","CARLOS","BULAH","BRITTANIE","BOK","BLONDELL","BIBI","BEAULAH","BEATA","ANNITA","AGRIPINA","VIRGEN","VALENE","UN","TWANDA","TOMMYE","TOI","TARRA","TARI","TAMMERA","SHAKIA","SADYE","RUTHANNE","ROCHEL","RIVKA","PURA","NENITA","NATISHA","MING","MERRILEE","MELODEE","MARVIS","LUCILLA","LEENA","LAVETA","LARITA","LANIE","KEREN","ILEEN","GEORGEANN","GENNA","GENESIS","FRIDA","EWA","EUFEMIA","EMELY","ELA","EDYTH","DEONNA","DEADRA","DARLENA","CHANELL","CHAN","CATHERN","CASSONDRA","CASSAUNDRA","BERNARDA","BERNA","ARLINDA","ANAMARIA","ALBERT","WESLEY","VERTIE","VALERI","TORRI","TATYANA","STASIA","SHERISE","SHERILL","SEASON","SCOTTIE","SANDA","RUTHE","ROSY","ROBERTO","ROBBI","RANEE","QUYEN","PEARLY","PALMIRA","ONITA","NISHA","NIESHA","NIDA","NEVADA","NAM","MERLYN","MAYOLA","MARYLOUISE","MARYLAND","MARX","MARTH","MARGENE","MADELAINE","LONDA","LEONTINE","LEOMA","LEIA","LAWRENCE","LAURALEE","LANORA","LAKITA","KIYOKO","KETURAH","KATELIN","KAREEN","JONIE","JOHNETTE","JENEE","JEANETT","IZETTA","HIEDI","HEIKE","HASSIE","HAROLD","GIUSEPPINA","GEORGANN","FIDELA","FERNANDE","ELWANDA","ELLAMAE","ELIZ","DUSTI","DOTTY","CYNDY","CORALIE","CELESTA","ARGENTINA","ALVERTA","XENIA","WAVA","VANETTA","TORRIE","TASHINA","TANDY","TAMBRA","TAMA","STEPANIE","SHILA","SHAUNTA","SHARAN","SHANIQUA","SHAE","SETSUKO","SERAFINA","SANDEE","ROSAMARIA","PRISCILA","OLINDA","NADENE","MUOI","MICHELINA","MERCEDEZ","MARYROSE","MARIN","MARCENE","MAO","MAGALI","MAFALDA","LOGAN","LINN","LANNIE","KAYCE","KAROLINE","KAMILAH","KAMALA","JUSTA","JOLINE","JENNINE","JACQUETTA","IRAIDA","GERALD","GEORGEANNA","FRANCHESCA","FAIRY","EMELINE","ELANE","EHTEL","EARLIE","DULCIE","DALENE","CRIS","CLASSIE","CHERE","CHARIS","CAROYLN","CARMINA","CARITA","BRIAN","BETHANIE","AYAKO","ARICA","AN","ALYSA","ALESSANDRA","AKILAH","ADRIEN","ZETTA","YOULANDA","YELENA","YAHAIRA","XUAN","WENDOLYN","VICTOR","TIJUANA","TERRELL","TERINA","TERESIA","SUZI","SUNDAY","SHERELL","SHAVONDA","SHAUNTE","SHARDA","SHAKITA","SENA","RYANN","RUBI","RIVA","REGINIA","REA","RACHAL","PARTHENIA","PAMULA","MONNIE","MONET","MICHAELE","MELIA","MARINE","MALKA","MAISHA","LISANDRA","LEO","LEKISHA","LEAN","LAURENCE","LAKENDRA","KRYSTIN","KORTNEY","KIZZIE","KITTIE","KERA","KENDAL","KEMBERLY","KANISHA","JULENE","JULE","JOSHUA","JOHANNE","JEFFREY","JAMEE","HAN","HALLEY","GIDGET","GALINA","FREDRICKA","FLETA","FATIMAH","EUSEBIA","ELZA","ELEONORE","DORTHEY","DORIA","DONELLA","DINORAH","DELORSE","CLARETHA","CHRISTINIA","CHARLYN","BONG","BELKIS","AZZIE","ANDERA","AIKO","ADENA","YER","YAJAIRA","WAN","VANIA","ULRIKE","TOSHIA","TIFANY","STEFANY","SHIZUE","SHENIKA","SHAWANNA","SHAROLYN","SHARILYN","SHAQUANA","SHANTAY","SEE","ROZANNE","ROSELEE","RICKIE","REMONA","REANNA","RAELENE","QUINN","PHUNG","PETRONILA","NATACHA","NANCEY","MYRL","MIYOKO","MIESHA","MERIDETH","MARVELLA","MARQUITTA","MARHTA","MARCHELLE","LIZETH","LIBBIE","LAHOMA","LADAWN","KINA","KATHELEEN","KATHARYN","KARISA","KALEIGH","JUNIE","JULIEANN","JOHNSIE","JANEAN","JAIMEE","JACKQUELINE","HISAKO","HERMA","HELAINE","GWYNETH","GLENN","GITA","EUSTOLIA","EMELINA","ELIN","EDRIS","DONNETTE","DONNETTA","DIERDRE","DENAE","DARCEL","CLAUDE","CLARISA","CINDERELLA","CHIA","CHARLESETTA","CHARITA","CELSA","CASSY","CASSI","CARLEE","BRUNA","BRITTANEY","BRANDE","BILLI","BAO","ANTONETTA","ANGLA","ANGELYN","ANALISA","ALANE","WENONA","WENDIE","VERONIQUE","VANNESA","TOBIE","TEMPIE","SUMIKO","SULEMA","SPARKLE","SOMER","SHEBA","SHAYNE","SHARICE","SHANEL","SHALON","SAGE","ROY","ROSIO","ROSELIA","RENAY","REMA","REENA","PORSCHE","PING","PEG","OZIE","ORETHA","ORALEE","ODA","NU","NGAN","NAKESHA","MILLY","MARYBELLE","MARLIN","MARIS","MARGRETT","MARAGARET","MANIE","LURLENE","LILLIA","LIESELOTTE","LAVELLE","LASHAUNDA","LAKEESHA","KEITH","KAYCEE","KALYN","JOYA","JOETTE","JENAE","JANIECE","ILLA","GRISEL","GLAYDS","GENEVIE","GALA","FREDDA","FRED","ELMER","ELEONOR","DEBERA","DEANDREA","DAN","CORRINNE","CORDIA","CONTESSA","COLENE","CLEOTILDE","CHARLOTT","CHANTAY","CECILLE","BEATRIS","AZALEE","ARLEAN","ARDATH","ANJELICA","ANJA","ALFREDIA","ALEISHA","ADAM","ZADA","YUONNE","XIAO","WILLODEAN","WHITLEY","VENNIE","VANNA","TYISHA","TOVA","TORIE","TONISHA","TILDA","TIEN","TEMPLE","SIRENA","SHERRIL","SHANTI","SHAN","SENAIDA","SAMELLA","ROBBYN","RENDA","REITA","PHEBE","PAULITA","NOBUKO","NGUYET","NEOMI","MOON","MIKAELA","MELANIA","MAXIMINA","MARG","MAISIE","LYNNA","LILLI","LAYNE","LASHAUN","LAKENYA","LAEL","KIRSTIE","KATHLINE","KASHA","KARLYN","KARIMA","JOVAN","JOSEFINE","JENNELL","JACQUI","JACKELYN","HYO","HIEN","GRAZYNA","FLORRIE","FLORIA","ELEONORA","DWANA","DORLA","DONG","DELMY","DEJA","DEDE","DANN","CRYSTA","CLELIA","CLARIS","CLARENCE","CHIEKO","CHERLYN","CHERELLE","CHARMAIN","CHARA","CAMMY","BEE","ARNETTE","ARDELLE","ANNIKA","AMIEE","AMEE","ALLENA","YVONE","YUKI","YOSHIE","YEVETTE","YAEL","WILLETTA","VONCILE","VENETTA","TULA","TONETTE","TIMIKA","TEMIKA","TELMA","TEISHA","TAREN","TA","STACEE","SHIN","SHAWNTA","SATURNINA","RICARDA","POK","PASTY","ONIE","NUBIA","MORA","MIKE","MARIELLE","MARIELLA","MARIANELA","MARDELL","MANY","LUANNA","LOISE","LISABETH","LINDSY","LILLIANA","LILLIAM","LELAH","LEIGHA","LEANORA","LANG","KRISTEEN","KHALILAH","KEELEY","KANDRA","JUNKO","JOAQUINA","JERLENE","JANI","JAMIKA","JAME","HSIU","HERMILA","GOLDEN","GENEVIVE","EVIA","EUGENA","EMMALINE","ELFREDA","ELENE","DONETTE","DELCIE","DEEANNA","DARCEY","CUC","CLARINDA","CIRA","CHAE","CELINDA","CATHERYN","CATHERIN","CASIMIRA","CARMELIA","CAMELLIA","BREANA","BOBETTE","BERNARDINA","BEBE","BASILIA","ARLYNE","AMAL","ALAYNA","ZONIA","ZENIA","YURIKO","YAEKO","WYNELL","WILLOW","WILLENA","VERNIA","TU","TRAVIS","TORA","TERRILYN","TERICA","TENESHA","TAWNA","TAJUANA","TAINA","STEPHNIE","SONA","SOL","SINA","SHONDRA","SHIZUKO","SHERLENE","SHERICE","SHARIKA","ROSSIE","ROSENA","RORY","RIMA","RIA","RHEBA","RENNA","PETER","NATALYA","NANCEE","MELODI","MEDA","MAXIMA","MATHA","MARKETTA","MARICRUZ","MARCELENE","MALVINA","LUBA","LOUETTA","LEIDA","LECIA","LAURAN","LASHAWNA","LAINE","KHADIJAH","KATERINE","KASI","KALLIE","JULIETTA","JESUSITA","JESTINE","JESSIA","JEREMY","JEFFIE","JANYCE","ISADORA","GEORGIANNE","FIDELIA","EVITA","EURA","EULAH","ESTEFANA","ELSY","ELIZABET","ELADIA","DODIE","DION","DIA","DENISSE","DELORAS","DELILA","DAYSI","DAKOTA","CURTIS","CRYSTLE","CONCHA","COLBY","CLARETTA","CHU","CHRISTIA","CHARLSIE","CHARLENA","CARYLON","BETTYANN","ASLEY","ASHLEA","AMIRA","AI","AGUEDA","AGNUS","YUETTE","VINITA","VICTORINA","TYNISHA","TREENA","TOCCARA","TISH","THOMASENA","TEGAN","SOILA","SHILOH","SHENNA","SHARMAINE","SHANTAE","SHANDI","SEPTEMBER","SARAN","SARAI","SANA","SAMUEL","SALLEY","ROSETTE","ROLANDE","REGINE","OTELIA","OSCAR","OLEVIA","NICHOLLE","NECOLE","NAIDA","MYRTA","MYESHA","MITSUE","MINTA","MERTIE","MARGY","MAHALIA","MADALENE","LOVE","LOURA","LOREAN","LEWIS","LESHA","LEONIDA","LENITA","LAVONE","LASHELL","LASHANDRA","LAMONICA","KIMBRA","KATHERINA","KARRY","KANESHA","JULIO","JONG","JENEVA","JAQUELYN","HWA","GILMA","GHISLAINE","GERTRUDIS","FRANSISCA","FERMINA","ETTIE","ETSUKO","ELLIS","ELLAN","ELIDIA","EDRA","DORETHEA","DOREATHA","DENYSE","DENNY","DEETTA","DAINE","CYRSTAL","CORRIN","CAYLA","CARLITA","CAMILA","BURMA","BULA","BUENA","BLAKE","BARABARA","AVRIL","AUSTIN","ALAINE","ZANA","WILHEMINA","WANETTA","VIRGIL","VI","VERONIKA","VERNON","VERLINE","VASILIKI","TONITA","TISA","TEOFILA","TAYNA","TAUNYA","TANDRA","TAKAKO","SUNNI","SUANNE","SIXTA","SHARELL","SEEMA","RUSSELL","ROSENDA","ROBENA","RAYMONDE","PEI","PAMILA","OZELL","NEIDA","NEELY","MISTIE","MICHA","MERISSA","MAURITA","MARYLN","MARYETTA","MARSHALL","MARCELL","MALENA","MAKEDA","MADDIE","LOVETTA","LOURIE","LORRINE","LORILEE","LESTER","LAURENA","LASHAY","LARRAINE","LAREE","LACRESHA","KRISTLE","KRISHNA","KEVA","KEIRA","KAROLE","JOIE","JINNY","JEANNETTA","JAMA","HEIDY","GILBERTE","GEMA","FAVIOLA","EVELYNN","ENDA","ELLI","ELLENA","DIVINA","DAGNY","COLLENE","CODI","CINDIE","CHASSIDY","CHASIDY","CATRICE","CATHERINA","CASSEY","CAROLL","CARLENA","CANDRA","CALISTA","BRYANNA","BRITTENY","BEULA","BARI","AUDRIE","AUDRIA","ARDELIA","ANNELLE","ANGILA","ALONA","ALLYN","DOUGLAS","ROGER","JONATHAN","RALPH","NICHOLAS","BENJAMIN","BRUCE","HARRY","WAYNE","STEVE","HOWARD","ERNEST","PHILLIP","TODD","CRAIG","ALAN","PHILIP","EARL","DANNY","BRYAN","STANLEY","LEONARD","NATHAN","MANUEL","RODNEY","MARVIN","VINCENT","JEFFERY","JEFF","CHAD","JACOB","ALFRED","BRADLEY","HERBERT","FREDERICK","EDWIN","DON","RICKY","RANDALL","BARRY","BERNARD","LEROY","MARCUS","THEODORE","CLIFFORD","MIGUEL","JIM","TOM","CALVIN","BILL","LLOYD","DEREK","WARREN","DARRELL","JEROME","FLOYD","ALVIN","TIM","GORDON","GREG","JORGE","DUSTIN","PEDRO","DERRICK","ZACHARY","HERMAN","GLEN","HECTOR","RICARDO","RICK","BRENT","RAMON","GILBERT","MARC","REGINALD","RUBEN","NATHANIEL","RAFAEL","EDGAR","MILTON","RAUL","BEN","CHESTER","DUANE","FRANKLIN","BRAD","RON","ROLAND","ARNOLD","HARVEY","JARED","ERIK","DARRYL","NEIL","JAVIER","FERNANDO","CLINTON","TED","MATHEW","TYRONE","DARREN","LANCE","KURT","ALLAN","NELSON","GUY","CLAYTON","HUGH","MAX","DWAYNE","DWIGHT","ARMANDO","FELIX","EVERETT","IAN","WALLACE","KEN","BOB","ALFREDO","ALBERTO","DAVE","IVAN","BYRON","ISAAC","MORRIS","CLIFTON","WILLARD","ROSS","ANDY","SALVADOR","KIRK","SERGIO","SETH","KENT","TERRANCE","EDUARDO","TERRENCE","ENRIQUE","WADE","STUART","FREDRICK","ARTURO","ALEJANDRO","NICK","LUTHER","WENDELL","JEREMIAH","JULIUS","OTIS","TREVOR","OLIVER","LUKE","HOMER","GERARD","DOUG","KENNY","HUBERT","LYLE","MATT","ALFONSO","ORLANDO","REX","CARLTON","ERNESTO","NEAL","PABLO","LORENZO","OMAR","WILBUR","GRANT","HORACE","RODERICK","ABRAHAM","WILLIS","RICKEY","ANDRES","CESAR","JOHNATHAN","MALCOLM","RUDOLPH","DAMON","KELVIN","PRESTON","ALTON","ARCHIE","MARCO","WM","PETE","RANDOLPH","GARRY","GEOFFREY","JONATHON","FELIPE","GERARDO","ED","DOMINIC","DELBERT","COLIN","GUILLERMO","EARNEST","LUCAS","BENNY","SPENCER","RODOLFO","MYRON","EDMUND","GARRETT","SALVATORE","CEDRIC","LOWELL","GREGG","SHERMAN","WILSON","SYLVESTER","ROOSEVELT","ISRAEL","JERMAINE","FORREST","WILBERT","LELAND","SIMON","CLARK","IRVING","BRYANT","OWEN","RUFUS","WOODROW","KRISTOPHER","MACK","LEVI","MARCOS","GUSTAVO","JAKE","LIONEL","GILBERTO","CLINT","NICOLAS","ISMAEL","ORVILLE","ERVIN","DEWEY","AL","WILFRED","JOSH","HUGO","IGNACIO","CALEB","TOMAS","SHELDON","ERICK","STEWART","DOYLE","DARREL","ROGELIO","TERENCE","SANTIAGO","ALONZO","ELIAS","BERT","ELBERT","RAMIRO","CONRAD","NOAH","GRADY","PHIL","CORNELIUS","LAMAR","ROLANDO","CLAY","PERCY","DEXTER","BRADFORD","DARIN","AMOS","MOSES","IRVIN","SAUL","ROMAN","RANDAL","TIMMY","DARRIN","WINSTON","BRENDAN","ABEL","DOMINICK","BOYD","EMILIO","ELIJAH","DOMINGO","EMMETT","MARLON","EMANUEL","JERALD","EDMOND","EMIL","DEWAYNE","WILL","OTTO","TEDDY","REYNALDO","BRET","JESS","TRENT","HUMBERTO","EMMANUEL","STEPHAN","VICENTE","LAMONT","GARLAND","MILES","EFRAIN","HEATH","RODGER","HARLEY","ETHAN","ELDON","ROCKY","PIERRE","JUNIOR","FREDDY","ELI","BRYCE","ANTOINE","STERLING","CHASE","GROVER","ELTON","CLEVELAND","DYLAN","CHUCK","DAMIAN","REUBEN","STAN","AUGUST","LEONARDO","JASPER","RUSSEL","ERWIN","BENITO","HANS","MONTE","BLAINE","ERNIE","CURT","QUENTIN","AGUSTIN","MURRAY","JAMAL","ADOLFO","HARRISON","TYSON","BURTON","BRADY","ELLIOTT","WILFREDO","BART","JARROD","VANCE","DENIS","DAMIEN","JOAQUIN","HARLAN","DESMOND","ELLIOT","DARWIN","GREGORIO","BUDDY","XAVIER","KERMIT","ROSCOE","ESTEBAN","ANTON","SOLOMON","SCOTTY","NORBERT","ELVIN","WILLIAMS","NOLAN","ROD","QUINTON","HAL","BRAIN","ROB","ELWOOD","KENDRICK","DARIUS","MOISES","FIDEL","THADDEUS","CLIFF","MARCEL","JACKSON","RAPHAEL","BRYON","ARMAND","ALVARO","JEFFRY","DANE","JOESPH","THURMAN","NED","RUSTY","MONTY","FABIAN","REGGIE","MASON","GRAHAM","ISAIAH","VAUGHN","GUS","LOYD","DIEGO","ADOLPH","NORRIS","MILLARD","ROCCO","GONZALO","DERICK","RODRIGO","WILEY","RIGOBERTO","ALPHONSO","TY","NOE","VERN","REED","JEFFERSON","ELVIS","BERNARDO","MAURICIO","HIRAM","DONOVAN","BASIL","RILEY","NICKOLAS","MAYNARD","SCOT","VINCE","QUINCY","EDDY","SEBASTIAN","FEDERICO","ULYSSES","HERIBERTO","DONNELL","COLE","DAVIS","GAVIN","EMERY","WARD","ROMEO","JAYSON","DANTE","CLEMENT","COY","MAXWELL","JARVIS","BRUNO","ISSAC","DUDLEY","BROCK","SANFORD","CARMELO","BARNEY","NESTOR","STEFAN","DONNY","ART","LINWOOD","BEAU","WELDON","GALEN","ISIDRO","TRUMAN","DELMAR","JOHNATHON","SILAS","FREDERIC","DICK","IRWIN","MERLIN","CHARLEY","MARCELINO","HARRIS","CARLO","TRENTON","KURTIS","HUNTER","AURELIO","WINFRED","VITO","COLLIN","DENVER","CARTER","LEONEL","EMORY","PASQUALE","MOHAMMAD","MARIANO","DANIAL","LANDON","DIRK","BRANDEN","ADAN","BUFORD","GERMAN","WILMER","EMERSON","ZACHERY","FLETCHER","JACQUES","ERROL","DALTON","MONROE","JOSUE","EDWARDO","BOOKER","WILFORD","SONNY","SHELTON","CARSON","THERON","RAYMUNDO","DAREN","HOUSTON","ROBBY","LINCOLN","GENARO","BENNETT","OCTAVIO","CORNELL","HUNG","ARRON","ANTONY","HERSCHEL","GIOVANNI","GARTH","CYRUS","CYRIL","RONNY","LON","FREEMAN","DUNCAN","KENNITH","CARMINE","ERICH","CHADWICK","WILBURN","RUSS","REID","MYLES","ANDERSON","MORTON","JONAS","FOREST","MITCHEL","MERVIN","ZANE","RICH","JAMEL","LAZARO","ALPHONSE","RANDELL","MAJOR","JARRETT","BROOKS","ABDUL","LUCIANO","SEYMOUR","EUGENIO","MOHAMMED","VALENTIN","CHANCE","ARNULFO","LUCIEN","FERDINAND","THAD","EZRA","ALDO","RUBIN","ROYAL","MITCH","EARLE","ABE","WYATT","MARQUIS","LANNY","KAREEM","JAMAR","BORIS","ISIAH","EMILE","ELMO","ARON","LEOPOLDO","EVERETTE","JOSEF","ELOY","RODRICK","REINALDO","LUCIO","JERROD","WESTON","HERSHEL","BARTON","PARKER","LEMUEL","BURT","JULES","GIL","ELISEO","AHMAD","NIGEL","EFREN","ANTWAN","ALDEN","MARGARITO","COLEMAN","DINO","OSVALDO","LES","DEANDRE","NORMAND","KIETH","TREY","NORBERTO","NAPOLEON","JEROLD","FRITZ","ROSENDO","MILFORD","CHRISTOPER","ALFONZO","LYMAN","JOSIAH","BRANT","WILTON","RICO","JAMAAL","DEWITT","BRENTON","OLIN","FOSTER","FAUSTINO","CLAUDIO","JUDSON","GINO","EDGARDO","ALEC","TANNER","JARRED","DONN","TAD","PRINCE","PORFIRIO","ODIS","LENARD","CHAUNCEY","TOD","MEL","MARCELO","KORY","AUGUSTUS","KEVEN","HILARIO","BUD","SAL","ORVAL","MAURO","ZACHARIAH","OLEN","ANIBAL","MILO","JED","DILLON","AMADO","NEWTON","LENNY","RICHIE","HORACIO","BRICE","MOHAMED","DELMER","DARIO","REYES","MAC","JONAH","JERROLD","ROBT","HANK","RUPERT","ROLLAND","KENTON","DAMION","ANTONE","WALDO","FREDRIC","BRADLY","KIP","BURL","WALKER","TYREE","JEFFEREY","AHMED","WILLY","STANFORD","OREN","NOBLE","MOSHE","MIKEL","ENOCH","BRENDON","QUINTIN","JAMISON","FLORENCIO","DARRICK","TOBIAS","HASSAN","GIUSEPPE","DEMARCUS","CLETUS","TYRELL","LYNDON","KEENAN","WERNER","GERALDO","COLUMBUS","CHET","BERTRAM","MARKUS","HUEY","HILTON","DWAIN","DONTE","TYRON","OMER","ISAIAS","HIPOLITO","FERMIN","ADALBERTO","BO","BARRETT","TEODORO","MCKINLEY","MAXIMO","GARFIELD","RALEIGH","LAWERENCE","ABRAM","RASHAD","KING","EMMITT","DARON","SAMUAL","MIQUEL","EUSEBIO","DOMENIC","DARRON","BUSTER","WILBER","RENATO","JC","HOYT","HAYWOOD","EZEKIEL","CHAS","FLORENTINO","ELROY","CLEMENTE","ARDEN","NEVILLE","EDISON","DESHAWN","NATHANIAL","JORDON","DANILO","CLAUD","SHERWOOD","RAYMON","RAYFORD","CRISTOBAL","AMBROSE","TITUS","HYMAN","FELTON","EZEQUIEL","ERASMO","STANTON","LONNY","LEN","IKE","MILAN","LINO","JAROD","HERB","ANDREAS","WALTON","RHETT","PALMER","DOUGLASS","CORDELL","OSWALDO","ELLSWORTH","VIRGILIO","TONEY","NATHANAEL","DEL","BENEDICT","MOSE","JOHNSON","ISREAL","GARRET","FAUSTO","ASA","ARLEN","ZACK","WARNER","MODESTO","FRANCESCO","MANUAL","GAYLORD","GASTON","FILIBERTO","DEANGELO","MICHALE","GRANVILLE","WES","MALIK","ZACKARY","TUAN","ELDRIDGE","CRISTOPHER","CORTEZ","ANTIONE","MALCOM","LONG","KOREY","JOSPEH","COLTON","WAYLON","VON","HOSEA","SHAD","SANTO","RUDOLF","ROLF","REY","RENALDO","MARCELLUS","LUCIUS","KRISTOFER","BOYCE","BENTON","HAYDEN","HARLAND","ARNOLDO","RUEBEN","LEANDRO","KRAIG","JERRELL","JEROMY","HOBERT","CEDRICK","ARLIE","WINFORD","WALLY","LUIGI","KENETH","JACINTO","GRAIG","FRANKLYN","EDMUNDO","SID","PORTER","LEIF","JERAMY","BUCK","WILLIAN","VINCENZO","SHON","LYNWOOD","JERE","HAI","ELDEN","DORSEY","DARELL","BRODERICK","ALONSO"
"MARY","PATRICIA","LINDA","BARBARA","ELIZABETH","JENNIFER","MARIA","SUSAN","MARGARET","DOROTHY","LISA","NANCY","KAREN","BETTY","HELEN","SANDRA","DONNA","CAROL","RUTH","SHARON","MICHELLE","LAURA","SARAH","KIMBERLY","DEBORAH","JESSICA","SHIRLEY","CYNTHIA","ANGELA","MELISSA","BRENDA","AMY","ANNA","REBECCA","VIRGINIA","KATHLEEN","PAMELA","MARTHA","DEBRA","AMANDA","STEPHANIE","CAROLYN","CHRISTINE","MARIE","JANET","CATHERINE","FRANCES","ANN","JOYCE","DIANE","ALICE","JULIE","HEATHER","TERESA","DORIS","GLORIA","EVELYN","JEAN","CHERYL","MILDRED","KATHERINE","JOAN","ASHLEY","JUDITH","ROSE","JANICE","KELLY","NICOLE","JUDY","CHRISTINA","KATHY","THERESA","BEVERLY","DENISE","TAMMY","IRENE","JANE","LORI","RACHEL","MARILYN","ANDREA","KATHRYN","LOUISE","SARA","ANNE","JACQUELINE","WANDA","BONNIE","JULIA","RUBY","LOIS","TINA","PHYLLIS","NORMA","PAULA","DIANA","ANNIE","LILLIAN","EMILY","ROBIN","PEGGY","CRYSTAL","GLADYS","RITA","DAWN","CONNIE","FLORENCE","TRACY","EDNA","TIFFANY","CARMEN","ROSA","CINDY","GRACE","WENDY","VICTORIA","EDITH","KIM","SHERRY","SYLVIA","JOSEPHINE","THELMA","SHANNON","SHEILA","ETHEL","ELLEN","ELAINE","MARJORIE","CARRIE","CHARLOTTE","MONICA","ESTHER","PAULINE","EMMA","JUANITA","ANITA","RHONDA","HAZEL","AMBER","EVA","DEBBIE","APRIL","LESLIE","CLARA","LUCILLE","JAMIE","JOANNE","ELEANOR","VALERIE","DANIELLE","MEGAN","ALICIA","SUZANNE","MICHELE","GAIL","BERTHA","DARLENE","VERONICA","JILL","ERIN","GERALDINE","LAUREN","CATHY","JOANN","LORRAINE","LYNN","SALLY","REGINA","ERICA","BEATRICE","DOLORES","BERNICE","AUDREY","YVONNE","ANNETTE","JUNE","SAMANTHA","MARION","DANA","STACY","ANA","RENEE","IDA","VIVIAN","ROBERTA","HOLLY","BRITTANY","MELANIE","LORETTA","YOLANDA","JEANETTE","LAURIE","KATIE","KRISTEN","VANESSA","ALMA","SUE","ELSIE","BETH","JEANNE","VICKI","CARLA","TARA","ROSEMARY","EILEEN","TERRI","GERTRUDE","LUCY","TONYA","ELLA","STACEY","WILMA","GINA","KRISTIN","JESSIE","NATALIE","AGNES","VERA","WILLIE","CHARLENE","BESSIE","DELORES","MELINDA","PEARL","ARLENE","MAUREEN","COLLEEN","ALLISON","TAMARA","JOY","GEORGIA","CONSTANCE","LILLIE","CLAUDIA","JACKIE","MARCIA","TANYA","NELLIE","MINNIE","MARLENE","HEIDI","GLENDA","LYDIA","VIOLA","COURTNEY","MARIAN","STELLA","CAROLINE","DORA","JO","VICKIE","MATTIE","TERRY","MAXINE","IRMA","MABEL","MARSHA","MYRTLE","LENA","CHRISTY","DEANNA","PATSY","HILDA","GWENDOLYN","JENNIE","NORA","MARGIE","NINA","CASSANDRA","LEAH","PENNY","KAY","PRISCILLA","NAOMI","CAROLE","BRANDY","OLGA","BILLIE","DIANNE","TRACEY","LEONA","JENNY","FELICIA","SONIA","MIRIAM","VELMA","BECKY","BOBBIE","VIOLET","KRISTINA","TONI","MISTY","MAE","SHELLY","DAISY","RAMONA","SHERRI","ERIKA","KATRINA","CLAIRE","LINDSEY","LINDSAY","GENEVA","GUADALUPE","BELINDA","MARGARITA","SHERYL","CORA","FAYE","ADA","NATASHA","SABRINA","ISABEL","MARGUERITE","HATTIE","HARRIET","MOLLY","CECILIA","KRISTI","BRANDI","BLANCHE","SANDY","ROSIE","JOANNA","IRIS","EUNICE","ANGIE","INEZ","LYNDA","MADELINE","AMELIA","ALBERTA","GENEVIEVE","MONIQUE","JODI","JANIE","MAGGIE","KAYLA","SONYA","JAN","LEE","KRISTINE","CANDACE","FANNIE","MARYANN","OPAL","ALISON","YVETTE","MELODY","LUZ","SUSIE","OLIVIA","FLORA","SHELLEY","KRISTY","MAMIE","LULA","LOLA","VERNA","BEULAH","ANTOINETTE","CANDICE","JUANA","JEANNETTE","PAM","KELLI","HANNAH","WHITNEY","BRIDGET","KARLA","CELIA","LATOYA","PATTY","SHELIA","GAYLE","DELLA","VICKY","LYNNE","SHERI","MARIANNE","KARA","JACQUELYN","ERMA","BLANCA","MYRA","LETICIA","PAT","KRISTA","ROXANNE","ANGELICA","JOHNNIE","ROBYN","FRANCIS","ADRIENNE","ROSALIE","ALEXANDRA","BROOKE","BETHANY","SADIE","BERNADETTE","TRACI","JODY","KENDRA","JASMINE","NICHOLE","RACHAEL","CHELSEA","MABLE","ERNESTINE","MURIEL","MARCELLA","ELENA","KRYSTAL","ANGELINA","NADINE","KARI","ESTELLE","DIANNA","PAULETTE","LORA","MONA","DOREEN","ROSEMARIE","ANGEL","DESIREE","ANTONIA","HOPE","GINGER","JANIS","BETSY","CHRISTIE","FREDA","MERCEDES","MEREDITH","LYNETTE","TERI","CRISTINA","EULA","LEIGH","MEGHAN","SOPHIA","ELOISE","ROCHELLE","GRETCHEN","CECELIA","RAQUEL","HENRIETTA","ALYSSA","JANA","KELLEY","GWEN","KERRY","JENNA","TRICIA","LAVERNE","OLIVE","ALEXIS","TASHA","SILVIA","ELVIRA","CASEY","DELIA","SOPHIE","KATE","PATTI","LORENA","KELLIE","SONJA","LILA","LANA","DARLA","MAY","MINDY","ESSIE","MANDY","LORENE","ELSA","JOSEFINA","JEANNIE","MIRANDA","DIXIE","LUCIA","MARTA","FAITH","LELA","JOHANNA","SHARI","CAMILLE","TAMI","SHAWNA","ELISA","EBONY","MELBA","ORA","NETTIE","TABITHA","OLLIE","JAIME","WINIFRED","KRISTIE","MARINA","ALISHA","AIMEE","RENA","MYRNA","MARLA","TAMMIE","LATASHA","BONITA","PATRICE","RONDA","SHERRIE","ADDIE","FRANCINE","DELORIS","STACIE","ADRIANA","CHERI","SHELBY","ABIGAIL","CELESTE","JEWEL","CARA","ADELE","REBEKAH","LUCINDA","DORTHY","CHRIS","EFFIE","TRINA","REBA","SHAWN","SALLIE","AURORA","LENORA","ETTA","LOTTIE","KERRI","TRISHA","NIKKI","ESTELLA","FRANCISCA","JOSIE","TRACIE","MARISSA","KARIN","BRITTNEY","JANELLE","LOURDES","LAUREL","HELENE","FERN","ELVA","CORINNE","KELSEY","INA","BETTIE","ELISABETH","AIDA","CAITLIN","INGRID","IVA","EUGENIA","CHRISTA","GOLDIE","CASSIE","MAUDE","JENIFER","THERESE","FRANKIE","DENA","LORNA","JANETTE","LATONYA","CANDY","MORGAN","CONSUELO","TAMIKA","ROSETTA","DEBORA","CHERIE","POLLY","DINA","JEWELL","FAY","JILLIAN","DOROTHEA","NELL","TRUDY","ESPERANZA","PATRICA","KIMBERLEY","SHANNA","HELENA","CAROLINA","CLEO","STEFANIE","ROSARIO","OLA","JANINE","MOLLIE","LUPE","ALISA","LOU","MARIBEL","SUSANNE","BETTE","SUSANA","ELISE","CECILE","ISABELLE","LESLEY","JOCELYN","PAIGE","JONI","RACHELLE","LEOLA","DAPHNE","ALTA","ESTER","PETRA","GRACIELA","IMOGENE","JOLENE","KEISHA","LACEY","GLENNA","GABRIELA","KERI","URSULA","LIZZIE","KIRSTEN","SHANA","ADELINE","MAYRA","JAYNE","JACLYN","GRACIE","SONDRA","CARMELA","MARISA","ROSALIND","CHARITY","TONIA","BEATRIZ","MARISOL","CLARICE","JEANINE","SHEENA","ANGELINE","FRIEDA","LILY","ROBBIE","SHAUNA","MILLIE","CLAUDETTE","CATHLEEN","ANGELIA","GABRIELLE","AUTUMN","KATHARINE","SUMMER","JODIE","STACI","LEA","CHRISTI","JIMMIE","JUSTINE","ELMA","LUELLA","MARGRET","DOMINIQUE","SOCORRO","RENE","MARTINA","MARGO","MAVIS","CALLIE","BOBBI","MARITZA","LUCILE","LEANNE","JEANNINE","DEANA","AILEEN","LORIE","LADONNA","WILLA","MANUELA","GALE","SELMA","DOLLY","SYBIL","ABBY","LARA","DALE","IVY","DEE","WINNIE","MARCY","LUISA","JERI","MAGDALENA","OFELIA","MEAGAN","AUDRA","MATILDA","LEILA","CORNELIA","BIANCA","SIMONE","BETTYE","RANDI","VIRGIE","LATISHA","BARBRA","GEORGINA","ELIZA","LEANN","BRIDGETTE","RHODA","HALEY","ADELA","NOLA","BERNADINE","FLOSSIE","ILA","GRETA","RUTHIE","NELDA","MINERVA","LILLY","TERRIE","LETHA","HILARY","ESTELA","VALARIE","BRIANNA","ROSALYN","EARLINE","CATALINA","AVA","MIA","CLARISSA","LIDIA","CORRINE","ALEXANDRIA","CONCEPCION","TIA","SHARRON","RAE","DONA","ERICKA","JAMI","ELNORA","CHANDRA","LENORE","NEVA","MARYLOU","MELISA","TABATHA","SERENA","AVIS","ALLIE","SOFIA","JEANIE","ODESSA","NANNIE","HARRIETT","LORAINE","PENELOPE","MILAGROS","EMILIA","BENITA","ALLYSON","ASHLEE","TANIA","TOMMIE","ESMERALDA","KARINA","EVE","PEARLIE","ZELMA","MALINDA","NOREEN","TAMEKA","SAUNDRA","HILLARY","AMIE","ALTHEA","ROSALINDA","JORDAN","LILIA","ALANA","GAY","CLARE","ALEJANDRA","ELINOR","MICHAEL","LORRIE","JERRI","DARCY","EARNESTINE","CARMELLA","TAYLOR","NOEMI","MARCIE","LIZA","ANNABELLE","LOUISA","EARLENE","MALLORY","CARLENE","NITA","SELENA","TANISHA","KATY","JULIANNE","JOHN","LAKISHA","EDWINA","MARICELA","MARGERY","KENYA","DOLLIE","ROXIE","ROSLYN","KATHRINE","NANETTE","CHARMAINE","LAVONNE","ILENE","KRIS","TAMMI","SUZETTE","CORINE","KAYE","JERRY","MERLE","CHRYSTAL","LINA","DEANNE","LILIAN","JULIANA","ALINE","LUANN","KASEY","MARYANNE","EVANGELINE","COLETTE","MELVA","LAWANDA","YESENIA","NADIA","MADGE","KATHIE","EDDIE","OPHELIA","VALERIA","NONA","MITZI","MARI","GEORGETTE","CLAUDINE","FRAN","ALISSA","ROSEANN","LAKEISHA","SUSANNA","REVA","DEIDRE","CHASITY","SHEREE","CARLY","JAMES","ELVIA","ALYCE","DEIRDRE","GENA","BRIANA","ARACELI","KATELYN","ROSANNE","WENDI","TESSA","BERTA","MARVA","IMELDA","MARIETTA","MARCI","LEONOR","ARLINE","SASHA","MADELYN","JANNA","JULIETTE","DEENA","AURELIA","JOSEFA","AUGUSTA","LILIANA","YOUNG","CHRISTIAN","LESSIE","AMALIA","SAVANNAH","ANASTASIA","VILMA","NATALIA","ROSELLA","LYNNETTE","CORINA","ALFREDA","LEANNA","CAREY","AMPARO","COLEEN","TAMRA","AISHA","WILDA","KARYN","CHERRY","QUEEN","MAURA","MAI","EVANGELINA","ROSANNA","HALLIE","ERNA","ENID","MARIANA","LACY","JULIET","JACKLYN","FREIDA","MADELEINE","MARA","HESTER","CATHRYN","LELIA","CASANDRA","BRIDGETT","ANGELITA","JANNIE","DIONNE","ANNMARIE","KATINA","BERYL","PHOEBE","MILLICENT","KATHERYN","DIANN","CARISSA","MARYELLEN","LIZ","LAURI","HELGA","GILDA","ADRIAN","RHEA","MARQUITA","HOLLIE","TISHA","TAMERA","ANGELIQUE","FRANCESCA","BRITNEY","KAITLIN","LOLITA","FLORINE","ROWENA","REYNA","TWILA","FANNY","JANELL","INES","CONCETTA","BERTIE","ALBA","BRIGITTE","ALYSON","VONDA","PANSY","ELBA","NOELLE","LETITIA","KITTY","DEANN","BRANDIE","LOUELLA","LETA","FELECIA","SHARLENE","LESA","BEVERLEY","ROBERT","ISABELLA","HERMINIA","TERRA","CELINA","TORI","OCTAVIA","JADE","DENICE","GERMAINE","SIERRA","MICHELL","CORTNEY","NELLY","DORETHA","SYDNEY","DEIDRA","MONIKA","LASHONDA","JUDI","CHELSEY","ANTIONETTE","MARGOT","BOBBY","ADELAIDE","NAN","LEEANN","ELISHA","DESSIE","LIBBY","KATHI","GAYLA","LATANYA","MINA","MELLISA","KIMBERLEE","JASMIN","RENAE","ZELDA","ELDA","MA","JUSTINA","GUSSIE","EMILIE","CAMILLA","ABBIE","ROCIO","KAITLYN","JESSE","EDYTHE","ASHLEIGH","SELINA","LAKESHA","GERI","ALLENE","PAMALA","MICHAELA","DAYNA","CARYN","ROSALIA","SUN","JACQULINE","REBECA","MARYBETH","KRYSTLE","IOLA","DOTTIE","BENNIE","BELLE","AUBREY","GRISELDA","ERNESTINA","ELIDA","ADRIANNE","DEMETRIA","DELMA","CHONG","JAQUELINE","DESTINY","ARLEEN","VIRGINA","RETHA","FATIMA","TILLIE","ELEANORE","CARI","TREVA","BIRDIE","WILHELMINA","ROSALEE","MAURINE","LATRICE","YONG","JENA","TARYN","ELIA","DEBBY","MAUDIE","JEANNA","DELILAH","CATRINA","SHONDA","HORTENCIA","THEODORA","TERESITA","ROBBIN","DANETTE","MARYJANE","FREDDIE","DELPHINE","BRIANNE","NILDA","DANNA","CINDI","BESS","IONA","HANNA","ARIEL","WINONA","VIDA","ROSITA","MARIANNA","WILLIAM","RACHEAL","GUILLERMINA","ELOISA","CELESTINE","CAREN","MALISSA","LONA","CHANTEL","SHELLIE","MARISELA","LEORA","AGATHA","SOLEDAD","MIGDALIA","IVETTE","CHRISTEN","ATHENA","JANEL","CHLOE","VEDA","PATTIE","TESSIE","TERA","MARILYNN","LUCRETIA","KARRIE","DINAH","DANIELA","ALECIA","ADELINA","VERNICE","SHIELA","PORTIA","MERRY","LASHAWN","DEVON","DARA","TAWANA","OMA","VERDA","CHRISTIN","ALENE","ZELLA","SANDI","RAFAELA","MAYA","KIRA","CANDIDA","ALVINA","SUZAN","SHAYLA","LYN","LETTIE","ALVA","SAMATHA","ORALIA","MATILDE","MADONNA","LARISSA","VESTA","RENITA","INDIA","DELOIS","SHANDA","PHILLIS","LORRI","ERLINDA","CRUZ","CATHRINE","BARB","ZOE","ISABELL","IONE","GISELA","CHARLIE","VALENCIA","ROXANNA","MAYME","KISHA","ELLIE","MELLISSA","DORRIS","DALIA","BELLA","ANNETTA","ZOILA","RETA","REINA","LAURETTA","KYLIE","CHRISTAL","PILAR","CHARLA","ELISSA","TIFFANI","TANA","PAULINA","LEOTA","BREANNA","JAYME","CARMEL","VERNELL","TOMASA","MANDI","DOMINGA","SANTA","MELODIE","LURA","ALEXA","TAMELA","RYAN","MIRNA","KERRIE","VENUS","NOEL","FELICITA","CRISTY","CARMELITA","BERNIECE","ANNEMARIE","TIARA","ROSEANNE","MISSY","CORI","ROXANA","PRICILLA","KRISTAL","JUNG","ELYSE","HAYDEE","ALETHA","BETTINA","MARGE","GILLIAN","FILOMENA","CHARLES","ZENAIDA","HARRIETTE","CARIDAD","VADA","UNA","ARETHA","PEARLINE","MARJORY","MARCELA","FLOR","EVETTE","ELOUISE","ALINA","TRINIDAD","DAVID","DAMARIS","CATHARINE","CARROLL","BELVA","NAKIA","MARLENA","LUANNE","LORINE","KARON","DORENE","DANITA","BRENNA","TATIANA","SAMMIE","LOUANN","LOREN","JULIANNA","ANDRIA","PHILOMENA","LUCILA","LEONORA","DOVIE","ROMONA","MIMI","JACQUELIN","GAYE","TONJA","MISTI","JOE","GENE","CHASTITY","STACIA","ROXANN","MICAELA","NIKITA","MEI","VELDA","MARLYS","JOHNNA","AURA","LAVERN","IVONNE","HAYLEY","NICKI","MAJORIE","HERLINDA","GEORGE","ALPHA","YADIRA","PERLA","GREGORIA","DANIEL","ANTONETTE","SHELLI","MOZELLE","MARIAH","JOELLE","CORDELIA","JOSETTE","CHIQUITA","TRISTA","LOUIS","LAQUITA","GEORGIANA","CANDI","SHANON","LONNIE","HILDEGARD","CECIL","VALENTINA","STEPHANY","MAGDA","KAROL","GERRY","GABRIELLA","TIANA","ROMA","RICHELLE","RAY","PRINCESS","OLETA","JACQUE","IDELLA","ALAINA","SUZANNA","JOVITA","BLAIR","TOSHA","RAVEN","NEREIDA","MARLYN","KYLA","JOSEPH","DELFINA","TENA","STEPHENIE","SABINA","NATHALIE","MARCELLE","GERTIE","DARLEEN","THEA","SHARONDA","SHANTEL","BELEN","VENESSA","ROSALINA","ONA","GENOVEVA","COREY","CLEMENTINE","ROSALBA","RENATE","RENATA","MI","IVORY","GEORGIANNA","FLOY","DORCAS","ARIANA","TYRA","THEDA","MARIAM","JULI","JESICA","DONNIE","VIKKI","VERLA","ROSELYN","MELVINA","JANNETTE","GINNY","DEBRAH","CORRIE","ASIA","VIOLETA","MYRTIS","LATRICIA","COLLETTE","CHARLEEN","ANISSA","VIVIANA","TWYLA","PRECIOUS","NEDRA","LATONIA","LAN","HELLEN","FABIOLA","ANNAMARIE","ADELL","SHARYN","CHANTAL","NIKI","MAUD","LIZETTE","LINDY","KIA","KESHA","JEANA","DANELLE","CHARLINE","CHANEL","CARROL","VALORIE","LIA","DORTHA","CRISTAL","SUNNY","LEONE","LEILANI","GERRI","DEBI","ANDRA","KESHIA","IMA","EULALIA","EASTER","DULCE","NATIVIDAD","LINNIE","KAMI","GEORGIE","CATINA","BROOK","ALDA","WINNIFRED","SHARLA","RUTHANN","MEAGHAN","MAGDALENE","LISSETTE","ADELAIDA","VENITA","TRENA","SHIRLENE","SHAMEKA","ELIZEBETH","DIAN","SHANTA","MICKEY","LATOSHA","CARLOTTA","WINDY","SOON","ROSINA","MARIANN","LEISA","JONNIE","DAWNA","CATHIE","BILLY","ASTRID","SIDNEY","LAUREEN","JANEEN","HOLLI","FAWN","VICKEY","TERESSA","SHANTE","RUBYE","MARCELINA","CHANDA","CARY","TERESE","SCARLETT","MARTY","MARNIE","LULU","LISETTE","JENIFFER","ELENOR","DORINDA","DONITA","CARMAN","BERNITA","ALTAGRACIA","ALETA","ADRIANNA","ZORAIDA","RONNIE","NICOLA","LYNDSEY","KENDALL","JANINA","CHRISSY","AMI","STARLA","PHYLIS","PHUONG","KYRA","CHARISSE","BLANCH","SANJUANITA","RONA","NANCI","MARILEE","MARANDA","CORY","BRIGETTE","SANJUANA","MARITA","KASSANDRA","JOYCELYN","IRA","FELIPA","CHELSIE","BONNY","MIREYA","LORENZA","KYONG","ILEANA","CANDELARIA","TONY","TOBY","SHERIE","OK","MARK","LUCIE","LEATRICE","LAKESHIA","GERDA","EDIE","BAMBI","MARYLIN","LAVON","HORTENSE","GARNET","EVIE","TRESSA","SHAYNA","LAVINA","KYUNG","JEANETTA","SHERRILL","SHARA","PHYLISS","MITTIE","ANABEL","ALESIA","THUY","TAWANDA","RICHARD","JOANIE","TIFFANIE","LASHANDA","KARISSA","ENRIQUETA","DARIA","DANIELLA","CORINNA","ALANNA","ABBEY","ROXANE","ROSEANNA","MAGNOLIA","LIDA","KYLE","JOELLEN","ERA","CORAL","CARLEEN","TRESA","PEGGIE","NOVELLA","NILA","MAYBELLE","JENELLE","CARINA","NOVA","MELINA","MARQUERITE","MARGARETTE","JOSEPHINA","EVONNE","DEVIN","CINTHIA","ALBINA","TOYA","TAWNYA","SHERITA","SANTOS","MYRIAM","LIZABETH","LISE","KEELY","JENNI","GISELLE","CHERYLE","ARDITH","ARDIS","ALESHA","ADRIANE","SHAINA","LINNEA","KAROLYN","HONG","FLORIDA","FELISHA","DORI","DARCI","ARTIE","ARMIDA","ZOLA","XIOMARA","VERGIE","SHAMIKA","NENA","NANNETTE","MAXIE","LOVIE","JEANE","JAIMIE","INGE","FARRAH","ELAINA","CAITLYN","STARR","FELICITAS","CHERLY","CARYL","YOLONDA","YASMIN","TEENA","PRUDENCE","PENNIE","NYDIA","MACKENZIE","ORPHA","MARVEL","LIZBETH","LAURETTE","JERRIE","HERMELINDA","CAROLEE","TIERRA","MIRIAN","META","MELONY","KORI","JENNETTE","JAMILA","ENA","ANH","YOSHIKO","SUSANNAH","SALINA","RHIANNON","JOLEEN","CRISTINE","ASHTON","ARACELY","TOMEKA","SHALONDA","MARTI","LACIE","KALA","JADA","ILSE","HAILEY","BRITTANI","ZONA","SYBLE","SHERRYL","RANDY","NIDIA","MARLO","KANDICE","KANDI","DEB","DEAN","AMERICA","ALYCIA","TOMMY","RONNA","NORENE","MERCY","JOSE","INGEBORG","GIOVANNA","GEMMA","CHRISTEL","AUDRY","ZORA","VITA","VAN","TRISH","STEPHAINE","SHIRLEE","SHANIKA","MELONIE","MAZIE","JAZMIN","INGA","HOA","HETTIE","GERALYN","FONDA","ESTRELLA","ADELLA","SU","SARITA","RINA","MILISSA","MARIBETH","GOLDA","EVON","ETHELYN","ENEDINA","CHERISE","CHANA","VELVA","TAWANNA","SADE","MIRTA","LI","KARIE","JACINTA","ELNA","DAVINA","CIERRA","ASHLIE","ALBERTHA","TANESHA","STEPHANI","NELLE","MINDI","LU","LORINDA","LARUE","FLORENE","DEMETRA","DEDRA","CIARA","CHANTELLE","ASHLY","SUZY","ROSALVA","NOELIA","LYDA","LEATHA","KRYSTYNA","KRISTAN","KARRI","DARLINE","DARCIE","CINDA","CHEYENNE","CHERRIE","AWILDA","ALMEDA","ROLANDA","LANETTE","JERILYN","GISELE","EVALYN","CYNDI","CLETA","CARIN","ZINA","ZENA","VELIA","TANIKA","PAUL","CHARISSA","THOMAS","TALIA","MARGARETE","LAVONDA","KAYLEE","KATHLENE","JONNA","IRENA","ILONA","IDALIA","CANDIS","CANDANCE","BRANDEE","ANITRA","ALIDA","SIGRID","NICOLETTE","MARYJO","LINETTE","HEDWIG","CHRISTIANA","CASSIDY","ALEXIA","TRESSIE","MODESTA","LUPITA","LITA","GLADIS","EVELIA","DAVIDA","CHERRI","CECILY","ASHELY","ANNABEL","AGUSTINA","WANITA","SHIRLY","ROSAURA","HULDA","EUN","BAILEY","YETTA","VERONA","THOMASINA","SIBYL","SHANNAN","MECHELLE","LUE","LEANDRA","LANI","KYLEE","KANDY","JOLYNN","FERNE","EBONI","CORENE","ALYSIA","ZULA","NADA","MOIRA","LYNDSAY","LORRETTA","JUAN","JAMMIE","HORTENSIA","GAYNELL","CAMERON","ADRIA","VINA","VICENTA","TANGELA","STEPHINE","NORINE","NELLA","LIANA","LESLEE","KIMBERELY","ILIANA","GLORY","FELICA","EMOGENE","ELFRIEDE","EDEN","EARTHA","CARMA","BEA","OCIE","MARRY","LENNIE","KIARA","JACALYN","CARLOTA","ARIELLE","YU","STAR","OTILIA","KIRSTIN","KACEY","JOHNETTA","JOEY","JOETTA","JERALDINE","JAUNITA","ELANA","DORTHEA","CAMI","AMADA","ADELIA","VERNITA","TAMAR","SIOBHAN","RENEA","RASHIDA","OUIDA","ODELL","NILSA","MERYL","KRISTYN","JULIETA","DANICA","BREANNE","AUREA","ANGLEA","SHERRON","ODETTE","MALIA","LORELEI","LIN","LEESA","KENNA","KATHLYN","FIONA","CHARLETTE","SUZIE","SHANTELL","SABRA","RACQUEL","MYONG","MIRA","MARTINE","LUCIENNE","LAVADA","JULIANN","JOHNIE","ELVERA","DELPHIA","CLAIR","CHRISTIANE","CHAROLETTE","CARRI","AUGUSTINE","ASHA","ANGELLA","PAOLA","NINFA","LEDA","LAI","EDA","SUNSHINE","STEFANI","SHANELL","PALMA","MACHELLE","LISSA","KECIA","KATHRYNE","KARLENE","JULISSA","JETTIE","JENNIFFER","HUI","CORRINA","CHRISTOPHER","CAROLANN","ALENA","TESS","ROSARIA","MYRTICE","MARYLEE","LIANE","KENYATTA","JUDIE","JANEY","IN","ELMIRA","ELDORA","DENNA","CRISTI","CATHI","ZAIDA","VONNIE","VIVA","VERNIE","ROSALINE","MARIELA","LUCIANA","LESLI","KARAN","FELICE","DENEEN","ADINA","WYNONA","TARSHA","SHERON","SHASTA","SHANITA","SHANI","SHANDRA","RANDA","PINKIE","PARIS","NELIDA","MARILOU","LYLA","LAURENE","LACI","JOI","JANENE","DOROTHA","DANIELE","DANI","CAROLYNN","CARLYN","BERENICE","AYESHA","ANNELIESE","ALETHEA","THERSA","TAMIKO","RUFINA","OLIVA","MOZELL","MARYLYN","MADISON","KRISTIAN","KATHYRN","KASANDRA","KANDACE","JANAE","GABRIEL","DOMENICA","DEBBRA","DANNIELLE","CHUN","BUFFY","BARBIE","ARCELIA","AJA","ZENOBIA","SHAREN","SHAREE","PATRICK","PAGE","MY","LAVINIA","KUM","KACIE","JACKELINE","HUONG","FELISA","EMELIA","ELEANORA","CYTHIA","CRISTIN","CLYDE","CLARIBEL","CARON","ANASTACIA","ZULMA","ZANDRA","YOKO","TENISHA","SUSANN","SHERILYN","SHAY","SHAWANDA","SABINE","ROMANA","MATHILDA","LINSEY","KEIKO","JOANA","ISELA","GRETTA","GEORGETTA","EUGENIE","DUSTY","DESIRAE","DELORA","CORAZON","ANTONINA","ANIKA","WILLENE","TRACEE","TAMATHA","REGAN","NICHELLE","MICKIE","MAEGAN","LUANA","LANITA","KELSIE","EDELMIRA","BREE","AFTON","TEODORA","TAMIE","SHENA","MEG","LINH","KELI","KACI","DANYELLE","BRITT","ARLETTE","ALBERTINE","ADELLE","TIFFINY","STORMY","SIMONA","NUMBERS","NICOLASA","NICHOL","NIA","NAKISHA","MEE","MAIRA","LOREEN","KIZZY","JOHNNY","JAY","FALLON","CHRISTENE","BOBBYE","ANTHONY","YING","VINCENZA","TANJA","RUBIE","RONI","QUEENIE","MARGARETT","KIMBERLI","IRMGARD","IDELL","HILMA","EVELINA","ESTA","EMILEE","DENNISE","DANIA","CARL","CARIE","ANTONIO","WAI","SANG","RISA","RIKKI","PARTICIA","MUI","MASAKO","MARIO","LUVENIA","LOREE","LONI","LIEN","KEVIN","GIGI","FLORENCIA","DORIAN","DENITA","DALLAS","CHI","BILLYE","ALEXANDER","TOMIKA","SHARITA","RANA","NIKOLE","NEOMA","MARGARITE","MADALYN","LUCINA","LAILA","KALI","JENETTE","GABRIELE","EVELYNE","ELENORA","CLEMENTINA","ALEJANDRINA","ZULEMA","VIOLETTE","VANNESSA","THRESA","RETTA","PIA","PATIENCE","NOELLA","NICKIE","JONELL","DELTA","CHUNG","CHAYA","CAMELIA","BETHEL","ANYA","ANDREW","THANH","SUZANN","SPRING","SHU","MILA","LILLA","LAVERNA","KEESHA","KATTIE","GIA","GEORGENE","EVELINE","ESTELL","ELIZBETH","VIVIENNE","VALLIE","TRUDIE","STEPHANE","MICHEL","MAGALY","MADIE","KENYETTA","KARREN","JANETTA","HERMINE","HARMONY","DRUCILLA","DEBBI","CELESTINA","CANDIE","BRITNI","BECKIE","AMINA","ZITA","YUN","YOLANDE","VIVIEN","VERNETTA","TRUDI","SOMMER","PEARLE","PATRINA","OSSIE","NICOLLE","LOYCE","LETTY","LARISA","KATHARINA","JOSELYN","JONELLE","JENELL","IESHA","HEIDE","FLORINDA","FLORENTINA","FLO","ELODIA","DORINE","BRUNILDA","BRIGID","ASHLI","ARDELLA","TWANA","THU","TARAH","SUNG","SHEA","SHAVON","SHANE","SERINA","RAYNA","RAMONITA","NGA","MARGURITE","LUCRECIA","KOURTNEY","KATI","JESUS","JESENIA","DIAMOND","CRISTA","AYANA","ALICA","ALIA","VINNIE","SUELLEN","ROMELIA","RACHELL","PIPER","OLYMPIA","MICHIKO","KATHALEEN","JOLIE","JESSI","JANESSA","HANA","HA","ELEASE","CARLETTA","BRITANY","SHONA","SALOME","ROSAMOND","REGENA","RAINA","NGOC","NELIA","LOUVENIA","LESIA","LATRINA","LATICIA","LARHONDA","JINA","JACKI","HOLLIS","HOLLEY","EMMY","DEEANN","CORETTA","ARNETTA","VELVET","THALIA","SHANICE","NETA","MIKKI","MICKI","LONNA","LEANA","LASHUNDA","KILEY","JOYE","JACQULYN","IGNACIA","HYUN","HIROKO","HENRY","HENRIETTE","ELAYNE","DELINDA","DARNELL","DAHLIA","COREEN","CONSUELA","CONCHITA","CELINE","BABETTE","AYANNA","ANETTE","ALBERTINA","SKYE","SHAWNEE","SHANEKA","QUIANA","PAMELIA","MIN","MERRI","MERLENE","MARGIT","KIESHA","KIERA","KAYLENE","JODEE","JENISE","ERLENE","EMMIE","ELSE","DARYL","DALILA","DAISEY","CODY","CASIE","BELIA","BABARA","VERSIE","VANESA","SHELBA","SHAWNDA","SAM","NORMAN","NIKIA","NAOMA","MARNA","MARGERET","MADALINE","LAWANA","KINDRA","JUTTA","JAZMINE","JANETT","HANNELORE","GLENDORA","GERTRUD","GARNETT","FREEDA","FREDERICA","FLORANCE","FLAVIA","DENNIS","CARLINE","BEVERLEE","ANJANETTE","VALDA","TRINITY","TAMALA","STEVIE","SHONNA","SHA","SARINA","ONEIDA","MICAH","MERILYN","MARLEEN","LURLINE","LENNA","KATHERIN","JIN","JENI","HAE","GRACIA","GLADY","FARAH","ERIC","ENOLA","EMA","DOMINQUE","DEVONA","DELANA","CECILA","CAPRICE","ALYSHA","ALI","ALETHIA","VENA","THERESIA","TAWNY","SONG","SHAKIRA","SAMARA","SACHIKO","RACHELE","PAMELLA","NICKY","MARNI","MARIEL","MAREN","MALISA","LIGIA","LERA","LATORIA","LARAE","KIMBER","KATHERN","KAREY","JENNEFER","JANETH","HALINA","FREDIA","DELISA","DEBROAH","CIERA","CHIN","ANGELIKA","ANDREE","ALTHA","YEN","VIVAN","TERRESA","TANNA","SUK","SUDIE","SOO","SIGNE","SALENA","RONNI","REBBECCA","MYRTIE","MCKENZIE","MALIKA","MAIDA","LOAN","LEONARDA","KAYLEIGH","FRANCE","ETHYL","ELLYN","DAYLE","CAMMIE","BRITTNI","BIRGIT","AVELINA","ASUNCION","ARIANNA","AKIKO","VENICE","TYESHA","TONIE","TIESHA","TAKISHA","STEFFANIE","SINDY","SANTANA","MEGHANN","MANDA","MACIE","LADY","KELLYE","KELLEE","JOSLYN","JASON","INGER","INDIRA","GLINDA","GLENNIS","FERNANDA","FAUSTINA","ENEIDA","ELICIA","DOT","DIGNA","DELL","ARLETTA","ANDRE","WILLIA","TAMMARA","TABETHA","SHERRELL","SARI","REFUGIO","REBBECA","PAULETTA","NIEVES","NATOSHA","NAKITA","MAMMIE","KENISHA","KAZUKO","KASSIE","GARY","EARLEAN","DAPHINE","CORLISS","CLOTILDE","CAROLYNE","BERNETTA","AUGUSTINA","AUDREA","ANNIS","ANNABELL","YAN","TENNILLE","TAMICA","SELENE","SEAN","ROSANA","REGENIA","QIANA","MARKITA","MACY","LEEANNE","LAURINE","KYM","JESSENIA","JANITA","GEORGINE","GENIE","EMIKO","ELVIE","DEANDRA","DAGMAR","CORIE","COLLEN","CHERISH","ROMAINE","PORSHA","PEARLENE","MICHELINE","MERNA","MARGORIE","MARGARETTA","LORE","KENNETH","JENINE","HERMINA","FREDERICKA","ELKE","DRUSILLA","DORATHY","DIONE","DESIRE","CELENA","BRIGIDA","ANGELES","ALLEGRA","THEO","TAMEKIA","SYNTHIA","STEPHEN","SOOK","SLYVIA","ROSANN","REATHA","RAYE","MARQUETTA","MARGART","LING","LAYLA","KYMBERLY","KIANA","KAYLEEN","KATLYN","KARMEN","JOELLA","IRINA","EMELDA","ELENI","DETRA","CLEMMIE","CHERYLL","CHANTELL","CATHEY","ARNITA","ARLA","ANGLE","ANGELIC","ALYSE","ZOFIA","THOMASINE","TENNIE","SON","SHERLY","SHERLEY","SHARYL","REMEDIOS","PETRINA","NICKOLE","MYUNG","MYRLE","MOZELLA","LOUANNE","LISHA","LATIA","LANE","KRYSTA","JULIENNE","JOEL","JEANENE","JACQUALINE","ISAURA","GWENDA","EARLEEN","DONALD","CLEOPATRA","CARLIE","AUDIE","ANTONIETTA","ALISE","ALEX","VERDELL","VAL","TYLER","TOMOKO","THAO","TALISHA","STEVEN","SO","SHEMIKA","SHAUN","SCARLET","SAVANNA","SANTINA","ROSIA","RAEANN","ODILIA","NANA","MINNA","MAGAN","LYNELLE","LE","KARMA","JOEANN","IVANA","INELL","ILANA","HYE","HONEY","HEE","GUDRUN","FRANK","DREAMA","CRISSY","CHANTE","CARMELINA","ARVILLA","ARTHUR","ANNAMAE","ALVERA","ALEIDA","AARON","YEE","YANIRA","VANDA","TIANNA","TAM","STEFANIA","SHIRA","PERRY","NICOL","NANCIE","MONSERRATE","MINH","MELYNDA","MELANY","MATTHEW","LOVELLA","LAURE","KIRBY","KACY","JACQUELYNN","HYON","GERTHA","FRANCISCO","ELIANA","CHRISTENA","CHRISTEEN","CHARISE","CATERINA","CARLEY","CANDYCE","ARLENA","AMMIE","YANG","WILLETTE","VANITA","TUYET","TINY","SYREETA","SILVA","SCOTT","RONALD","PENNEY","NYLA","MICHAL","MAURICE","MARYAM","MARYA","MAGEN","LUDIE","LOMA","LIVIA","LANELL","KIMBERLIE","JULEE","DONETTA","DIEDRA","DENISHA","DEANE","DAWNE","CLARINE","CHERRYL","BRONWYN","BRANDON","ALLA","VALERY","TONDA","SUEANN","SORAYA","SHOSHANA","SHELA","SHARLEEN","SHANELLE","NERISSA","MICHEAL","MERIDITH","MELLIE","MAYE","MAPLE","MAGARET","LUIS","LILI","LEONILA","LEONIE","LEEANNA","LAVONIA","LAVERA","KRISTEL","KATHEY","KATHE","JUSTIN","JULIAN","JIMMY","JANN","ILDA","HILDRED","HILDEGARDE","GENIA","FUMIKO","EVELIN","ERMELINDA","ELLY","DUNG","DOLORIS","DIONNA","DANAE","BERNEICE","ANNICE","ALIX","VERENA","VERDIE","TRISTAN","SHAWNNA","SHAWANA","SHAUNNA","ROZELLA","RANDEE","RANAE","MILAGRO","LYNELL","LUISE","LOUIE","LOIDA","LISBETH","KARLEEN","JUNITA","JONA","ISIS","HYACINTH","HEDY","GWENN","ETHELENE","ERLINE","EDWARD","DONYA","DOMONIQUE","DELICIA","DANNETTE","CICELY","BRANDA","BLYTHE","BETHANN","ASHLYN","ANNALEE","ALLINE","YUKO","VELLA","TRANG","TOWANDA","TESHA","SHERLYN","NARCISA","MIGUELINA","MERI","MAYBELL","MARLANA","MARGUERITA","MADLYN","LUNA","LORY","LORIANN","LIBERTY","LEONORE","LEIGHANN","LAURICE","LATESHA","LARONDA","KATRICE","KASIE","KARL","KALEY","JADWIGA","GLENNIE","GEARLDINE","FRANCINA","EPIFANIA","DYAN","DORIE","DIEDRE","DENESE","DEMETRICE","DELENA","DARBY","CRISTIE","CLEORA","CATARINA","CARISA","BERNIE","BARBERA","ALMETA","TRULA","TEREASA","SOLANGE","SHEILAH","SHAVONNE","SANORA","ROCHELL","MATHILDE","MARGARETA","MAIA","LYNSEY","LAWANNA","LAUNA","KENA","KEENA","KATIA","JAMEY","GLYNDA","GAYLENE","ELVINA","ELANOR","DANUTA","DANIKA","CRISTEN","CORDIE","COLETTA","CLARITA","CARMON","BRYNN","AZUCENA","AUNDREA","ANGELE","YI","WALTER","VERLIE","VERLENE","TAMESHA","SILVANA","SEBRINA","SAMIRA","REDA","RAYLENE","PENNI","PANDORA","NORAH","NOMA","MIREILLE","MELISSIA","MARYALICE","LARAINE","KIMBERY","KARYL","KARINE","KAM","JOLANDA","JOHANA","JESUSA","JALEESA","JAE","JACQUELYNE","IRISH","ILUMINADA","HILARIA","HANH","GENNIE","FRANCIE","FLORETTA","EXIE","EDDA","DREMA","DELPHA","BEV","BARBAR","ASSUNTA","ARDELL","ANNALISA","ALISIA","YUKIKO","YOLANDO","WONDA","WEI","WALTRAUD","VETA","TEQUILA","TEMEKA","TAMEIKA","SHIRLEEN","SHENITA","PIEDAD","OZELLA","MIRTHA","MARILU","KIMIKO","JULIANE","JENICE","JEN","JANAY","JACQUILINE","HILDE","FE","FAE","EVAN","EUGENE","ELOIS","ECHO","DEVORAH","CHAU","BRINDA","BETSEY","ARMINDA","ARACELIS","APRYL","ANNETT","ALISHIA","VEOLA","USHA","TOSHIKO","THEOLA","TASHIA","TALITHA","SHERY","RUDY","RENETTA","REIKO","RASHEEDA","OMEGA","OBDULIA","MIKA","MELAINE","MEGGAN","MARTIN","MARLEN","MARGET","MARCELINE","MANA","MAGDALEN","LIBRADA","LEZLIE","LEXIE","LATASHIA","LASANDRA","KELLE","ISIDRA","ISA","INOCENCIA","GWYN","FRANCOISE","ERMINIA","ERINN","DIMPLE","DEVORA","CRISELDA","ARMANDA","ARIE","ARIANE","ANGELO","ANGELENA","ALLEN","ALIZA","ADRIENE","ADALINE","XOCHITL","TWANNA","TRAN","TOMIKO","TAMISHA","TAISHA","SUSY","SIU","RUTHA","ROXY","RHONA","RAYMOND","OTHA","NORIKO","NATASHIA","MERRIE","MELVIN","MARINDA","MARIKO","MARGERT","LORIS","LIZZETTE","LEISHA","KAILA","KA","JOANNIE","JERRICA","JENE","JANNET","JANEE","JACINDA","HERTA","ELENORE","DORETTA","DELAINE","DANIELL","CLAUDIE","CHINA","BRITTA","APOLONIA","AMBERLY","ALEASE","YURI","YUK","WEN","WANETA","UTE","TOMI","SHARRI","SANDIE","ROSELLE","REYNALDA","RAGUEL","PHYLICIA","PATRIA","OLIMPIA","ODELIA","MITZIE","MITCHELL","MISS","MINDA","MIGNON","MICA","MENDY","MARIVEL","MAILE","LYNETTA","LAVETTE","LAURYN","LATRISHA","LAKIESHA","KIERSTEN","KARY","JOSPHINE","JOLYN","JETTA","JANISE","JACQUIE","IVELISSE","GLYNIS","GIANNA","GAYNELLE","EMERALD","DEMETRIUS","DANYELL","DANILLE","DACIA","CORALEE","CHER","CEOLA","BRETT","BELL","ARIANNE","ALESHIA","YUNG","WILLIEMAE","TROY","TRINH","THORA","TAI","SVETLANA","SHERIKA","SHEMEKA","SHAUNDA","ROSELINE","RICKI","MELDA","MALLIE","LAVONNA","LATINA","LARRY","LAQUANDA","LALA","LACHELLE","KLARA","KANDIS","JOHNA","JEANMARIE","JAYE","HANG","GRAYCE","GERTUDE","EMERITA","EBONIE","CLORINDA","CHING","CHERY","CAROLA","BREANN","BLOSSOM","BERNARDINE","BECKI","ARLETHA","ARGELIA","ARA","ALITA","YULANDA","YON","YESSENIA","TOBI","TASIA","SYLVIE","SHIRL","SHIRELY","SHERIDAN","SHELLA","SHANTELLE","SACHA","ROYCE","REBECKA","REAGAN","PROVIDENCIA","PAULENE","MISHA","MIKI","MARLINE","MARICA","LORITA","LATOYIA","LASONYA","KERSTIN","KENDA","KEITHA","KATHRIN","JAYMIE","JACK","GRICELDA","GINETTE","ERYN","ELINA","ELFRIEDA","DANYEL","CHEREE","CHANELLE","BARRIE","AVERY","AURORE","ANNAMARIA","ALLEEN","AILENE","AIDE","YASMINE","VASHTI","VALENTINE","TREASA","TORY","TIFFANEY","SHERYLL","SHARIE","SHANAE","SAU","RAISA","PA","NEDA","MITSUKO","MIRELLA","MILDA","MARYANNA","MARAGRET","MABELLE","LUETTA","LORINA","LETISHA","LATARSHA","LANELLE","LAJUANA","KRISSY","KARLY","KARENA","JON","JESSIKA","JERICA","JEANELLE","JANUARY","JALISA","JACELYN","IZOLA","IVEY","GREGORY","EUNA","ETHA","DREW","DOMITILA","DOMINICA","DAINA","CREOLA","CARLI","CAMIE","BUNNY","BRITTNY","ASHANTI","ANISHA","ALEEN","ADAH","YASUKO","WINTER","VIKI","VALRIE","TONA","TINISHA","THI","TERISA","TATUM","TANEKA","SIMONNE","SHALANDA","SERITA","RESSIE","REFUGIA","PAZ","OLENE","NA","MERRILL","MARGHERITA","MANDIE","MAN","MAIRE","LYNDIA","LUCI","LORRIANE","LORETA","LEONIA","LAVONA","LASHAWNDA","LAKIA","KYOKO","KRYSTINA","KRYSTEN","KENIA","KELSI","JUDE","JEANICE","ISOBEL","GEORGIANN","GENNY","FELICIDAD","EILENE","DEON","DELOISE","DEEDEE","DANNIE","CONCEPTION","CLORA","CHERILYN","CHANG","CALANDRA","BERRY","ARMANDINA","ANISA","ULA","TIMOTHY","TIERA","THERESSA","STEPHANIA","SIMA","SHYLA","SHONTA","SHERA","SHAQUITA","SHALA","SAMMY","ROSSANA","NOHEMI","NERY","MORIAH","MELITA","MELIDA","MELANI","MARYLYNN","MARISHA","MARIETTE","MALORIE","MADELENE","LUDIVINA","LORIA","LORETTE","LORALEE","LIANNE","LEON","LAVENIA","LAURINDA","LASHON","KIT","KIMI","KEILA","KATELYNN","KAI","JONE","JOANE","JI","JAYNA","JANELLA","JA","HUE","HERTHA","FRANCENE","ELINORE","DESPINA","DELSIE","DEEDRA","CLEMENCIA","CARRY","CAROLIN","CARLOS","BULAH","BRITTANIE","BOK","BLONDELL","BIBI","BEAULAH","BEATA","ANNITA","AGRIPINA","VIRGEN","VALENE","UN","TWANDA","TOMMYE","TOI","TARRA","TARI","TAMMERA","SHAKIA","SADYE","RUTHANNE","ROCHEL","RIVKA","PURA","NENITA","NATISHA","MING","MERRILEE","MELODEE","MARVIS","LUCILLA","LEENA","LAVETA","LARITA","LANIE","KEREN","ILEEN","GEORGEANN","GENNA","GENESIS","FRIDA","EWA","EUFEMIA","EMELY","ELA","EDYTH","DEONNA","DEADRA","DARLENA","CHANELL","CHAN","CATHERN","CASSONDRA","CASSAUNDRA","BERNARDA","BERNA","ARLINDA","ANAMARIA","ALBERT","WESLEY","VERTIE","VALERI","TORRI","TATYANA","STASIA","SHERISE","SHERILL","SEASON","SCOTTIE","SANDA","RUTHE","ROSY","ROBERTO","ROBBI","RANEE","QUYEN","PEARLY","PALMIRA","ONITA","NISHA","NIESHA","NIDA","NEVADA","NAM","MERLYN","MAYOLA","MARYLOUISE","MARYLAND","MARX","MARTH","MARGENE","MADELAINE","LONDA","LEONTINE","LEOMA","LEIA","LAWRENCE","LAURALEE","LANORA","LAKITA","KIYOKO","KETURAH","KATELIN","KAREEN","JONIE","JOHNETTE","JENEE","JEANETT","IZETTA","HIEDI","HEIKE","HASSIE","HAROLD","GIUSEPPINA","GEORGANN","FIDELA","FERNANDE","ELWANDA","ELLAMAE","ELIZ","DUSTI","DOTTY","CYNDY","CORALIE","CELESTA","ARGENTINA","ALVERTA","XENIA","WAVA","VANETTA","TORRIE","TASHINA","TANDY","TAMBRA","TAMA","STEPANIE","SHILA","SHAUNTA","SHARAN","SHANIQUA","SHAE","SETSUKO","SERAFINA","SANDEE","ROSAMARIA","PRISCILA","OLINDA","NADENE","MUOI","MICHELINA","MERCEDEZ","MARYROSE","MARIN","MARCENE","MAO","MAGALI","MAFALDA","LOGAN","LINN","LANNIE","KAYCE","KAROLINE","KAMILAH","KAMALA","JUSTA","JOLINE","JENNINE","JACQUETTA","IRAIDA","GERALD","GEORGEANNA","FRANCHESCA","FAIRY","EMELINE","ELANE","EHTEL","EARLIE","DULCIE","DALENE","CRIS","CLASSIE","CHERE","CHARIS","CAROYLN","CARMINA","CARITA","BRIAN","BETHANIE","AYAKO","ARICA","AN","ALYSA","ALESSANDRA","AKILAH","ADRIEN","ZETTA","YOULANDA","YELENA","YAHAIRA","XUAN","WENDOLYN","VICTOR","TIJUANA","TERRELL","TERINA","TERESIA","SUZI","SUNDAY","SHERELL","SHAVONDA","SHAUNTE","SHARDA","SHAKITA","SENA","RYANN","RUBI","RIVA","REGINIA","REA","RACHAL","PARTHENIA","PAMULA","MONNIE","MONET","MICHAELE","MELIA","MARINE","MALKA","MAISHA","LISANDRA","LEO","LEKISHA","LEAN","LAURENCE","LAKENDRA","KRYSTIN","KORTNEY","KIZZIE","KITTIE","KERA","KENDAL","KEMBERLY","KANISHA","JULENE","JULE","JOSHUA","JOHANNE","JEFFREY","JAMEE","HAN","HALLEY","GIDGET","GALINA","FREDRICKA","FLETA","FATIMAH","EUSEBIA","ELZA","ELEONORE","DORTHEY","DORIA","DONELLA","DINORAH","DELORSE","CLARETHA","CHRISTINIA","CHARLYN","BONG","BELKIS","AZZIE","ANDERA","AIKO","ADENA","YER","YAJAIRA","WAN","VANIA","ULRIKE","TOSHIA","TIFANY","STEFANY","SHIZUE","SHENIKA","SHAWANNA","SHAROLYN","SHARILYN","SHAQUANA","SHANTAY","SEE","ROZANNE","ROSELEE","RICKIE","REMONA","REANNA","RAELENE","QUINN","PHUNG","PETRONILA","NATACHA","NANCEY","MYRL","MIYOKO","MIESHA","MERIDETH","MARVELLA","MARQUITTA","MARHTA","MARCHELLE","LIZETH","LIBBIE","LAHOMA","LADAWN","KINA","KATHELEEN","KATHARYN","KARISA","KALEIGH","JUNIE","JULIEANN","JOHNSIE","JANEAN","JAIMEE","JACKQUELINE","HISAKO","HERMA","HELAINE","GWYNETH","GLENN","GITA","EUSTOLIA","EMELINA","ELIN","EDRIS","DONNETTE","DONNETTA","DIERDRE","DENAE","DARCEL","CLAUDE","CLARISA","CINDERELLA","CHIA","CHARLESETTA","CHARITA","CELSA","CASSY","CASSI","CARLEE","BRUNA","BRITTANEY","BRANDE","BILLI","BAO","ANTONETTA","ANGLA","ANGELYN","ANALISA","ALANE","WENONA","WENDIE","VERONIQUE","VANNESA","TOBIE","TEMPIE","SUMIKO","SULEMA","SPARKLE","SOMER","SHEBA","SHAYNE","SHARICE","SHANEL","SHALON","SAGE","ROY","ROSIO","ROSELIA","RENAY","REMA","REENA","PORSCHE","PING","PEG","OZIE","ORETHA","ORALEE","ODA","NU","NGAN","NAKESHA","MILLY","MARYBELLE","MARLIN","MARIS","MARGRETT","MARAGARET","MANIE","LURLENE","LILLIA","LIESELOTTE","LAVELLE","LASHAUNDA","LAKEESHA","KEITH","KAYCEE","KALYN","JOYA","JOETTE","JENAE","JANIECE","ILLA","GRISEL","GLAYDS","GENEVIE","GALA","FREDDA","FRED","ELMER","ELEONOR","DEBERA","DEANDREA","DAN","CORRINNE","CORDIA","CONTESSA","COLENE","CLEOTILDE","CHARLOTT","CHANTAY","CECILLE","BEATRIS","AZALEE","ARLEAN","ARDATH","ANJELICA","ANJA","ALFREDIA","ALEISHA","ADAM","ZADA","YUONNE","XIAO","WILLODEAN","WHITLEY","VENNIE","VANNA","TYISHA","TOVA","TORIE","TONISHA","TILDA","TIEN","TEMPLE","SIRENA","SHERRIL","SHANTI","SHAN","SENAIDA","SAMELLA","ROBBYN","RENDA","REITA","PHEBE","PAULITA","NOBUKO","NGUYET","NEOMI","MOON","MIKAELA","MELANIA","MAXIMINA","MARG","MAISIE","LYNNA","LILLI","LAYNE","LASHAUN","LAKENYA","LAEL","KIRSTIE","KATHLINE","KASHA","KARLYN","KARIMA","JOVAN","JOSEFINE","JENNELL","JACQUI","JACKELYN","HYO","HIEN","GRAZYNA","FLORRIE","FLORIA","ELEONORA","DWANA","DORLA","DONG","DELMY","DEJA","DEDE","DANN","CRYSTA","CLELIA","CLARIS","CLARENCE","CHIEKO","CHERLYN","CHERELLE","CHARMAIN","CHARA","CAMMY","BEE","ARNETTE","ARDELLE","ANNIKA","AMIEE","AMEE","ALLENA","YVONE","YUKI","YOSHIE","YEVETTE","YAEL","WILLETTA","VONCILE","VENETTA","TULA","TONETTE","TIMIKA","TEMIKA","TELMA","TEISHA","TAREN","TA","STACEE","SHIN","SHAWNTA","SATURNINA","RICARDA","POK","PASTY","ONIE","NUBIA","MORA","MIKE","MARIELLE","MARIELLA","MARIANELA","MARDELL","MANY","LUANNA","LOISE","LISABETH","LINDSY","LILLIANA","LILLIAM","LELAH","LEIGHA","LEANORA","LANG","KRISTEEN","KHALILAH","KEELEY","KANDRA","JUNKO","JOAQUINA","JERLENE","JANI","JAMIKA","JAME","HSIU","HERMILA","GOLDEN","GENEVIVE","EVIA","EUGENA","EMMALINE","ELFREDA","ELENE","DONETTE","DELCIE","DEEANNA","DARCEY","CUC","CLARINDA","CIRA","CHAE","CELINDA","CATHERYN","CATHERIN","CASIMIRA","CARMELIA","CAMELLIA","BREANA","BOBETTE","BERNARDINA","BEBE","BASILIA","ARLYNE","AMAL","ALAYNA","ZONIA","ZENIA","YURIKO","YAEKO","WYNELL","WILLOW","WILLENA","VERNIA","TU","TRAVIS","TORA","TERRILYN","TERICA","TENESHA","TAWNA","TAJUANA","TAINA","STEPHNIE","SONA","SOL","SINA","SHONDRA","SHIZUKO","SHERLENE","SHERICE","SHARIKA","ROSSIE","ROSENA","RORY","RIMA","RIA","RHEBA","RENNA","PETER","NATALYA","NANCEE","MELODI","MEDA","MAXIMA","MATHA","MARKETTA","MARICRUZ","MARCELENE","MALVINA","LUBA","LOUETTA","LEIDA","LECIA","LAURAN","LASHAWNA","LAINE","KHADIJAH","KATERINE","KASI","KALLIE","JULIETTA","JESUSITA","JESTINE","JESSIA","JEREMY","JEFFIE","JANYCE","ISADORA","GEORGIANNE","FIDELIA","EVITA","EURA","EULAH","ESTEFANA","ELSY","ELIZABET","ELADIA","DODIE","DION","DIA","DENISSE","DELORAS","DELILA","DAYSI","DAKOTA","CURTIS","CRYSTLE","CONCHA","COLBY","CLARETTA","CHU","CHRISTIA","CHARLSIE","CHARLENA","CARYLON","BETTYANN","ASLEY","ASHLEA","AMIRA","AI","AGUEDA","AGNUS","YUETTE","VINITA","VICTORINA","TYNISHA","TREENA","TOCCARA","TISH","THOMASENA","TEGAN","SOILA","SHILOH","SHENNA","SHARMAINE","SHANTAE","SHANDI","SEPTEMBER","SARAN","SARAI","SANA","SAMUEL","SALLEY","ROSETTE","ROLANDE","REGINE","OTELIA","OSCAR","OLEVIA","NICHOLLE","NECOLE","NAIDA","MYRTA","MYESHA","MITSUE","MINTA","MERTIE","MARGY","MAHALIA","MADALENE","LOVE","LOURA","LOREAN","LEWIS","LESHA","LEONIDA","LENITA","LAVONE","LASHELL","LASHANDRA","LAMONICA","KIMBRA","KATHERINA","KARRY","KANESHA","JULIO","JONG","JENEVA","JAQUELYN","HWA","GILMA","GHISLAINE","GERTRUDIS","FRANSISCA","FERMINA","ETTIE","ETSUKO","ELLIS","ELLAN","ELIDIA","EDRA","DORETHEA","DOREATHA","DENYSE","DENNY","DEETTA","DAINE","CYRSTAL","CORRIN","CAYLA","CARLITA","CAMILA","BURMA","BULA","BUENA","BLAKE","BARABARA","AVRIL","AUSTIN","ALAINE","ZANA","WILHEMINA","WANETTA","VIRGIL","VI","VERONIKA","VERNON","VERLINE","VASILIKI","TONITA","TISA","TEOFILA","TAYNA","TAUNYA","TANDRA","TAKAKO","SUNNI","SUANNE","SIXTA","SHARELL","SEEMA","RUSSELL","ROSENDA","ROBENA","RAYMONDE","PEI","PAMILA","OZELL","NEIDA","NEELY","MISTIE","MICHA","MERISSA","MAURITA","MARYLN","MARYETTA","MARSHALL","MARCELL","MALENA","MAKEDA","MADDIE","LOVETTA","LOURIE","LORRINE","LORILEE","LESTER","LAURENA","LASHAY","LARRAINE","LAREE","LACRESHA","KRISTLE","KRISHNA","KEVA","KEIRA","KAROLE","JOIE","JINNY","JEANNETTA","JAMA","HEIDY","GILBERTE","GEMA","FAVIOLA","EVELYNN","ENDA","ELLI","ELLENA","DIVINA","DAGNY","COLLENE","CODI","CINDIE","CHASSIDY","CHASIDY","CATRICE","CATHERINA","CASSEY","CAROLL","CARLENA","CANDRA","CALISTA","BRYANNA","BRITTENY","BEULA","BARI","AUDRIE","AUDRIA","ARDELIA","ANNELLE","ANGILA","ALONA","ALLYN","DOUGLAS","ROGER","JONATHAN","RALPH","NICHOLAS","BENJAMIN","BRUCE","HARRY","WAYNE","STEVE","HOWARD","ERNEST","PHILLIP","TODD","CRAIG","ALAN","PHILIP","EARL","DANNY","BRYAN","STANLEY","LEONARD","NATHAN","MANUEL","RODNEY","MARVIN","VINCENT","JEFFERY","JEFF","CHAD","JACOB","ALFRED","BRADLEY","HERBERT","FREDERICK","EDWIN","DON","RICKY","RANDALL","BARRY","BERNARD","LEROY","MARCUS","THEODORE","CLIFFORD","MIGUEL","JIM","TOM","CALVIN","BILL","LLOYD","DEREK","WARREN","DARRELL","JEROME","FLOYD","ALVIN","TIM","GORDON","GREG","JORGE","DUSTIN","PEDRO","DERRICK","ZACHARY","HERMAN","GLEN","HECTOR","RICARDO","RICK","BRENT","RAMON","GILBERT","MARC","REGINALD","RUBEN","NATHANIEL","RAFAEL","EDGAR","MILTON","RAUL","BEN","CHESTER","DUANE","FRANKLIN","BRAD","RON","ROLAND","ARNOLD","HARVEY","JARED","ERIK","DARRYL","NEIL","JAVIER","FERNANDO","CLINTON","TED","MATHEW","TYRONE","DARREN","LANCE","KURT","ALLAN","NELSON","GUY","CLAYTON","HUGH","MAX","DWAYNE","DWIGHT","ARMANDO","FELIX","EVERETT","IAN","WALLACE","KEN","BOB","ALFREDO","ALBERTO","DAVE","IVAN","BYRON","ISAAC","MORRIS","CLIFTON","WILLARD","ROSS","ANDY","SALVADOR","KIRK","SERGIO","SETH","KENT","TERRANCE","EDUARDO","TERRENCE","ENRIQUE","WADE","STUART","FREDRICK","ARTURO","ALEJANDRO","NICK","LUTHER","WENDELL","JEREMIAH","JULIUS","OTIS","TREVOR","OLIVER","LUKE","HOMER","GERARD","DOUG","KENNY","HUBERT","LYLE","MATT","ALFONSO","ORLANDO","REX","CARLTON","ERNESTO","NEAL","PABLO","LORENZO","OMAR","WILBUR","GRANT","HORACE","RODERICK","ABRAHAM","WILLIS","RICKEY","ANDRES","CESAR","JOHNATHAN","MALCOLM","RUDOLPH","DAMON","KELVIN","PRESTON","ALTON","ARCHIE","MARCO","WM","PETE","RANDOLPH","GARRY","GEOFFREY","JONATHON","FELIPE","GERARDO","ED","DOMINIC","DELBERT","COLIN","GUILLERMO","EARNEST","LUCAS","BENNY","SPENCER","RODOLFO","MYRON","EDMUND","GARRETT","SALVATORE","CEDRIC","LOWELL","GREGG","SHERMAN","WILSON","SYLVESTER","ROOSEVELT","ISRAEL","JERMAINE","FORREST","WILBERT","LELAND","SIMON","CLARK","IRVING","BRYANT","OWEN","RUFUS","WOODROW","KRISTOPHER","MACK","LEVI","MARCOS","GUSTAVO","JAKE","LIONEL","GILBERTO","CLINT","NICOLAS","ISMAEL","ORVILLE","ERVIN","DEWEY","AL","WILFRED","JOSH","HUGO","IGNACIO","CALEB","TOMAS","SHELDON","ERICK","STEWART","DOYLE","DARREL","ROGELIO","TERENCE","SANTIAGO","ALONZO","ELIAS","BERT","ELBERT","RAMIRO","CONRAD","NOAH","GRADY","PHIL","CORNELIUS","LAMAR","ROLANDO","CLAY","PERCY","DEXTER","BRADFORD","DARIN","AMOS","MOSES","IRVIN","SAUL","ROMAN","RANDAL","TIMMY","DARRIN","WINSTON","BRENDAN","ABEL","DOMINICK","BOYD","EMILIO","ELIJAH","DOMINGO","EMMETT","MARLON","EMANUEL","JERALD","EDMOND","EMIL","DEWAYNE","WILL","OTTO","TEDDY","REYNALDO","BRET","JESS","TRENT","HUMBERTO","EMMANUEL","STEPHAN","VICENTE","LAMONT","GARLAND","MILES","EFRAIN","HEATH","RODGER","HARLEY","ETHAN","ELDON","ROCKY","PIERRE","JUNIOR","FREDDY","ELI","BRYCE","ANTOINE","STERLING","CHASE","GROVER","ELTON","CLEVELAND","DYLAN","CHUCK","DAMIAN","REUBEN","STAN","AUGUST","LEONARDO","JASPER","RUSSEL","ERWIN","BENITO","HANS","MONTE","BLAINE","ERNIE","CURT","QUENTIN","AGUSTIN","MURRAY","JAMAL","ADOLFO","HARRISON","TYSON","BURTON","BRADY","ELLIOTT","WILFREDO","BART","JARROD","VANCE","DENIS","DAMIEN","JOAQUIN","HARLAN","DESMOND","ELLIOT","DARWIN","GREGORIO","BUDDY","XAVIER","KERMIT","ROSCOE","ESTEBAN","ANTON","SOLOMON","SCOTTY","NORBERT","ELVIN","WILLIAMS","NOLAN","ROD","QUINTON","HAL","BRAIN","ROB","ELWOOD","KENDRICK","DARIUS","MOISES","FIDEL","THADDEUS","CLIFF","MARCEL","JACKSON","RAPHAEL","BRYON","ARMAND","ALVARO","JEFFRY","DANE","JOESPH","THURMAN","NED","RUSTY","MONTY","FABIAN","REGGIE","MASON","GRAHAM","ISAIAH","VAUGHN","GUS","LOYD","DIEGO","ADOLPH","NORRIS","MILLARD","ROCCO","GONZALO","DERICK","RODRIGO","WILEY","RIGOBERTO","ALPHONSO","TY","NOE","VERN","REED","JEFFERSON","ELVIS","BERNARDO","MAURICIO","HIRAM","DONOVAN","BASIL","RILEY","NICKOLAS","MAYNARD","SCOT","VINCE","QUINCY","EDDY","SEBASTIAN","FEDERICO","ULYSSES","HERIBERTO","DONNELL","COLE","DAVIS","GAVIN","EMERY","WARD","ROMEO","JAYSON","DANTE","CLEMENT","COY","MAXWELL","JARVIS","BRUNO","ISSAC","DUDLEY","BROCK","SANFORD","CARMELO","BARNEY","NESTOR","STEFAN","DONNY","ART","LINWOOD","BEAU","WELDON","GALEN","ISIDRO","TRUMAN","DELMAR","JOHNATHON","SILAS","FREDERIC","DICK","IRWIN","MERLIN","CHARLEY","MARCELINO","HARRIS","CARLO","TRENTON","KURTIS","HUNTER","AURELIO","WINFRED","VITO","COLLIN","DENVER","CARTER","LEONEL","EMORY","PASQUALE","MOHAMMAD","MARIANO","DANIAL","LANDON","DIRK","BRANDEN","ADAN","BUFORD","GERMAN","WILMER","EMERSON","ZACHERY","FLETCHER","JACQUES","ERROL","DALTON","MONROE","JOSUE","EDWARDO","BOOKER","WILFORD","SONNY","SHELTON","CARSON","THERON","RAYMUNDO","DAREN","HOUSTON","ROBBY","LINCOLN","GENARO","BENNETT","OCTAVIO","CORNELL","HUNG","ARRON","ANTONY","HERSCHEL","GIOVANNI","GARTH","CYRUS","CYRIL","RONNY","LON","FREEMAN","DUNCAN","KENNITH","CARMINE","ERICH","CHADWICK","WILBURN","RUSS","REID","MYLES","ANDERSON","MORTON","JONAS","FOREST","MITCHEL","MERVIN","ZANE","RICH","JAMEL","LAZARO","ALPHONSE","RANDELL","MAJOR","JARRETT","BROOKS","ABDUL","LUCIANO","SEYMOUR","EUGENIO","MOHAMMED","VALENTIN","CHANCE","ARNULFO","LUCIEN","FERDINAND","THAD","EZRA","ALDO","RUBIN","ROYAL","MITCH","EARLE","ABE","WYATT","MARQUIS","LANNY","KAREEM","JAMAR","BORIS","ISIAH","EMILE","ELMO","ARON","LEOPOLDO","EVERETTE","JOSEF","ELOY","RODRICK","REINALDO","LUCIO","JERROD","WESTON","HERSHEL","BARTON","PARKER","LEMUEL","BURT","JULES","GIL","ELISEO","AHMAD","NIGEL","EFREN","ANTWAN","ALDEN","MARGARITO","COLEMAN","DINO","OSVALDO","LES","DEANDRE","NORMAND","KIETH","TREY","NORBERTO","NAPOLEON","JEROLD","FRITZ","ROSENDO","MILFORD","CHRISTOPER","ALFONZO","LYMAN","JOSIAH","BRANT","WILTON","RICO","JAMAAL","DEWITT","BRENTON","OLIN","FOSTER","FAUSTINO","CLAUDIO","JUDSON","GINO","EDGARDO","ALEC","TANNER","JARRED","DONN","TAD","PRINCE","PORFIRIO","ODIS","LENARD","CHAUNCEY","TOD","MEL","MARCELO","KORY","AUGUSTUS","KEVEN","HILARIO","BUD","SAL","ORVAL","MAURO","ZACHARIAH","OLEN","ANIBAL","MILO","JED","DILLON","AMADO","NEWTON","LENNY","RICHIE","HORACIO","BRICE","MOHAMED","DELMER","DARIO","REYES","MAC","JONAH","JERROLD","ROBT","HANK","RUPERT","ROLLAND","KENTON","DAMION","ANTONE","WALDO","FREDRIC","BRADLY","KIP","BURL","WALKER","TYREE","JEFFEREY","AHMED","WILLY","STANFORD","OREN","NOBLE","MOSHE","MIKEL","ENOCH","BRENDON","QUINTIN","JAMISON","FLORENCIO","DARRICK","TOBIAS","HASSAN","GIUSEPPE","DEMARCUS","CLETUS","TYRELL","LYNDON","KEENAN","WERNER","GERALDO","COLUMBUS","CHET","BERTRAM","MARKUS","HUEY","HILTON","DWAIN","DONTE","TYRON","OMER","ISAIAS","HIPOLITO","FERMIN","ADALBERTO","BO","BARRETT","TEODORO","MCKINLEY","MAXIMO","GARFIELD","RALEIGH","LAWERENCE","ABRAM","RASHAD","KING","EMMITT","DARON","SAMUAL","MIQUEL","EUSEBIO","DOMENIC","DARRON","BUSTER","WILBER","RENATO","JC","HOYT","HAYWOOD","EZEKIEL","CHAS","FLORENTINO","ELROY","CLEMENTE","ARDEN","NEVILLE","EDISON","DESHAWN","NATHANIAL","JORDON","DANILO","CLAUD","SHERWOOD","RAYMON","RAYFORD","CRISTOBAL","AMBROSE","TITUS","HYMAN","FELTON","EZEQUIEL","ERASMO","STANTON","LONNY","LEN","IKE","MILAN","LINO","JAROD","HERB","ANDREAS","WALTON","RHETT","PALMER","DOUGLASS","CORDELL","OSWALDO","ELLSWORTH","VIRGILIO","TONEY","NATHANAEL","DEL","BENEDICT","MOSE","JOHNSON","ISREAL","GARRET","FAUSTO","ASA","ARLEN","ZACK","WARNER","MODESTO","FRANCESCO","MANUAL","GAYLORD","GASTON","FILIBERTO","DEANGELO","MICHALE","GRANVILLE","WES","MALIK","ZACKARY","TUAN","ELDRIDGE","CRISTOPHER","CORTEZ","ANTIONE","MALCOM","LONG","KOREY","JOSPEH","COLTON","WAYLON","VON","HOSEA","SHAD","SANTO","RUDOLF","ROLF","REY","RENALDO","MARCELLUS","LUCIUS","KRISTOFER","BOYCE","BENTON","HAYDEN","HARLAND","ARNOLDO","RUEBEN","LEANDRO","KRAIG","JERRELL","JEROMY","HOBERT","CEDRICK","ARLIE","WINFORD","WALLY","LUIGI","KENETH","JACINTO","GRAIG","FRANKLYN","EDMUNDO","SID","PORTER","LEIF","JERAMY","BUCK","WILLIAN","VINCENZO","SHON","LYNWOOD","JERE","HAI","ELDEN","DORSEY","DARELL","BRODERICK","ALONSO"
-1
TheAlgorithms/Python
6,591
Test on Python 3.11
### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-10-03T07:32:25Z"
"2022-10-31T13:50:03Z"
b2165a65fcf1a087236d2a1527b10b64a12f69e6
a31edd4477af958adb840dadd568c38eecc9567b
Test on Python 3.11. ### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
# Arithmetic analysis Arithmetic analysis is a branch of mathematics that deals with solving linear equations. * <https://en.wikipedia.org/wiki/System_of_linear_equations> * <https://en.wikipedia.org/wiki/Gaussian_elimination> * <https://en.wikipedia.org/wiki/Root-finding_algorithms>
# Arithmetic analysis Arithmetic analysis is a branch of mathematics that deals with solving linear equations. * <https://en.wikipedia.org/wiki/System_of_linear_equations> * <https://en.wikipedia.org/wiki/Gaussian_elimination> * <https://en.wikipedia.org/wiki/Root-finding_algorithms>
-1
TheAlgorithms/Python
6,591
Test on Python 3.11
### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-10-03T07:32:25Z"
"2022-10-31T13:50:03Z"
b2165a65fcf1a087236d2a1527b10b64a12f69e6
a31edd4477af958adb840dadd568c38eecc9567b
Test on Python 3.11. ### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
63,13,28,75,0,23,14,8,0,76,22,89,12,4,13,14,69,16,24,69,29,4,18,23,69,69,59,14,69,11,14,4,29,18
63,13,28,75,0,23,14,8,0,76,22,89,12,4,13,14,69,16,24,69,29,4,18,23,69,69,59,14,69,11,14,4,29,18
-1
TheAlgorithms/Python
6,591
Test on Python 3.11
### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-10-03T07:32:25Z"
"2022-10-31T13:50:03Z"
b2165a65fcf1a087236d2a1527b10b64a12f69e6
a31edd4477af958adb840dadd568c38eecc9567b
Test on Python 3.11. ### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
4445,2697,5115,718,2209,2212,654,4348,3079,6821,7668,3276,8874,4190,3785,2752,9473,7817,9137,496,7338,3434,7152,4355,4552,7917,7827,2460,2350,691,3514,5880,3145,7633,7199,3783,5066,7487,3285,1084,8985,760,872,8609,8051,1134,9536,5750,9716,9371,7619,5617,275,9721,2997,2698,1887,8825,6372,3014,2113,7122,7050,6775,5948,2758,1219,3539,348,7989,2735,9862,1263,8089,6401,9462,3168,2758,3748,5870 1096,20,1318,7586,5167,2642,1443,5741,7621,7030,5526,4244,2348,4641,9827,2448,6918,5883,3737,300,7116,6531,567,5997,3971,6623,820,6148,3287,1874,7981,8424,7672,7575,6797,6717,1078,5008,4051,8795,5820,346,1851,6463,2117,6058,3407,8211,117,4822,1317,4377,4434,5925,8341,4800,1175,4173,690,8978,7470,1295,3799,8724,3509,9849,618,3320,7068,9633,2384,7175,544,6583,1908,9983,481,4187,9353,9377 9607,7385,521,6084,1364,8983,7623,1585,6935,8551,2574,8267,4781,3834,2764,2084,2669,4656,9343,7709,2203,9328,8004,6192,5856,3555,2260,5118,6504,1839,9227,1259,9451,1388,7909,5733,6968,8519,9973,1663,5315,7571,3035,4325,4283,2304,6438,3815,9213,9806,9536,196,5542,6907,2475,1159,5820,9075,9470,2179,9248,1828,4592,9167,3713,4640,47,3637,309,7344,6955,346,378,9044,8635,7466,5036,9515,6385,9230 7206,3114,7760,1094,6150,5182,7358,7387,4497,955,101,1478,7777,6966,7010,8417,6453,4955,3496,107,449,8271,131,2948,6185,784,5937,8001,6104,8282,4165,3642,710,2390,575,715,3089,6964,4217,192,5949,7006,715,3328,1152,66,8044,4319,1735,146,4818,5456,6451,4113,1063,4781,6799,602,1504,6245,6550,1417,1343,2363,3785,5448,4545,9371,5420,5068,4613,4882,4241,5043,7873,8042,8434,3939,9256,2187 3620,8024,577,9997,7377,7682,1314,1158,6282,6310,1896,2509,5436,1732,9480,706,496,101,6232,7375,2207,2306,110,6772,3433,2878,8140,5933,8688,1399,2210,7332,6172,6403,7333,4044,2291,1790,2446,7390,8698,5723,3678,7104,1825,2040,140,3982,4905,4160,2200,5041,2512,1488,2268,1175,7588,8321,8078,7312,977,5257,8465,5068,3453,3096,1651,7906,253,9250,6021,8791,8109,6651,3412,345,4778,5152,4883,7505 1074,5438,9008,2679,5397,5429,2652,3403,770,9188,4248,2493,4361,8327,9587,707,9525,5913,93,1899,328,2876,3604,673,8576,6908,7659,2544,3359,3883,5273,6587,3065,1749,3223,604,9925,6941,2823,8767,7039,3290,3214,1787,7904,3421,7137,9560,8451,2669,9219,6332,1576,5477,6755,8348,4164,4307,2984,4012,6629,1044,2874,6541,4942,903,1404,9125,5160,8836,4345,2581,460,8438,1538,5507,668,3352,2678,6942 4295,1176,5596,1521,3061,9868,7037,7129,8933,6659,5947,5063,3653,9447,9245,2679,767,714,116,8558,163,3927,8779,158,5093,2447,5782,3967,1716,931,7772,8164,1117,9244,5783,7776,3846,8862,6014,2330,6947,1777,3112,6008,3491,1906,5952,314,4602,8994,5919,9214,3995,5026,7688,6809,5003,3128,2509,7477,110,8971,3982,8539,2980,4689,6343,5411,2992,5270,5247,9260,2269,7474,1042,7162,5206,1232,4556,4757 510,3556,5377,1406,5721,4946,2635,7847,4251,8293,8281,6351,4912,287,2870,3380,3948,5322,3840,4738,9563,1906,6298,3234,8959,1562,6297,8835,7861,239,6618,1322,2553,2213,5053,5446,4402,6500,5182,8585,6900,5756,9661,903,5186,7687,5998,7997,8081,8955,4835,6069,2621,1581,732,9564,1082,1853,5442,1342,520,1737,3703,5321,4793,2776,1508,1647,9101,2499,6891,4336,7012,3329,3212,1442,9993,3988,4930,7706 9444,3401,5891,9716,1228,7107,109,3563,2700,6161,5039,4992,2242,8541,7372,2067,1294,3058,1306,320,8881,5756,9326,411,8650,8824,5495,8282,8397,2000,1228,7817,2099,6473,3571,5994,4447,1299,5991,543,7874,2297,1651,101,2093,3463,9189,6872,6118,872,1008,1779,2805,9084,4048,2123,5877,55,3075,1737,9459,4535,6453,3644,108,5982,4437,5213,1340,6967,9943,5815,669,8074,1838,6979,9132,9315,715,5048 3327,4030,7177,6336,9933,5296,2621,4785,2755,4832,2512,2118,2244,4407,2170,499,7532,9742,5051,7687,970,6924,3527,4694,5145,1306,2165,5940,2425,8910,3513,1909,6983,346,6377,4304,9330,7203,6605,3709,3346,970,369,9737,5811,4427,9939,3693,8436,5566,1977,3728,2399,3985,8303,2492,5366,9802,9193,7296,1033,5060,9144,2766,1151,7629,5169,5995,58,7619,7565,4208,1713,6279,3209,4908,9224,7409,1325,8540 6882,1265,1775,3648,4690,959,5837,4520,5394,1378,9485,1360,4018,578,9174,2932,9890,3696,116,1723,1178,9355,7063,1594,1918,8574,7594,7942,1547,6166,7888,354,6932,4651,1010,7759,6905,661,7689,6092,9292,3845,9605,8443,443,8275,5163,7720,7265,6356,7779,1798,1754,5225,6661,1180,8024,5666,88,9153,1840,3508,1193,4445,2648,3538,6243,6375,8107,5902,5423,2520,1122,5015,6113,8859,9370,966,8673,2442 7338,3423,4723,6533,848,8041,7921,8277,4094,5368,7252,8852,9166,2250,2801,6125,8093,5738,4038,9808,7359,9494,601,9116,4946,2702,5573,2921,9862,1462,1269,2410,4171,2709,7508,6241,7522,615,2407,8200,4189,5492,5649,7353,2590,5203,4274,710,7329,9063,956,8371,3722,4253,4785,1194,4828,4717,4548,940,983,2575,4511,2938,1827,2027,2700,1236,841,5760,1680,6260,2373,3851,1841,4968,1172,5179,7175,3509 4420,1327,3560,2376,6260,2988,9537,4064,4829,8872,9598,3228,1792,7118,9962,9336,4368,9189,6857,1829,9863,6287,7303,7769,2707,8257,2391,2009,3975,4993,3068,9835,3427,341,8412,2134,4034,8511,6421,3041,9012,2983,7289,100,1355,7904,9186,6920,5856,2008,6545,8331,3655,5011,839,8041,9255,6524,3862,8788,62,7455,3513,5003,8413,3918,2076,7960,6108,3638,6999,3436,1441,4858,4181,1866,8731,7745,3744,1000 356,8296,8325,1058,1277,4743,3850,2388,6079,6462,2815,5620,8495,5378,75,4324,3441,9870,1113,165,1544,1179,2834,562,6176,2313,6836,8839,2986,9454,5199,6888,1927,5866,8760,320,1792,8296,7898,6121,7241,5886,5814,2815,8336,1576,4314,3109,2572,6011,2086,9061,9403,3947,5487,9731,7281,3159,1819,1334,3181,5844,5114,9898,4634,2531,4412,6430,4262,8482,4546,4555,6804,2607,9421,686,8649,8860,7794,6672 9870,152,1558,4963,8750,4754,6521,6256,8818,5208,5691,9659,8377,9725,5050,5343,2539,6101,1844,9700,7750,8114,5357,3001,8830,4438,199,9545,8496,43,2078,327,9397,106,6090,8181,8646,6414,7499,5450,4850,6273,5014,4131,7639,3913,6571,8534,9703,4391,7618,445,1320,5,1894,6771,7383,9191,4708,9706,6939,7937,8726,9382,5216,3685,2247,9029,8154,1738,9984,2626,9438,4167,6351,5060,29,1218,1239,4785 192,5213,8297,8974,4032,6966,5717,1179,6523,4679,9513,1481,3041,5355,9303,9154,1389,8702,6589,7818,6336,3539,5538,3094,6646,6702,6266,2759,4608,4452,617,9406,8064,6379,444,5602,4950,1810,8391,1536,316,8714,1178,5182,5863,5110,5372,4954,1978,2971,5680,4863,2255,4630,5723,2168,538,1692,1319,7540,440,6430,6266,7712,7385,5702,620,641,3136,7350,1478,3155,2820,9109,6261,1122,4470,14,8493,2095 1046,4301,6082,474,4974,7822,2102,5161,5172,6946,8074,9716,6586,9962,9749,5015,2217,995,5388,4402,7652,6399,6539,1349,8101,3677,1328,9612,7922,2879,231,5887,2655,508,4357,4964,3554,5930,6236,7384,4614,280,3093,9600,2110,7863,2631,6626,6620,68,1311,7198,7561,1768,5139,1431,221,230,2940,968,5283,6517,2146,1646,869,9402,7068,8645,7058,1765,9690,4152,2926,9504,2939,7504,6074,2944,6470,7859 4659,736,4951,9344,1927,6271,8837,8711,3241,6579,7660,5499,5616,3743,5801,4682,9748,8796,779,1833,4549,8138,4026,775,4170,2432,4174,3741,7540,8017,2833,4027,396,811,2871,1150,9809,2719,9199,8504,1224,540,2051,3519,7982,7367,2761,308,3358,6505,2050,4836,5090,7864,805,2566,2409,6876,3361,8622,5572,5895,3280,441,7893,8105,1634,2929,274,3926,7786,6123,8233,9921,2674,5340,1445,203,4585,3837 5759,338,7444,7968,7742,3755,1591,4839,1705,650,7061,2461,9230,9391,9373,2413,1213,431,7801,4994,2380,2703,6161,6878,8331,2538,6093,1275,5065,5062,2839,582,1014,8109,3525,1544,1569,8622,7944,2905,6120,1564,1839,5570,7579,1318,2677,5257,4418,5601,7935,7656,5192,1864,5886,6083,5580,6202,8869,1636,7907,4759,9082,5854,3185,7631,6854,5872,5632,5280,1431,2077,9717,7431,4256,8261,9680,4487,4752,4286 1571,1428,8599,1230,7772,4221,8523,9049,4042,8726,7567,6736,9033,2104,4879,4967,6334,6716,3994,1269,8995,6539,3610,7667,6560,6065,874,848,4597,1711,7161,4811,6734,5723,6356,6026,9183,2586,5636,1092,7779,7923,8747,6887,7505,9909,1792,3233,4526,3176,1508,8043,720,5212,6046,4988,709,5277,8256,3642,1391,5803,1468,2145,3970,6301,7767,2359,8487,9771,8785,7520,856,1605,8972,2402,2386,991,1383,5963 1822,4824,5957,6511,9868,4113,301,9353,6228,2881,2966,6956,9124,9574,9233,1601,7340,973,9396,540,4747,8590,9535,3650,7333,7583,4806,3593,2738,8157,5215,8472,2284,9473,3906,6982,5505,6053,7936,6074,7179,6688,1564,1103,6860,5839,2022,8490,910,7551,7805,881,7024,1855,9448,4790,1274,3672,2810,774,7623,4223,4850,6071,9975,4935,1915,9771,6690,3846,517,463,7624,4511,614,6394,3661,7409,1395,8127 8738,3850,9555,3695,4383,2378,87,6256,6740,7682,9546,4255,6105,2000,1851,4073,8957,9022,6547,5189,2487,303,9602,7833,1628,4163,6678,3144,8589,7096,8913,5823,4890,7679,1212,9294,5884,2972,3012,3359,7794,7428,1579,4350,7246,4301,7779,7790,3294,9547,4367,3549,1958,8237,6758,3497,3250,3456,6318,1663,708,7714,6143,6890,3428,6853,9334,7992,591,6449,9786,1412,8500,722,5468,1371,108,3939,4199,2535 7047,4323,1934,5163,4166,461,3544,2767,6554,203,6098,2265,9078,2075,4644,6641,8412,9183,487,101,7566,5622,1975,5726,2920,5374,7779,5631,3753,3725,2672,3621,4280,1162,5812,345,8173,9785,1525,955,5603,2215,2580,5261,2765,2990,5979,389,3907,2484,1232,5933,5871,3304,1138,1616,5114,9199,5072,7442,7245,6472,4760,6359,9053,7876,2564,9404,3043,9026,2261,3374,4460,7306,2326,966,828,3274,1712,3446 3975,4565,8131,5800,4570,2306,8838,4392,9147,11,3911,7118,9645,4994,2028,6062,5431,2279,8752,2658,7836,994,7316,5336,7185,3289,1898,9689,2331,5737,3403,1124,2679,3241,7748,16,2724,5441,6640,9368,9081,5618,858,4969,17,2103,6035,8043,7475,2181,939,415,1617,8500,8253,2155,7843,7974,7859,1746,6336,3193,2617,8736,4079,6324,6645,8891,9396,5522,6103,1857,8979,3835,2475,1310,7422,610,8345,7615 9248,5397,5686,2988,3446,4359,6634,9141,497,9176,6773,7448,1907,8454,916,1596,2241,1626,1384,2741,3649,5362,8791,7170,2903,2475,5325,6451,924,3328,522,90,4813,9737,9557,691,2388,1383,4021,1609,9206,4707,5200,7107,8104,4333,9860,5013,1224,6959,8527,1877,4545,7772,6268,621,4915,9349,5970,706,9583,3071,4127,780,8231,3017,9114,3836,7503,2383,1977,4870,8035,2379,9704,1037,3992,3642,1016,4303 5093,138,4639,6609,1146,5565,95,7521,9077,2272,974,4388,2465,2650,722,4998,3567,3047,921,2736,7855,173,2065,4238,1048,5,6847,9548,8632,9194,5942,4777,7910,8971,6279,7253,2516,1555,1833,3184,9453,9053,6897,7808,8629,4877,1871,8055,4881,7639,1537,7701,2508,7564,5845,5023,2304,5396,3193,2955,1088,3801,6203,1748,3737,1276,13,4120,7715,8552,3047,2921,106,7508,304,1280,7140,2567,9135,5266 6237,4607,7527,9047,522,7371,4883,2540,5867,6366,5301,1570,421,276,3361,527,6637,4861,2401,7522,5808,9371,5298,2045,5096,5447,7755,5115,7060,8529,4078,1943,1697,1764,5453,7085,960,2405,739,2100,5800,728,9737,5704,5693,1431,8979,6428,673,7540,6,7773,5857,6823,150,5869,8486,684,5816,9626,7451,5579,8260,3397,5322,6920,1879,2127,2884,5478,4977,9016,6165,6292,3062,5671,5968,78,4619,4763 9905,7127,9390,5185,6923,3721,9164,9705,4341,1031,1046,5127,7376,6528,3248,4941,1178,7889,3364,4486,5358,9402,9158,8600,1025,874,1839,1783,309,9030,1843,845,8398,1433,7118,70,8071,2877,3904,8866,6722,4299,10,1929,5897,4188,600,1889,3325,2485,6473,4474,7444,6992,4846,6166,4441,2283,2629,4352,7775,1101,2214,9985,215,8270,9750,2740,8361,7103,5930,8664,9690,8302,9267,344,2077,1372,1880,9550 5825,8517,7769,2405,8204,1060,3603,7025,478,8334,1997,3692,7433,9101,7294,7498,9415,5452,3850,3508,6857,9213,6807,4412,7310,854,5384,686,4978,892,8651,3241,2743,3801,3813,8588,6701,4416,6990,6490,3197,6838,6503,114,8343,5844,8646,8694,65,791,5979,2687,2621,2019,8097,1423,3644,9764,4921,3266,3662,5561,2476,8271,8138,6147,1168,3340,1998,9874,6572,9873,6659,5609,2711,3931,9567,4143,7833,8887 6223,2099,2700,589,4716,8333,1362,5007,2753,2848,4441,8397,7192,8191,4916,9955,6076,3370,6396,6971,3156,248,3911,2488,4930,2458,7183,5455,170,6809,6417,3390,1956,7188,577,7526,2203,968,8164,479,8699,7915,507,6393,4632,1597,7534,3604,618,3280,6061,9793,9238,8347,568,9645,2070,5198,6482,5000,9212,6655,5961,7513,1323,3872,6170,3812,4146,2736,67,3151,5548,2781,9679,7564,5043,8587,1893,4531 5826,3690,6724,2121,9308,6986,8106,6659,2142,1642,7170,2877,5757,6494,8026,6571,8387,9961,6043,9758,9607,6450,8631,8334,7359,5256,8523,2225,7487,1977,9555,8048,5763,2414,4948,4265,2427,8978,8088,8841,9208,9601,5810,9398,8866,9138,4176,5875,7212,3272,6759,5678,7649,4922,5422,1343,8197,3154,3600,687,1028,4579,2084,9467,4492,7262,7296,6538,7657,7134,2077,1505,7332,6890,8964,4879,7603,7400,5973,739 1861,1613,4879,1884,7334,966,2000,7489,2123,4287,1472,3263,4726,9203,1040,4103,6075,6049,330,9253,4062,4268,1635,9960,577,1320,3195,9628,1030,4092,4979,6474,6393,2799,6967,8687,7724,7392,9927,2085,3200,6466,8702,265,7646,8665,7986,7266,4574,6587,612,2724,704,3191,8323,9523,3002,704,5064,3960,8209,2027,2758,8393,4875,4641,9584,6401,7883,7014,768,443,5490,7506,1852,2005,8850,5776,4487,4269 4052,6687,4705,7260,6645,6715,3706,5504,8672,2853,1136,8187,8203,4016,871,1809,1366,4952,9294,5339,6872,2645,6083,7874,3056,5218,7485,8796,7401,3348,2103,426,8572,4163,9171,3176,948,7654,9344,3217,1650,5580,7971,2622,76,2874,880,2034,9929,1546,2659,5811,3754,7096,7436,9694,9960,7415,2164,953,2360,4194,2397,1047,2196,6827,575,784,2675,8821,6802,7972,5996,6699,2134,7577,2887,1412,4349,4380 4629,2234,6240,8132,7592,3181,6389,1214,266,1910,2451,8784,2790,1127,6932,1447,8986,2492,5476,397,889,3027,7641,5083,5776,4022,185,3364,5701,2442,2840,4160,9525,4828,6602,2614,7447,3711,4505,7745,8034,6514,4907,2605,7753,6958,7270,6936,3006,8968,439,2326,4652,3085,3425,9863,5049,5361,8688,297,7580,8777,7916,6687,8683,7141,306,9569,2384,1500,3346,4601,7329,9040,6097,2727,6314,4501,4974,2829 8316,4072,2025,6884,3027,1808,5714,7624,7880,8528,4205,8686,7587,3230,1139,7273,6163,6986,3914,9309,1464,9359,4474,7095,2212,7302,2583,9462,7532,6567,1606,4436,8981,5612,6796,4385,5076,2007,6072,3678,8331,1338,3299,8845,4783,8613,4071,1232,6028,2176,3990,2148,3748,103,9453,538,6745,9110,926,3125,473,5970,8728,7072,9062,1404,1317,5139,9862,6496,6062,3338,464,1600,2532,1088,8232,7739,8274,3873 2341,523,7096,8397,8301,6541,9844,244,4993,2280,7689,4025,4196,5522,7904,6048,2623,9258,2149,9461,6448,8087,7245,1917,8340,7127,8466,5725,6996,3421,5313,512,9164,9837,9794,8369,4185,1488,7210,1524,1016,4620,9435,2478,7765,8035,697,6677,3724,6988,5853,7662,3895,9593,1185,4727,6025,5734,7665,3070,138,8469,6748,6459,561,7935,8646,2378,462,7755,3115,9690,8877,3946,2728,8793,244,6323,8666,4271 6430,2406,8994,56,1267,3826,9443,7079,7579,5232,6691,3435,6718,5698,4144,7028,592,2627,217,734,6194,8156,9118,58,2640,8069,4127,3285,694,3197,3377,4143,4802,3324,8134,6953,7625,3598,3584,4289,7065,3434,2106,7132,5802,7920,9060,7531,3321,1725,1067,3751,444,5503,6785,7937,6365,4803,198,6266,8177,1470,6390,1606,2904,7555,9834,8667,2033,1723,5167,1666,8546,8152,473,4475,6451,7947,3062,3281 2810,3042,7759,1741,2275,2609,7676,8640,4117,1958,7500,8048,1757,3954,9270,1971,4796,2912,660,5511,3553,1012,5757,4525,6084,7198,8352,5775,7726,8591,7710,9589,3122,4392,6856,5016,749,2285,3356,7482,9956,7348,2599,8944,495,3462,3578,551,4543,7207,7169,7796,1247,4278,6916,8176,3742,8385,2310,1345,8692,2667,4568,1770,8319,3585,4920,3890,4928,7343,5385,9772,7947,8786,2056,9266,3454,2807,877,2660 6206,8252,5928,5837,4177,4333,207,7934,5581,9526,8906,1498,8411,2984,5198,5134,2464,8435,8514,8674,3876,599,5327,826,2152,4084,2433,9327,9697,4800,2728,3608,3849,3861,3498,9943,1407,3991,7191,9110,5666,8434,4704,6545,5944,2357,1163,4995,9619,6754,4200,9682,6654,4862,4744,5953,6632,1054,293,9439,8286,2255,696,8709,1533,1844,6441,430,1999,6063,9431,7018,8057,2920,6266,6799,356,3597,4024,6665 3847,6356,8541,7225,2325,2946,5199,469,5450,7508,2197,9915,8284,7983,6341,3276,3321,16,1321,7608,5015,3362,8491,6968,6818,797,156,2575,706,9516,5344,5457,9210,5051,8099,1617,9951,7663,8253,9683,2670,1261,4710,1068,8753,4799,1228,2621,3275,6188,4699,1791,9518,8701,5932,4275,6011,9877,2933,4182,6059,2930,6687,6682,9771,654,9437,3169,8596,1827,5471,8909,2352,123,4394,3208,8756,5513,6917,2056 5458,8173,3138,3290,4570,4892,3317,4251,9699,7973,1163,1935,5477,6648,9614,5655,9592,975,9118,2194,7322,8248,8413,3462,8560,1907,7810,6650,7355,2939,4973,6894,3933,3784,3200,2419,9234,4747,2208,2207,1945,2899,1407,6145,8023,3484,5688,7686,2737,3828,3704,9004,5190,9740,8643,8650,5358,4426,1522,1707,3613,9887,6956,2447,2762,833,1449,9489,2573,1080,4167,3456,6809,2466,227,7125,2759,6250,6472,8089 3266,7025,9756,3914,1265,9116,7723,9788,6805,5493,2092,8688,6592,9173,4431,4028,6007,7131,4446,4815,3648,6701,759,3312,8355,4485,4187,5188,8746,7759,3528,2177,5243,8379,3838,7233,4607,9187,7216,2190,6967,2920,6082,7910,5354,3609,8958,6949,7731,494,8753,8707,1523,4426,3543,7085,647,6771,9847,646,5049,824,8417,5260,2730,5702,2513,9275,4279,2767,8684,1165,9903,4518,55,9682,8963,6005,2102,6523 1998,8731,936,1479,5259,7064,4085,91,7745,7136,3773,3810,730,8255,2705,2653,9790,6807,2342,355,9344,2668,3690,2028,9679,8102,574,4318,6481,9175,5423,8062,2867,9657,7553,3442,3920,7430,3945,7639,3714,3392,2525,4995,4850,2867,7951,9667,486,9506,9888,781,8866,1702,3795,90,356,1483,4200,2131,6969,5931,486,6880,4404,1084,5169,4910,6567,8335,4686,5043,2614,3352,2667,4513,6472,7471,5720,1616 8878,1613,1716,868,1906,2681,564,665,5995,2474,7496,3432,9491,9087,8850,8287,669,823,347,6194,2264,2592,7871,7616,8508,4827,760,2676,4660,4881,7572,3811,9032,939,4384,929,7525,8419,5556,9063,662,8887,7026,8534,3111,1454,2082,7598,5726,6687,9647,7608,73,3014,5063,670,5461,5631,3367,9796,8475,7908,5073,1565,5008,5295,4457,1274,4788,1728,338,600,8415,8535,9351,7750,6887,5845,1741,125 3637,6489,9634,9464,9055,2413,7824,9517,7532,3577,7050,6186,6980,9365,9782,191,870,2497,8498,2218,2757,5420,6468,586,3320,9230,1034,1393,9886,5072,9391,1178,8464,8042,6869,2075,8275,3601,7715,9470,8786,6475,8373,2159,9237,2066,3264,5000,679,355,3069,4073,494,2308,5512,4334,9438,8786,8637,9774,1169,1949,6594,6072,4270,9158,7916,5752,6794,9391,6301,5842,3285,2141,3898,8027,4310,8821,7079,1307 8497,6681,4732,7151,7060,5204,9030,7157,833,5014,8723,3207,9796,9286,4913,119,5118,7650,9335,809,3675,2597,5144,3945,5090,8384,187,4102,1260,2445,2792,4422,8389,9290,50,1765,1521,6921,8586,4368,1565,5727,7855,2003,4834,9897,5911,8630,5070,1330,7692,7557,7980,6028,5805,9090,8265,3019,3802,698,9149,5748,1965,9658,4417,5994,5584,8226,2937,272,5743,1278,5698,8736,2595,6475,5342,6596,1149,6920 8188,8009,9546,6310,8772,2500,9846,6592,6872,3857,1307,8125,7042,1544,6159,2330,643,4604,7899,6848,371,8067,2062,3200,7295,1857,9505,6936,384,2193,2190,301,8535,5503,1462,7380,5114,4824,8833,1763,4974,8711,9262,6698,3999,2645,6937,7747,1128,2933,3556,7943,2885,3122,9105,5447,418,2899,5148,3699,9021,9501,597,4084,175,1621,1,1079,6067,5812,4326,9914,6633,5394,4233,6728,9084,1864,5863,1225 9935,8793,9117,1825,9542,8246,8437,3331,9128,9675,6086,7075,319,1334,7932,3583,7167,4178,1726,7720,695,8277,7887,6359,5912,1719,2780,8529,1359,2013,4498,8072,1129,9998,1147,8804,9405,6255,1619,2165,7491,1,8882,7378,3337,503,5758,4109,3577,985,3200,7615,8058,5032,1080,6410,6873,5496,1466,2412,9885,5904,4406,3605,8770,4361,6205,9193,1537,9959,214,7260,9566,1685,100,4920,7138,9819,5637,976 3466,9854,985,1078,7222,8888,5466,5379,3578,4540,6853,8690,3728,6351,7147,3134,6921,9692,857,3307,4998,2172,5783,3931,9417,2541,6299,13,787,2099,9131,9494,896,8600,1643,8419,7248,2660,2609,8579,91,6663,5506,7675,1947,6165,4286,1972,9645,3805,1663,1456,8853,5705,9889,7489,1107,383,4044,2969,3343,152,7805,4980,9929,5033,1737,9953,7197,9158,4071,1324,473,9676,3984,9680,3606,8160,7384,5432 1005,4512,5186,3953,2164,3372,4097,3247,8697,3022,9896,4101,3871,6791,3219,2742,4630,6967,7829,5991,6134,1197,1414,8923,8787,1394,8852,5019,7768,5147,8004,8825,5062,9625,7988,1110,3992,7984,9966,6516,6251,8270,421,3723,1432,4830,6935,8095,9059,2214,6483,6846,3120,1587,6201,6691,9096,9627,6671,4002,3495,9939,7708,7465,5879,6959,6634,3241,3401,2355,9061,2611,7830,3941,2177,2146,5089,7079,519,6351 7280,8586,4261,2831,7217,3141,9994,9940,5462,2189,4005,6942,9848,5350,8060,6665,7519,4324,7684,657,9453,9296,2944,6843,7499,7847,1728,9681,3906,6353,5529,2822,3355,3897,7724,4257,7489,8672,4356,3983,1948,6892,7415,4153,5893,4190,621,1736,4045,9532,7701,3671,1211,1622,3176,4524,9317,7800,5638,6644,6943,5463,3531,2821,1347,5958,3436,1438,2999,994,850,4131,2616,1549,3465,5946,690,9273,6954,7991 9517,399,3249,2596,7736,2142,1322,968,7350,1614,468,3346,3265,7222,6086,1661,5317,2582,7959,4685,2807,2917,1037,5698,1529,3972,8716,2634,3301,3412,8621,743,8001,4734,888,7744,8092,3671,8941,1487,5658,7099,2781,99,1932,4443,4756,4652,9328,1581,7855,4312,5976,7255,6480,3996,2748,1973,9731,4530,2790,9417,7186,5303,3557,351,7182,9428,1342,9020,7599,1392,8304,2070,9138,7215,2008,9937,1106,7110 7444,769,9688,632,1571,6820,8743,4338,337,3366,3073,1946,8219,104,4210,6986,249,5061,8693,7960,6546,1004,8857,5997,9352,4338,6105,5008,2556,6518,6694,4345,3727,7956,20,3954,8652,4424,9387,2035,8358,5962,5304,5194,8650,8282,1256,1103,2138,6679,1985,3653,2770,2433,4278,615,2863,1715,242,3790,2636,6998,3088,1671,2239,957,5411,4595,6282,2881,9974,2401,875,7574,2987,4587,3147,6766,9885,2965 3287,3016,3619,6818,9073,6120,5423,557,2900,2015,8111,3873,1314,4189,1846,4399,7041,7583,2427,2864,3525,5002,2069,748,1948,6015,2684,438,770,8367,1663,7887,7759,1885,157,7770,4520,4878,3857,1137,3525,3050,6276,5569,7649,904,4533,7843,2199,5648,7628,9075,9441,3600,7231,2388,5640,9096,958,3058,584,5899,8150,1181,9616,1098,8162,6819,8171,1519,1140,7665,8801,2632,1299,9192,707,9955,2710,7314 1772,2963,7578,3541,3095,1488,7026,2634,6015,4633,4370,2762,1650,2174,909,8158,2922,8467,4198,4280,9092,8856,8835,5457,2790,8574,9742,5054,9547,4156,7940,8126,9824,7340,8840,6574,3547,1477,3014,6798,7134,435,9484,9859,3031,4,1502,4133,1738,1807,4825,463,6343,9701,8506,9822,9555,8688,8168,3467,3234,6318,1787,5591,419,6593,7974,8486,9861,6381,6758,194,3061,4315,2863,4665,3789,2201,1492,4416 126,8927,6608,5682,8986,6867,1715,6076,3159,788,3140,4744,830,9253,5812,5021,7616,8534,1546,9590,1101,9012,9821,8132,7857,4086,1069,7491,2988,1579,2442,4321,2149,7642,6108,250,6086,3167,24,9528,7663,2685,1220,9196,1397,5776,1577,1730,5481,977,6115,199,6326,2183,3767,5928,5586,7561,663,8649,9688,949,5913,9160,1870,5764,9887,4477,6703,1413,4995,5494,7131,2192,8969,7138,3997,8697,646,1028 8074,1731,8245,624,4601,8706,155,8891,309,2552,8208,8452,2954,3124,3469,4246,3352,1105,4509,8677,9901,4416,8191,9283,5625,7120,2952,8881,7693,830,4580,8228,9459,8611,4499,1179,4988,1394,550,2336,6089,6872,269,7213,1848,917,6672,4890,656,1478,6536,3165,4743,4990,1176,6211,7207,5284,9730,4738,1549,4986,4942,8645,3698,9429,1439,2175,6549,3058,6513,1574,6988,8333,3406,5245,5431,7140,7085,6407 7845,4694,2530,8249,290,5948,5509,1588,5940,4495,5866,5021,4626,3979,3296,7589,4854,1998,5627,3926,8346,6512,9608,1918,7070,4747,4182,2858,2766,4606,6269,4107,8982,8568,9053,4244,5604,102,2756,727,5887,2566,7922,44,5986,621,1202,374,6988,4130,3627,6744,9443,4568,1398,8679,397,3928,9159,367,2917,6127,5788,3304,8129,911,2669,1463,9749,264,4478,8940,1109,7309,2462,117,4692,7724,225,2312 4164,3637,2000,941,8903,39,3443,7172,1031,3687,4901,8082,4945,4515,7204,9310,9349,9535,9940,218,1788,9245,2237,1541,5670,6538,6047,5553,9807,8101,1925,8714,445,8332,7309,6830,5786,5736,7306,2710,3034,1838,7969,6318,7912,2584,2080,7437,6705,2254,7428,820,782,9861,7596,3842,3631,8063,5240,6666,394,4565,7865,4895,9890,6028,6117,4724,9156,4473,4552,602,470,6191,4927,5387,884,3146,1978,3000 4258,6880,1696,3582,5793,4923,2119,1155,9056,9698,6603,3768,5514,9927,9609,6166,6566,4536,4985,4934,8076,9062,6741,6163,7399,4562,2337,5600,2919,9012,8459,1308,6072,1225,9306,8818,5886,7243,7365,8792,6007,9256,6699,7171,4230,7002,8720,7839,4533,1671,478,7774,1607,2317,5437,4705,7886,4760,6760,7271,3081,2997,3088,7675,6208,3101,6821,6840,122,9633,4900,2067,8546,4549,2091,7188,5605,8599,6758,5229 7854,5243,9155,3556,8812,7047,2202,1541,5993,4600,4760,713,434,7911,7426,7414,8729,322,803,7960,7563,4908,6285,6291,736,3389,9339,4132,8701,7534,5287,3646,592,3065,7582,2592,8755,6068,8597,1982,5782,1894,2900,6236,4039,6569,3037,5837,7698,700,7815,2491,7272,5878,3083,6778,6639,3589,5010,8313,2581,6617,5869,8402,6808,2951,2321,5195,497,2190,6187,1342,1316,4453,7740,4154,2959,1781,1482,8256 7178,2046,4419,744,8312,5356,6855,8839,319,2962,5662,47,6307,8662,68,4813,567,2712,9931,1678,3101,8227,6533,4933,6656,92,5846,4780,6256,6361,4323,9985,1231,2175,7178,3034,9744,6155,9165,7787,5836,9318,7860,9644,8941,6480,9443,8188,5928,161,6979,2352,5628,6991,1198,8067,5867,6620,3778,8426,2994,3122,3124,6335,3918,8897,2655,9670,634,1088,1576,8935,7255,474,8166,7417,9547,2886,5560,3842 6957,3111,26,7530,7143,1295,1744,6057,3009,1854,8098,5405,2234,4874,9447,2620,9303,27,7410,969,40,2966,5648,7596,8637,4238,3143,3679,7187,690,9980,7085,7714,9373,5632,7526,6707,3951,9734,4216,2146,3602,5371,6029,3039,4433,4855,4151,1449,3376,8009,7240,7027,4602,2947,9081,4045,8424,9352,8742,923,2705,4266,3232,2264,6761,363,2651,3383,7770,6730,7856,7340,9679,2158,610,4471,4608,910,6241 4417,6756,1013,8797,658,8809,5032,8703,7541,846,3357,2920,9817,1745,9980,7593,4667,3087,779,3218,6233,5568,4296,2289,2654,7898,5021,9461,5593,8214,9173,4203,2271,7980,2983,5952,9992,8399,3468,1776,3188,9314,1720,6523,2933,621,8685,5483,8986,6163,3444,9539,4320,155,3992,2828,2150,6071,524,2895,5468,8063,1210,3348,9071,4862,483,9017,4097,6186,9815,3610,5048,1644,1003,9865,9332,2145,1944,2213 9284,3803,4920,1927,6706,4344,7383,4786,9890,2010,5228,1224,3158,6967,8580,8990,8883,5213,76,8306,2031,4980,5639,9519,7184,5645,7769,3259,8077,9130,1317,3096,9624,3818,1770,695,2454,947,6029,3474,9938,3527,5696,4760,7724,7738,2848,6442,5767,6845,8323,4131,2859,7595,2500,4815,3660,9130,8580,7016,8231,4391,8369,3444,4069,4021,556,6154,627,2778,1496,4206,6356,8434,8491,3816,8231,3190,5575,1015 3787,7572,1788,6803,5641,6844,1961,4811,8535,9914,9999,1450,8857,738,4662,8569,6679,2225,7839,8618,286,2648,5342,2294,3205,4546,176,8705,3741,6134,8324,8021,7004,5205,7032,6637,9442,5539,5584,4819,5874,5807,8589,6871,9016,983,1758,3786,1519,6241,185,8398,495,3370,9133,3051,4549,9674,7311,9738,3316,9383,2658,2776,9481,7558,619,3943,3324,6491,4933,153,9738,4623,912,3595,7771,7939,1219,4405 2650,3883,4154,5809,315,7756,4430,1788,4451,1631,6461,7230,6017,5751,138,588,5282,2442,9110,9035,6349,2515,1570,6122,4192,4174,3530,1933,4186,4420,4609,5739,4135,2963,6308,1161,8809,8619,2796,3819,6971,8228,4188,1492,909,8048,2328,6772,8467,7671,9068,2226,7579,6422,7056,8042,3296,2272,3006,2196,7320,3238,3490,3102,37,1293,3212,4767,5041,8773,5794,4456,6174,7279,7054,2835,7053,9088,790,6640 3101,1057,7057,3826,6077,1025,2955,1224,1114,6729,5902,4698,6239,7203,9423,1804,4417,6686,1426,6941,8071,1029,4985,9010,6122,6597,1622,1574,3513,1684,7086,5505,3244,411,9638,4150,907,9135,829,981,1707,5359,8781,9751,5,9131,3973,7159,1340,6955,7514,7993,6964,8198,1933,2797,877,3993,4453,8020,9349,8646,2779,8679,2961,3547,3374,3510,1129,3568,2241,2625,9138,5974,8206,7669,7678,1833,8700,4480 4865,9912,8038,8238,782,3095,8199,1127,4501,7280,2112,2487,3626,2790,9432,1475,6312,8277,4827,2218,5806,7132,8752,1468,7471,6386,739,8762,8323,8120,5169,9078,9058,3370,9560,7987,8585,8531,5347,9312,1058,4271,1159,5286,5404,6925,8606,9204,7361,2415,560,586,4002,2644,1927,2824,768,4409,2942,3345,1002,808,4941,6267,7979,5140,8643,7553,9438,7320,4938,2666,4609,2778,8158,6730,3748,3867,1866,7181 171,3771,7134,8927,4778,2913,3326,2004,3089,7853,1378,1729,4777,2706,9578,1360,5693,3036,1851,7248,2403,2273,8536,6501,9216,613,9671,7131,7719,6425,773,717,8803,160,1114,7554,7197,753,4513,4322,8499,4533,2609,4226,8710,6627,644,9666,6260,4870,5744,7385,6542,6203,7703,6130,8944,5589,2262,6803,6381,7414,6888,5123,7320,9392,9061,6780,322,8975,7050,5089,1061,2260,3199,1150,1865,5386,9699,6501 3744,8454,6885,8277,919,1923,4001,6864,7854,5519,2491,6057,8794,9645,1776,5714,9786,9281,7538,6916,3215,395,2501,9618,4835,8846,9708,2813,3303,1794,8309,7176,2206,1602,1838,236,4593,2245,8993,4017,10,8215,6921,5206,4023,5932,6997,7801,262,7640,3107,8275,4938,7822,2425,3223,3886,2105,8700,9526,2088,8662,8034,7004,5710,2124,7164,3574,6630,9980,4242,2901,9471,1491,2117,4562,1130,9086,4117,6698 2810,2280,2331,1170,4554,4071,8387,1215,2274,9848,6738,1604,7281,8805,439,1298,8318,7834,9426,8603,6092,7944,1309,8828,303,3157,4638,4439,9175,1921,4695,7716,1494,1015,1772,5913,1127,1952,1950,8905,4064,9890,385,9357,7945,5035,7082,5369,4093,6546,5187,5637,2041,8946,1758,7111,6566,1027,1049,5148,7224,7248,296,6169,375,1656,7993,2816,3717,4279,4675,1609,3317,42,6201,3100,3144,163,9530,4531 7096,6070,1009,4988,3538,5801,7149,3063,2324,2912,7911,7002,4338,7880,2481,7368,3516,2016,7556,2193,1388,3865,8125,4637,4096,8114,750,3144,1938,7002,9343,4095,1392,4220,3455,6969,9647,1321,9048,1996,1640,6626,1788,314,9578,6630,2813,6626,4981,9908,7024,4355,3201,3521,3864,3303,464,1923,595,9801,3391,8366,8084,9374,1041,8807,9085,1892,9431,8317,9016,9221,8574,9981,9240,5395,2009,6310,2854,9255 8830,3145,2960,9615,8220,6061,3452,2918,6481,9278,2297,3385,6565,7066,7316,5682,107,7646,4466,68,1952,9603,8615,54,7191,791,6833,2560,693,9733,4168,570,9127,9537,1925,8287,5508,4297,8452,8795,6213,7994,2420,4208,524,5915,8602,8330,2651,8547,6156,1812,6271,7991,9407,9804,1553,6866,1128,2119,4691,9711,8315,5879,9935,6900,482,682,4126,1041,428,6247,3720,5882,7526,2582,4327,7725,3503,2631 2738,9323,721,7434,1453,6294,2957,3786,5722,6019,8685,4386,3066,9057,6860,499,5315,3045,5194,7111,3137,9104,941,586,3066,755,4177,8819,7040,5309,3583,3897,4428,7788,4721,7249,6559,7324,825,7311,3760,6064,6070,9672,4882,584,1365,9739,9331,5783,2624,7889,1604,1303,1555,7125,8312,425,8936,3233,7724,1480,403,7440,1784,1754,4721,1569,652,3893,4574,5692,9730,4813,9844,8291,9199,7101,3391,8914 6044,2928,9332,3328,8588,447,3830,1176,3523,2705,8365,6136,5442,9049,5526,8575,8869,9031,7280,706,2794,8814,5767,4241,7696,78,6570,556,5083,1426,4502,3336,9518,2292,1885,3740,3153,9348,9331,8051,2759,5407,9028,7840,9255,831,515,2612,9747,7435,8964,4971,2048,4900,5967,8271,1719,9670,2810,6777,1594,6367,6259,8316,3815,1689,6840,9437,4361,822,9619,3065,83,6344,7486,8657,8228,9635,6932,4864 8478,4777,6334,4678,7476,4963,6735,3096,5860,1405,5127,7269,7793,4738,227,9168,2996,8928,765,733,1276,7677,6258,1528,9558,3329,302,8901,1422,8277,6340,645,9125,8869,5952,141,8141,1816,9635,4025,4184,3093,83,2344,2747,9352,7966,1206,1126,1826,218,7939,2957,2729,810,8752,5247,4174,4038,8884,7899,9567,301,5265,5752,7524,4381,1669,3106,8270,6228,6373,754,2547,4240,2313,5514,3022,1040,9738 2265,8192,1763,1369,8469,8789,4836,52,1212,6690,5257,8918,6723,6319,378,4039,2421,8555,8184,9577,1432,7139,8078,5452,9628,7579,4161,7490,5159,8559,1011,81,478,5840,1964,1334,6875,8670,9900,739,1514,8692,522,9316,6955,1345,8132,2277,3193,9773,3923,4177,2183,1236,6747,6575,4874,6003,6409,8187,745,8776,9440,7543,9825,2582,7381,8147,7236,5185,7564,6125,218,7991,6394,391,7659,7456,5128,5294 2132,8992,8160,5782,4420,3371,3798,5054,552,5631,7546,4716,1332,6486,7892,7441,4370,6231,4579,2121,8615,1145,9391,1524,1385,2400,9437,2454,7896,7467,2928,8400,3299,4025,7458,4703,7206,6358,792,6200,725,4275,4136,7390,5984,4502,7929,5085,8176,4600,119,3568,76,9363,6943,2248,9077,9731,6213,5817,6729,4190,3092,6910,759,2682,8380,1254,9604,3011,9291,5329,9453,9746,2739,6522,3765,5634,1113,5789 5304,5499,564,2801,679,2653,1783,3608,7359,7797,3284,796,3222,437,7185,6135,8571,2778,7488,5746,678,6140,861,7750,803,9859,9918,2425,3734,2698,9005,4864,9818,6743,2475,132,9486,3825,5472,919,292,4411,7213,7699,6435,9019,6769,1388,802,2124,1345,8493,9487,8558,7061,8777,8833,2427,2238,5409,4957,8503,3171,7622,5779,6145,2417,5873,5563,5693,9574,9491,1937,7384,4563,6842,5432,2751,3406,7981
4445,2697,5115,718,2209,2212,654,4348,3079,6821,7668,3276,8874,4190,3785,2752,9473,7817,9137,496,7338,3434,7152,4355,4552,7917,7827,2460,2350,691,3514,5880,3145,7633,7199,3783,5066,7487,3285,1084,8985,760,872,8609,8051,1134,9536,5750,9716,9371,7619,5617,275,9721,2997,2698,1887,8825,6372,3014,2113,7122,7050,6775,5948,2758,1219,3539,348,7989,2735,9862,1263,8089,6401,9462,3168,2758,3748,5870 1096,20,1318,7586,5167,2642,1443,5741,7621,7030,5526,4244,2348,4641,9827,2448,6918,5883,3737,300,7116,6531,567,5997,3971,6623,820,6148,3287,1874,7981,8424,7672,7575,6797,6717,1078,5008,4051,8795,5820,346,1851,6463,2117,6058,3407,8211,117,4822,1317,4377,4434,5925,8341,4800,1175,4173,690,8978,7470,1295,3799,8724,3509,9849,618,3320,7068,9633,2384,7175,544,6583,1908,9983,481,4187,9353,9377 9607,7385,521,6084,1364,8983,7623,1585,6935,8551,2574,8267,4781,3834,2764,2084,2669,4656,9343,7709,2203,9328,8004,6192,5856,3555,2260,5118,6504,1839,9227,1259,9451,1388,7909,5733,6968,8519,9973,1663,5315,7571,3035,4325,4283,2304,6438,3815,9213,9806,9536,196,5542,6907,2475,1159,5820,9075,9470,2179,9248,1828,4592,9167,3713,4640,47,3637,309,7344,6955,346,378,9044,8635,7466,5036,9515,6385,9230 7206,3114,7760,1094,6150,5182,7358,7387,4497,955,101,1478,7777,6966,7010,8417,6453,4955,3496,107,449,8271,131,2948,6185,784,5937,8001,6104,8282,4165,3642,710,2390,575,715,3089,6964,4217,192,5949,7006,715,3328,1152,66,8044,4319,1735,146,4818,5456,6451,4113,1063,4781,6799,602,1504,6245,6550,1417,1343,2363,3785,5448,4545,9371,5420,5068,4613,4882,4241,5043,7873,8042,8434,3939,9256,2187 3620,8024,577,9997,7377,7682,1314,1158,6282,6310,1896,2509,5436,1732,9480,706,496,101,6232,7375,2207,2306,110,6772,3433,2878,8140,5933,8688,1399,2210,7332,6172,6403,7333,4044,2291,1790,2446,7390,8698,5723,3678,7104,1825,2040,140,3982,4905,4160,2200,5041,2512,1488,2268,1175,7588,8321,8078,7312,977,5257,8465,5068,3453,3096,1651,7906,253,9250,6021,8791,8109,6651,3412,345,4778,5152,4883,7505 1074,5438,9008,2679,5397,5429,2652,3403,770,9188,4248,2493,4361,8327,9587,707,9525,5913,93,1899,328,2876,3604,673,8576,6908,7659,2544,3359,3883,5273,6587,3065,1749,3223,604,9925,6941,2823,8767,7039,3290,3214,1787,7904,3421,7137,9560,8451,2669,9219,6332,1576,5477,6755,8348,4164,4307,2984,4012,6629,1044,2874,6541,4942,903,1404,9125,5160,8836,4345,2581,460,8438,1538,5507,668,3352,2678,6942 4295,1176,5596,1521,3061,9868,7037,7129,8933,6659,5947,5063,3653,9447,9245,2679,767,714,116,8558,163,3927,8779,158,5093,2447,5782,3967,1716,931,7772,8164,1117,9244,5783,7776,3846,8862,6014,2330,6947,1777,3112,6008,3491,1906,5952,314,4602,8994,5919,9214,3995,5026,7688,6809,5003,3128,2509,7477,110,8971,3982,8539,2980,4689,6343,5411,2992,5270,5247,9260,2269,7474,1042,7162,5206,1232,4556,4757 510,3556,5377,1406,5721,4946,2635,7847,4251,8293,8281,6351,4912,287,2870,3380,3948,5322,3840,4738,9563,1906,6298,3234,8959,1562,6297,8835,7861,239,6618,1322,2553,2213,5053,5446,4402,6500,5182,8585,6900,5756,9661,903,5186,7687,5998,7997,8081,8955,4835,6069,2621,1581,732,9564,1082,1853,5442,1342,520,1737,3703,5321,4793,2776,1508,1647,9101,2499,6891,4336,7012,3329,3212,1442,9993,3988,4930,7706 9444,3401,5891,9716,1228,7107,109,3563,2700,6161,5039,4992,2242,8541,7372,2067,1294,3058,1306,320,8881,5756,9326,411,8650,8824,5495,8282,8397,2000,1228,7817,2099,6473,3571,5994,4447,1299,5991,543,7874,2297,1651,101,2093,3463,9189,6872,6118,872,1008,1779,2805,9084,4048,2123,5877,55,3075,1737,9459,4535,6453,3644,108,5982,4437,5213,1340,6967,9943,5815,669,8074,1838,6979,9132,9315,715,5048 3327,4030,7177,6336,9933,5296,2621,4785,2755,4832,2512,2118,2244,4407,2170,499,7532,9742,5051,7687,970,6924,3527,4694,5145,1306,2165,5940,2425,8910,3513,1909,6983,346,6377,4304,9330,7203,6605,3709,3346,970,369,9737,5811,4427,9939,3693,8436,5566,1977,3728,2399,3985,8303,2492,5366,9802,9193,7296,1033,5060,9144,2766,1151,7629,5169,5995,58,7619,7565,4208,1713,6279,3209,4908,9224,7409,1325,8540 6882,1265,1775,3648,4690,959,5837,4520,5394,1378,9485,1360,4018,578,9174,2932,9890,3696,116,1723,1178,9355,7063,1594,1918,8574,7594,7942,1547,6166,7888,354,6932,4651,1010,7759,6905,661,7689,6092,9292,3845,9605,8443,443,8275,5163,7720,7265,6356,7779,1798,1754,5225,6661,1180,8024,5666,88,9153,1840,3508,1193,4445,2648,3538,6243,6375,8107,5902,5423,2520,1122,5015,6113,8859,9370,966,8673,2442 7338,3423,4723,6533,848,8041,7921,8277,4094,5368,7252,8852,9166,2250,2801,6125,8093,5738,4038,9808,7359,9494,601,9116,4946,2702,5573,2921,9862,1462,1269,2410,4171,2709,7508,6241,7522,615,2407,8200,4189,5492,5649,7353,2590,5203,4274,710,7329,9063,956,8371,3722,4253,4785,1194,4828,4717,4548,940,983,2575,4511,2938,1827,2027,2700,1236,841,5760,1680,6260,2373,3851,1841,4968,1172,5179,7175,3509 4420,1327,3560,2376,6260,2988,9537,4064,4829,8872,9598,3228,1792,7118,9962,9336,4368,9189,6857,1829,9863,6287,7303,7769,2707,8257,2391,2009,3975,4993,3068,9835,3427,341,8412,2134,4034,8511,6421,3041,9012,2983,7289,100,1355,7904,9186,6920,5856,2008,6545,8331,3655,5011,839,8041,9255,6524,3862,8788,62,7455,3513,5003,8413,3918,2076,7960,6108,3638,6999,3436,1441,4858,4181,1866,8731,7745,3744,1000 356,8296,8325,1058,1277,4743,3850,2388,6079,6462,2815,5620,8495,5378,75,4324,3441,9870,1113,165,1544,1179,2834,562,6176,2313,6836,8839,2986,9454,5199,6888,1927,5866,8760,320,1792,8296,7898,6121,7241,5886,5814,2815,8336,1576,4314,3109,2572,6011,2086,9061,9403,3947,5487,9731,7281,3159,1819,1334,3181,5844,5114,9898,4634,2531,4412,6430,4262,8482,4546,4555,6804,2607,9421,686,8649,8860,7794,6672 9870,152,1558,4963,8750,4754,6521,6256,8818,5208,5691,9659,8377,9725,5050,5343,2539,6101,1844,9700,7750,8114,5357,3001,8830,4438,199,9545,8496,43,2078,327,9397,106,6090,8181,8646,6414,7499,5450,4850,6273,5014,4131,7639,3913,6571,8534,9703,4391,7618,445,1320,5,1894,6771,7383,9191,4708,9706,6939,7937,8726,9382,5216,3685,2247,9029,8154,1738,9984,2626,9438,4167,6351,5060,29,1218,1239,4785 192,5213,8297,8974,4032,6966,5717,1179,6523,4679,9513,1481,3041,5355,9303,9154,1389,8702,6589,7818,6336,3539,5538,3094,6646,6702,6266,2759,4608,4452,617,9406,8064,6379,444,5602,4950,1810,8391,1536,316,8714,1178,5182,5863,5110,5372,4954,1978,2971,5680,4863,2255,4630,5723,2168,538,1692,1319,7540,440,6430,6266,7712,7385,5702,620,641,3136,7350,1478,3155,2820,9109,6261,1122,4470,14,8493,2095 1046,4301,6082,474,4974,7822,2102,5161,5172,6946,8074,9716,6586,9962,9749,5015,2217,995,5388,4402,7652,6399,6539,1349,8101,3677,1328,9612,7922,2879,231,5887,2655,508,4357,4964,3554,5930,6236,7384,4614,280,3093,9600,2110,7863,2631,6626,6620,68,1311,7198,7561,1768,5139,1431,221,230,2940,968,5283,6517,2146,1646,869,9402,7068,8645,7058,1765,9690,4152,2926,9504,2939,7504,6074,2944,6470,7859 4659,736,4951,9344,1927,6271,8837,8711,3241,6579,7660,5499,5616,3743,5801,4682,9748,8796,779,1833,4549,8138,4026,775,4170,2432,4174,3741,7540,8017,2833,4027,396,811,2871,1150,9809,2719,9199,8504,1224,540,2051,3519,7982,7367,2761,308,3358,6505,2050,4836,5090,7864,805,2566,2409,6876,3361,8622,5572,5895,3280,441,7893,8105,1634,2929,274,3926,7786,6123,8233,9921,2674,5340,1445,203,4585,3837 5759,338,7444,7968,7742,3755,1591,4839,1705,650,7061,2461,9230,9391,9373,2413,1213,431,7801,4994,2380,2703,6161,6878,8331,2538,6093,1275,5065,5062,2839,582,1014,8109,3525,1544,1569,8622,7944,2905,6120,1564,1839,5570,7579,1318,2677,5257,4418,5601,7935,7656,5192,1864,5886,6083,5580,6202,8869,1636,7907,4759,9082,5854,3185,7631,6854,5872,5632,5280,1431,2077,9717,7431,4256,8261,9680,4487,4752,4286 1571,1428,8599,1230,7772,4221,8523,9049,4042,8726,7567,6736,9033,2104,4879,4967,6334,6716,3994,1269,8995,6539,3610,7667,6560,6065,874,848,4597,1711,7161,4811,6734,5723,6356,6026,9183,2586,5636,1092,7779,7923,8747,6887,7505,9909,1792,3233,4526,3176,1508,8043,720,5212,6046,4988,709,5277,8256,3642,1391,5803,1468,2145,3970,6301,7767,2359,8487,9771,8785,7520,856,1605,8972,2402,2386,991,1383,5963 1822,4824,5957,6511,9868,4113,301,9353,6228,2881,2966,6956,9124,9574,9233,1601,7340,973,9396,540,4747,8590,9535,3650,7333,7583,4806,3593,2738,8157,5215,8472,2284,9473,3906,6982,5505,6053,7936,6074,7179,6688,1564,1103,6860,5839,2022,8490,910,7551,7805,881,7024,1855,9448,4790,1274,3672,2810,774,7623,4223,4850,6071,9975,4935,1915,9771,6690,3846,517,463,7624,4511,614,6394,3661,7409,1395,8127 8738,3850,9555,3695,4383,2378,87,6256,6740,7682,9546,4255,6105,2000,1851,4073,8957,9022,6547,5189,2487,303,9602,7833,1628,4163,6678,3144,8589,7096,8913,5823,4890,7679,1212,9294,5884,2972,3012,3359,7794,7428,1579,4350,7246,4301,7779,7790,3294,9547,4367,3549,1958,8237,6758,3497,3250,3456,6318,1663,708,7714,6143,6890,3428,6853,9334,7992,591,6449,9786,1412,8500,722,5468,1371,108,3939,4199,2535 7047,4323,1934,5163,4166,461,3544,2767,6554,203,6098,2265,9078,2075,4644,6641,8412,9183,487,101,7566,5622,1975,5726,2920,5374,7779,5631,3753,3725,2672,3621,4280,1162,5812,345,8173,9785,1525,955,5603,2215,2580,5261,2765,2990,5979,389,3907,2484,1232,5933,5871,3304,1138,1616,5114,9199,5072,7442,7245,6472,4760,6359,9053,7876,2564,9404,3043,9026,2261,3374,4460,7306,2326,966,828,3274,1712,3446 3975,4565,8131,5800,4570,2306,8838,4392,9147,11,3911,7118,9645,4994,2028,6062,5431,2279,8752,2658,7836,994,7316,5336,7185,3289,1898,9689,2331,5737,3403,1124,2679,3241,7748,16,2724,5441,6640,9368,9081,5618,858,4969,17,2103,6035,8043,7475,2181,939,415,1617,8500,8253,2155,7843,7974,7859,1746,6336,3193,2617,8736,4079,6324,6645,8891,9396,5522,6103,1857,8979,3835,2475,1310,7422,610,8345,7615 9248,5397,5686,2988,3446,4359,6634,9141,497,9176,6773,7448,1907,8454,916,1596,2241,1626,1384,2741,3649,5362,8791,7170,2903,2475,5325,6451,924,3328,522,90,4813,9737,9557,691,2388,1383,4021,1609,9206,4707,5200,7107,8104,4333,9860,5013,1224,6959,8527,1877,4545,7772,6268,621,4915,9349,5970,706,9583,3071,4127,780,8231,3017,9114,3836,7503,2383,1977,4870,8035,2379,9704,1037,3992,3642,1016,4303 5093,138,4639,6609,1146,5565,95,7521,9077,2272,974,4388,2465,2650,722,4998,3567,3047,921,2736,7855,173,2065,4238,1048,5,6847,9548,8632,9194,5942,4777,7910,8971,6279,7253,2516,1555,1833,3184,9453,9053,6897,7808,8629,4877,1871,8055,4881,7639,1537,7701,2508,7564,5845,5023,2304,5396,3193,2955,1088,3801,6203,1748,3737,1276,13,4120,7715,8552,3047,2921,106,7508,304,1280,7140,2567,9135,5266 6237,4607,7527,9047,522,7371,4883,2540,5867,6366,5301,1570,421,276,3361,527,6637,4861,2401,7522,5808,9371,5298,2045,5096,5447,7755,5115,7060,8529,4078,1943,1697,1764,5453,7085,960,2405,739,2100,5800,728,9737,5704,5693,1431,8979,6428,673,7540,6,7773,5857,6823,150,5869,8486,684,5816,9626,7451,5579,8260,3397,5322,6920,1879,2127,2884,5478,4977,9016,6165,6292,3062,5671,5968,78,4619,4763 9905,7127,9390,5185,6923,3721,9164,9705,4341,1031,1046,5127,7376,6528,3248,4941,1178,7889,3364,4486,5358,9402,9158,8600,1025,874,1839,1783,309,9030,1843,845,8398,1433,7118,70,8071,2877,3904,8866,6722,4299,10,1929,5897,4188,600,1889,3325,2485,6473,4474,7444,6992,4846,6166,4441,2283,2629,4352,7775,1101,2214,9985,215,8270,9750,2740,8361,7103,5930,8664,9690,8302,9267,344,2077,1372,1880,9550 5825,8517,7769,2405,8204,1060,3603,7025,478,8334,1997,3692,7433,9101,7294,7498,9415,5452,3850,3508,6857,9213,6807,4412,7310,854,5384,686,4978,892,8651,3241,2743,3801,3813,8588,6701,4416,6990,6490,3197,6838,6503,114,8343,5844,8646,8694,65,791,5979,2687,2621,2019,8097,1423,3644,9764,4921,3266,3662,5561,2476,8271,8138,6147,1168,3340,1998,9874,6572,9873,6659,5609,2711,3931,9567,4143,7833,8887 6223,2099,2700,589,4716,8333,1362,5007,2753,2848,4441,8397,7192,8191,4916,9955,6076,3370,6396,6971,3156,248,3911,2488,4930,2458,7183,5455,170,6809,6417,3390,1956,7188,577,7526,2203,968,8164,479,8699,7915,507,6393,4632,1597,7534,3604,618,3280,6061,9793,9238,8347,568,9645,2070,5198,6482,5000,9212,6655,5961,7513,1323,3872,6170,3812,4146,2736,67,3151,5548,2781,9679,7564,5043,8587,1893,4531 5826,3690,6724,2121,9308,6986,8106,6659,2142,1642,7170,2877,5757,6494,8026,6571,8387,9961,6043,9758,9607,6450,8631,8334,7359,5256,8523,2225,7487,1977,9555,8048,5763,2414,4948,4265,2427,8978,8088,8841,9208,9601,5810,9398,8866,9138,4176,5875,7212,3272,6759,5678,7649,4922,5422,1343,8197,3154,3600,687,1028,4579,2084,9467,4492,7262,7296,6538,7657,7134,2077,1505,7332,6890,8964,4879,7603,7400,5973,739 1861,1613,4879,1884,7334,966,2000,7489,2123,4287,1472,3263,4726,9203,1040,4103,6075,6049,330,9253,4062,4268,1635,9960,577,1320,3195,9628,1030,4092,4979,6474,6393,2799,6967,8687,7724,7392,9927,2085,3200,6466,8702,265,7646,8665,7986,7266,4574,6587,612,2724,704,3191,8323,9523,3002,704,5064,3960,8209,2027,2758,8393,4875,4641,9584,6401,7883,7014,768,443,5490,7506,1852,2005,8850,5776,4487,4269 4052,6687,4705,7260,6645,6715,3706,5504,8672,2853,1136,8187,8203,4016,871,1809,1366,4952,9294,5339,6872,2645,6083,7874,3056,5218,7485,8796,7401,3348,2103,426,8572,4163,9171,3176,948,7654,9344,3217,1650,5580,7971,2622,76,2874,880,2034,9929,1546,2659,5811,3754,7096,7436,9694,9960,7415,2164,953,2360,4194,2397,1047,2196,6827,575,784,2675,8821,6802,7972,5996,6699,2134,7577,2887,1412,4349,4380 4629,2234,6240,8132,7592,3181,6389,1214,266,1910,2451,8784,2790,1127,6932,1447,8986,2492,5476,397,889,3027,7641,5083,5776,4022,185,3364,5701,2442,2840,4160,9525,4828,6602,2614,7447,3711,4505,7745,8034,6514,4907,2605,7753,6958,7270,6936,3006,8968,439,2326,4652,3085,3425,9863,5049,5361,8688,297,7580,8777,7916,6687,8683,7141,306,9569,2384,1500,3346,4601,7329,9040,6097,2727,6314,4501,4974,2829 8316,4072,2025,6884,3027,1808,5714,7624,7880,8528,4205,8686,7587,3230,1139,7273,6163,6986,3914,9309,1464,9359,4474,7095,2212,7302,2583,9462,7532,6567,1606,4436,8981,5612,6796,4385,5076,2007,6072,3678,8331,1338,3299,8845,4783,8613,4071,1232,6028,2176,3990,2148,3748,103,9453,538,6745,9110,926,3125,473,5970,8728,7072,9062,1404,1317,5139,9862,6496,6062,3338,464,1600,2532,1088,8232,7739,8274,3873 2341,523,7096,8397,8301,6541,9844,244,4993,2280,7689,4025,4196,5522,7904,6048,2623,9258,2149,9461,6448,8087,7245,1917,8340,7127,8466,5725,6996,3421,5313,512,9164,9837,9794,8369,4185,1488,7210,1524,1016,4620,9435,2478,7765,8035,697,6677,3724,6988,5853,7662,3895,9593,1185,4727,6025,5734,7665,3070,138,8469,6748,6459,561,7935,8646,2378,462,7755,3115,9690,8877,3946,2728,8793,244,6323,8666,4271 6430,2406,8994,56,1267,3826,9443,7079,7579,5232,6691,3435,6718,5698,4144,7028,592,2627,217,734,6194,8156,9118,58,2640,8069,4127,3285,694,3197,3377,4143,4802,3324,8134,6953,7625,3598,3584,4289,7065,3434,2106,7132,5802,7920,9060,7531,3321,1725,1067,3751,444,5503,6785,7937,6365,4803,198,6266,8177,1470,6390,1606,2904,7555,9834,8667,2033,1723,5167,1666,8546,8152,473,4475,6451,7947,3062,3281 2810,3042,7759,1741,2275,2609,7676,8640,4117,1958,7500,8048,1757,3954,9270,1971,4796,2912,660,5511,3553,1012,5757,4525,6084,7198,8352,5775,7726,8591,7710,9589,3122,4392,6856,5016,749,2285,3356,7482,9956,7348,2599,8944,495,3462,3578,551,4543,7207,7169,7796,1247,4278,6916,8176,3742,8385,2310,1345,8692,2667,4568,1770,8319,3585,4920,3890,4928,7343,5385,9772,7947,8786,2056,9266,3454,2807,877,2660 6206,8252,5928,5837,4177,4333,207,7934,5581,9526,8906,1498,8411,2984,5198,5134,2464,8435,8514,8674,3876,599,5327,826,2152,4084,2433,9327,9697,4800,2728,3608,3849,3861,3498,9943,1407,3991,7191,9110,5666,8434,4704,6545,5944,2357,1163,4995,9619,6754,4200,9682,6654,4862,4744,5953,6632,1054,293,9439,8286,2255,696,8709,1533,1844,6441,430,1999,6063,9431,7018,8057,2920,6266,6799,356,3597,4024,6665 3847,6356,8541,7225,2325,2946,5199,469,5450,7508,2197,9915,8284,7983,6341,3276,3321,16,1321,7608,5015,3362,8491,6968,6818,797,156,2575,706,9516,5344,5457,9210,5051,8099,1617,9951,7663,8253,9683,2670,1261,4710,1068,8753,4799,1228,2621,3275,6188,4699,1791,9518,8701,5932,4275,6011,9877,2933,4182,6059,2930,6687,6682,9771,654,9437,3169,8596,1827,5471,8909,2352,123,4394,3208,8756,5513,6917,2056 5458,8173,3138,3290,4570,4892,3317,4251,9699,7973,1163,1935,5477,6648,9614,5655,9592,975,9118,2194,7322,8248,8413,3462,8560,1907,7810,6650,7355,2939,4973,6894,3933,3784,3200,2419,9234,4747,2208,2207,1945,2899,1407,6145,8023,3484,5688,7686,2737,3828,3704,9004,5190,9740,8643,8650,5358,4426,1522,1707,3613,9887,6956,2447,2762,833,1449,9489,2573,1080,4167,3456,6809,2466,227,7125,2759,6250,6472,8089 3266,7025,9756,3914,1265,9116,7723,9788,6805,5493,2092,8688,6592,9173,4431,4028,6007,7131,4446,4815,3648,6701,759,3312,8355,4485,4187,5188,8746,7759,3528,2177,5243,8379,3838,7233,4607,9187,7216,2190,6967,2920,6082,7910,5354,3609,8958,6949,7731,494,8753,8707,1523,4426,3543,7085,647,6771,9847,646,5049,824,8417,5260,2730,5702,2513,9275,4279,2767,8684,1165,9903,4518,55,9682,8963,6005,2102,6523 1998,8731,936,1479,5259,7064,4085,91,7745,7136,3773,3810,730,8255,2705,2653,9790,6807,2342,355,9344,2668,3690,2028,9679,8102,574,4318,6481,9175,5423,8062,2867,9657,7553,3442,3920,7430,3945,7639,3714,3392,2525,4995,4850,2867,7951,9667,486,9506,9888,781,8866,1702,3795,90,356,1483,4200,2131,6969,5931,486,6880,4404,1084,5169,4910,6567,8335,4686,5043,2614,3352,2667,4513,6472,7471,5720,1616 8878,1613,1716,868,1906,2681,564,665,5995,2474,7496,3432,9491,9087,8850,8287,669,823,347,6194,2264,2592,7871,7616,8508,4827,760,2676,4660,4881,7572,3811,9032,939,4384,929,7525,8419,5556,9063,662,8887,7026,8534,3111,1454,2082,7598,5726,6687,9647,7608,73,3014,5063,670,5461,5631,3367,9796,8475,7908,5073,1565,5008,5295,4457,1274,4788,1728,338,600,8415,8535,9351,7750,6887,5845,1741,125 3637,6489,9634,9464,9055,2413,7824,9517,7532,3577,7050,6186,6980,9365,9782,191,870,2497,8498,2218,2757,5420,6468,586,3320,9230,1034,1393,9886,5072,9391,1178,8464,8042,6869,2075,8275,3601,7715,9470,8786,6475,8373,2159,9237,2066,3264,5000,679,355,3069,4073,494,2308,5512,4334,9438,8786,8637,9774,1169,1949,6594,6072,4270,9158,7916,5752,6794,9391,6301,5842,3285,2141,3898,8027,4310,8821,7079,1307 8497,6681,4732,7151,7060,5204,9030,7157,833,5014,8723,3207,9796,9286,4913,119,5118,7650,9335,809,3675,2597,5144,3945,5090,8384,187,4102,1260,2445,2792,4422,8389,9290,50,1765,1521,6921,8586,4368,1565,5727,7855,2003,4834,9897,5911,8630,5070,1330,7692,7557,7980,6028,5805,9090,8265,3019,3802,698,9149,5748,1965,9658,4417,5994,5584,8226,2937,272,5743,1278,5698,8736,2595,6475,5342,6596,1149,6920 8188,8009,9546,6310,8772,2500,9846,6592,6872,3857,1307,8125,7042,1544,6159,2330,643,4604,7899,6848,371,8067,2062,3200,7295,1857,9505,6936,384,2193,2190,301,8535,5503,1462,7380,5114,4824,8833,1763,4974,8711,9262,6698,3999,2645,6937,7747,1128,2933,3556,7943,2885,3122,9105,5447,418,2899,5148,3699,9021,9501,597,4084,175,1621,1,1079,6067,5812,4326,9914,6633,5394,4233,6728,9084,1864,5863,1225 9935,8793,9117,1825,9542,8246,8437,3331,9128,9675,6086,7075,319,1334,7932,3583,7167,4178,1726,7720,695,8277,7887,6359,5912,1719,2780,8529,1359,2013,4498,8072,1129,9998,1147,8804,9405,6255,1619,2165,7491,1,8882,7378,3337,503,5758,4109,3577,985,3200,7615,8058,5032,1080,6410,6873,5496,1466,2412,9885,5904,4406,3605,8770,4361,6205,9193,1537,9959,214,7260,9566,1685,100,4920,7138,9819,5637,976 3466,9854,985,1078,7222,8888,5466,5379,3578,4540,6853,8690,3728,6351,7147,3134,6921,9692,857,3307,4998,2172,5783,3931,9417,2541,6299,13,787,2099,9131,9494,896,8600,1643,8419,7248,2660,2609,8579,91,6663,5506,7675,1947,6165,4286,1972,9645,3805,1663,1456,8853,5705,9889,7489,1107,383,4044,2969,3343,152,7805,4980,9929,5033,1737,9953,7197,9158,4071,1324,473,9676,3984,9680,3606,8160,7384,5432 1005,4512,5186,3953,2164,3372,4097,3247,8697,3022,9896,4101,3871,6791,3219,2742,4630,6967,7829,5991,6134,1197,1414,8923,8787,1394,8852,5019,7768,5147,8004,8825,5062,9625,7988,1110,3992,7984,9966,6516,6251,8270,421,3723,1432,4830,6935,8095,9059,2214,6483,6846,3120,1587,6201,6691,9096,9627,6671,4002,3495,9939,7708,7465,5879,6959,6634,3241,3401,2355,9061,2611,7830,3941,2177,2146,5089,7079,519,6351 7280,8586,4261,2831,7217,3141,9994,9940,5462,2189,4005,6942,9848,5350,8060,6665,7519,4324,7684,657,9453,9296,2944,6843,7499,7847,1728,9681,3906,6353,5529,2822,3355,3897,7724,4257,7489,8672,4356,3983,1948,6892,7415,4153,5893,4190,621,1736,4045,9532,7701,3671,1211,1622,3176,4524,9317,7800,5638,6644,6943,5463,3531,2821,1347,5958,3436,1438,2999,994,850,4131,2616,1549,3465,5946,690,9273,6954,7991 9517,399,3249,2596,7736,2142,1322,968,7350,1614,468,3346,3265,7222,6086,1661,5317,2582,7959,4685,2807,2917,1037,5698,1529,3972,8716,2634,3301,3412,8621,743,8001,4734,888,7744,8092,3671,8941,1487,5658,7099,2781,99,1932,4443,4756,4652,9328,1581,7855,4312,5976,7255,6480,3996,2748,1973,9731,4530,2790,9417,7186,5303,3557,351,7182,9428,1342,9020,7599,1392,8304,2070,9138,7215,2008,9937,1106,7110 7444,769,9688,632,1571,6820,8743,4338,337,3366,3073,1946,8219,104,4210,6986,249,5061,8693,7960,6546,1004,8857,5997,9352,4338,6105,5008,2556,6518,6694,4345,3727,7956,20,3954,8652,4424,9387,2035,8358,5962,5304,5194,8650,8282,1256,1103,2138,6679,1985,3653,2770,2433,4278,615,2863,1715,242,3790,2636,6998,3088,1671,2239,957,5411,4595,6282,2881,9974,2401,875,7574,2987,4587,3147,6766,9885,2965 3287,3016,3619,6818,9073,6120,5423,557,2900,2015,8111,3873,1314,4189,1846,4399,7041,7583,2427,2864,3525,5002,2069,748,1948,6015,2684,438,770,8367,1663,7887,7759,1885,157,7770,4520,4878,3857,1137,3525,3050,6276,5569,7649,904,4533,7843,2199,5648,7628,9075,9441,3600,7231,2388,5640,9096,958,3058,584,5899,8150,1181,9616,1098,8162,6819,8171,1519,1140,7665,8801,2632,1299,9192,707,9955,2710,7314 1772,2963,7578,3541,3095,1488,7026,2634,6015,4633,4370,2762,1650,2174,909,8158,2922,8467,4198,4280,9092,8856,8835,5457,2790,8574,9742,5054,9547,4156,7940,8126,9824,7340,8840,6574,3547,1477,3014,6798,7134,435,9484,9859,3031,4,1502,4133,1738,1807,4825,463,6343,9701,8506,9822,9555,8688,8168,3467,3234,6318,1787,5591,419,6593,7974,8486,9861,6381,6758,194,3061,4315,2863,4665,3789,2201,1492,4416 126,8927,6608,5682,8986,6867,1715,6076,3159,788,3140,4744,830,9253,5812,5021,7616,8534,1546,9590,1101,9012,9821,8132,7857,4086,1069,7491,2988,1579,2442,4321,2149,7642,6108,250,6086,3167,24,9528,7663,2685,1220,9196,1397,5776,1577,1730,5481,977,6115,199,6326,2183,3767,5928,5586,7561,663,8649,9688,949,5913,9160,1870,5764,9887,4477,6703,1413,4995,5494,7131,2192,8969,7138,3997,8697,646,1028 8074,1731,8245,624,4601,8706,155,8891,309,2552,8208,8452,2954,3124,3469,4246,3352,1105,4509,8677,9901,4416,8191,9283,5625,7120,2952,8881,7693,830,4580,8228,9459,8611,4499,1179,4988,1394,550,2336,6089,6872,269,7213,1848,917,6672,4890,656,1478,6536,3165,4743,4990,1176,6211,7207,5284,9730,4738,1549,4986,4942,8645,3698,9429,1439,2175,6549,3058,6513,1574,6988,8333,3406,5245,5431,7140,7085,6407 7845,4694,2530,8249,290,5948,5509,1588,5940,4495,5866,5021,4626,3979,3296,7589,4854,1998,5627,3926,8346,6512,9608,1918,7070,4747,4182,2858,2766,4606,6269,4107,8982,8568,9053,4244,5604,102,2756,727,5887,2566,7922,44,5986,621,1202,374,6988,4130,3627,6744,9443,4568,1398,8679,397,3928,9159,367,2917,6127,5788,3304,8129,911,2669,1463,9749,264,4478,8940,1109,7309,2462,117,4692,7724,225,2312 4164,3637,2000,941,8903,39,3443,7172,1031,3687,4901,8082,4945,4515,7204,9310,9349,9535,9940,218,1788,9245,2237,1541,5670,6538,6047,5553,9807,8101,1925,8714,445,8332,7309,6830,5786,5736,7306,2710,3034,1838,7969,6318,7912,2584,2080,7437,6705,2254,7428,820,782,9861,7596,3842,3631,8063,5240,6666,394,4565,7865,4895,9890,6028,6117,4724,9156,4473,4552,602,470,6191,4927,5387,884,3146,1978,3000 4258,6880,1696,3582,5793,4923,2119,1155,9056,9698,6603,3768,5514,9927,9609,6166,6566,4536,4985,4934,8076,9062,6741,6163,7399,4562,2337,5600,2919,9012,8459,1308,6072,1225,9306,8818,5886,7243,7365,8792,6007,9256,6699,7171,4230,7002,8720,7839,4533,1671,478,7774,1607,2317,5437,4705,7886,4760,6760,7271,3081,2997,3088,7675,6208,3101,6821,6840,122,9633,4900,2067,8546,4549,2091,7188,5605,8599,6758,5229 7854,5243,9155,3556,8812,7047,2202,1541,5993,4600,4760,713,434,7911,7426,7414,8729,322,803,7960,7563,4908,6285,6291,736,3389,9339,4132,8701,7534,5287,3646,592,3065,7582,2592,8755,6068,8597,1982,5782,1894,2900,6236,4039,6569,3037,5837,7698,700,7815,2491,7272,5878,3083,6778,6639,3589,5010,8313,2581,6617,5869,8402,6808,2951,2321,5195,497,2190,6187,1342,1316,4453,7740,4154,2959,1781,1482,8256 7178,2046,4419,744,8312,5356,6855,8839,319,2962,5662,47,6307,8662,68,4813,567,2712,9931,1678,3101,8227,6533,4933,6656,92,5846,4780,6256,6361,4323,9985,1231,2175,7178,3034,9744,6155,9165,7787,5836,9318,7860,9644,8941,6480,9443,8188,5928,161,6979,2352,5628,6991,1198,8067,5867,6620,3778,8426,2994,3122,3124,6335,3918,8897,2655,9670,634,1088,1576,8935,7255,474,8166,7417,9547,2886,5560,3842 6957,3111,26,7530,7143,1295,1744,6057,3009,1854,8098,5405,2234,4874,9447,2620,9303,27,7410,969,40,2966,5648,7596,8637,4238,3143,3679,7187,690,9980,7085,7714,9373,5632,7526,6707,3951,9734,4216,2146,3602,5371,6029,3039,4433,4855,4151,1449,3376,8009,7240,7027,4602,2947,9081,4045,8424,9352,8742,923,2705,4266,3232,2264,6761,363,2651,3383,7770,6730,7856,7340,9679,2158,610,4471,4608,910,6241 4417,6756,1013,8797,658,8809,5032,8703,7541,846,3357,2920,9817,1745,9980,7593,4667,3087,779,3218,6233,5568,4296,2289,2654,7898,5021,9461,5593,8214,9173,4203,2271,7980,2983,5952,9992,8399,3468,1776,3188,9314,1720,6523,2933,621,8685,5483,8986,6163,3444,9539,4320,155,3992,2828,2150,6071,524,2895,5468,8063,1210,3348,9071,4862,483,9017,4097,6186,9815,3610,5048,1644,1003,9865,9332,2145,1944,2213 9284,3803,4920,1927,6706,4344,7383,4786,9890,2010,5228,1224,3158,6967,8580,8990,8883,5213,76,8306,2031,4980,5639,9519,7184,5645,7769,3259,8077,9130,1317,3096,9624,3818,1770,695,2454,947,6029,3474,9938,3527,5696,4760,7724,7738,2848,6442,5767,6845,8323,4131,2859,7595,2500,4815,3660,9130,8580,7016,8231,4391,8369,3444,4069,4021,556,6154,627,2778,1496,4206,6356,8434,8491,3816,8231,3190,5575,1015 3787,7572,1788,6803,5641,6844,1961,4811,8535,9914,9999,1450,8857,738,4662,8569,6679,2225,7839,8618,286,2648,5342,2294,3205,4546,176,8705,3741,6134,8324,8021,7004,5205,7032,6637,9442,5539,5584,4819,5874,5807,8589,6871,9016,983,1758,3786,1519,6241,185,8398,495,3370,9133,3051,4549,9674,7311,9738,3316,9383,2658,2776,9481,7558,619,3943,3324,6491,4933,153,9738,4623,912,3595,7771,7939,1219,4405 2650,3883,4154,5809,315,7756,4430,1788,4451,1631,6461,7230,6017,5751,138,588,5282,2442,9110,9035,6349,2515,1570,6122,4192,4174,3530,1933,4186,4420,4609,5739,4135,2963,6308,1161,8809,8619,2796,3819,6971,8228,4188,1492,909,8048,2328,6772,8467,7671,9068,2226,7579,6422,7056,8042,3296,2272,3006,2196,7320,3238,3490,3102,37,1293,3212,4767,5041,8773,5794,4456,6174,7279,7054,2835,7053,9088,790,6640 3101,1057,7057,3826,6077,1025,2955,1224,1114,6729,5902,4698,6239,7203,9423,1804,4417,6686,1426,6941,8071,1029,4985,9010,6122,6597,1622,1574,3513,1684,7086,5505,3244,411,9638,4150,907,9135,829,981,1707,5359,8781,9751,5,9131,3973,7159,1340,6955,7514,7993,6964,8198,1933,2797,877,3993,4453,8020,9349,8646,2779,8679,2961,3547,3374,3510,1129,3568,2241,2625,9138,5974,8206,7669,7678,1833,8700,4480 4865,9912,8038,8238,782,3095,8199,1127,4501,7280,2112,2487,3626,2790,9432,1475,6312,8277,4827,2218,5806,7132,8752,1468,7471,6386,739,8762,8323,8120,5169,9078,9058,3370,9560,7987,8585,8531,5347,9312,1058,4271,1159,5286,5404,6925,8606,9204,7361,2415,560,586,4002,2644,1927,2824,768,4409,2942,3345,1002,808,4941,6267,7979,5140,8643,7553,9438,7320,4938,2666,4609,2778,8158,6730,3748,3867,1866,7181 171,3771,7134,8927,4778,2913,3326,2004,3089,7853,1378,1729,4777,2706,9578,1360,5693,3036,1851,7248,2403,2273,8536,6501,9216,613,9671,7131,7719,6425,773,717,8803,160,1114,7554,7197,753,4513,4322,8499,4533,2609,4226,8710,6627,644,9666,6260,4870,5744,7385,6542,6203,7703,6130,8944,5589,2262,6803,6381,7414,6888,5123,7320,9392,9061,6780,322,8975,7050,5089,1061,2260,3199,1150,1865,5386,9699,6501 3744,8454,6885,8277,919,1923,4001,6864,7854,5519,2491,6057,8794,9645,1776,5714,9786,9281,7538,6916,3215,395,2501,9618,4835,8846,9708,2813,3303,1794,8309,7176,2206,1602,1838,236,4593,2245,8993,4017,10,8215,6921,5206,4023,5932,6997,7801,262,7640,3107,8275,4938,7822,2425,3223,3886,2105,8700,9526,2088,8662,8034,7004,5710,2124,7164,3574,6630,9980,4242,2901,9471,1491,2117,4562,1130,9086,4117,6698 2810,2280,2331,1170,4554,4071,8387,1215,2274,9848,6738,1604,7281,8805,439,1298,8318,7834,9426,8603,6092,7944,1309,8828,303,3157,4638,4439,9175,1921,4695,7716,1494,1015,1772,5913,1127,1952,1950,8905,4064,9890,385,9357,7945,5035,7082,5369,4093,6546,5187,5637,2041,8946,1758,7111,6566,1027,1049,5148,7224,7248,296,6169,375,1656,7993,2816,3717,4279,4675,1609,3317,42,6201,3100,3144,163,9530,4531 7096,6070,1009,4988,3538,5801,7149,3063,2324,2912,7911,7002,4338,7880,2481,7368,3516,2016,7556,2193,1388,3865,8125,4637,4096,8114,750,3144,1938,7002,9343,4095,1392,4220,3455,6969,9647,1321,9048,1996,1640,6626,1788,314,9578,6630,2813,6626,4981,9908,7024,4355,3201,3521,3864,3303,464,1923,595,9801,3391,8366,8084,9374,1041,8807,9085,1892,9431,8317,9016,9221,8574,9981,9240,5395,2009,6310,2854,9255 8830,3145,2960,9615,8220,6061,3452,2918,6481,9278,2297,3385,6565,7066,7316,5682,107,7646,4466,68,1952,9603,8615,54,7191,791,6833,2560,693,9733,4168,570,9127,9537,1925,8287,5508,4297,8452,8795,6213,7994,2420,4208,524,5915,8602,8330,2651,8547,6156,1812,6271,7991,9407,9804,1553,6866,1128,2119,4691,9711,8315,5879,9935,6900,482,682,4126,1041,428,6247,3720,5882,7526,2582,4327,7725,3503,2631 2738,9323,721,7434,1453,6294,2957,3786,5722,6019,8685,4386,3066,9057,6860,499,5315,3045,5194,7111,3137,9104,941,586,3066,755,4177,8819,7040,5309,3583,3897,4428,7788,4721,7249,6559,7324,825,7311,3760,6064,6070,9672,4882,584,1365,9739,9331,5783,2624,7889,1604,1303,1555,7125,8312,425,8936,3233,7724,1480,403,7440,1784,1754,4721,1569,652,3893,4574,5692,9730,4813,9844,8291,9199,7101,3391,8914 6044,2928,9332,3328,8588,447,3830,1176,3523,2705,8365,6136,5442,9049,5526,8575,8869,9031,7280,706,2794,8814,5767,4241,7696,78,6570,556,5083,1426,4502,3336,9518,2292,1885,3740,3153,9348,9331,8051,2759,5407,9028,7840,9255,831,515,2612,9747,7435,8964,4971,2048,4900,5967,8271,1719,9670,2810,6777,1594,6367,6259,8316,3815,1689,6840,9437,4361,822,9619,3065,83,6344,7486,8657,8228,9635,6932,4864 8478,4777,6334,4678,7476,4963,6735,3096,5860,1405,5127,7269,7793,4738,227,9168,2996,8928,765,733,1276,7677,6258,1528,9558,3329,302,8901,1422,8277,6340,645,9125,8869,5952,141,8141,1816,9635,4025,4184,3093,83,2344,2747,9352,7966,1206,1126,1826,218,7939,2957,2729,810,8752,5247,4174,4038,8884,7899,9567,301,5265,5752,7524,4381,1669,3106,8270,6228,6373,754,2547,4240,2313,5514,3022,1040,9738 2265,8192,1763,1369,8469,8789,4836,52,1212,6690,5257,8918,6723,6319,378,4039,2421,8555,8184,9577,1432,7139,8078,5452,9628,7579,4161,7490,5159,8559,1011,81,478,5840,1964,1334,6875,8670,9900,739,1514,8692,522,9316,6955,1345,8132,2277,3193,9773,3923,4177,2183,1236,6747,6575,4874,6003,6409,8187,745,8776,9440,7543,9825,2582,7381,8147,7236,5185,7564,6125,218,7991,6394,391,7659,7456,5128,5294 2132,8992,8160,5782,4420,3371,3798,5054,552,5631,7546,4716,1332,6486,7892,7441,4370,6231,4579,2121,8615,1145,9391,1524,1385,2400,9437,2454,7896,7467,2928,8400,3299,4025,7458,4703,7206,6358,792,6200,725,4275,4136,7390,5984,4502,7929,5085,8176,4600,119,3568,76,9363,6943,2248,9077,9731,6213,5817,6729,4190,3092,6910,759,2682,8380,1254,9604,3011,9291,5329,9453,9746,2739,6522,3765,5634,1113,5789 5304,5499,564,2801,679,2653,1783,3608,7359,7797,3284,796,3222,437,7185,6135,8571,2778,7488,5746,678,6140,861,7750,803,9859,9918,2425,3734,2698,9005,4864,9818,6743,2475,132,9486,3825,5472,919,292,4411,7213,7699,6435,9019,6769,1388,802,2124,1345,8493,9487,8558,7061,8777,8833,2427,2238,5409,4957,8503,3171,7622,5779,6145,2417,5873,5563,5693,9574,9491,1937,7384,4563,6842,5432,2751,3406,7981
-1
TheAlgorithms/Python
6,591
Test on Python 3.11
### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-10-03T07:32:25Z"
"2022-10-31T13:50:03Z"
b2165a65fcf1a087236d2a1527b10b64a12f69e6
a31edd4477af958adb840dadd568c38eecc9567b
Test on Python 3.11. ### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
all_anagrams = {'aal': ['aal', 'ala'], 'aam': ['aam', 'ama'], 'aaronic': ['aaronic', 'nicarao', 'ocarina'], 'aaronite': ['aaronite', 'aeration'], 'aaru': ['aaru', 'aura'], 'ab': ['ab', 'ba'], 'aba': ['aba', 'baa'], 'abac': ['abac', 'caba'], 'abactor': ['abactor', 'acrobat'], 'abaft': ['abaft', 'bafta'], 'abalone': ['abalone', 'balonea'], 'abandoner': ['abandoner', 'reabandon'], 'abanic': ['abanic', 'bianca'], 'abaris': ['abaris', 'arabis'], 'abas': ['abas', 'saba'], 'abaser': ['abaser', 'abrase'], 'abate': ['abate', 'ateba', 'batea', 'beata'], 'abater': ['abater', 'artabe', 'eartab', 'trabea'], 'abb': ['abb', 'bab'], 'abba': ['abba', 'baba'], 'abbey': ['abbey', 'bebay'], 'abby': ['abby', 'baby'], 'abdat': ['abdat', 'batad'], 'abdiel': ['abdiel', 'baldie'], 'abdominovaginal': ['abdominovaginal', 'vaginoabdominal'], 'abdominovesical': ['abdominovesical', 'vesicoabdominal'], 'abe': ['abe', 'bae', 'bea'], 'abed': ['abed', 'bade', 'bead'], 'abel': ['abel', 'able', 'albe', 'bale', 'beal', 'bela', 'blae'], 'abele': ['abele', 'albee'], 'abelian': ['abelian', 'nebalia'], 'abenteric': ['abenteric', 'bicrenate'], 'aberia': ['aberia', 'baeria', 'baiera'], 'abet': ['abet', 'bate', 'beat', 'beta'], 'abetment': ['abetment', 'batement'], 'abettor': ['abettor', 'taboret'], 'abhorrent': ['abhorrent', 'earthborn'], 'abhorrer': ['abhorrer', 'harborer'], 'abider': ['abider', 'bardie'], 'abies': ['abies', 'beisa'], 'abilla': ['abilla', 'labial'], 'abilo': ['abilo', 'aboil'], 'abir': ['abir', 'bari', 'rabi'], 'abiston': ['abiston', 'bastion'], 'abiuret': ['abiuret', 'aubrite', 'biurate', 'rubiate'], 'abkar': ['abkar', 'arkab'], 'abkhas': ['abkhas', 'kasbah'], 'ablactate': ['ablactate', 'cabaletta'], 'ablare': ['ablare', 'arable', 'arbela'], 'ablastemic': ['ablastemic', 'masticable'], 'ablation': ['ablation', 'obtainal'], 'ablaut': ['ablaut', 'tabula'], 'able': ['abel', 'able', 'albe', 'bale', 'beal', 'bela', 'blae'], 'ableness': ['ableness', 'blaeness', 'sensable'], 'ablepsia': ['ablepsia', 'epibasal'], 'abler': ['abler', 'baler', 'belar', 'blare', 'blear'], 'ablest': ['ablest', 'stable', 'tables'], 'abloom': ['abloom', 'mabolo'], 'ablow': ['ablow', 'balow', 'bowla'], 'ablude': ['ablude', 'belaud'], 'abluent': ['abluent', 'tunable'], 'ablution': ['ablution', 'abutilon'], 'ably': ['ably', 'blay', 'yalb'], 'abmho': ['abmho', 'abohm'], 'abner': ['abner', 'arneb', 'reban'], 'abnet': ['abnet', 'beant'], 'abo': ['abo', 'boa'], 'aboard': ['aboard', 'aborad', 'abroad'], 'abode': ['abode', 'adobe'], 'abohm': ['abmho', 'abohm'], 'aboil': ['abilo', 'aboil'], 'abolisher': ['abolisher', 'reabolish'], 'abongo': ['abongo', 'gaboon'], 'aborad': ['aboard', 'aborad', 'abroad'], 'aboral': ['aboral', 'arbalo'], 'abord': ['abord', 'bardo', 'board', 'broad', 'dobra', 'dorab'], 'abort': ['abort', 'tabor'], 'aborticide': ['aborticide', 'bacterioid'], 'abortient': ['abortient', 'torbanite'], 'abortin': ['abortin', 'taborin'], 'abortion': ['abortion', 'robotian'], 'abortive': ['abortive', 'bravoite'], 'abouts': ['abouts', 'basuto'], 'abram': ['abram', 'ambar'], 'abramis': ['abramis', 'arabism'], 'abrasax': ['abrasax', 'abraxas'], 'abrase': ['abaser', 'abrase'], 'abrasion': ['abrasion', 'sorabian'], 'abrastol': ['abrastol', 'albatros'], 'abraxas': ['abrasax', 'abraxas'], 'abreact': ['abreact', 'bractea', 'cabaret'], 'abret': ['abret', 'bater', 'berat'], 'abridge': ['abridge', 'brigade'], 'abrim': ['abrim', 'birma'], 'abrin': ['abrin', 'bairn', 'brain', 'brian', 'rabin'], 'abristle': ['abristle', 'libertas'], 'abroad': ['aboard', 'aborad', 'abroad'], 'abrotine': ['abrotine', 'baritone', 'obtainer', 'reobtain'], 'abrus': ['abrus', 'bursa', 'subra'], 'absalom': ['absalom', 'balsamo'], 'abscise': ['abscise', 'scabies'], 'absent': ['absent', 'basten'], 'absenter': ['absenter', 'reabsent'], 'absi': ['absi', 'bais', 'bias', 'isba'], 'absit': ['absit', 'batis'], 'absmho': ['absmho', 'absohm'], 'absohm': ['absmho', 'absohm'], 'absorber': ['absorber', 'reabsorb'], 'absorpt': ['absorpt', 'barpost'], 'abthain': ['abthain', 'habitan'], 'abulic': ['abulic', 'baculi'], 'abut': ['abut', 'tabu', 'tuba'], 'abuta': ['abuta', 'bauta'], 'abutilon': ['ablution', 'abutilon'], 'aby': ['aby', 'bay'], 'abysmal': ['abysmal', 'balsamy'], 'academite': ['academite', 'acetamide'], 'acadie': ['acadie', 'acedia', 'adicea'], 'acaleph': ['acaleph', 'acephal'], 'acalepha': ['acalepha', 'acephala'], 'acalephae': ['acalephae', 'apalachee'], 'acalephan': ['acalephan', 'acephalan'], 'acalyptrate': ['acalyptrate', 'calyptratae'], 'acamar': ['acamar', 'camara', 'maraca'], 'acanth': ['acanth', 'anchat', 'tanach'], 'acanthia': ['acanthia', 'achatina'], 'acanthial': ['acanthial', 'calathian'], 'acanthin': ['acanthin', 'chinanta'], 'acara': ['acara', 'araca'], 'acardia': ['acardia', 'acarida', 'arcadia'], 'acarian': ['acarian', 'acarina', 'acrania'], 'acarid': ['acarid', 'cardia', 'carida'], 'acarida': ['acardia', 'acarida', 'arcadia'], 'acarina': ['acarian', 'acarina', 'acrania'], 'acarine': ['acarine', 'acraein', 'arecain'], 'acastus': ['acastus', 'astacus'], 'acatholic': ['acatholic', 'chaotical'], 'acaudate': ['acaudate', 'ecaudata'], 'acca': ['acca', 'caca'], 'accelerator': ['accelerator', 'retrocaecal'], 'acception': ['acception', 'peccation'], 'accessioner': ['accessioner', 'reaccession'], 'accipitres': ['accipitres', 'preascitic'], 'accite': ['accite', 'acetic'], 'acclinate': ['acclinate', 'analectic'], 'accoil': ['accoil', 'calico'], 'accomplisher': ['accomplisher', 'reaccomplish'], 'accompt': ['accompt', 'compact'], 'accorder': ['accorder', 'reaccord'], 'accoy': ['accoy', 'ccoya'], 'accretion': ['accretion', 'anorectic', 'neoarctic'], 'accrual': ['accrual', 'carucal'], 'accurate': ['accurate', 'carucate'], 'accurse': ['accurse', 'accuser'], 'accusable': ['accusable', 'subcaecal'], 'accused': ['accused', 'succade'], 'accuser': ['accurse', 'accuser'], 'acedia': ['acadie', 'acedia', 'adicea'], 'acedy': ['acedy', 'decay'], 'acentric': ['acentric', 'encratic', 'nearctic'], 'acentrous': ['acentrous', 'courtesan', 'nectarous'], 'acephal': ['acaleph', 'acephal'], 'acephala': ['acalepha', 'acephala'], 'acephalan': ['acalephan', 'acephalan'], 'acephali': ['acephali', 'phacelia'], 'acephalina': ['acephalina', 'phalaecian'], 'acer': ['acer', 'acre', 'care', 'crea', 'race'], 'aceraceae': ['aceraceae', 'arecaceae'], 'aceraceous': ['aceraceous', 'arecaceous'], 'acerb': ['acerb', 'brace', 'caber'], 'acerbic': ['acerbic', 'breccia'], 'acerdol': ['acerdol', 'coraled'], 'acerin': ['acerin', 'cearin'], 'acerous': ['acerous', 'carouse', 'euscaro'], 'acervate': ['acervate', 'revacate'], 'acervation': ['acervation', 'vacationer'], 'acervuline': ['acervuline', 'avirulence'], 'acetamide': ['academite', 'acetamide'], 'acetamido': ['acetamido', 'coadamite'], 'acetanilid': ['acetanilid', 'laciniated', 'teniacidal'], 'acetanion': ['acetanion', 'antoecian'], 'acetation': ['acetation', 'itaconate'], 'acetic': ['accite', 'acetic'], 'acetin': ['acetin', 'actine', 'enatic'], 'acetmethylanilide': ['acetmethylanilide', 'methylacetanilide'], 'acetoin': ['acetoin', 'aconite', 'anoetic', 'antoeci', 'cetonia'], 'acetol': ['acetol', 'colate', 'locate'], 'acetone': ['acetone', 'oceanet'], 'acetonuria': ['acetonuria', 'aeronautic'], 'acetopyrin': ['acetopyrin', 'capernoity'], 'acetous': ['acetous', 'outcase'], 'acetum': ['acetum', 'tecuma'], 'aceturic': ['aceturic', 'cruciate'], 'ach': ['ach', 'cha'], 'achar': ['achar', 'chara'], 'achate': ['achate', 'chaeta'], 'achatina': ['acanthia', 'achatina'], 'ache': ['ache', 'each', 'haec'], 'acheirus': ['acheirus', 'eucharis'], 'achen': ['achen', 'chane', 'chena', 'hance'], 'acher': ['acher', 'arche', 'chare', 'chera', 'rache', 'reach'], 'acherontic': ['acherontic', 'anchoretic'], 'acherontical': ['acherontical', 'anchoretical'], 'achete': ['achete', 'hecate', 'teache', 'thecae'], 'acheulean': ['acheulean', 'euchlaena'], 'achill': ['achill', 'cahill', 'chilla'], 'achillea': ['achillea', 'heliacal'], 'acholia': ['acholia', 'alochia'], 'achondrite': ['achondrite', 'ditrochean', 'ordanchite'], 'achor': ['achor', 'chora', 'corah', 'orach', 'roach'], 'achras': ['achras', 'charas'], 'achromat': ['achromat', 'trachoma'], 'achromatin': ['achromatin', 'chariotman', 'machinator'], 'achromatinic': ['achromatinic', 'chromatician'], 'achtel': ['achtel', 'chalet', 'thecal', 'thecla'], 'achy': ['achy', 'chay'], 'aciculated': ['aciculated', 'claudicate'], 'acid': ['acid', 'cadi', 'caid'], 'acidanthera': ['acidanthera', 'cantharidae'], 'acider': ['acider', 'ericad'], 'acidimeter': ['acidimeter', 'mediatrice'], 'acidity': ['acidity', 'adicity'], 'acidly': ['acidly', 'acidyl'], 'acidometry': ['acidometry', 'medicatory', 'radiectomy'], 'acidophilous': ['acidophilous', 'aphidicolous'], 'acidyl': ['acidly', 'acidyl'], 'acier': ['acier', 'aeric', 'ceria', 'erica'], 'acieral': ['acieral', 'aerical'], 'aciform': ['aciform', 'formica'], 'acilius': ['acilius', 'iliacus'], 'acinar': ['acinar', 'arnica', 'canari', 'carian', 'carina', 'crania', 'narica'], 'acinic': ['acinic', 'incaic'], 'aciniform': ['aciniform', 'formicina'], 'acipenserid': ['acipenserid', 'presidencia'], 'acis': ['acis', 'asci', 'saic'], 'acker': ['acker', 'caker', 'crake', 'creak'], 'ackey': ['ackey', 'cakey'], 'acle': ['acle', 'alec', 'lace'], 'acleistous': ['acleistous', 'ossiculate'], 'aclemon': ['aclemon', 'cloamen'], 'aclinal': ['aclinal', 'ancilla'], 'aclys': ['aclys', 'scaly'], 'acme': ['acme', 'came', 'mace'], 'acmite': ['acmite', 'micate'], 'acne': ['acne', 'cane', 'nace'], 'acnemia': ['acnemia', 'anaemic'], 'acnida': ['acnida', 'anacid', 'dacian'], 'acnodal': ['acnodal', 'canadol', 'locanda'], 'acnode': ['acnode', 'deacon'], 'acoin': ['acoin', 'oncia'], 'acoma': ['acoma', 'macao'], 'acone': ['acone', 'canoe', 'ocean'], 'aconital': ['aconital', 'actional', 'anatolic'], 'aconite': ['acetoin', 'aconite', 'anoetic', 'antoeci', 'cetonia'], 'aconitic': ['aconitic', 'cationic', 'itaconic'], 'aconitin': ['aconitin', 'inaction', 'nicotian'], 'aconitum': ['aconitum', 'acontium'], 'acontias': ['acontias', 'tacsonia'], 'acontium': ['aconitum', 'acontium'], 'acontius': ['acontius', 'anticous'], 'acopon': ['acopon', 'poonac'], 'acor': ['acor', 'caro', 'cora', 'orca'], 'acorn': ['acorn', 'acron', 'racon'], 'acorus': ['acorus', 'soucar'], 'acosmist': ['acosmist', 'massicot', 'somatics'], 'acquest': ['acquest', 'casquet'], 'acrab': ['acrab', 'braca'], 'acraein': ['acarine', 'acraein', 'arecain'], 'acrania': ['acarian', 'acarina', 'acrania'], 'acraniate': ['acraniate', 'carinatae'], 'acratia': ['acratia', 'cataria'], 'acre': ['acer', 'acre', 'care', 'crea', 'race'], 'acream': ['acream', 'camera', 'mareca'], 'acred': ['acred', 'cader', 'cadre', 'cedar'], 'acrid': ['acrid', 'caird', 'carid', 'darci', 'daric', 'dirca'], 'acridan': ['acridan', 'craniad'], 'acridian': ['acridian', 'cnidaria'], 'acrididae': ['acrididae', 'cardiidae', 'cidaridae'], 'acridly': ['acridly', 'acridyl'], 'acridonium': ['acridonium', 'dicoumarin'], 'acridyl': ['acridly', 'acridyl'], 'acrimonious': ['acrimonious', 'isocoumarin'], 'acrisius': ['acrisius', 'sicarius'], 'acrita': ['acrita', 'arctia'], 'acritan': ['acritan', 'arctian'], 'acrite': ['acrite', 'arcite', 'tercia', 'triace', 'tricae'], 'acroa': ['acroa', 'caroa'], 'acrobat': ['abactor', 'acrobat'], 'acrocera': ['acrocera', 'caracore'], 'acroclinium': ['acroclinium', 'alcicornium'], 'acrodus': ['acrodus', 'crusado'], 'acrogen': ['acrogen', 'cornage'], 'acrolein': ['acrolein', 'arecolin', 'caroline', 'colinear', 'cornelia', 'creolian', 'lonicera'], 'acrolith': ['acrolith', 'trochila'], 'acron': ['acorn', 'acron', 'racon'], 'acronical': ['acronical', 'alcoranic'], 'acronym': ['acronym', 'romancy'], 'acropetal': ['acropetal', 'cleopatra'], 'acrose': ['acrose', 'coarse'], 'acrostic': ['acrostic', 'sarcotic', 'socratic'], 'acrostical': ['acrostical', 'socratical'], 'acrostically': ['acrostically', 'socratically'], 'acrosticism': ['acrosticism', 'socraticism'], 'acrotic': ['acrotic', 'carotic'], 'acrotism': ['acrotism', 'rotacism'], 'acrotrophic': ['acrotrophic', 'prothoracic'], 'acryl': ['acryl', 'caryl', 'clary'], 'act': ['act', 'cat'], 'actaeonidae': ['actaeonidae', 'donatiaceae'], 'actian': ['actian', 'natica', 'tanica'], 'actifier': ['actifier', 'artifice'], 'actin': ['actin', 'antic'], 'actinal': ['actinal', 'alantic', 'alicant', 'antical'], 'actine': ['acetin', 'actine', 'enatic'], 'actiniform': ['actiniform', 'naticiform'], 'actinine': ['actinine', 'naticine'], 'actinism': ['actinism', 'manistic'], 'actinogram': ['actinogram', 'morganatic'], 'actinoid': ['actinoid', 'diatonic', 'naticoid'], 'actinon': ['actinon', 'cantion', 'contain'], 'actinopteran': ['actinopteran', 'precantation'], 'actinopteri': ['actinopteri', 'crepitation', 'precitation'], 'actinost': ['actinost', 'oscitant'], 'actinula': ['actinula', 'nautical'], 'action': ['action', 'atonic', 'cation'], 'actional': ['aconital', 'actional', 'anatolic'], 'actioner': ['actioner', 'anerotic', 'ceration', 'creation', 'reaction'], 'activable': ['activable', 'biclavate'], 'activate': ['activate', 'cavitate'], 'activation': ['activation', 'cavitation'], 'activin': ['activin', 'civitan'], 'actomyosin': ['actomyosin', 'inocystoma'], 'acton': ['acton', 'canto', 'octan'], 'actor': ['actor', 'corta', 'croat', 'rocta', 'taroc', 'troca'], 'actorship': ['actorship', 'strophaic'], 'acts': ['acts', 'cast', 'scat'], 'actuator': ['actuator', 'autocrat'], 'acture': ['acture', 'cauter', 'curate'], 'acuan': ['acuan', 'aucan'], 'acubens': ['acubens', 'benacus'], 'acumen': ['acumen', 'cueman'], 'acuminose': ['acuminose', 'mniaceous'], 'acutenaculum': ['acutenaculum', 'unaccumulate'], 'acuteness': ['acuteness', 'encaustes'], 'acutorsion': ['acutorsion', 'octonarius'], 'acyl': ['acyl', 'clay', 'lacy'], 'acylation': ['acylation', 'claytonia'], 'acylogen': ['acylogen', 'cynogale'], 'ad': ['ad', 'da'], 'adad': ['adad', 'adda', 'dada'], 'adage': ['adage', 'agade'], 'adam': ['adam', 'dama'], 'adamic': ['adamic', 'cadmia'], 'adamine': ['adamine', 'manidae'], 'adamite': ['adamite', 'amidate'], 'adamsite': ['adamsite', 'diastema'], 'adance': ['adance', 'ecanda'], 'adapter': ['adapter', 'predata', 'readapt'], 'adaption': ['adaption', 'adoptian'], 'adaptionism': ['adaptionism', 'adoptianism'], 'adar': ['adar', 'arad', 'raad', 'rada'], 'adarme': ['adarme', 'adream'], 'adat': ['adat', 'data'], 'adawn': ['adawn', 'wadna'], 'adays': ['adays', 'dasya'], 'add': ['add', 'dad'], 'adda': ['adad', 'adda', 'dada'], 'addendum': ['addendum', 'unmadded'], 'adder': ['adder', 'dread', 'readd'], 'addicent': ['addicent', 'dedicant'], 'addlings': ['addlings', 'saddling'], 'addresser': ['addresser', 'readdress'], 'addu': ['addu', 'dadu', 'daud', 'duad'], 'addy': ['addy', 'dyad'], 'ade': ['ade', 'dae'], 'adeem': ['adeem', 'ameed', 'edema'], 'adela': ['adela', 'dalea'], 'adeline': ['adeline', 'daniele', 'delaine'], 'adeling': ['adeling', 'dealing', 'leading'], 'adelops': ['adelops', 'deposal'], 'ademonist': ['ademonist', 'demoniast', 'staminode'], 'ademption': ['ademption', 'tampioned'], 'adendric': ['adendric', 'riddance'], 'adenectopic': ['adenectopic', 'pentadecoic'], 'adenia': ['adenia', 'idaean'], 'adenochondroma': ['adenochondroma', 'chondroadenoma'], 'adenocystoma': ['adenocystoma', 'cystoadenoma'], 'adenofibroma': ['adenofibroma', 'fibroadenoma'], 'adenolipoma': ['adenolipoma', 'palaemonoid'], 'adenosarcoma': ['adenosarcoma', 'sarcoadenoma'], 'adenylic': ['adenylic', 'lycaenid'], 'adeptness': ['adeptness', 'pedantess'], 'adequation': ['adequation', 'deaquation'], 'adermia': ['adermia', 'madeira'], 'adermin': ['adermin', 'amerind', 'dimeran'], 'adet': ['adet', 'date', 'tade', 'tead', 'teda'], 'adevism': ['adevism', 'vedaism'], 'adhere': ['adhere', 'header', 'hedera', 'rehead'], 'adherent': ['adherent', 'headrent', 'neatherd', 'threaden'], 'adiaphon': ['adiaphon', 'aphodian'], 'adib': ['adib', 'ibad'], 'adicea': ['acadie', 'acedia', 'adicea'], 'adicity': ['acidity', 'adicity'], 'adiel': ['adiel', 'delia', 'ideal'], 'adieux': ['adieux', 'exaudi'], 'adighe': ['adighe', 'hidage'], 'adin': ['adin', 'andi', 'dain', 'dani', 'dian', 'naid'], 'adinole': ['adinole', 'idoneal'], 'adion': ['adion', 'danio', 'doina', 'donia'], 'adipocele': ['adipocele', 'cepolidae', 'ploceidae'], 'adipocere': ['adipocere', 'percoidea'], 'adipyl': ['adipyl', 'plaidy'], 'adit': ['adit', 'dita'], 'adital': ['adital', 'altaid'], 'aditus': ['aditus', 'studia'], 'adjuster': ['adjuster', 'readjust'], 'adlai': ['adlai', 'alida'], 'adlay': ['adlay', 'dayal'], 'adlet': ['adlet', 'dealt', 'delta', 'lated', 'taled'], 'adlumine': ['adlumine', 'unmailed'], 'adman': ['adman', 'daman', 'namda'], 'admi': ['admi', 'amid', 'madi', 'maid'], 'adminicle': ['adminicle', 'medicinal'], 'admire': ['admire', 'armied', 'damier', 'dimera', 'merida'], 'admired': ['admired', 'diaderm'], 'admirer': ['admirer', 'madrier', 'married'], 'admissive': ['admissive', 'misadvise'], 'admit': ['admit', 'atmid'], 'admittee': ['admittee', 'meditate'], 'admonisher': ['admonisher', 'rhamnoside'], 'admonition': ['admonition', 'domination'], 'admonitive': ['admonitive', 'dominative'], 'admonitor': ['admonitor', 'dominator'], 'adnascence': ['adnascence', 'ascendance'], 'adnascent': ['adnascent', 'ascendant'], 'adnate': ['adnate', 'entada'], 'ado': ['ado', 'dao', 'oda'], 'adobe': ['abode', 'adobe'], 'adolph': ['adolph', 'pholad'], 'adonai': ['adonai', 'adonia'], 'adonia': ['adonai', 'adonia'], 'adonic': ['adonic', 'anodic'], 'adonin': ['adonin', 'nanoid', 'nonaid'], 'adoniram': ['adoniram', 'radioman'], 'adonize': ['adonize', 'anodize'], 'adopter': ['adopter', 'protead', 'readopt'], 'adoptian': ['adaption', 'adoptian'], 'adoptianism': ['adaptionism', 'adoptianism'], 'adoptional': ['adoptional', 'aplodontia'], 'adorability': ['adorability', 'roadability'], 'adorable': ['adorable', 'roadable'], 'adorant': ['adorant', 'ondatra'], 'adore': ['adore', 'oared', 'oread'], 'adorer': ['adorer', 'roader'], 'adorn': ['adorn', 'donar', 'drona', 'radon'], 'adorner': ['adorner', 'readorn'], 'adpao': ['adpao', 'apoda'], 'adpromission': ['adpromission', 'proadmission'], 'adream': ['adarme', 'adream'], 'adrenin': ['adrenin', 'nardine'], 'adrenine': ['adrenine', 'adrienne'], 'adrenolytic': ['adrenolytic', 'declinatory'], 'adrenotropic': ['adrenotropic', 'incorporated'], 'adrian': ['adrian', 'andira', 'andria', 'radian', 'randia'], 'adrienne': ['adrenine', 'adrienne'], 'adrip': ['adrip', 'rapid'], 'adroitly': ['adroitly', 'dilatory', 'idolatry'], 'adrop': ['adrop', 'pardo'], 'adry': ['adry', 'dray', 'yard'], 'adscendent': ['adscendent', 'descendant'], 'adsmith': ['adsmith', 'mahdist'], 'adular': ['adular', 'aludra', 'radula'], 'adulation': ['adulation', 'laudation'], 'adulator': ['adulator', 'laudator'], 'adulatory': ['adulatory', 'laudatory'], 'adult': ['adult', 'dulat'], 'adulterine': ['adulterine', 'laurentide'], 'adultness': ['adultness', 'dauntless'], 'adustion': ['adustion', 'sudation'], 'advene': ['advene', 'evadne'], 'adventism': ['adventism', 'vedantism'], 'adventist': ['adventist', 'vedantist'], 'adventure': ['adventure', 'unaverted'], 'advice': ['advice', 'vedaic'], 'ady': ['ady', 'day', 'yad'], 'adz': ['adz', 'zad'], 'adze': ['adze', 'daze'], 'adzer': ['adzer', 'zerda'], 'ae': ['ae', 'ea'], 'aecidioform': ['aecidioform', 'formicoidea'], 'aedilian': ['aedilian', 'laniidae'], 'aedilic': ['aedilic', 'elaidic'], 'aedility': ['aedility', 'ideality'], 'aegipan': ['aegipan', 'apinage'], 'aegirine': ['aegirine', 'erigenia'], 'aegirite': ['aegirite', 'ariegite'], 'aegle': ['aegle', 'eagle', 'galee'], 'aenean': ['aenean', 'enaena'], 'aeolharmonica': ['aeolharmonica', 'chloroanaemia'], 'aeolian': ['aeolian', 'aeolina', 'aeonial'], 'aeolic': ['aeolic', 'coelia'], 'aeolina': ['aeolian', 'aeolina', 'aeonial'], 'aeolis': ['aeolis', 'laiose'], 'aeolist': ['aeolist', 'isolate'], 'aeolistic': ['aeolistic', 'socialite'], 'aeon': ['aeon', 'eoan'], 'aeonial': ['aeolian', 'aeolina', 'aeonial'], 'aeonist': ['aeonist', 'asiento', 'satieno'], 'aer': ['aer', 'are', 'ear', 'era', 'rea'], 'aerage': ['aerage', 'graeae'], 'aerarian': ['aerarian', 'arenaria'], 'aeration': ['aaronite', 'aeration'], 'aerial': ['aerial', 'aralie'], 'aeric': ['acier', 'aeric', 'ceria', 'erica'], 'aerical': ['acieral', 'aerical'], 'aeried': ['aeried', 'dearie'], 'aerogenic': ['aerogenic', 'recoinage'], 'aerographer': ['aerographer', 'areographer'], 'aerographic': ['aerographic', 'areographic'], 'aerographical': ['aerographical', 'areographical'], 'aerography': ['aerography', 'areography'], 'aerologic': ['aerologic', 'areologic'], 'aerological': ['aerological', 'areological'], 'aerologist': ['aerologist', 'areologist'], 'aerology': ['aerology', 'areology'], 'aeromantic': ['aeromantic', 'cameration', 'maceration', 'racemation'], 'aerometer': ['aerometer', 'areometer'], 'aerometric': ['aerometric', 'areometric'], 'aerometry': ['aerometry', 'areometry'], 'aeronautic': ['acetonuria', 'aeronautic'], 'aeronautism': ['aeronautism', 'measuration'], 'aerope': ['aerope', 'operae'], 'aerophilic': ['aerophilic', 'epichorial'], 'aerosol': ['aerosol', 'roseola'], 'aerostatics': ['aerostatics', 'aortectasis'], 'aery': ['aery', 'eyra', 'yare', 'year'], 'aes': ['aes', 'ase', 'sea'], 'aesthetic': ['aesthetic', 'chaetites'], 'aethalioid': ['aethalioid', 'haliotidae'], 'aetian': ['aetian', 'antiae', 'taenia'], 'aetobatus': ['aetobatus', 'eastabout'], 'afebrile': ['afebrile', 'balefire', 'fireable'], 'afenil': ['afenil', 'finale'], 'affair': ['affair', 'raffia'], 'affecter': ['affecter', 'reaffect'], 'affeer': ['affeer', 'raffee'], 'affiance': ['affiance', 'caffeina'], 'affirmer': ['affirmer', 'reaffirm'], 'afflicter': ['afflicter', 'reafflict'], 'affy': ['affy', 'yaff'], 'afghan': ['afghan', 'hafgan'], 'afield': ['afield', 'defial'], 'afire': ['afire', 'feria'], 'aflare': ['aflare', 'rafael'], 'aflat': ['aflat', 'fatal'], 'afresh': ['afresh', 'fasher', 'ferash'], 'afret': ['afret', 'after'], 'afric': ['afric', 'firca'], 'afshar': ['afshar', 'ashraf'], 'aft': ['aft', 'fat'], 'after': ['afret', 'after'], 'afteract': ['afteract', 'artefact', 'farcetta', 'farctate'], 'afterage': ['afterage', 'fregatae'], 'afterblow': ['afterblow', 'batfowler'], 'aftercome': ['aftercome', 'forcemeat'], 'aftercrop': ['aftercrop', 'prefactor'], 'aftergo': ['aftergo', 'fagoter'], 'afterguns': ['afterguns', 'transfuge'], 'aftermath': ['aftermath', 'hamfatter'], 'afterstate': ['afterstate', 'aftertaste'], 'aftertaste': ['afterstate', 'aftertaste'], 'afunctional': ['afunctional', 'unfactional'], 'agade': ['adage', 'agade'], 'agal': ['agal', 'agla', 'alga', 'gala'], 'agalite': ['agalite', 'tailage', 'taliage'], 'agalma': ['agalma', 'malaga'], 'agama': ['agama', 'amaga'], 'agamid': ['agamid', 'madiga'], 'agapeti': ['agapeti', 'agpaite'], 'agapornis': ['agapornis', 'sporangia'], 'agar': ['agar', 'agra', 'gara', 'raga'], 'agaricin': ['agaricin', 'garcinia'], 'agau': ['agau', 'agua'], 'aged': ['aged', 'egad', 'gade'], 'ageless': ['ageless', 'eagless'], 'agen': ['agen', 'gaen', 'gane', 'gean', 'gena'], 'agenesic': ['agenesic', 'genesiac'], 'agenesis': ['agenesis', 'assignee'], 'agential': ['agential', 'alginate'], 'agentive': ['agentive', 'negative'], 'ager': ['ager', 'agre', 'gare', 'gear', 'rage'], 'agger': ['agger', 'gager', 'regga'], 'aggeration': ['aggeration', 'agregation'], 'aggry': ['aggry', 'raggy'], 'agialid': ['agialid', 'galidia'], 'agib': ['agib', 'biga', 'gabi'], 'agiel': ['agiel', 'agile', 'galei'], 'agile': ['agiel', 'agile', 'galei'], 'agileness': ['agileness', 'signalese'], 'agistment': ['agistment', 'magnetist'], 'agistor': ['agistor', 'agrotis', 'orgiast'], 'agla': ['agal', 'agla', 'alga', 'gala'], 'aglaos': ['aglaos', 'salago'], 'aglare': ['aglare', 'alegar', 'galera', 'laager'], 'aglet': ['aglet', 'galet'], 'agley': ['agley', 'galey'], 'agmatine': ['agmatine', 'agminate'], 'agminate': ['agmatine', 'agminate'], 'agminated': ['agminated', 'diamagnet'], 'agnail': ['agnail', 'linaga'], 'agname': ['agname', 'manage'], 'agnel': ['agnel', 'angel', 'angle', 'galen', 'genal', 'glean', 'lagen'], 'agnes': ['agnes', 'gesan'], 'agnize': ['agnize', 'ganzie'], 'agnosis': ['agnosis', 'ganosis'], 'agnostic': ['agnostic', 'coasting'], 'agnus': ['agnus', 'angus', 'sugan'], 'ago': ['ago', 'goa'], 'agon': ['agon', 'ango', 'gaon', 'goan', 'gona'], 'agonal': ['agonal', 'angola'], 'agone': ['agone', 'genoa'], 'agoniadin': ['agoniadin', 'anangioid', 'ganoidian'], 'agonic': ['agonic', 'angico', 'gaonic', 'goniac'], 'agonista': ['agonista', 'santiago'], 'agonizer': ['agonizer', 'orangize', 'organize'], 'agpaite': ['agapeti', 'agpaite'], 'agra': ['agar', 'agra', 'gara', 'raga'], 'agral': ['agral', 'argal'], 'agrania': ['agrania', 'angaria', 'niagara'], 'agre': ['ager', 'agre', 'gare', 'gear', 'rage'], 'agree': ['agree', 'eager', 'eagre'], 'agreed': ['agreed', 'geared'], 'agregation': ['aggeration', 'agregation'], 'agrege': ['agrege', 'raggee'], 'agrestian': ['agrestian', 'gerastian', 'stangeria'], 'agrestic': ['agrestic', 'ergastic'], 'agria': ['agria', 'igara'], 'agricolist': ['agricolist', 'algoristic'], 'agrilus': ['agrilus', 'gularis'], 'agrin': ['agrin', 'grain'], 'agrito': ['agrito', 'ortiga'], 'agroan': ['agroan', 'angora', 'anogra', 'arango', 'argoan', 'onagra'], 'agrom': ['agrom', 'morga'], 'agrotis': ['agistor', 'agrotis', 'orgiast'], 'aground': ['aground', 'durango'], 'agrufe': ['agrufe', 'gaufer', 'gaufre'], 'agrypnia': ['agrypnia', 'paginary'], 'agsam': ['agsam', 'magas'], 'agua': ['agau', 'agua'], 'ague': ['ague', 'auge'], 'agush': ['agush', 'saugh'], 'agust': ['agust', 'tsuga'], 'agy': ['agy', 'gay'], 'ah': ['ah', 'ha'], 'ahem': ['ahem', 'haem', 'hame'], 'ahet': ['ahet', 'haet', 'hate', 'heat', 'thea'], 'ahey': ['ahey', 'eyah', 'yeah'], 'ahind': ['ahind', 'dinah'], 'ahint': ['ahint', 'hiant', 'tahin'], 'ahir': ['ahir', 'hair'], 'ahmed': ['ahmed', 'hemad'], 'ahmet': ['ahmet', 'thema'], 'aho': ['aho', 'hao'], 'ahom': ['ahom', 'moha'], 'ahong': ['ahong', 'hogan'], 'ahorse': ['ahorse', 'ashore', 'hoarse', 'shorea'], 'ahoy': ['ahoy', 'hoya'], 'ahriman': ['ahriman', 'miranha'], 'ahsan': ['ahsan', 'hansa', 'hasan'], 'aht': ['aht', 'hat', 'tha'], 'ahtena': ['ahtena', 'aneath', 'athena'], 'ahu': ['ahu', 'auh', 'hau'], 'ahum': ['ahum', 'huma'], 'ahunt': ['ahunt', 'haunt', 'thuan', 'unhat'], 'aid': ['aid', 'ida'], 'aidance': ['aidance', 'canidae'], 'aide': ['aide', 'idea'], 'aidenn': ['aidenn', 'andine', 'dannie', 'indane'], 'aider': ['aider', 'deair', 'irade', 'redia'], 'aides': ['aides', 'aside', 'sadie'], 'aiel': ['aiel', 'aile', 'elia'], 'aiglet': ['aiglet', 'ligate', 'taigle', 'tailge'], 'ail': ['ail', 'ila', 'lai'], 'ailantine': ['ailantine', 'antialien'], 'ailanto': ['ailanto', 'alation', 'laotian', 'notalia'], 'aile': ['aiel', 'aile', 'elia'], 'aileen': ['aileen', 'elaine'], 'aileron': ['aileron', 'alienor'], 'ailing': ['ailing', 'angili', 'nilgai'], 'ailment': ['ailment', 'aliment'], 'aim': ['aim', 'ami', 'ima'], 'aimer': ['aimer', 'maire', 'marie', 'ramie'], 'aimless': ['aimless', 'melissa', 'seismal'], 'ainaleh': ['ainaleh', 'halenia'], 'aint': ['aint', 'anti', 'tain', 'tina'], 'aion': ['aion', 'naio'], 'air': ['air', 'ira', 'ria'], 'aira': ['aira', 'aria', 'raia'], 'airan': ['airan', 'arain', 'arian'], 'airdrome': ['airdrome', 'armoried'], 'aire': ['aire', 'eria'], 'airer': ['airer', 'arrie'], 'airlike': ['airlike', 'kiliare'], 'airman': ['airman', 'amarin', 'marian', 'marina', 'mirana'], 'airplane': ['airplane', 'perianal'], 'airplanist': ['airplanist', 'triplasian'], 'airt': ['airt', 'rita', 'tari', 'tiar'], 'airy': ['airy', 'yair'], 'aisle': ['aisle', 'elias'], 'aisled': ['aisled', 'deasil', 'ladies', 'sailed'], 'aisling': ['aisling', 'sailing'], 'aissor': ['aissor', 'rissoa'], 'ait': ['ait', 'ati', 'ita', 'tai'], 'aitch': ['aitch', 'chait', 'chati', 'chita', 'taich', 'tchai'], 'aition': ['aition', 'itonia'], 'aizle': ['aizle', 'eliza'], 'ajar': ['ajar', 'jara', 'raja'], 'ajhar': ['ajhar', 'rajah'], 'ajuga': ['ajuga', 'jagua'], 'ak': ['ak', 'ka'], 'akal': ['akal', 'kala'], 'akali': ['akali', 'alaki'], 'akan': ['akan', 'kana'], 'ake': ['ake', 'kea'], 'akebi': ['akebi', 'bakie'], 'akha': ['akha', 'kaha'], 'akim': ['akim', 'maki'], 'akin': ['akin', 'kina', 'naik'], 'akka': ['akka', 'kaka'], 'aknee': ['aknee', 'ankee', 'keena'], 'ako': ['ako', 'koa', 'oak', 'oka'], 'akoasma': ['akoasma', 'amakosa'], 'aku': ['aku', 'auk', 'kua'], 'al': ['al', 'la'], 'ala': ['aal', 'ala'], 'alacritous': ['alacritous', 'lactarious', 'lactosuria'], 'alain': ['alain', 'alani', 'liana'], 'alaki': ['akali', 'alaki'], 'alalite': ['alalite', 'tillaea'], 'alamo': ['alamo', 'aloma'], 'alan': ['alan', 'anal', 'lana'], 'alangin': ['alangin', 'anginal', 'anglian', 'nagnail'], 'alangine': ['alangine', 'angelina', 'galenian'], 'alani': ['alain', 'alani', 'liana'], 'alanine': ['alanine', 'linnaea'], 'alans': ['alans', 'lanas', 'nasal'], 'alantic': ['actinal', 'alantic', 'alicant', 'antical'], 'alantolic': ['alantolic', 'allantoic'], 'alanyl': ['alanyl', 'anally'], 'alares': ['alares', 'arales'], 'alaria': ['alaria', 'aralia'], 'alaric': ['alaric', 'racial'], 'alarm': ['alarm', 'malar', 'maral', 'marla', 'ramal'], 'alarmable': ['alarmable', 'ambarella'], 'alarmedly': ['alarmedly', 'medallary'], 'alarming': ['alarming', 'marginal'], 'alarmingly': ['alarmingly', 'marginally'], 'alarmist': ['alarmist', 'alastrim'], 'alas': ['alas', 'lasa'], 'alastair': ['alastair', 'salariat'], 'alaster': ['alaster', 'tarsale'], 'alastrim': ['alarmist', 'alastrim'], 'alatern': ['alatern', 'lateran'], 'alaternus': ['alaternus', 'saturnale'], 'alation': ['ailanto', 'alation', 'laotian', 'notalia'], 'alb': ['alb', 'bal', 'lab'], 'alba': ['alba', 'baal', 'bala'], 'alban': ['alban', 'balan', 'banal', 'laban', 'nabal', 'nabla'], 'albanite': ['albanite', 'balanite', 'nabalite'], 'albardine': ['albardine', 'drainable'], 'albarium': ['albarium', 'brumalia'], 'albata': ['albata', 'atabal', 'balata'], 'albatros': ['abrastol', 'albatros'], 'albe': ['abel', 'able', 'albe', 'bale', 'beal', 'bela', 'blae'], 'albedo': ['albedo', 'doable'], 'albee': ['abele', 'albee'], 'albeit': ['albeit', 'albite', 'baltei', 'belait', 'betail', 'bletia', 'libate'], 'albert': ['albert', 'balter', 'labret', 'tabler'], 'alberta': ['alberta', 'latebra', 'ratable'], 'albertina': ['albertina', 'trainable'], 'alberto': ['alberto', 'bloater', 'latrobe'], 'albetad': ['albetad', 'datable'], 'albi': ['albi', 'bail', 'bali'], 'albian': ['albian', 'bilaan'], 'albin': ['albin', 'binal', 'blain'], 'albino': ['albino', 'albion', 'alboin', 'oliban'], 'albion': ['albino', 'albion', 'alboin', 'oliban'], 'albite': ['albeit', 'albite', 'baltei', 'belait', 'betail', 'bletia', 'libate'], 'alboin': ['albino', 'albion', 'alboin', 'oliban'], 'alboranite': ['alboranite', 'rationable'], 'albronze': ['albronze', 'blazoner'], 'albuca': ['albuca', 'bacula'], 'albuminate': ['albuminate', 'antelabium'], 'alburnum': ['alburnum', 'laburnum'], 'alcaic': ['alcaic', 'cicala'], 'alcaide': ['alcaide', 'alcidae'], 'alcamine': ['alcamine', 'analcime', 'calamine', 'camelina'], 'alcantarines': ['alcantarines', 'lancasterian'], 'alcedo': ['alcedo', 'dacelo'], 'alces': ['alces', 'casel', 'scale'], 'alchemic': ['alchemic', 'chemical'], 'alchemistic': ['alchemistic', 'hemiclastic'], 'alchera': ['alchera', 'archeal'], 'alchitran': ['alchitran', 'clathrina'], 'alcicornium': ['acroclinium', 'alcicornium'], 'alcidae': ['alcaide', 'alcidae'], 'alcidine': ['alcidine', 'danielic', 'lecaniid'], 'alcine': ['alcine', 'ancile'], 'alco': ['alco', 'coal', 'cola', 'loca'], 'alcoate': ['alcoate', 'coelata'], 'alcogel': ['alcogel', 'collage'], 'alcor': ['alcor', 'calor', 'carlo', 'carol', 'claro', 'coral'], 'alcoran': ['alcoran', 'ancoral', 'carolan'], 'alcoranic': ['acronical', 'alcoranic'], 'alcove': ['alcove', 'coeval', 'volcae'], 'alcyon': ['alcyon', 'cyanol'], 'alcyone': ['alcyone', 'cyanole'], 'aldamine': ['aldamine', 'lamnidae'], 'aldeament': ['aldeament', 'mandelate'], 'alder': ['alder', 'daler', 'lader'], 'aldermanry': ['aldermanry', 'marylander'], 'aldern': ['aldern', 'darnel', 'enlard', 'lander', 'lenard', 'randle', 'reland'], 'aldime': ['aldime', 'mailed', 'medial'], 'aldine': ['aldine', 'daniel', 'delian', 'denial', 'enalid', 'leadin'], 'aldus': ['aldus', 'sauld'], 'ale': ['ale', 'lea'], 'alec': ['acle', 'alec', 'lace'], 'aleconner': ['aleconner', 'noncereal'], 'alecost': ['alecost', 'lactose', 'scotale', 'talcose'], 'alectoris': ['alectoris', 'sarcolite', 'sclerotia', 'sectorial'], 'alectrion': ['alectrion', 'clarionet', 'crotaline', 'locarnite'], 'alectryon': ['alectryon', 'tolerancy'], 'alecup': ['alecup', 'clupea'], 'alef': ['alef', 'feal', 'flea', 'leaf'], 'aleft': ['aleft', 'alfet', 'fetal', 'fleta'], 'alegar': ['aglare', 'alegar', 'galera', 'laager'], 'alem': ['alem', 'alme', 'lame', 'leam', 'male', 'meal', 'mela'], 'alemanni': ['alemanni', 'melanian'], 'alemite': ['alemite', 'elamite'], 'alen': ['alen', 'lane', 'lean', 'lena', 'nael', 'neal'], 'aleph': ['aleph', 'pheal'], 'alepot': ['alepot', 'pelota'], 'alerce': ['alerce', 'cereal', 'relace'], 'alerse': ['alerse', 'leaser', 'reales', 'resale', 'reseal', 'sealer'], 'alert': ['alert', 'alter', 'artel', 'later', 'ratel', 'taler', 'telar'], 'alertly': ['alertly', 'elytral'], 'alestake': ['alestake', 'eastlake'], 'aletap': ['aletap', 'palate', 'platea'], 'aletris': ['aletris', 'alister', 'listera', 'realist', 'saltier'], 'aleuronic': ['aleuronic', 'urceolina'], 'aleut': ['aleut', 'atule'], 'aleutic': ['aleutic', 'auletic', 'caulite', 'lutecia'], 'alevin': ['alevin', 'alvine', 'valine', 'veinal', 'venial', 'vineal'], 'alex': ['alex', 'axel', 'axle'], 'alexandrian': ['alexandrian', 'alexandrina'], 'alexandrina': ['alexandrian', 'alexandrina'], 'alexin': ['alexin', 'xenial'], 'aleyard': ['aleyard', 'already'], 'alfenide': ['alfenide', 'enfilade'], 'alfet': ['aleft', 'alfet', 'fetal', 'fleta'], 'alfred': ['alfred', 'fardel'], 'alfur': ['alfur', 'fural'], 'alga': ['agal', 'agla', 'alga', 'gala'], 'algae': ['algae', 'galea'], 'algal': ['algal', 'galla'], 'algebar': ['algebar', 'algebra'], 'algebra': ['algebar', 'algebra'], 'algedi': ['algedi', 'galeid'], 'algedo': ['algedo', 'geodal'], 'algedonic': ['algedonic', 'genocidal'], 'algenib': ['algenib', 'bealing', 'belgian', 'bengali'], 'algerian': ['algerian', 'geranial', 'regalian'], 'algernon': ['algernon', 'nonglare'], 'algesia': ['algesia', 'sailage'], 'algesis': ['algesis', 'glassie'], 'algieba': ['algieba', 'bailage'], 'algin': ['algin', 'align', 'langi', 'liang', 'linga'], 'alginate': ['agential', 'alginate'], 'algine': ['algine', 'genial', 'linage'], 'algist': ['algist', 'gaslit'], 'algometer': ['algometer', 'glomerate'], 'algometric': ['algometric', 'melotragic'], 'algomian': ['algomian', 'magnolia'], 'algor': ['algor', 'argol', 'goral', 'largo'], 'algoristic': ['agricolist', 'algoristic'], 'algorithm': ['algorithm', 'logarithm'], 'algorithmic': ['algorithmic', 'logarithmic'], 'algraphic': ['algraphic', 'graphical'], 'algum': ['algum', 'almug', 'glaum', 'gluma', 'mulga'], 'alibility': ['alibility', 'liability'], 'alible': ['alible', 'belial', 'labile', 'liable'], 'alicant': ['actinal', 'alantic', 'alicant', 'antical'], 'alice': ['alice', 'celia', 'ileac'], 'alichel': ['alichel', 'challie', 'helical'], 'alida': ['adlai', 'alida'], 'alien': ['alien', 'aline', 'anile', 'elain', 'elian', 'laine', 'linea'], 'alienation': ['alienation', 'alineation'], 'alienator': ['alienator', 'rationale'], 'alienism': ['alienism', 'milesian'], 'alienor': ['aileron', 'alienor'], 'alif': ['alif', 'fail'], 'aligerous': ['aligerous', 'glaireous'], 'align': ['algin', 'align', 'langi', 'liang', 'linga'], 'aligner': ['aligner', 'engrail', 'realign', 'reginal'], 'alignment': ['alignment', 'lamenting'], 'alike': ['alike', 'lakie'], 'alikeness': ['alikeness', 'leakiness'], 'alima': ['alima', 'lamia'], 'aliment': ['ailment', 'aliment'], 'alimenter': ['alimenter', 'marteline'], 'alimentic': ['alimentic', 'antilemic', 'melanitic', 'metanilic'], 'alimonied': ['alimonied', 'maleinoid'], 'alin': ['alin', 'anil', 'lain', 'lina', 'nail'], 'aline': ['alien', 'aline', 'anile', 'elain', 'elian', 'laine', 'linea'], 'alineation': ['alienation', 'alineation'], 'aliped': ['aliped', 'elapid'], 'aliptes': ['aliptes', 'pastile', 'talipes'], 'aliptic': ['aliptic', 'aplitic'], 'aliseptal': ['aliseptal', 'pallasite'], 'alish': ['alish', 'hilsa'], 'alisier': ['alisier', 'israeli'], 'aliso': ['aliso', 'alois'], 'alison': ['alison', 'anolis'], 'alisp': ['alisp', 'lapsi'], 'alist': ['alist', 'litas', 'slait', 'talis'], 'alister': ['aletris', 'alister', 'listera', 'realist', 'saltier'], 'alit': ['alit', 'tail', 'tali'], 'alite': ['alite', 'laeti'], 'aliunde': ['aliunde', 'unideal'], 'aliveness': ['aliveness', 'vealiness'], 'alix': ['alix', 'axil'], 'alk': ['alk', 'lak'], 'alkalizer': ['alkalizer', 'lazarlike'], 'alkamin': ['alkamin', 'malakin'], 'alkene': ['alkene', 'lekane'], 'alkes': ['alkes', 'sakel', 'slake'], 'alkine': ['alkine', 'ilkane', 'inlake', 'inleak'], 'alky': ['alky', 'laky'], 'alkylic': ['alkylic', 'lilacky'], 'allagite': ['allagite', 'alligate', 'talliage'], 'allah': ['allah', 'halal'], 'allantoic': ['alantolic', 'allantoic'], 'allay': ['allay', 'yalla'], 'allayer': ['allayer', 'yallaer'], 'allbone': ['allbone', 'bellona'], 'alle': ['alle', 'ella', 'leal'], 'allecret': ['allecret', 'cellaret'], 'allegate': ['allegate', 'ellagate'], 'allegorist': ['allegorist', 'legislator'], 'allergen': ['allergen', 'generall'], 'allergia': ['allergia', 'galleria'], 'allergin': ['allergin', 'gralline'], 'allergy': ['allergy', 'gallery', 'largely', 'regally'], 'alliable': ['alliable', 'labiella'], 'alliably': ['alliably', 'labially'], 'alliance': ['alliance', 'canaille'], 'alliancer': ['alliancer', 'ralliance'], 'allie': ['allie', 'leila', 'lelia'], 'allies': ['allies', 'aselli'], 'alligate': ['allagite', 'alligate', 'talliage'], 'allium': ['allium', 'alulim', 'muilla'], 'allocation': ['allocation', 'locational'], 'allocute': ['allocute', 'loculate'], 'allocution': ['allocution', 'loculation'], 'allogenic': ['allogenic', 'collegian'], 'allonym': ['allonym', 'malonyl'], 'allopathy': ['allopathy', 'lalopathy'], 'allopatric': ['allopatric', 'patrilocal'], 'allot': ['allot', 'atoll'], 'allothogenic': ['allothogenic', 'ethnological'], 'allover': ['allover', 'overall'], 'allower': ['allower', 'reallow'], 'alloy': ['alloy', 'loyal'], 'allude': ['allude', 'aludel'], 'allure': ['allure', 'laurel'], 'alma': ['alma', 'amla', 'lama', 'mala'], 'almach': ['almach', 'chamal'], 'almaciga': ['almaciga', 'macaglia'], 'almain': ['almain', 'animal', 'lamina', 'manila'], 'alman': ['alman', 'lamna', 'manal'], 'almandite': ['almandite', 'laminated'], 'alme': ['alem', 'alme', 'lame', 'leam', 'male', 'meal', 'mela'], 'almerian': ['almerian', 'manerial'], 'almoign': ['almoign', 'loaming'], 'almon': ['almon', 'monal'], 'almond': ['almond', 'dolman'], 'almoner': ['almoner', 'moneral', 'nemoral'], 'almonry': ['almonry', 'romanly'], 'alms': ['alms', 'salm', 'slam'], 'almuce': ['almuce', 'caelum', 'macule'], 'almude': ['almude', 'maudle'], 'almug': ['algum', 'almug', 'glaum', 'gluma', 'mulga'], 'almuten': ['almuten', 'emulant'], 'aln': ['aln', 'lan'], 'alnage': ['alnage', 'angela', 'galena', 'lagena'], 'alnico': ['alnico', 'cliona', 'oilcan'], 'alnilam': ['alnilam', 'manilla'], 'alnoite': ['alnoite', 'elation', 'toenail'], 'alnuin': ['alnuin', 'unnail'], 'alo': ['alo', 'lao', 'loa'], 'alochia': ['acholia', 'alochia'], 'alod': ['alod', 'dola', 'load', 'odal'], 'aloe': ['aloe', 'olea'], 'aloetic': ['aloetic', 'coalite'], 'aloft': ['aloft', 'float', 'flota'], 'alogian': ['alogian', 'logania'], 'alogical': ['alogical', 'colalgia'], 'aloid': ['aloid', 'dolia', 'idola'], 'aloin': ['aloin', 'anoil', 'anoli'], 'alois': ['aliso', 'alois'], 'aloma': ['alamo', 'aloma'], 'alone': ['alone', 'anole', 'olena'], 'along': ['along', 'gonal', 'lango', 'longa', 'nogal'], 'alonso': ['alonso', 'alsoon', 'saloon'], 'alonzo': ['alonzo', 'zoonal'], 'alop': ['alop', 'opal'], 'alopecist': ['alopecist', 'altiscope', 'epicostal', 'scapolite'], 'alosa': ['alosa', 'loasa', 'oasal'], 'alose': ['alose', 'osela', 'solea'], 'alow': ['alow', 'awol', 'lowa'], 'aloxite': ['aloxite', 'oxalite'], 'alp': ['alp', 'lap', 'pal'], 'alpeen': ['alpeen', 'lenape', 'pelean'], 'alpen': ['alpen', 'nepal', 'panel', 'penal', 'plane'], 'alpestral': ['alpestral', 'palestral'], 'alpestrian': ['alpestrian', 'palestrian', 'psalterian'], 'alpestrine': ['alpestrine', 'episternal', 'interlapse', 'presential'], 'alphenic': ['alphenic', 'cephalin'], 'alphonse': ['alphonse', 'phenosal'], 'alphos': ['alphos', 'pholas'], 'alphosis': ['alphosis', 'haplosis'], 'alpid': ['alpid', 'plaid'], 'alpieu': ['alpieu', 'paulie'], 'alpine': ['alpine', 'nepali', 'penial', 'pineal'], 'alpinist': ['alpinist', 'antislip'], 'alpist': ['alpist', 'pastil', 'spital'], 'alraun': ['alraun', 'alruna', 'ranula'], 'already': ['aleyard', 'already'], 'alrighty': ['alrighty', 'arightly'], 'alruna': ['alraun', 'alruna', 'ranula'], 'alsine': ['alsine', 'neslia', 'saline', 'selina', 'silane'], 'also': ['also', 'sola'], 'alsoon': ['alonso', 'alsoon', 'saloon'], 'alstonidine': ['alstonidine', 'nonidealist'], 'alstonine': ['alstonine', 'tensional'], 'alt': ['alt', 'lat', 'tal'], 'altaian': ['altaian', 'latania', 'natalia'], 'altaic': ['altaic', 'altica'], 'altaid': ['adital', 'altaid'], 'altair': ['altair', 'atrail', 'atrial', 'lariat', 'latria', 'talari'], 'altamira': ['altamira', 'matralia'], 'altar': ['altar', 'artal', 'ratal', 'talar'], 'altared': ['altared', 'laterad'], 'altarist': ['altarist', 'striatal'], 'alter': ['alert', 'alter', 'artel', 'later', 'ratel', 'taler', 'telar'], 'alterability': ['alterability', 'bilaterality', 'relatability'], 'alterable': ['alterable', 'relatable'], 'alterant': ['alterant', 'tarletan'], 'alterer': ['alterer', 'realter', 'relater'], 'altern': ['altern', 'antler', 'learnt', 'rental', 'ternal'], 'alterne': ['alterne', 'enteral', 'eternal', 'teleran', 'teneral'], 'althea': ['althea', 'elatha'], 'altho': ['altho', 'lhota', 'loath'], 'althorn': ['althorn', 'anthrol', 'thronal'], 'altica': ['altaic', 'altica'], 'altin': ['altin', 'latin'], 'altiscope': ['alopecist', 'altiscope', 'epicostal', 'scapolite'], 'altitude': ['altitude', 'latitude'], 'altitudinal': ['altitudinal', 'latitudinal'], 'altitudinarian': ['altitudinarian', 'latitudinarian'], 'alto': ['alto', 'lota'], 'altrices': ['altrices', 'selictar'], 'altruism': ['altruism', 'muralist', 'traulism', 'ultraism'], 'altruist': ['altruist', 'ultraist'], 'altruistic': ['altruistic', 'truistical', 'ultraistic'], 'aludel': ['allude', 'aludel'], 'aludra': ['adular', 'aludra', 'radula'], 'alulet': ['alulet', 'luteal'], 'alulim': ['allium', 'alulim', 'muilla'], 'alum': ['alum', 'maul'], 'aluminate': ['aluminate', 'alumniate'], 'aluminide': ['aluminide', 'unimedial'], 'aluminosilicate': ['aluminosilicate', 'silicoaluminate'], 'alumna': ['alumna', 'manual'], 'alumni': ['alumni', 'unmail'], 'alumniate': ['aluminate', 'alumniate'], 'alur': ['alur', 'laur', 'lura', 'raul', 'ural'], 'alure': ['alure', 'ureal'], 'alurgite': ['alurgite', 'ligature'], 'aluta': ['aluta', 'taula'], 'alvan': ['alvan', 'naval'], 'alvar': ['alvar', 'arval', 'larva'], 'alveus': ['alveus', 'avulse'], 'alvin': ['alvin', 'anvil', 'nival', 'vinal'], 'alvine': ['alevin', 'alvine', 'valine', 'veinal', 'venial', 'vineal'], 'aly': ['aly', 'lay'], 'alypin': ['alypin', 'pialyn'], 'alytes': ['alytes', 'astely', 'lysate', 'stealy'], 'am': ['am', 'ma'], 'ama': ['aam', 'ama'], 'amacrine': ['amacrine', 'american', 'camerina', 'cinerama'], 'amadi': ['amadi', 'damia', 'madia', 'maida'], 'amaethon': ['amaethon', 'thomaean'], 'amaga': ['agama', 'amaga'], 'amah': ['amah', 'maha'], 'amain': ['amain', 'amani', 'amnia', 'anima', 'mania'], 'amakosa': ['akoasma', 'amakosa'], 'amalgam': ['amalgam', 'malagma'], 'amang': ['amang', 'ganam', 'manga'], 'amani': ['amain', 'amani', 'amnia', 'anima', 'mania'], 'amanist': ['amanist', 'stamina'], 'amanitin': ['amanitin', 'maintain'], 'amanitine': ['amanitine', 'inanimate'], 'amanori': ['amanori', 'moarian'], 'amapa': ['amapa', 'apama'], 'amar': ['amar', 'amra', 'mara', 'rama'], 'amarin': ['airman', 'amarin', 'marian', 'marina', 'mirana'], 'amaroid': ['amaroid', 'diorama'], 'amarth': ['amarth', 'martha'], 'amass': ['amass', 'assam', 'massa', 'samas'], 'amasser': ['amasser', 'reamass'], 'amati': ['amati', 'amita', 'matai'], 'amatorian': ['amatorian', 'inamorata'], 'amaurosis': ['amaurosis', 'mosasauri'], 'amazonite': ['amazonite', 'anatomize'], 'amba': ['amba', 'maba'], 'ambar': ['abram', 'ambar'], 'ambarella': ['alarmable', 'ambarella'], 'ambash': ['ambash', 'shamba'], 'ambay': ['ambay', 'mbaya'], 'ambeer': ['ambeer', 'beamer'], 'amber': ['amber', 'bearm', 'bemar', 'bream', 'embar'], 'ambier': ['ambier', 'bremia', 'embira'], 'ambit': ['ambit', 'imbat'], 'ambivert': ['ambivert', 'verbatim'], 'amble': ['amble', 'belam', 'blame', 'mabel'], 'ambler': ['ambler', 'blamer', 'lamber', 'marble', 'ramble'], 'ambling': ['ambling', 'blaming'], 'amblingly': ['amblingly', 'blamingly'], 'ambo': ['ambo', 'boma'], 'ambos': ['ambos', 'sambo'], 'ambrein': ['ambrein', 'mirbane'], 'ambrette': ['ambrette', 'tambreet'], 'ambrose': ['ambrose', 'mesobar'], 'ambrosia': ['ambrosia', 'saboraim'], 'ambrosin': ['ambrosin', 'barosmin', 'sabromin'], 'ambry': ['ambry', 'barmy'], 'ambury': ['ambury', 'aumbry'], 'ambush': ['ambush', 'shambu'], 'amchoor': ['amchoor', 'ochroma'], 'ame': ['ame', 'mae'], 'ameed': ['adeem', 'ameed', 'edema'], 'ameen': ['ameen', 'amene', 'enema'], 'amelification': ['amelification', 'maleficiation'], 'ameliorant': ['ameliorant', 'lomentaria'], 'amellus': ['amellus', 'malleus'], 'amelu': ['amelu', 'leuma', 'ulema'], 'amelus': ['amelus', 'samuel'], 'amen': ['amen', 'enam', 'mane', 'mean', 'name', 'nema'], 'amenability': ['amenability', 'nameability'], 'amenable': ['amenable', 'nameable'], 'amend': ['amend', 'mande', 'maned'], 'amende': ['amende', 'demean', 'meaned', 'nadeem'], 'amender': ['amender', 'meander', 'reamend', 'reedman'], 'amends': ['amends', 'desman'], 'amene': ['ameen', 'amene', 'enema'], 'amenia': ['amenia', 'anemia'], 'amenism': ['amenism', 'immanes', 'misname'], 'amenite': ['amenite', 'etamine', 'matinee'], 'amenorrheal': ['amenorrheal', 'melanorrhea'], 'ament': ['ament', 'meant', 'teman'], 'amental': ['amental', 'leatman'], 'amentia': ['amentia', 'aminate', 'anamite', 'animate'], 'amerce': ['amerce', 'raceme'], 'amercer': ['amercer', 'creamer'], 'american': ['amacrine', 'american', 'camerina', 'cinerama'], 'amerind': ['adermin', 'amerind', 'dimeran'], 'amerism': ['amerism', 'asimmer', 'sammier'], 'ameristic': ['ameristic', 'armistice', 'artemisic'], 'amesite': ['amesite', 'mesitae', 'semitae'], 'ametria': ['ametria', 'artemia', 'meratia', 'ramaite'], 'ametrope': ['ametrope', 'metapore'], 'amex': ['amex', 'exam', 'xema'], 'amgarn': ['amgarn', 'mangar', 'marang', 'ragman'], 'amhar': ['amhar', 'mahar', 'mahra'], 'amherstite': ['amherstite', 'hemistater'], 'amhran': ['amhran', 'harman', 'mahran'], 'ami': ['aim', 'ami', 'ima'], 'amia': ['amia', 'maia'], 'amic': ['amic', 'mica'], 'amical': ['amical', 'camail', 'lamaic'], 'amiced': ['amiced', 'decima'], 'amicicide': ['amicicide', 'cimicidae'], 'amicron': ['amicron', 'marconi', 'minorca', 'romanic'], 'amid': ['admi', 'amid', 'madi', 'maid'], 'amidate': ['adamite', 'amidate'], 'amide': ['amide', 'damie', 'media'], 'amidide': ['amidide', 'diamide', 'mididae'], 'amidin': ['amidin', 'damnii'], 'amidine': ['amidine', 'diamine'], 'amidism': ['amidism', 'maidism'], 'amidist': ['amidist', 'dimatis'], 'amidon': ['amidon', 'daimon', 'domain'], 'amidophenol': ['amidophenol', 'monodelphia'], 'amidst': ['amidst', 'datism'], 'amigo': ['amigo', 'imago'], 'amiidae': ['amiidae', 'maiidae'], 'amil': ['amil', 'amli', 'lima', 'mail', 'mali', 'mila'], 'amiles': ['amiles', 'asmile', 'mesail', 'mesial', 'samiel'], 'amimia': ['amimia', 'miamia'], 'amimide': ['amimide', 'mimidae'], 'amin': ['amin', 'main', 'mani', 'mian', 'mina', 'naim'], 'aminate': ['amentia', 'aminate', 'anamite', 'animate'], 'amination': ['amination', 'animation'], 'amine': ['amine', 'anime', 'maine', 'manei'], 'amini': ['amini', 'animi'], 'aminize': ['aminize', 'animize', 'azimine'], 'amino': ['amino', 'inoma', 'naomi', 'omani', 'omina'], 'aminoplast': ['aminoplast', 'plasmation'], 'amintor': ['amintor', 'tormina'], 'amir': ['amir', 'irma', 'mari', 'mira', 'rami', 'rima'], 'amiranha': ['amiranha', 'maharani'], 'amiray': ['amiray', 'myaria'], 'amissness': ['amissness', 'massiness'], 'amita': ['amati', 'amita', 'matai'], 'amitosis': ['amitosis', 'omasitis'], 'amixia': ['amixia', 'ixiama'], 'amla': ['alma', 'amla', 'lama', 'mala'], 'amli': ['amil', 'amli', 'lima', 'mail', 'mali', 'mila'], 'amlong': ['amlong', 'logman'], 'amma': ['amma', 'maam'], 'ammelin': ['ammelin', 'limeman'], 'ammeline': ['ammeline', 'melamine'], 'ammeter': ['ammeter', 'metamer'], 'ammi': ['ammi', 'imam', 'maim', 'mima'], 'ammine': ['ammine', 'immane'], 'ammo': ['ammo', 'mamo'], 'ammonic': ['ammonic', 'mocmain'], 'ammonolytic': ['ammonolytic', 'commonality'], 'ammunition': ['ammunition', 'antimonium'], 'amnestic': ['amnestic', 'semantic'], 'amnia': ['amain', 'amani', 'amnia', 'anima', 'mania'], 'amniac': ['amniac', 'caiman', 'maniac'], 'amnic': ['amnic', 'manic'], 'amnion': ['amnion', 'minoan', 'nomina'], 'amnionata': ['amnionata', 'anamniota'], 'amnionate': ['amnionate', 'anamniote', 'emanation'], 'amniota': ['amniota', 'itonama'], 'amniote': ['amniote', 'anomite'], 'amniotic': ['amniotic', 'mication'], 'amniotome': ['amniotome', 'momotinae'], 'amok': ['amok', 'mako'], 'amole': ['amole', 'maleo'], 'amomis': ['amomis', 'mimosa'], 'among': ['among', 'mango'], 'amor': ['amor', 'maro', 'mora', 'omar', 'roam'], 'amores': ['amores', 'ramose', 'sorema'], 'amoret': ['amoret', 'morate'], 'amorist': ['amorist', 'aortism', 'miastor'], 'amoritic': ['amoritic', 'microtia'], 'amorpha': ['amorpha', 'amphora'], 'amorphic': ['amorphic', 'amphoric'], 'amorphous': ['amorphous', 'amphorous'], 'amort': ['amort', 'morat', 'torma'], 'amortize': ['amortize', 'atomizer'], 'amos': ['amos', 'soam', 'soma'], 'amotion': ['amotion', 'otomian'], 'amount': ['amount', 'moutan', 'outman'], 'amoy': ['amoy', 'mayo'], 'ampelis': ['ampelis', 'lepisma'], 'ampelite': ['ampelite', 'pimelate'], 'ampelitic': ['ampelitic', 'implicate'], 'amper': ['amper', 'remap'], 'amperemeter': ['amperemeter', 'permeameter'], 'amperian': ['amperian', 'paramine', 'pearmain'], 'amphicyon': ['amphicyon', 'hypomanic'], 'amphigenous': ['amphigenous', 'musophagine'], 'amphiphloic': ['amphiphloic', 'amphophilic'], 'amphipodous': ['amphipodous', 'hippodamous'], 'amphitropous': ['amphitropous', 'pastophorium'], 'amphophilic': ['amphiphloic', 'amphophilic'], 'amphora': ['amorpha', 'amphora'], 'amphore': ['amphore', 'morphea'], 'amphorette': ['amphorette', 'haptometer'], 'amphoric': ['amorphic', 'amphoric'], 'amphorous': ['amorphous', 'amphorous'], 'amphoteric': ['amphoteric', 'metaphoric'], 'ample': ['ample', 'maple'], 'ampliate': ['ampliate', 'palamite'], 'amplification': ['amplification', 'palmification'], 'amply': ['amply', 'palmy'], 'ampul': ['ampul', 'pluma'], 'ampulla': ['ampulla', 'palmula'], 'amra': ['amar', 'amra', 'mara', 'rama'], 'amsath': ['amsath', 'asthma'], 'amsel': ['amsel', 'melas', 'mesal', 'samel'], 'amsonia': ['amsonia', 'anosmia'], 'amt': ['amt', 'mat', 'tam'], 'amulet': ['amulet', 'muleta'], 'amunam': ['amunam', 'manuma'], 'amuse': ['amuse', 'mesua'], 'amused': ['amused', 'masdeu', 'medusa'], 'amusee': ['amusee', 'saeume'], 'amuser': ['amuser', 'mauser'], 'amusgo': ['amusgo', 'sugamo'], 'amvis': ['amvis', 'mavis'], 'amy': ['amy', 'may', 'mya', 'yam'], 'amyelic': ['amyelic', 'mycelia'], 'amyl': ['amyl', 'lyam', 'myal'], 'amylan': ['amylan', 'lamany', 'layman'], 'amylenol': ['amylenol', 'myelonal'], 'amylidene': ['amylidene', 'mydaleine'], 'amylin': ['amylin', 'mainly'], 'amylo': ['amylo', 'loamy'], 'amylon': ['amylon', 'onymal'], 'amyotrophy': ['amyotrophy', 'myoatrophy'], 'amyrol': ['amyrol', 'molary'], 'an': ['an', 'na'], 'ana': ['ana', 'naa'], 'anacara': ['anacara', 'aracana'], 'anacard': ['anacard', 'caranda'], 'anaces': ['anaces', 'scaean'], 'anachorism': ['anachorism', 'chorasmian', 'maraschino'], 'anacid': ['acnida', 'anacid', 'dacian'], 'anacreontic': ['anacreontic', 'canceration'], 'anacusis': ['anacusis', 'ascanius'], 'anadem': ['anadem', 'maenad'], 'anadenia': ['anadenia', 'danainae'], 'anadrom': ['anadrom', 'madrona', 'mandora', 'monarda', 'roadman'], 'anaemic': ['acnemia', 'anaemic'], 'anaeretic': ['anaeretic', 'ecarinate'], 'anal': ['alan', 'anal', 'lana'], 'analcime': ['alcamine', 'analcime', 'calamine', 'camelina'], 'analcite': ['analcite', 'anticlea', 'laitance'], 'analcitite': ['analcitite', 'catalinite'], 'analectic': ['acclinate', 'analectic'], 'analeptical': ['analeptical', 'placentalia'], 'anally': ['alanyl', 'anally'], 'analogic': ['analogic', 'calinago'], 'analogist': ['analogist', 'nostalgia'], 'anam': ['anam', 'mana', 'naam', 'nama'], 'anamesite': ['anamesite', 'seamanite'], 'anamirta': ['anamirta', 'araminta'], 'anamite': ['amentia', 'aminate', 'anamite', 'animate'], 'anamniota': ['amnionata', 'anamniota'], 'anamniote': ['amnionate', 'anamniote', 'emanation'], 'anan': ['anan', 'anna', 'nana'], 'ananda': ['ananda', 'danaan'], 'anandria': ['anandria', 'andriana'], 'anangioid': ['agoniadin', 'anangioid', 'ganoidian'], 'ananism': ['ananism', 'samnani'], 'ananite': ['ananite', 'anatine', 'taenian'], 'anaphoric': ['anaphoric', 'pharaonic'], 'anaphorical': ['anaphorical', 'pharaonical'], 'anapnea': ['anapnea', 'napaean'], 'anapsid': ['anapsid', 'sapinda'], 'anapsida': ['anapsida', 'anaspida'], 'anaptotic': ['anaptotic', 'captation'], 'anarchic': ['anarchic', 'characin'], 'anarchism': ['anarchism', 'arachnism'], 'anarchist': ['anarchist', 'archsaint', 'cantharis'], 'anarcotin': ['anarcotin', 'cantorian', 'carnation', 'narcotina'], 'anaretic': ['anaretic', 'arcanite', 'carinate', 'craniate'], 'anarthropod': ['anarthropod', 'arthropodan'], 'anas': ['anas', 'ansa', 'saan'], 'anasa': ['anasa', 'asana'], 'anaspida': ['anapsida', 'anaspida'], 'anastaltic': ['anastaltic', 'catalanist'], 'anat': ['anat', 'anta', 'tana'], 'anatidae': ['anatidae', 'taeniada'], 'anatine': ['ananite', 'anatine', 'taenian'], 'anatocism': ['anatocism', 'anosmatic'], 'anatole': ['anatole', 'notaeal'], 'anatolic': ['aconital', 'actional', 'anatolic'], 'anatomicopathologic': ['anatomicopathologic', 'pathologicoanatomic'], 'anatomicopathological': ['anatomicopathological', 'pathologicoanatomical'], 'anatomicophysiologic': ['anatomicophysiologic', 'physiologicoanatomic'], 'anatomism': ['anatomism', 'nomismata'], 'anatomize': ['amazonite', 'anatomize'], 'anatum': ['anatum', 'mantua', 'tamanu'], 'anay': ['anay', 'yana'], 'anba': ['anba', 'bana'], 'ancestor': ['ancestor', 'entosarc'], 'ancestral': ['ancestral', 'lancaster'], 'anchat': ['acanth', 'anchat', 'tanach'], 'anchietin': ['anchietin', 'cathinine'], 'anchistea': ['anchistea', 'hanseatic'], 'anchor': ['anchor', 'archon', 'charon', 'rancho'], 'anchored': ['anchored', 'rondache'], 'anchorer': ['anchorer', 'ranchero', 'reanchor'], 'anchoretic': ['acherontic', 'anchoretic'], 'anchoretical': ['acherontical', 'anchoretical'], 'anchoretism': ['anchoretism', 'trichomanes'], 'anchorite': ['anchorite', 'antechoir', 'heatronic', 'hectorian'], 'anchoritism': ['anchoritism', 'chiromantis', 'chrismation', 'harmonistic'], 'ancile': ['alcine', 'ancile'], 'ancilla': ['aclinal', 'ancilla'], 'ancillary': ['ancillary', 'carlylian', 'cranially'], 'ancon': ['ancon', 'canon'], 'anconitis': ['anconitis', 'antiscion', 'onanistic'], 'ancony': ['ancony', 'canyon'], 'ancoral': ['alcoran', 'ancoral', 'carolan'], 'ancylus': ['ancylus', 'unscaly'], 'ancyrene': ['ancyrene', 'cerynean'], 'and': ['and', 'dan'], 'anda': ['anda', 'dana'], 'andante': ['andante', 'dantean'], 'ande': ['ande', 'dane', 'dean', 'edna'], 'andesitic': ['andesitic', 'dianetics'], 'andhra': ['andhra', 'dharna'], 'andi': ['adin', 'andi', 'dain', 'dani', 'dian', 'naid'], 'andian': ['andian', 'danian', 'nidana'], 'andine': ['aidenn', 'andine', 'dannie', 'indane'], 'andira': ['adrian', 'andira', 'andria', 'radian', 'randia'], 'andorite': ['andorite', 'nadorite', 'ordinate', 'rodentia'], 'andre': ['andre', 'arend', 'daren', 'redan'], 'andrew': ['andrew', 'redawn', 'wander', 'warden'], 'andria': ['adrian', 'andira', 'andria', 'radian', 'randia'], 'andriana': ['anandria', 'andriana'], 'andrias': ['andrias', 'sardian', 'sarinda'], 'andric': ['andric', 'cardin', 'rancid'], 'andries': ['andries', 'isander', 'sardine'], 'androgynus': ['androgynus', 'gynandrous'], 'androl': ['androl', 'arnold', 'lardon', 'roland', 'ronald'], 'andronicus': ['andronicus', 'unsardonic'], 'androtomy': ['androtomy', 'dynamotor'], 'anear': ['anear', 'arean', 'arena'], 'aneath': ['ahtena', 'aneath', 'athena'], 'anecdota': ['anecdota', 'coadnate'], 'anele': ['anele', 'elean'], 'anematosis': ['anematosis', 'menostasia'], 'anemia': ['amenia', 'anemia'], 'anemic': ['anemic', 'cinema', 'iceman'], 'anemograph': ['anemograph', 'phanerogam'], 'anemographic': ['anemographic', 'phanerogamic'], 'anemography': ['anemography', 'phanerogamy'], 'anemone': ['anemone', 'monaene'], 'anent': ['anent', 'annet', 'nenta'], 'anepia': ['anepia', 'apinae'], 'aneretic': ['aneretic', 'centiare', 'creatine', 'increate', 'iterance'], 'anergic': ['anergic', 'garnice', 'garniec', 'geranic', 'grecian'], 'anergy': ['anergy', 'rangey'], 'anerly': ['anerly', 'nearly'], 'aneroid': ['aneroid', 'arenoid'], 'anerotic': ['actioner', 'anerotic', 'ceration', 'creation', 'reaction'], 'anes': ['anes', 'sane', 'sean'], 'anesis': ['anesis', 'anseis', 'sanies', 'sansei', 'sasine'], 'aneuric': ['aneuric', 'rinceau'], 'aneurin': ['aneurin', 'uranine'], 'aneurism': ['aneurism', 'arsenium', 'sumerian'], 'anew': ['anew', 'wane', 'wean'], 'angami': ['angami', 'magani', 'magian'], 'angara': ['angara', 'aranga', 'nagara'], 'angaria': ['agrania', 'angaria', 'niagara'], 'angel': ['agnel', 'angel', 'angle', 'galen', 'genal', 'glean', 'lagen'], 'angela': ['alnage', 'angela', 'galena', 'lagena'], 'angeldom': ['angeldom', 'lodgeman'], 'angelet': ['angelet', 'elegant'], 'angelic': ['angelic', 'galenic'], 'angelical': ['angelical', 'englacial', 'galenical'], 'angelically': ['angelically', 'englacially'], 'angelin': ['angelin', 'leaning'], 'angelina': ['alangine', 'angelina', 'galenian'], 'angelique': ['angelique', 'equiangle'], 'angelo': ['angelo', 'engaol'], 'angelot': ['angelot', 'tangelo'], 'anger': ['anger', 'areng', 'grane', 'range'], 'angerly': ['angerly', 'geranyl'], 'angers': ['angers', 'sanger', 'serang'], 'angico': ['agonic', 'angico', 'gaonic', 'goniac'], 'angie': ['angie', 'gaine'], 'angild': ['angild', 'lading'], 'angili': ['ailing', 'angili', 'nilgai'], 'angina': ['angina', 'inanga'], 'anginal': ['alangin', 'anginal', 'anglian', 'nagnail'], 'angiocholitis': ['angiocholitis', 'cholangioitis'], 'angiochondroma': ['angiochondroma', 'chondroangioma'], 'angiofibroma': ['angiofibroma', 'fibroangioma'], 'angioid': ['angioid', 'gonidia'], 'angiokeratoma': ['angiokeratoma', 'keratoangioma'], 'angiometer': ['angiometer', 'ergotamine', 'geometrina'], 'angka': ['angka', 'kanga'], 'anglaise': ['anglaise', 'gelasian'], 'angle': ['agnel', 'angel', 'angle', 'galen', 'genal', 'glean', 'lagen'], 'angled': ['angled', 'dangle', 'englad', 'lagend'], 'angler': ['angler', 'arleng', 'garnel', 'largen', 'rangle', 'regnal'], 'angles': ['angles', 'gansel'], 'angleworm': ['angleworm', 'lawmonger'], 'anglian': ['alangin', 'anginal', 'anglian', 'nagnail'], 'anglic': ['anglic', 'lacing'], 'anglish': ['anglish', 'ashling'], 'anglist': ['anglist', 'lasting', 'salting', 'slating', 'staling'], 'angloid': ['angloid', 'loading'], 'ango': ['agon', 'ango', 'gaon', 'goan', 'gona'], 'angola': ['agonal', 'angola'], 'angolar': ['angolar', 'organal'], 'angor': ['angor', 'argon', 'goran', 'grano', 'groan', 'nagor', 'orang', 'organ', 'rogan', 'ronga'], 'angora': ['agroan', 'angora', 'anogra', 'arango', 'argoan', 'onagra'], 'angriness': ['angriness', 'ranginess'], 'angrite': ['angrite', 'granite', 'ingrate', 'tangier', 'tearing', 'tigrean'], 'angry': ['angry', 'rangy'], 'angst': ['angst', 'stang', 'tangs'], 'angster': ['angster', 'garnets', 'nagster', 'strange'], 'anguid': ['anguid', 'gaduin'], 'anguine': ['anguine', 'guanine', 'guinean'], 'angula': ['angula', 'nagual'], 'angular': ['angular', 'granula'], 'angulate': ['angulate', 'gaetulan'], 'anguria': ['anguria', 'gaurian', 'guarani'], 'angus': ['agnus', 'angus', 'sugan'], 'anharmonic': ['anharmonic', 'monarchian'], 'anhematosis': ['anhematosis', 'somasthenia'], 'anhidrotic': ['anhidrotic', 'trachinoid'], 'anhistous': ['anhistous', 'isanthous'], 'anhydridize': ['anhydridize', 'hydrazidine'], 'anhydrize': ['anhydrize', 'hydrazine'], 'ani': ['ani', 'ian'], 'anice': ['anice', 'eniac'], 'aniconic': ['aniconic', 'ciconian'], 'aniconism': ['aniconism', 'insomniac'], 'anicular': ['anicular', 'caulinar'], 'anicut': ['anicut', 'nautic', 'ticuna', 'tunica'], 'anidian': ['anidian', 'indiana'], 'aniente': ['aniente', 'itenean'], 'anight': ['anight', 'athing'], 'anil': ['alin', 'anil', 'lain', 'lina', 'nail'], 'anile': ['alien', 'aline', 'anile', 'elain', 'elian', 'laine', 'linea'], 'anilic': ['anilic', 'clinia'], 'anilid': ['anilid', 'dialin', 'dianil', 'inlaid'], 'anilide': ['anilide', 'elaidin'], 'anilidic': ['anilidic', 'indicial'], 'anima': ['amain', 'amani', 'amnia', 'anima', 'mania'], 'animable': ['animable', 'maniable'], 'animal': ['almain', 'animal', 'lamina', 'manila'], 'animalic': ['animalic', 'limacina'], 'animate': ['amentia', 'aminate', 'anamite', 'animate'], 'animated': ['animated', 'mandaite', 'mantidae'], 'animater': ['animater', 'marinate'], 'animating': ['animating', 'imaginant'], 'animation': ['amination', 'animation'], 'animator': ['animator', 'tamanoir'], 'anime': ['amine', 'anime', 'maine', 'manei'], 'animi': ['amini', 'animi'], 'animist': ['animist', 'santimi'], 'animize': ['aminize', 'animize', 'azimine'], 'animus': ['animus', 'anisum', 'anusim', 'manius'], 'anionic': ['anionic', 'iconian'], 'anis': ['anis', 'nais', 'nasi', 'nias', 'sain', 'sina'], 'anisal': ['anisal', 'nasial', 'salian', 'salina'], 'anisate': ['anisate', 'entasia'], 'anise': ['anise', 'insea', 'siena', 'sinae'], 'anisette': ['anisette', 'atestine', 'settaine'], 'anisic': ['anisic', 'sicani', 'sinaic'], 'anisilic': ['anisilic', 'sicilian'], 'anisodont': ['anisodont', 'sondation'], 'anisometric': ['anisometric', 'creationism', 'miscreation', 'ramisection', 'reactionism'], 'anisopod': ['anisopod', 'isopodan'], 'anisoptera': ['anisoptera', 'asperation', 'separation'], 'anisum': ['animus', 'anisum', 'anusim', 'manius'], 'anisuria': ['anisuria', 'isaurian'], 'anisyl': ['anisyl', 'snaily'], 'anita': ['anita', 'niata', 'tania'], 'anither': ['anither', 'inearth', 'naither'], 'ankee': ['aknee', 'ankee', 'keena'], 'anker': ['anker', 'karen', 'naker'], 'ankh': ['ankh', 'hank', 'khan'], 'anklet': ['anklet', 'lanket', 'tankle'], 'ankoli': ['ankoli', 'kaolin'], 'ankus': ['ankus', 'kusan'], 'ankyroid': ['ankyroid', 'dikaryon'], 'anlace': ['anlace', 'calean'], 'ann': ['ann', 'nan'], 'anna': ['anan', 'anna', 'nana'], 'annale': ['annale', 'anneal'], 'annaline': ['annaline', 'linnaean'], 'annalist': ['annalist', 'santalin'], 'annalize': ['annalize', 'zelanian'], 'annam': ['annam', 'manna'], 'annamite': ['annamite', 'manatine'], 'annard': ['annard', 'randan'], 'annat': ['annat', 'tanan'], 'annates': ['annates', 'tannase'], 'anne': ['anne', 'nane'], 'anneal': ['annale', 'anneal'], 'annealer': ['annealer', 'lernaean', 'reanneal'], 'annelid': ['annelid', 'lindane'], 'annelism': ['annelism', 'linesman'], 'anneloid': ['anneloid', 'nonideal'], 'annet': ['anent', 'annet', 'nenta'], 'annexer': ['annexer', 'reannex'], 'annie': ['annie', 'inane'], 'annite': ['annite', 'innate', 'tinean'], 'annotine': ['annotine', 'tenonian'], 'annoy': ['annoy', 'nonya'], 'annoyancer': ['annoyancer', 'rayonnance'], 'annoyer': ['annoyer', 'reannoy'], 'annualist': ['annualist', 'sultanian'], 'annulation': ['annulation', 'unnational'], 'annulet': ['annulet', 'nauntle'], 'annulment': ['annulment', 'tunnelman'], 'annuloid': ['annuloid', 'uninodal'], 'anodic': ['adonic', 'anodic'], 'anodize': ['adonize', 'anodize'], 'anodynic': ['anodynic', 'cydonian'], 'anoestrous': ['anoestrous', 'treasonous'], 'anoestrum': ['anoestrum', 'neuromast'], 'anoetic': ['acetoin', 'aconite', 'anoetic', 'antoeci', 'cetonia'], 'anogenic': ['anogenic', 'canoeing'], 'anogra': ['agroan', 'angora', 'anogra', 'arango', 'argoan', 'onagra'], 'anoil': ['aloin', 'anoil', 'anoli'], 'anoint': ['anoint', 'nation'], 'anointer': ['anointer', 'inornate', 'nonirate', 'reanoint'], 'anole': ['alone', 'anole', 'olena'], 'anoli': ['aloin', 'anoil', 'anoli'], 'anolis': ['alison', 'anolis'], 'anomaliped': ['anomaliped', 'palaemonid'], 'anomalism': ['anomalism', 'malmaison'], 'anomalist': ['anomalist', 'atonalism'], 'anomiidae': ['anomiidae', 'maioidean'], 'anomite': ['amniote', 'anomite'], 'anomodont': ['anomodont', 'monodonta'], 'anomural': ['anomural', 'monaural'], 'anon': ['anon', 'nona', 'onan'], 'anophyte': ['anophyte', 'typhoean'], 'anopia': ['anopia', 'aponia', 'poiana'], 'anorak': ['anorak', 'korana'], 'anorchism': ['anorchism', 'harmonics'], 'anorectic': ['accretion', 'anorectic', 'neoarctic'], 'anorthic': ['anorthic', 'anthroic', 'tanchoir'], 'anorthitite': ['anorthitite', 'trithionate'], 'anorthose': ['anorthose', 'hoarstone'], 'anosia': ['anosia', 'asonia'], 'anosmatic': ['anatocism', 'anosmatic'], 'anosmia': ['amsonia', 'anosmia'], 'anosmic': ['anosmic', 'masonic'], 'anoterite': ['anoterite', 'orientate'], 'another': ['another', 'athenor', 'rheotan'], 'anotia': ['anotia', 'atonia'], 'anoxia': ['anoxia', 'axonia'], 'anoxic': ['anoxic', 'oxanic'], 'ansa': ['anas', 'ansa', 'saan'], 'ansar': ['ansar', 'saran', 'sarna'], 'ansation': ['ansation', 'sonatina'], 'anseis': ['anesis', 'anseis', 'sanies', 'sansei', 'sasine'], 'ansel': ['ansel', 'slane'], 'anselm': ['anselm', 'mensal'], 'anser': ['anser', 'nares', 'rasen', 'snare'], 'anserine': ['anserine', 'reinsane'], 'anserous': ['anserous', 'arsenous'], 'ansu': ['ansu', 'anus'], 'answerer': ['answerer', 'reanswer'], 'ant': ['ant', 'nat', 'tan'], 'anta': ['anat', 'anta', 'tana'], 'antacrid': ['antacrid', 'cardiant', 'radicant', 'tridacna'], 'antagonism': ['antagonism', 'montagnais'], 'antagonist': ['antagonist', 'stagnation'], 'antal': ['antal', 'natal'], 'antanemic': ['antanemic', 'cinnamate'], 'antar': ['antar', 'antra'], 'antarchistical': ['antarchistical', 'charlatanistic'], 'ante': ['ante', 'aten', 'etna', 'nate', 'neat', 'taen', 'tane', 'tean'], 'anteact': ['anteact', 'cantate'], 'anteal': ['anteal', 'lanate', 'teanal'], 'antechoir': ['anchorite', 'antechoir', 'heatronic', 'hectorian'], 'antecornu': ['antecornu', 'connature'], 'antedate': ['antedate', 'edentata'], 'antelabium': ['albuminate', 'antelabium'], 'antelopian': ['antelopian', 'neapolitan', 'panelation'], 'antelucan': ['antelucan', 'cannulate'], 'antelude': ['antelude', 'unelated'], 'anteluminary': ['anteluminary', 'unalimentary'], 'antemedial': ['antemedial', 'delaminate'], 'antenatal': ['antenatal', 'atlantean', 'tantalean'], 'anteriad': ['anteriad', 'atridean', 'dentaria'], 'anteroinferior': ['anteroinferior', 'inferoanterior'], 'anterosuperior': ['anterosuperior', 'superoanterior'], 'antes': ['antes', 'nates', 'stane', 'stean'], 'anthela': ['anthela', 'ethanal'], 'anthem': ['anthem', 'hetman', 'mentha'], 'anthemwise': ['anthemwise', 'whitmanese'], 'anther': ['anther', 'nather', 'tharen', 'thenar'], 'anthericum': ['anthericum', 'narthecium'], 'anthicidae': ['anthicidae', 'tachinidae'], 'anthinae': ['anthinae', 'athenian'], 'anthogenous': ['anthogenous', 'neognathous'], 'anthonomus': ['anthonomus', 'monanthous'], 'anthophile': ['anthophile', 'lithophane'], 'anthracia': ['anthracia', 'antiarcha', 'catharina'], 'anthroic': ['anorthic', 'anthroic', 'tanchoir'], 'anthrol': ['althorn', 'anthrol', 'thronal'], 'anthropic': ['anthropic', 'rhapontic'], 'anti': ['aint', 'anti', 'tain', 'tina'], 'antiabrin': ['antiabrin', 'britannia'], 'antiae': ['aetian', 'antiae', 'taenia'], 'antiager': ['antiager', 'trainage'], 'antialbumid': ['antialbumid', 'balantidium'], 'antialien': ['ailantine', 'antialien'], 'antiarcha': ['anthracia', 'antiarcha', 'catharina'], 'antiaris': ['antiaris', 'intarsia'], 'antibenzaldoxime': ['antibenzaldoxime', 'benzantialdoxime'], 'antiblue': ['antiblue', 'nubilate'], 'antic': ['actin', 'antic'], 'antical': ['actinal', 'alantic', 'alicant', 'antical'], 'anticaste': ['anticaste', 'ataentsic'], 'anticlea': ['analcite', 'anticlea', 'laitance'], 'anticlinorium': ['anticlinorium', 'inclinatorium'], 'anticly': ['anticly', 'cantily'], 'anticness': ['anticness', 'cantiness', 'incessant'], 'anticor': ['anticor', 'carotin', 'cortina', 'ontaric'], 'anticouncil': ['anticouncil', 'inculcation'], 'anticourt': ['anticourt', 'curtation', 'ructation'], 'anticous': ['acontius', 'anticous'], 'anticreative': ['anticreative', 'antireactive'], 'anticreep': ['anticreep', 'apenteric', 'increpate'], 'antidote': ['antidote', 'tetanoid'], 'antidotical': ['antidotical', 'dictational'], 'antietam': ['antietam', 'manettia'], 'antiextreme': ['antiextreme', 'exterminate'], 'antifouler': ['antifouler', 'fluorinate', 'uniflorate'], 'antifriction': ['antifriction', 'nitrifaction'], 'antifungin': ['antifungin', 'unfainting'], 'antigen': ['antigen', 'gentian'], 'antigenic': ['antigenic', 'gentianic'], 'antiglare': ['antiglare', 'raglanite'], 'antigod': ['antigod', 'doating'], 'antigone': ['antigone', 'negation'], 'antiheroic': ['antiheroic', 'theorician'], 'antilemic': ['alimentic', 'antilemic', 'melanitic', 'metanilic'], 'antilia': ['antilia', 'italian'], 'antilipase': ['antilipase', 'sapiential'], 'antilope': ['antilope', 'antipole'], 'antimallein': ['antimallein', 'inalimental'], 'antimasque': ['antimasque', 'squamatine'], 'antimeric': ['antimeric', 'carminite', 'criminate', 'metrician'], 'antimerina': ['antimerina', 'maintainer', 'remaintain'], 'antimeter': ['antimeter', 'attermine', 'interteam', 'terminate', 'tetramine'], 'antimodel': ['antimodel', 'maldonite', 'monilated'], 'antimodern': ['antimodern', 'ordainment'], 'antimonial': ['antimonial', 'lamination'], 'antimonic': ['antimonic', 'antinomic'], 'antimonium': ['ammunition', 'antimonium'], 'antimony': ['antimony', 'antinomy'], 'antimoral': ['antimoral', 'tailorman'], 'antimosquito': ['antimosquito', 'misquotation'], 'antinegro': ['antinegro', 'argentino', 'argention'], 'antinepotic': ['antinepotic', 'pectination'], 'antineutral': ['antineutral', 'triannulate'], 'antinial': ['antinial', 'latinian'], 'antinome': ['antinome', 'nominate'], 'antinomian': ['antinomian', 'innominata'], 'antinomic': ['antimonic', 'antinomic'], 'antinomy': ['antimony', 'antinomy'], 'antinormal': ['antinormal', 'nonmarital', 'nonmartial'], 'antiphonetic': ['antiphonetic', 'pentathionic'], 'antiphonic': ['antiphonic', 'napthionic'], 'antiphony': ['antiphony', 'typhonian'], 'antiphrasis': ['antiphrasis', 'artisanship'], 'antipodic': ['antipodic', 'diapnotic'], 'antipole': ['antilope', 'antipole'], 'antipolo': ['antipolo', 'antipool', 'optional'], 'antipool': ['antipolo', 'antipool', 'optional'], 'antipope': ['antipope', 'appointe'], 'antiprotease': ['antiprotease', 'entoparasite'], 'antipsoric': ['antipsoric', 'ascription', 'crispation'], 'antiptosis': ['antiptosis', 'panostitis'], 'antiputrid': ['antiputrid', 'tripudiant'], 'antipyretic': ['antipyretic', 'pertinacity'], 'antique': ['antique', 'quinate'], 'antiquer': ['antiquer', 'quartine'], 'antirabies': ['antirabies', 'bestiarian'], 'antiracer': ['antiracer', 'tarriance'], 'antireactive': ['anticreative', 'antireactive'], 'antired': ['antired', 'detrain', 'randite', 'trained'], 'antireducer': ['antireducer', 'reincrudate', 'untraceried'], 'antiroyalist': ['antiroyalist', 'stationarily'], 'antirumor': ['antirumor', 'ruminator'], 'antirun': ['antirun', 'untrain', 'urinant'], 'antirust': ['antirust', 'naturist'], 'antiscion': ['anconitis', 'antiscion', 'onanistic'], 'antisepsin': ['antisepsin', 'paintiness'], 'antisepsis': ['antisepsis', 'inspissate'], 'antiseptic': ['antiseptic', 'psittacine'], 'antiserum': ['antiserum', 'misaunter'], 'antisi': ['antisi', 'isatin'], 'antislip': ['alpinist', 'antislip'], 'antisoporific': ['antisoporific', 'prosification', 'sporification'], 'antispace': ['antispace', 'panaceist'], 'antistes': ['antistes', 'titaness'], 'antisun': ['antisun', 'unsaint', 'unsatin', 'unstain'], 'antitheism': ['antitheism', 'themistian'], 'antitonic': ['antitonic', 'nictation'], 'antitorpedo': ['antitorpedo', 'deportation'], 'antitrade': ['antitrade', 'attainder'], 'antitrope': ['antitrope', 'patronite', 'tritanope'], 'antitropic': ['antitropic', 'tritanopic'], 'antitropical': ['antitropical', 'practitional'], 'antivice': ['antivice', 'inactive', 'vineatic'], 'antler': ['altern', 'antler', 'learnt', 'rental', 'ternal'], 'antlia': ['antlia', 'latian', 'nalita'], 'antliate': ['antliate', 'latinate'], 'antlid': ['antlid', 'tindal'], 'antling': ['antling', 'tanling'], 'antoeci': ['acetoin', 'aconite', 'anoetic', 'antoeci', 'cetonia'], 'antoecian': ['acetanion', 'antoecian'], 'anton': ['anton', 'notan', 'tonna'], 'antproof': ['antproof', 'tanproof'], 'antra': ['antar', 'antra'], 'antral': ['antral', 'tarnal'], 'antre': ['antre', 'arent', 'retan', 'terna'], 'antrocele': ['antrocele', 'coeternal', 'tolerance'], 'antronasal': ['antronasal', 'nasoantral'], 'antroscope': ['antroscope', 'contrapose'], 'antroscopy': ['antroscopy', 'syncopator'], 'antrotome': ['antrotome', 'nototrema'], 'antrustion': ['antrustion', 'nasturtion'], 'antu': ['antu', 'aunt', 'naut', 'taun', 'tuan', 'tuna'], 'anubis': ['anubis', 'unbias'], 'anura': ['anura', 'ruana'], 'anuresis': ['anuresis', 'senarius'], 'anuretic': ['anuretic', 'centauri', 'centuria', 'teucrian'], 'anuria': ['anuria', 'urania'], 'anuric': ['anuric', 'cinura', 'uranic'], 'anurous': ['anurous', 'uranous'], 'anury': ['anury', 'unary', 'unray'], 'anus': ['ansu', 'anus'], 'anusim': ['animus', 'anisum', 'anusim', 'manius'], 'anvil': ['alvin', 'anvil', 'nival', 'vinal'], 'any': ['any', 'nay', 'yan'], 'aonach': ['aonach', 'choana'], 'aoristic': ['aoristic', 'iscariot'], 'aortal': ['aortal', 'rotala'], 'aortectasis': ['aerostatics', 'aortectasis'], 'aortism': ['amorist', 'aortism', 'miastor'], 'aosmic': ['aosmic', 'mosaic'], 'apachite': ['apachite', 'hepatica'], 'apalachee': ['acalephae', 'apalachee'], 'apama': ['amapa', 'apama'], 'apanthropy': ['apanthropy', 'panatrophy'], 'apar': ['apar', 'paar', 'para'], 'apart': ['apart', 'trapa'], 'apatetic': ['apatetic', 'capitate'], 'ape': ['ape', 'pea'], 'apedom': ['apedom', 'pomade'], 'apeiron': ['apeiron', 'peorian'], 'apelet': ['apelet', 'ptelea'], 'apelike': ['apelike', 'pealike'], 'apeling': ['apeling', 'leaping'], 'apenteric': ['anticreep', 'apenteric', 'increpate'], 'apeptic': ['apeptic', 'catpipe'], 'aper': ['aper', 'pare', 'pear', 'rape', 'reap'], 'aperch': ['aperch', 'eparch', 'percha', 'preach'], 'aperitive': ['aperitive', 'petiveria'], 'apert': ['apert', 'pater', 'peart', 'prate', 'taper', 'terap'], 'apertly': ['apertly', 'peartly', 'platery', 'pteryla', 'taperly'], 'apertness': ['apertness', 'peartness', 'taperness'], 'apertured': ['apertured', 'departure'], 'apery': ['apery', 'payer', 'repay'], 'aphanes': ['aphanes', 'saphena'], 'aphasia': ['aphasia', 'asaphia'], 'aphasic': ['aphasic', 'asaphic'], 'aphemic': ['aphemic', 'impeach'], 'aphetic': ['aphetic', 'caphite', 'hepatic'], 'aphetism': ['aphetism', 'mateship', 'shipmate', 'spithame'], 'aphetize': ['aphetize', 'hepatize'], 'aphides': ['aphides', 'diphase'], 'aphidicolous': ['acidophilous', 'aphidicolous'], 'aphis': ['aphis', 'apish', 'hispa', 'saiph', 'spahi'], 'aphodian': ['adiaphon', 'aphodian'], 'aphonic': ['aphonic', 'phocian'], 'aphorismical': ['aphorismical', 'parochialism'], 'aphotic': ['aphotic', 'picotah'], 'aphra': ['aphra', 'harpa', 'parah'], 'aphrodistic': ['aphrodistic', 'diastrophic'], 'aphrodite': ['aphrodite', 'atrophied', 'diaporthe'], 'apian': ['apian', 'apina'], 'apiator': ['apiator', 'atropia', 'parotia'], 'apical': ['apical', 'palaic'], 'apicular': ['apicular', 'piacular'], 'apina': ['apian', 'apina'], 'apinae': ['anepia', 'apinae'], 'apinage': ['aegipan', 'apinage'], 'apinch': ['apinch', 'chapin', 'phanic'], 'aping': ['aping', 'ngapi', 'pangi'], 'apiole': ['apiole', 'leipoa'], 'apiolin': ['apiolin', 'pinolia'], 'apionol': ['apionol', 'polonia'], 'apiose': ['apiose', 'apoise'], 'apis': ['apis', 'pais', 'pasi', 'saip'], 'apish': ['aphis', 'apish', 'hispa', 'saiph', 'spahi'], 'apishly': ['apishly', 'layship'], 'apism': ['apism', 'sampi'], 'apitpat': ['apitpat', 'pitapat'], 'apivorous': ['apivorous', 'oviparous'], 'aplenty': ['aplenty', 'penalty'], 'aplite': ['aplite', 'pilate'], 'aplitic': ['aliptic', 'aplitic'], 'aplodontia': ['adoptional', 'aplodontia'], 'aplome': ['aplome', 'malope'], 'apnea': ['apnea', 'paean'], 'apneal': ['apneal', 'panela'], 'apochromat': ['apochromat', 'archoptoma'], 'apocrita': ['apocrita', 'aproctia'], 'apocryph': ['apocryph', 'hypocarp'], 'apod': ['apod', 'dopa'], 'apoda': ['adpao', 'apoda'], 'apogon': ['apogon', 'poonga'], 'apoise': ['apiose', 'apoise'], 'apolaustic': ['apolaustic', 'autopsical'], 'apolistan': ['apolistan', 'lapsation'], 'apollo': ['apollo', 'palolo'], 'aponia': ['anopia', 'aponia', 'poiana'], 'aponic': ['aponic', 'ponica'], 'aporetic': ['aporetic', 'capriote', 'operatic'], 'aporetical': ['aporetical', 'operatical'], 'aporia': ['aporia', 'piaroa'], 'aport': ['aport', 'parto', 'porta'], 'aportoise': ['aportoise', 'esotropia'], 'aposporous': ['aposporous', 'aprosopous'], 'apostil': ['apostil', 'topsail'], 'apostle': ['apostle', 'aseptol'], 'apostrophus': ['apostrophus', 'pastophorus'], 'apothesine': ['apothesine', 'isoheptane'], 'apout': ['apout', 'taupo'], 'appall': ['appall', 'palpal'], 'apparent': ['apparent', 'trappean'], 'appealer': ['appealer', 'reappeal'], 'appealing': ['appealing', 'lagniappe', 'panplegia'], 'appearer': ['appearer', 'rapparee', 'reappear'], 'append': ['append', 'napped'], 'applauder': ['applauder', 'reapplaud'], 'applicator': ['applicator', 'procapital'], 'applier': ['applier', 'aripple'], 'appointe': ['antipope', 'appointe'], 'appointer': ['appointer', 'reappoint'], 'appointor': ['appointor', 'apportion'], 'apportion': ['appointor', 'apportion'], 'apportioner': ['apportioner', 'reapportion'], 'appraisable': ['appraisable', 'parablepsia'], 'apprehender': ['apprehender', 'reapprehend'], 'approacher': ['approacher', 'reapproach'], 'apricot': ['apricot', 'atropic', 'parotic', 'patrico'], 'april': ['april', 'pilar', 'ripal'], 'aprilis': ['aprilis', 'liparis'], 'aproctia': ['apocrita', 'aproctia'], 'apronless': ['apronless', 'responsal'], 'aprosopous': ['aposporous', 'aprosopous'], 'apse': ['apse', 'pesa', 'spae'], 'apsidiole': ['apsidiole', 'episodial'], 'apt': ['apt', 'pat', 'tap'], 'aptal': ['aptal', 'palta', 'talpa'], 'aptera': ['aptera', 'parate', 'patera'], 'apterial': ['apterial', 'parietal'], 'apteroid': ['apteroid', 'proteida'], 'aptian': ['aptian', 'patina', 'taipan'], 'aptly': ['aptly', 'patly', 'platy', 'typal'], 'aptness': ['aptness', 'patness'], 'aptote': ['aptote', 'optate', 'potate', 'teapot'], 'apulian': ['apulian', 'paulian', 'paulina'], 'apulse': ['apulse', 'upseal'], 'apus': ['apus', 'supa', 'upas'], 'aquabelle': ['aquabelle', 'equalable'], 'aqueoigneous': ['aqueoigneous', 'igneoaqueous'], 'aquicolous': ['aquicolous', 'loquacious'], 'ar': ['ar', 'ra'], 'arab': ['arab', 'arba', 'baar', 'bara'], 'arabic': ['arabic', 'cairba'], 'arabinic': ['arabinic', 'cabirian', 'carabini', 'cibarian'], 'arabis': ['abaris', 'arabis'], 'arabism': ['abramis', 'arabism'], 'arabist': ['arabist', 'bartsia'], 'arabit': ['arabit', 'tabira'], 'arable': ['ablare', 'arable', 'arbela'], 'araca': ['acara', 'araca'], 'aracana': ['anacara', 'aracana'], 'aracanga': ['aracanga', 'caragana'], 'arachic': ['arachic', 'archaic'], 'arachidonic': ['arachidonic', 'characinoid'], 'arachis': ['arachis', 'asiarch', 'saharic'], 'arachne': ['arachne', 'archean'], 'arachnism': ['anarchism', 'arachnism'], 'arachnitis': ['arachnitis', 'christiana'], 'arad': ['adar', 'arad', 'raad', 'rada'], 'arain': ['airan', 'arain', 'arian'], 'arales': ['alares', 'arales'], 'aralia': ['alaria', 'aralia'], 'aralie': ['aerial', 'aralie'], 'aramaic': ['aramaic', 'cariama'], 'aramina': ['aramina', 'mariana'], 'araminta': ['anamirta', 'araminta'], 'aramus': ['aramus', 'asarum'], 'araneid': ['araneid', 'ariadne', 'ranidae'], 'aranein': ['aranein', 'raninae'], 'aranga': ['angara', 'aranga', 'nagara'], 'arango': ['agroan', 'angora', 'anogra', 'arango', 'argoan', 'onagra'], 'arati': ['arati', 'atria', 'riata', 'tarai', 'tiara'], 'aration': ['aration', 'otarian'], 'arauan': ['arauan', 'arauna'], 'arauna': ['arauan', 'arauna'], 'arba': ['arab', 'arba', 'baar', 'bara'], 'arbacin': ['arbacin', 'carabin', 'cariban'], 'arbalester': ['arbalester', 'arbalestre', 'arrestable'], 'arbalestre': ['arbalester', 'arbalestre', 'arrestable'], 'arbalister': ['arbalister', 'breastrail'], 'arbalo': ['aboral', 'arbalo'], 'arbela': ['ablare', 'arable', 'arbela'], 'arbiter': ['arbiter', 'rarebit'], 'arbored': ['arbored', 'boarder', 'reboard'], 'arboret': ['arboret', 'roberta', 'taborer'], 'arboretum': ['arboretum', 'tambourer'], 'arborist': ['arborist', 'ribroast'], 'arbuscle': ['arbuscle', 'buscarle'], 'arbutin': ['arbutin', 'tribuna'], 'arc': ['arc', 'car'], 'arca': ['arca', 'cara'], 'arcadia': ['acardia', 'acarida', 'arcadia'], 'arcadic': ['arcadic', 'cardiac'], 'arcane': ['arcane', 'carane'], 'arcanite': ['anaretic', 'arcanite', 'carinate', 'craniate'], 'arcate': ['arcate', 'cerata'], 'arch': ['arch', 'char', 'rach'], 'archae': ['archae', 'areach'], 'archaic': ['arachic', 'archaic'], 'archaism': ['archaism', 'charisma'], 'archapostle': ['archapostle', 'thecasporal'], 'archcount': ['archcount', 'crouchant'], 'arche': ['acher', 'arche', 'chare', 'chera', 'rache', 'reach'], 'archeal': ['alchera', 'archeal'], 'archean': ['arachne', 'archean'], 'archer': ['archer', 'charer', 'rechar'], 'arches': ['arches', 'chaser', 'eschar', 'recash', 'search'], 'archidome': ['archidome', 'chromidae'], 'archil': ['archil', 'chiral'], 'arching': ['arching', 'chagrin'], 'architis': ['architis', 'rachitis'], 'archocele': ['archocele', 'cochleare'], 'archon': ['anchor', 'archon', 'charon', 'rancho'], 'archontia': ['archontia', 'tocharian'], 'archoptoma': ['apochromat', 'archoptoma'], 'archpoet': ['archpoet', 'protheca'], 'archprelate': ['archprelate', 'pretracheal'], 'archsaint': ['anarchist', 'archsaint', 'cantharis'], 'archsee': ['archsee', 'rechase'], 'archsin': ['archsin', 'incrash'], 'archy': ['archy', 'chary'], 'arcidae': ['arcidae', 'caridea'], 'arcing': ['arcing', 'racing'], 'arcite': ['acrite', 'arcite', 'tercia', 'triace', 'tricae'], 'arcked': ['arcked', 'dacker'], 'arcking': ['arcking', 'carking', 'racking'], 'arcos': ['arcos', 'crosa', 'oscar', 'sacro'], 'arctia': ['acrita', 'arctia'], 'arctian': ['acritan', 'arctian'], 'arcticize': ['arcticize', 'cicatrize'], 'arctiid': ['arctiid', 'triacid', 'triadic'], 'arctoid': ['arctoid', 'carotid', 'dartoic'], 'arctoidean': ['arctoidean', 'carotidean', 'cordaitean', 'dinocerata'], 'arctomys': ['arctomys', 'costmary', 'mascotry'], 'arctos': ['arctos', 'castor', 'costar', 'scrota'], 'arcual': ['arcual', 'arcula'], 'arcuale': ['arcuale', 'caurale'], 'arcubalist': ['arcubalist', 'ultrabasic'], 'arcula': ['arcual', 'arcula'], 'arculite': ['arculite', 'cutleria', 'lucretia', 'reticula', 'treculia'], 'ardea': ['ardea', 'aread'], 'ardeb': ['ardeb', 'beard', 'bread', 'debar'], 'ardelia': ['ardelia', 'laridae', 'radiale'], 'ardella': ['ardella', 'dareall'], 'ardency': ['ardency', 'dancery'], 'ardish': ['ardish', 'radish'], 'ardoise': ['ardoise', 'aroides', 'soredia'], 'ardu': ['ardu', 'daur', 'dura'], 'are': ['aer', 'are', 'ear', 'era', 'rea'], 'areach': ['archae', 'areach'], 'aread': ['ardea', 'aread'], 'areal': ['areal', 'reaal'], 'arean': ['anear', 'arean', 'arena'], 'arecaceae': ['aceraceae', 'arecaceae'], 'arecaceous': ['aceraceous', 'arecaceous'], 'arecain': ['acarine', 'acraein', 'arecain'], 'arecolin': ['acrolein', 'arecolin', 'caroline', 'colinear', 'cornelia', 'creolian', 'lonicera'], 'arecoline': ['arecoline', 'arenicole'], 'arecuna': ['arecuna', 'aucaner'], 'ared': ['ared', 'daer', 'dare', 'dear', 'read'], 'areel': ['areel', 'earle'], 'arena': ['anear', 'arean', 'arena'], 'arenaria': ['aerarian', 'arenaria'], 'arend': ['andre', 'arend', 'daren', 'redan'], 'areng': ['anger', 'areng', 'grane', 'range'], 'arenga': ['arenga', 'argean'], 'arenicole': ['arecoline', 'arenicole'], 'arenicolite': ['arenicolite', 'ricinoleate'], 'arenig': ['arenig', 'earing', 'gainer', 'reagin', 'regain'], 'arenoid': ['aneroid', 'arenoid'], 'arenose': ['arenose', 'serenoa'], 'arent': ['antre', 'arent', 'retan', 'terna'], 'areographer': ['aerographer', 'areographer'], 'areographic': ['aerographic', 'areographic'], 'areographical': ['aerographical', 'areographical'], 'areography': ['aerography', 'areography'], 'areologic': ['aerologic', 'areologic'], 'areological': ['aerological', 'areological'], 'areologist': ['aerologist', 'areologist'], 'areology': ['aerology', 'areology'], 'areometer': ['aerometer', 'areometer'], 'areometric': ['aerometric', 'areometric'], 'areometry': ['aerometry', 'areometry'], 'arete': ['arete', 'eater', 'teaer'], 'argal': ['agral', 'argal'], 'argali': ['argali', 'garial'], 'argans': ['argans', 'sangar'], 'argante': ['argante', 'granate', 'tanager'], 'argas': ['argas', 'sagra'], 'argean': ['arenga', 'argean'], 'argeers': ['argeers', 'greaser', 'serrage'], 'argel': ['argel', 'ergal', 'garle', 'glare', 'lager', 'large', 'regal'], 'argenol': ['argenol', 'longear'], 'argent': ['argent', 'garnet', 'garten', 'tanger'], 'argentamid': ['argentamid', 'marginated'], 'argenter': ['argenter', 'garneter'], 'argenteum': ['argenteum', 'augmenter'], 'argentic': ['argentic', 'citrange'], 'argentide': ['argentide', 'denigrate', 'dinergate'], 'argentiferous': ['argentiferous', 'garnetiferous'], 'argentina': ['argentina', 'tanagrine'], 'argentine': ['argentine', 'tangerine'], 'argentino': ['antinegro', 'argentino', 'argention'], 'argention': ['antinegro', 'argentino', 'argention'], 'argentite': ['argentite', 'integrate'], 'argentol': ['argentol', 'gerontal'], 'argenton': ['argenton', 'negatron'], 'argentous': ['argentous', 'neotragus'], 'argentum': ['argentum', 'argument'], 'arghan': ['arghan', 'hangar'], 'argil': ['argil', 'glair', 'grail'], 'arginine': ['arginine', 'nigerian'], 'argive': ['argive', 'rivage'], 'argo': ['argo', 'garo', 'gora'], 'argoan': ['agroan', 'angora', 'anogra', 'arango', 'argoan', 'onagra'], 'argol': ['algor', 'argol', 'goral', 'largo'], 'argolet': ['argolet', 'gloater', 'legator'], 'argolian': ['argolian', 'gloriana'], 'argolic': ['argolic', 'cograil'], 'argolid': ['argolid', 'goliard'], 'argon': ['angor', 'argon', 'goran', 'grano', 'groan', 'nagor', 'orang', 'organ', 'rogan', 'ronga'], 'argot': ['argot', 'gator', 'gotra', 'groat'], 'argue': ['argue', 'auger'], 'argulus': ['argulus', 'lagurus'], 'argument': ['argentum', 'argument'], 'argus': ['argus', 'sugar'], 'arguslike': ['arguslike', 'sugarlike'], 'argute': ['argute', 'guetar', 'rugate', 'tuareg'], 'argyle': ['argyle', 'gleary'], 'arhar': ['arhar', 'arrah'], 'arhat': ['arhat', 'artha', 'athar'], 'aria': ['aira', 'aria', 'raia'], 'ariadne': ['araneid', 'ariadne', 'ranidae'], 'arian': ['airan', 'arain', 'arian'], 'arianrhod': ['arianrhod', 'hordarian'], 'aribine': ['aribine', 'bairnie', 'iberian'], 'arician': ['arician', 'icarian'], 'arid': ['arid', 'dari', 'raid'], 'aridian': ['aridian', 'diarian'], 'aridly': ['aridly', 'lyraid'], 'ariegite': ['aegirite', 'ariegite'], 'aries': ['aries', 'arise', 'raise', 'serai'], 'arietid': ['arietid', 'iridate'], 'arietta': ['arietta', 'ratitae'], 'aright': ['aright', 'graith'], 'arightly': ['alrighty', 'arightly'], 'ariidae': ['ariidae', 'raiidae'], 'aril': ['aril', 'lair', 'lari', 'liar', 'lira', 'rail', 'rial'], 'ariled': ['ariled', 'derail', 'dialer'], 'arillate': ['arillate', 'tiarella'], 'arion': ['arion', 'noria'], 'ariot': ['ariot', 'ratio'], 'aripple': ['applier', 'aripple'], 'arise': ['aries', 'arise', 'raise', 'serai'], 'arisen': ['arisen', 'arsine', 'resina', 'serian'], 'arist': ['arist', 'astir', 'sitar', 'stair', 'stria', 'tarsi', 'tisar', 'trias'], 'arista': ['arista', 'tarsia'], 'aristeas': ['aristeas', 'asterias'], 'aristol': ['aristol', 'oralist', 'ortalis', 'striola'], 'aristulate': ['aristulate', 'australite'], 'arite': ['arite', 'artie', 'irate', 'retia', 'tarie'], 'arithmic': ['arithmic', 'mithraic', 'mithriac'], 'arius': ['arius', 'asuri'], 'arizona': ['arizona', 'azorian', 'zonaria'], 'ark': ['ark', 'kra'], 'arkab': ['abkar', 'arkab'], 'arkite': ['arkite', 'karite'], 'arkose': ['arkose', 'resoak', 'soaker'], 'arlene': ['arlene', 'leaner'], 'arleng': ['angler', 'arleng', 'garnel', 'largen', 'rangle', 'regnal'], 'arles': ['arles', 'arsle', 'laser', 'seral', 'slare'], 'arline': ['arline', 'larine', 'linear', 'nailer', 'renail'], 'arm': ['arm', 'mar', 'ram'], 'armada': ['armada', 'damara', 'ramada'], 'armangite': ['armangite', 'marginate'], 'armata': ['armata', 'matara', 'tamara'], 'armed': ['armed', 'derma', 'dream', 'ramed'], 'armenian': ['armenian', 'marianne'], 'armenic': ['armenic', 'carmine', 'ceriman', 'crimean', 'mercian'], 'armer': ['armer', 'rearm'], 'armeria': ['armeria', 'mararie'], 'armet': ['armet', 'mater', 'merat', 'metra', 'ramet', 'tamer', 'terma', 'trame', 'trema'], 'armful': ['armful', 'fulmar'], 'armgaunt': ['armgaunt', 'granatum'], 'armied': ['admire', 'armied', 'damier', 'dimera', 'merida'], 'armiferous': ['armiferous', 'ramiferous'], 'armigerous': ['armigerous', 'ramigerous'], 'armil': ['armil', 'marli', 'rimal'], 'armilla': ['armilla', 'marilla'], 'armillated': ['armillated', 'malladrite', 'mallardite'], 'arming': ['arming', 'ingram', 'margin'], 'armistice': ['ameristic', 'armistice', 'artemisic'], 'armlet': ['armlet', 'malter', 'martel'], 'armonica': ['armonica', 'macaroni', 'marocain'], 'armoried': ['airdrome', 'armoried'], 'armpit': ['armpit', 'impart'], 'armplate': ['armplate', 'malapert'], 'arms': ['arms', 'mars'], 'armscye': ['armscye', 'screamy'], 'army': ['army', 'mary', 'myra', 'yarm'], 'arn': ['arn', 'nar', 'ran'], 'arna': ['arna', 'rana'], 'arnaut': ['arnaut', 'arunta'], 'arne': ['arne', 'earn', 'rane'], 'arneb': ['abner', 'arneb', 'reban'], 'arni': ['arni', 'iran', 'nair', 'rain', 'rani'], 'arnica': ['acinar', 'arnica', 'canari', 'carian', 'carina', 'crania', 'narica'], 'arnold': ['androl', 'arnold', 'lardon', 'roland', 'ronald'], 'arnotta': ['arnotta', 'natator'], 'arnotto': ['arnotto', 'notator'], 'arnut': ['arnut', 'tuarn', 'untar'], 'aro': ['aro', 'oar', 'ora'], 'aroast': ['aroast', 'ostara'], 'arock': ['arock', 'croak'], 'aroid': ['aroid', 'doria', 'radio'], 'aroides': ['ardoise', 'aroides', 'soredia'], 'aroint': ['aroint', 'ration'], 'aromatic': ['aromatic', 'macrotia'], 'aroon': ['aroon', 'oraon'], 'arose': ['arose', 'oreas'], 'around': ['around', 'arundo'], 'arpen': ['arpen', 'paren'], 'arpent': ['arpent', 'enrapt', 'entrap', 'panter', 'parent', 'pretan', 'trepan'], 'arrah': ['arhar', 'arrah'], 'arras': ['arras', 'sarra'], 'arrau': ['arrau', 'aurar'], 'arrayer': ['arrayer', 'rearray'], 'arrect': ['arrect', 'carter', 'crater', 'recart', 'tracer'], 'arrector': ['arrector', 'carroter'], 'arrent': ['arrent', 'errant', 'ranter', 'ternar'], 'arrest': ['arrest', 'astrer', 'raster', 'starer'], 'arrestable': ['arbalester', 'arbalestre', 'arrestable'], 'arrester': ['arrester', 'rearrest'], 'arresting': ['arresting', 'astringer'], 'arretine': ['arretine', 'eretrian', 'eritrean', 'retainer'], 'arride': ['arride', 'raider'], 'arrie': ['airer', 'arrie'], 'arriet': ['arriet', 'tarrie'], 'arrish': ['arrish', 'harris', 'rarish', 'sirrah'], 'arrive': ['arrive', 'varier'], 'arrogance': ['arrogance', 'coarrange'], 'arrogant': ['arrogant', 'tarragon'], 'arrogative': ['arrogative', 'variegator'], 'arrowy': ['arrowy', 'yarrow'], 'arry': ['arry', 'yarr'], 'arsacid': ['arsacid', 'ascarid'], 'arse': ['arse', 'rase', 'sare', 'sear', 'sera'], 'arsedine': ['arsedine', 'arsenide', 'sedanier', 'siderean'], 'arsenal': ['arsenal', 'ranales'], 'arsenate': ['arsenate', 'serenata'], 'arsenation': ['arsenation', 'senatorian', 'sonneratia'], 'arseniate': ['arseniate', 'saernaite'], 'arsenic': ['arsenic', 'cerasin', 'sarcine'], 'arsenide': ['arsedine', 'arsenide', 'sedanier', 'siderean'], 'arsenite': ['arsenite', 'resinate', 'teresian', 'teresina'], 'arsenium': ['aneurism', 'arsenium', 'sumerian'], 'arseniuret': ['arseniuret', 'uniserrate'], 'arseno': ['arseno', 'reason'], 'arsenopyrite': ['arsenopyrite', 'pyroarsenite'], 'arsenous': ['anserous', 'arsenous'], 'arses': ['arses', 'rasse'], 'arshine': ['arshine', 'nearish', 'rhesian', 'sherani'], 'arsine': ['arisen', 'arsine', 'resina', 'serian'], 'arsino': ['arsino', 'rasion', 'sonrai'], 'arsis': ['arsis', 'sarsi'], 'arsle': ['arles', 'arsle', 'laser', 'seral', 'slare'], 'arson': ['arson', 'saron', 'sonar'], 'arsonic': ['arsonic', 'saronic'], 'arsonite': ['arsonite', 'asterion', 'oestrian', 'rosinate', 'serotina'], 'art': ['art', 'rat', 'tar', 'tra'], 'artaba': ['artaba', 'batara'], 'artabe': ['abater', 'artabe', 'eartab', 'trabea'], 'artal': ['altar', 'artal', 'ratal', 'talar'], 'artamus': ['artamus', 'sumatra'], 'artarine': ['artarine', 'errantia'], 'artefact': ['afteract', 'artefact', 'farcetta', 'farctate'], 'artel': ['alert', 'alter', 'artel', 'later', 'ratel', 'taler', 'telar'], 'artemas': ['artemas', 'astream'], 'artemia': ['ametria', 'artemia', 'meratia', 'ramaite'], 'artemis': ['artemis', 'maestri', 'misrate'], 'artemisic': ['ameristic', 'armistice', 'artemisic'], 'arterial': ['arterial', 'triareal'], 'arterin': ['arterin', 'retrain', 'terrain', 'trainer'], 'arterious': ['arterious', 'autoriser'], 'artesian': ['artesian', 'asterina', 'asternia', 'erastian', 'seatrain'], 'artgum': ['artgum', 'targum'], 'artha': ['arhat', 'artha', 'athar'], 'arthel': ['arthel', 'halter', 'lather', 'thaler'], 'arthemis': ['arthemis', 'marshite', 'meharist'], 'arthrochondritis': ['arthrochondritis', 'chondroarthritis'], 'arthromere': ['arthromere', 'metrorrhea'], 'arthropodan': ['anarthropod', 'arthropodan'], 'arthrosteitis': ['arthrosteitis', 'ostearthritis'], 'article': ['article', 'recital'], 'articled': ['articled', 'lacertid'], 'artie': ['arite', 'artie', 'irate', 'retia', 'tarie'], 'artifice': ['actifier', 'artifice'], 'artisan': ['artisan', 'astrain', 'sartain', 'tsarina'], 'artisanship': ['antiphrasis', 'artisanship'], 'artist': ['artist', 'strait', 'strati'], 'artiste': ['artiste', 'striate'], 'artlet': ['artlet', 'latter', 'rattle', 'tartle', 'tatler'], 'artlike': ['artlike', 'ratlike', 'tarlike'], 'arty': ['arty', 'atry', 'tray'], 'aru': ['aru', 'rua', 'ura'], 'aruac': ['aruac', 'carua'], 'arui': ['arui', 'uria'], 'arum': ['arum', 'maru', 'mura'], 'arundo': ['around', 'arundo'], 'arunta': ['arnaut', 'arunta'], 'arusa': ['arusa', 'saura', 'usara'], 'arusha': ['arusha', 'aushar'], 'arustle': ['arustle', 'estrual', 'saluter', 'saulter'], 'arval': ['alvar', 'arval', 'larva'], 'arvel': ['arvel', 'larve', 'laver', 'ravel', 'velar'], 'arx': ['arx', 'rax'], 'ary': ['ary', 'ray', 'yar'], 'arya': ['arya', 'raya'], 'aryan': ['aryan', 'nayar', 'rayan'], 'aryl': ['aryl', 'lyra', 'ryal', 'yarl'], 'as': ['as', 'sa'], 'asa': ['asa', 'saa'], 'asak': ['asak', 'kasa', 'saka'], 'asana': ['anasa', 'asana'], 'asaph': ['asaph', 'pasha'], 'asaphia': ['aphasia', 'asaphia'], 'asaphic': ['aphasic', 'asaphic'], 'asaprol': ['asaprol', 'parasol'], 'asarh': ['asarh', 'raash', 'sarah'], 'asarite': ['asarite', 'asteria', 'atresia', 'setaria'], 'asarum': ['aramus', 'asarum'], 'asbest': ['asbest', 'basset'], 'ascanius': ['anacusis', 'ascanius'], 'ascare': ['ascare', 'caesar', 'resaca'], 'ascarid': ['arsacid', 'ascarid'], 'ascaris': ['ascaris', 'carissa'], 'ascendance': ['adnascence', 'ascendance'], 'ascendant': ['adnascent', 'ascendant'], 'ascender': ['ascender', 'reascend'], 'ascent': ['ascent', 'secant', 'stance'], 'ascertain': ['ascertain', 'cartesian', 'cartisane', 'sectarian'], 'ascertainer': ['ascertainer', 'reascertain', 'secretarian'], 'ascetic': ['ascetic', 'castice', 'siccate'], 'ascham': ['ascham', 'chasma'], 'asci': ['acis', 'asci', 'saic'], 'ascian': ['ascian', 'sacian', 'scania', 'sicana'], 'ascidia': ['ascidia', 'diascia'], 'ascii': ['ascii', 'isiac'], 'ascites': ['ascites', 'ectasis'], 'ascitic': ['ascitic', 'sciatic'], 'ascitical': ['ascitical', 'sciatical'], 'asclent': ['asclent', 'scantle'], 'asclepian': ['asclepian', 'spalacine'], 'ascolichen': ['ascolichen', 'chalcosine'], 'ascon': ['ascon', 'canso', 'oscan'], 'ascot': ['ascot', 'coast', 'costa', 'tacso', 'tasco'], 'ascription': ['antipsoric', 'ascription', 'crispation'], 'ascry': ['ascry', 'scary', 'scray'], 'ascula': ['ascula', 'calusa', 'casual', 'casula', 'causal'], 'asdic': ['asdic', 'sadic'], 'ase': ['aes', 'ase', 'sea'], 'asearch': ['asearch', 'eschara'], 'aselli': ['allies', 'aselli'], 'asem': ['asem', 'mesa', 'same', 'seam'], 'asemia': ['asemia', 'saeima'], 'aseptic': ['aseptic', 'spicate'], 'aseptol': ['apostle', 'aseptol'], 'ash': ['ash', 'sah', 'sha'], 'ashanti': ['ashanti', 'sanhita', 'shaitan', 'thasian'], 'ashen': ['ashen', 'hanse', 'shane', 'shean'], 'asher': ['asher', 'share', 'shear'], 'ashet': ['ashet', 'haste', 'sheat'], 'ashimmer': ['ashimmer', 'haremism'], 'ashir': ['ashir', 'shari'], 'ashling': ['anglish', 'ashling'], 'ashman': ['ashman', 'shaman'], 'ashore': ['ahorse', 'ashore', 'hoarse', 'shorea'], 'ashraf': ['afshar', 'ashraf'], 'ashur': ['ashur', 'surah'], 'ashy': ['ashy', 'shay'], 'asian': ['asian', 'naias', 'sanai'], 'asiarch': ['arachis', 'asiarch', 'saharic'], 'aside': ['aides', 'aside', 'sadie'], 'asideu': ['asideu', 'suidae'], 'asiento': ['aeonist', 'asiento', 'satieno'], 'asilid': ['asilid', 'sialid'], 'asilidae': ['asilidae', 'sialidae'], 'asilus': ['asilus', 'lasius'], 'asimen': ['asimen', 'inseam', 'mesian'], 'asimmer': ['amerism', 'asimmer', 'sammier'], 'asiphonate': ['asiphonate', 'asthenopia'], 'ask': ['ask', 'sak'], 'asker': ['asker', 'reask', 'saker', 'sekar'], 'askew': ['askew', 'wakes'], 'askip': ['askip', 'spaik'], 'askr': ['askr', 'kras', 'sark'], 'aslant': ['aslant', 'lansat', 'natals', 'santal'], 'asleep': ['asleep', 'elapse', 'please'], 'aslope': ['aslope', 'poales'], 'asmalte': ['asmalte', 'maltase'], 'asmile': ['amiles', 'asmile', 'mesail', 'mesial', 'samiel'], 'asnort': ['asnort', 'satron'], 'asoak': ['asoak', 'asoka'], 'asok': ['asok', 'soak', 'soka'], 'asoka': ['asoak', 'asoka'], 'asonia': ['anosia', 'asonia'], 'asop': ['asop', 'sapo', 'soap'], 'asor': ['asor', 'rosa', 'soar', 'sora'], 'asp': ['asp', 'sap', 'spa'], 'aspartic': ['aspartic', 'satrapic'], 'aspection': ['aspection', 'stenopaic'], 'aspectual': ['aspectual', 'capsulate'], 'aspen': ['aspen', 'panse', 'snape', 'sneap', 'spane', 'spean'], 'asper': ['asper', 'parse', 'prase', 'spaer', 'spare', 'spear'], 'asperate': ['asperate', 'separate'], 'asperation': ['anisoptera', 'asperation', 'separation'], 'asperge': ['asperge', 'presage'], 'asperger': ['asperger', 'presager'], 'aspergil': ['aspergil', 'splairge'], 'asperite': ['asperite', 'parietes'], 'aspermia': ['aspermia', 'sapremia'], 'aspermic': ['aspermic', 'sapremic'], 'asperser': ['asperser', 'repasser'], 'asperulous': ['asperulous', 'pleasurous'], 'asphalt': ['asphalt', 'spathal', 'taplash'], 'aspic': ['aspic', 'spica'], 'aspidinol': ['aspidinol', 'diplasion'], 'aspirant': ['aspirant', 'partisan', 'spartina'], 'aspirata': ['aspirata', 'parasita'], 'aspirate': ['aspirate', 'parasite'], 'aspire': ['aspire', 'paries', 'praise', 'sirpea', 'spirea'], 'aspirer': ['aspirer', 'praiser', 'serpari'], 'aspiring': ['aspiring', 'praising', 'singarip'], 'aspiringly': ['aspiringly', 'praisingly'], 'aspish': ['aspish', 'phasis'], 'asporous': ['asporous', 'saporous'], 'asport': ['asport', 'pastor', 'sproat'], 'aspread': ['aspread', 'saperda'], 'aspring': ['aspring', 'rasping', 'sparing'], 'asquirm': ['asquirm', 'marquis'], 'assagai': ['assagai', 'gaiassa'], 'assailer': ['assailer', 'reassail'], 'assam': ['amass', 'assam', 'massa', 'samas'], 'assaulter': ['assaulter', 'reassault', 'saleratus'], 'assayer': ['assayer', 'reassay'], 'assemble': ['assemble', 'beamless'], 'assent': ['assent', 'snaste'], 'assenter': ['assenter', 'reassent', 'sarsenet'], 'assentor': ['assentor', 'essorant', 'starnose'], 'assert': ['assert', 'tasser'], 'asserter': ['asserter', 'reassert'], 'assertible': ['assertible', 'resistable'], 'assertional': ['assertional', 'sensatorial'], 'assertor': ['assertor', 'assorter', 'oratress', 'reassort'], 'asset': ['asset', 'tasse'], 'assets': ['assets', 'stases'], 'assidean': ['assidean', 'nassidae'], 'assiento': ['assiento', 'ossetian'], 'assignee': ['agenesis', 'assignee'], 'assigner': ['assigner', 'reassign'], 'assist': ['assist', 'stasis'], 'assister': ['assister', 'reassist'], 'associationism': ['associationism', 'misassociation'], 'assoilment': ['assoilment', 'salmonsite'], 'assorter': ['assertor', 'assorter', 'oratress', 'reassort'], 'assuage': ['assuage', 'sausage'], 'assume': ['assume', 'seamus'], 'assumer': ['assumer', 'erasmus', 'masseur'], 'ast': ['ast', 'sat'], 'astacus': ['acastus', 'astacus'], 'astare': ['astare', 'satrae'], 'astart': ['astart', 'strata'], 'astartian': ['astartian', 'astrantia'], 'astatine': ['astatine', 'sanitate'], 'asteep': ['asteep', 'peseta'], 'asteer': ['asteer', 'easter', 'eastre', 'reseat', 'saeter', 'seater', 'staree', 'teaser', 'teresa'], 'astelic': ['astelic', 'elastic', 'latices'], 'astely': ['alytes', 'astely', 'lysate', 'stealy'], 'aster': ['aster', 'serta', 'stare', 'strae', 'tarse', 'teras'], 'asteria': ['asarite', 'asteria', 'atresia', 'setaria'], 'asterias': ['aristeas', 'asterias'], 'asterikos': ['asterikos', 'keratosis'], 'asterin': ['asterin', 'eranist', 'restain', 'stainer', 'starnie', 'stearin'], 'asterina': ['artesian', 'asterina', 'asternia', 'erastian', 'seatrain'], 'asterion': ['arsonite', 'asterion', 'oestrian', 'rosinate', 'serotina'], 'astern': ['astern', 'enstar', 'stenar', 'sterna'], 'asternia': ['artesian', 'asterina', 'asternia', 'erastian', 'seatrain'], 'asteroid': ['asteroid', 'troiades'], 'asterope': ['asterope', 'protease'], 'asthenopia': ['asiphonate', 'asthenopia'], 'asthma': ['amsath', 'asthma'], 'asthmogenic': ['asthmogenic', 'mesognathic'], 'asthore': ['asthore', 'earshot'], 'astian': ['astian', 'tasian'], 'astigmism': ['astigmism', 'sigmatism'], 'astilbe': ['astilbe', 'bestial', 'blastie', 'stabile'], 'astint': ['astint', 'tanist'], 'astir': ['arist', 'astir', 'sitar', 'stair', 'stria', 'tarsi', 'tisar', 'trias'], 'astomous': ['astomous', 'somatous'], 'astonied': ['astonied', 'sedation'], 'astonisher': ['astonisher', 'reastonish', 'treasonish'], 'astor': ['astor', 'roast'], 'astragali': ['astragali', 'tarsalgia'], 'astrain': ['artisan', 'astrain', 'sartain', 'tsarina'], 'astral': ['astral', 'tarsal'], 'astrantia': ['astartian', 'astrantia'], 'astream': ['artemas', 'astream'], 'astrer': ['arrest', 'astrer', 'raster', 'starer'], 'astrict': ['astrict', 'cartist', 'stratic'], 'astride': ['astride', 'diaster', 'disrate', 'restiad', 'staired'], 'astrier': ['astrier', 'tarsier'], 'astringe': ['astringe', 'ganister', 'gantries'], 'astringent': ['astringent', 'transigent'], 'astringer': ['arresting', 'astringer'], 'astrodome': ['astrodome', 'roomstead'], 'astrofel': ['astrofel', 'forestal'], 'astroite': ['astroite', 'ostraite', 'storiate'], 'astrolabe': ['astrolabe', 'roastable'], 'astrut': ['astrut', 'rattus', 'stuart'], 'astur': ['astur', 'surat', 'sutra'], 'asturian': ['asturian', 'austrian', 'saturnia'], 'astute': ['astute', 'statue'], 'astylar': ['astylar', 'saltary'], 'asunder': ['asunder', 'drusean'], 'asuri': ['arius', 'asuri'], 'aswail': ['aswail', 'sawali'], 'asweat': ['asweat', 'awaste'], 'aswim': ['aswim', 'swami'], 'aswing': ['aswing', 'sawing'], 'asyla': ['asyla', 'salay', 'sayal'], 'asyllabic': ['asyllabic', 'basically'], 'asyndetic': ['asyndetic', 'cystidean', 'syndicate'], 'asynergia': ['asynergia', 'gainsayer'], 'at': ['at', 'ta'], 'ata': ['ata', 'taa'], 'atabal': ['albata', 'atabal', 'balata'], 'atabrine': ['atabrine', 'rabatine'], 'atacaman': ['atacaman', 'tamanaca'], 'ataentsic': ['anticaste', 'ataentsic'], 'atalan': ['atalan', 'tanala'], 'atap': ['atap', 'pata', 'tapa'], 'atazir': ['atazir', 'ziarat'], 'atchison': ['atchison', 'chitosan'], 'ate': ['ate', 'eat', 'eta', 'tae', 'tea'], 'ateba': ['abate', 'ateba', 'batea', 'beata'], 'atebrin': ['atebrin', 'rabinet'], 'atechnic': ['atechnic', 'catechin', 'technica'], 'atechny': ['atechny', 'chantey'], 'ateeter': ['ateeter', 'treatee'], 'atef': ['atef', 'fate', 'feat'], 'ateles': ['ateles', 'saltee', 'sealet', 'stelae', 'teasel'], 'atelets': ['atelets', 'tsatlee'], 'atelier': ['atelier', 'tiralee'], 'aten': ['ante', 'aten', 'etna', 'nate', 'neat', 'taen', 'tane', 'tean'], 'atenism': ['atenism', 'inmeats', 'insteam', 'samnite'], 'atenist': ['atenist', 'instate', 'satient', 'steatin'], 'ates': ['ates', 'east', 'eats', 'sate', 'seat', 'seta'], 'atestine': ['anisette', 'atestine', 'settaine'], 'athar': ['arhat', 'artha', 'athar'], 'atheism': ['atheism', 'hamites'], 'athena': ['ahtena', 'aneath', 'athena'], 'athenian': ['anthinae', 'athenian'], 'athenor': ['another', 'athenor', 'rheotan'], 'athens': ['athens', 'hasten', 'snathe', 'sneath'], 'atherine': ['atherine', 'herniate'], 'atheris': ['atheris', 'sheriat'], 'athermic': ['athermic', 'marchite', 'rhematic'], 'athing': ['anight', 'athing'], 'athirst': ['athirst', 'rattish', 'tartish'], 'athletic': ['athletic', 'thetical'], 'athletics': ['athletics', 'statelich'], 'athort': ['athort', 'throat'], 'athrive': ['athrive', 'hervati'], 'ati': ['ait', 'ati', 'ita', 'tai'], 'atik': ['atik', 'ikat'], 'atimon': ['atimon', 'manito', 'montia'], 'atingle': ['atingle', 'gelatin', 'genital', 'langite', 'telinga'], 'atip': ['atip', 'pita'], 'atis': ['atis', 'sita', 'tsia'], 'atlantean': ['antenatal', 'atlantean', 'tantalean'], 'atlantic': ['atlantic', 'tantalic'], 'atlantid': ['atlantid', 'dilatant'], 'atlantite': ['atlantite', 'tantalite'], 'atlas': ['atlas', 'salat', 'salta'], 'atle': ['atle', 'laet', 'late', 'leat', 'tael', 'tale', 'teal'], 'atlee': ['atlee', 'elate'], 'atloidean': ['atloidean', 'dealation'], 'atma': ['atma', 'tama'], 'atman': ['atman', 'manta'], 'atmid': ['admit', 'atmid'], 'atmo': ['atmo', 'atom', 'moat', 'toma'], 'atmogenic': ['atmogenic', 'geomantic'], 'atmos': ['atmos', 'stoma', 'tomas'], 'atmosphere': ['atmosphere', 'shapometer'], 'atmostea': ['atmostea', 'steatoma'], 'atnah': ['atnah', 'tanha', 'thana'], 'atocia': ['atocia', 'coaita'], 'atokal': ['atokal', 'lakota'], 'atoll': ['allot', 'atoll'], 'atom': ['atmo', 'atom', 'moat', 'toma'], 'atomic': ['atomic', 'matico'], 'atomics': ['atomics', 'catoism', 'cosmati', 'osmatic', 'somatic'], 'atomize': ['atomize', 'miaotze'], 'atomizer': ['amortize', 'atomizer'], 'atonal': ['atonal', 'latona'], 'atonalism': ['anomalist', 'atonalism'], 'atone': ['atone', 'oaten'], 'atoner': ['atoner', 'norate', 'ornate'], 'atonia': ['anotia', 'atonia'], 'atonic': ['action', 'atonic', 'cation'], 'atony': ['atony', 'ayont'], 'atop': ['atop', 'pato'], 'atopic': ['atopic', 'capito', 'copita'], 'atorai': ['atorai', 'otaria'], 'atrail': ['altair', 'atrail', 'atrial', 'lariat', 'latria', 'talari'], 'atrepsy': ['atrepsy', 'yapster'], 'atresia': ['asarite', 'asteria', 'atresia', 'setaria'], 'atresic': ['atresic', 'stearic'], 'atresy': ['atresy', 'estray', 'reasty', 'stayer'], 'atretic': ['atretic', 'citrate'], 'atria': ['arati', 'atria', 'riata', 'tarai', 'tiara'], 'atrial': ['altair', 'atrail', 'atrial', 'lariat', 'latria', 'talari'], 'atridean': ['anteriad', 'atridean', 'dentaria'], 'atrip': ['atrip', 'tapir'], 'atrocity': ['atrocity', 'citatory'], 'atrophied': ['aphrodite', 'atrophied', 'diaporthe'], 'atropia': ['apiator', 'atropia', 'parotia'], 'atropic': ['apricot', 'atropic', 'parotic', 'patrico'], 'atroscine': ['atroscine', 'certosina', 'ostracine', 'tinoceras', 'tricosane'], 'atry': ['arty', 'atry', 'tray'], 'attacco': ['attacco', 'toccata'], 'attach': ['attach', 'chatta'], 'attache': ['attache', 'thecata'], 'attacher': ['attacher', 'reattach'], 'attacker': ['attacker', 'reattack'], 'attain': ['attain', 'tatian'], 'attainder': ['antitrade', 'attainder'], 'attainer': ['attainer', 'reattain', 'tertiana'], 'attar': ['attar', 'tatar'], 'attempter': ['attempter', 'reattempt'], 'attender': ['attender', 'nattered', 'reattend'], 'attention': ['attention', 'tentation'], 'attentive': ['attentive', 'tentative'], 'attentively': ['attentively', 'tentatively'], 'attentiveness': ['attentiveness', 'tentativeness'], 'atter': ['atter', 'tater', 'teart', 'tetra', 'treat'], 'attermine': ['antimeter', 'attermine', 'interteam', 'terminate', 'tetramine'], 'attern': ['attern', 'natter', 'ratten', 'tarten'], 'attery': ['attery', 'treaty', 'yatter'], 'attester': ['attester', 'reattest'], 'attic': ['attic', 'catti', 'tacit'], 'attical': ['attical', 'cattail'], 'attinge': ['attinge', 'tintage'], 'attire': ['attire', 'ratite', 'tertia'], 'attired': ['attired', 'tradite'], 'attorn': ['attorn', 'ratton', 'rottan'], 'attracter': ['attracter', 'reattract'], 'attractor': ['attractor', 'tractator'], 'attrite': ['attrite', 'titrate'], 'attrition': ['attrition', 'titration'], 'attune': ['attune', 'nutate', 'tauten'], 'atule': ['aleut', 'atule'], 'atumble': ['atumble', 'mutable'], 'atwin': ['atwin', 'twain', 'witan'], 'atypic': ['atypic', 'typica'], 'aube': ['aube', 'beau'], 'aubrite': ['abiuret', 'aubrite', 'biurate', 'rubiate'], 'aucan': ['acuan', 'aucan'], 'aucaner': ['arecuna', 'aucaner'], 'auchlet': ['auchlet', 'cutheal', 'taluche'], 'auction': ['auction', 'caution'], 'auctionary': ['auctionary', 'cautionary'], 'audiencier': ['audiencier', 'enicuridae'], 'auge': ['ague', 'auge'], 'augen': ['augen', 'genua'], 'augend': ['augend', 'engaud', 'unaged'], 'auger': ['argue', 'auger'], 'augerer': ['augerer', 'reargue'], 'augh': ['augh', 'guha'], 'augmenter': ['argenteum', 'augmenter'], 'augustan': ['augustan', 'guatusan'], 'auh': ['ahu', 'auh', 'hau'], 'auk': ['aku', 'auk', 'kua'], 'auld': ['auld', 'dual', 'laud', 'udal'], 'aulete': ['aulete', 'eluate'], 'auletic': ['aleutic', 'auletic', 'caulite', 'lutecia'], 'auletris': ['auletris', 'lisuarte'], 'aulic': ['aulic', 'lucia'], 'aulostoma': ['aulostoma', 'autosomal'], 'aulu': ['aulu', 'ulua'], 'aum': ['aum', 'mau'], 'aumbry': ['ambury', 'aumbry'], 'aumil': ['aumil', 'miaul'], 'aumrie': ['aumrie', 'uremia'], 'auncel': ['auncel', 'cuneal', 'lacune', 'launce', 'unlace'], 'aunt': ['antu', 'aunt', 'naut', 'taun', 'tuan', 'tuna'], 'auntie': ['auntie', 'uniate'], 'auntish': ['auntish', 'inhaust'], 'auntly': ['auntly', 'lutany'], 'auntsary': ['auntsary', 'unastray'], 'aura': ['aaru', 'aura'], 'aural': ['aural', 'laura'], 'aurar': ['arrau', 'aurar'], 'auresca': ['auresca', 'caesura'], 'aureus': ['aureus', 'uraeus'], 'auricle': ['auricle', 'ciruela'], 'auricled': ['auricled', 'radicule'], 'auride': ['auride', 'rideau'], 'aurin': ['aurin', 'urian'], 'aurir': ['aurir', 'urari'], 'auriscalp': ['auriscalp', 'spiracula'], 'auscult': ['auscult', 'scutula'], 'aushar': ['arusha', 'aushar'], 'auster': ['auster', 'reatus'], 'austere': ['austere', 'euaster'], 'australian': ['australian', 'saturnalia'], 'australic': ['australic', 'lactarius'], 'australite': ['aristulate', 'australite'], 'austrian': ['asturian', 'austrian', 'saturnia'], 'aute': ['aute', 'etua'], 'autecism': ['autecism', 'musicate'], 'authotype': ['authotype', 'autophyte'], 'autoclave': ['autoclave', 'vacuolate'], 'autocrat': ['actuator', 'autocrat'], 'autoheterosis': ['autoheterosis', 'heteroousiast'], 'autometric': ['autometric', 'tautomeric'], 'autometry': ['autometry', 'tautomery'], 'autophyte': ['authotype', 'autophyte'], 'autoplast': ['autoplast', 'postulata'], 'autopsic': ['autopsic', 'captious'], 'autopsical': ['apolaustic', 'autopsical'], 'autoradiograph': ['autoradiograph', 'radioautograph'], 'autoradiographic': ['autoradiographic', 'radioautographic'], 'autoradiography': ['autoradiography', 'radioautography'], 'autoriser': ['arterious', 'autoriser'], 'autosomal': ['aulostoma', 'autosomal'], 'auxetic': ['auxetic', 'eutaxic'], 'aval': ['aval', 'lava'], 'avanti': ['avanti', 'vinata'], 'avar': ['avar', 'vara'], 'ave': ['ave', 'eva'], 'avenge': ['avenge', 'geneva', 'vangee'], 'avenger': ['avenger', 'engrave'], 'avenin': ['avenin', 'vienna'], 'aventine': ['aventine', 'venetian'], 'aventurine': ['aventurine', 'uninervate'], 'aver': ['aver', 'rave', 'vare', 'vera'], 'avera': ['avera', 'erava'], 'averil': ['averil', 'elvira'], 'averin': ['averin', 'ravine'], 'avert': ['avert', 'tarve', 'taver', 'trave'], 'avertible': ['avertible', 'veritable'], 'avertin': ['avertin', 'vitrean'], 'aves': ['aves', 'save', 'vase'], 'aviatic': ['aviatic', 'viatica'], 'aviator': ['aviator', 'tovaria'], 'avicular': ['avicular', 'varicula'], 'avid': ['avid', 'diva'], 'avidous': ['avidous', 'vaudois'], 'avignonese': ['avignonese', 'ingaevones'], 'avine': ['avine', 'naive', 'vinea'], 'avirulence': ['acervuline', 'avirulence'], 'avis': ['avis', 'siva', 'visa'], 'avitic': ['avitic', 'viatic'], 'avo': ['avo', 'ova'], 'avocet': ['avocet', 'octave', 'vocate'], 'avodire': ['avodire', 'avoider', 'reavoid'], 'avoider': ['avodire', 'avoider', 'reavoid'], 'avolation': ['avolation', 'ovational'], 'avolitional': ['avolitional', 'violational'], 'avoucher': ['avoucher', 'reavouch'], 'avower': ['avower', 'reavow'], 'avshar': ['avshar', 'varsha'], 'avulse': ['alveus', 'avulse'], 'aw': ['aw', 'wa'], 'awag': ['awag', 'waag'], 'awaiter': ['awaiter', 'reawait'], 'awakener': ['awakener', 'reawaken'], 'awarder': ['awarder', 'reaward'], 'awash': ['awash', 'sawah'], 'awaste': ['asweat', 'awaste'], 'awat': ['awat', 'tawa'], 'awd': ['awd', 'daw', 'wad'], 'awe': ['awe', 'wae', 'wea'], 'aweather': ['aweather', 'wheatear'], 'aweek': ['aweek', 'keawe'], 'awesome': ['awesome', 'waesome'], 'awest': ['awest', 'sweat', 'tawse', 'waste'], 'awfu': ['awfu', 'wauf'], 'awful': ['awful', 'fulwa'], 'awhet': ['awhet', 'wheat'], 'awin': ['awin', 'wain'], 'awing': ['awing', 'wigan'], 'awl': ['awl', 'law'], 'awn': ['awn', 'naw', 'wan'], 'awned': ['awned', 'dewan', 'waned'], 'awner': ['awner', 'newar'], 'awning': ['awning', 'waning'], 'awny': ['awny', 'wany', 'yawn'], 'awol': ['alow', 'awol', 'lowa'], 'awork': ['awork', 'korwa'], 'awreck': ['awreck', 'wacker'], 'awrong': ['awrong', 'growan'], 'awry': ['awry', 'wary'], 'axel': ['alex', 'axel', 'axle'], 'axes': ['axes', 'saxe', 'seax'], 'axil': ['alix', 'axil'], 'axile': ['axile', 'lexia'], 'axine': ['axine', 'xenia'], 'axle': ['alex', 'axel', 'axle'], 'axon': ['axon', 'noxa', 'oxan'], 'axonal': ['axonal', 'oxalan'], 'axonia': ['anoxia', 'axonia'], 'ay': ['ay', 'ya'], 'ayah': ['ayah', 'haya'], 'aye': ['aye', 'yea'], 'ayont': ['atony', 'ayont'], 'azimine': ['aminize', 'animize', 'azimine'], 'azo': ['azo', 'zoa'], 'azole': ['azole', 'zoeal'], 'azon': ['azon', 'onza', 'ozan'], 'azorian': ['arizona', 'azorian', 'zonaria'], 'azorite': ['azorite', 'zoarite'], 'azoxine': ['azoxine', 'oxazine'], 'azteca': ['azteca', 'zacate'], 'azurine': ['azurine', 'urazine'], 'ba': ['ab', 'ba'], 'baa': ['aba', 'baa'], 'baal': ['alba', 'baal', 'bala'], 'baalath': ['baalath', 'bathala'], 'baalite': ['baalite', 'bialate', 'labiate'], 'baalshem': ['baalshem', 'shamable'], 'baar': ['arab', 'arba', 'baar', 'bara'], 'bab': ['abb', 'bab'], 'baba': ['abba', 'baba'], 'babbler': ['babbler', 'blabber', 'brabble'], 'babery': ['babery', 'yabber'], 'babhan': ['babhan', 'habnab'], 'babishly': ['babishly', 'shabbily'], 'babishness': ['babishness', 'shabbiness'], 'babite': ['babite', 'bebait'], 'babu': ['babu', 'buba'], 'babul': ['babul', 'bubal'], 'baby': ['abby', 'baby'], 'babylonish': ['babylonish', 'nabobishly'], 'bac': ['bac', 'cab'], 'bacao': ['bacao', 'caoba'], 'bach': ['bach', 'chab'], 'bache': ['bache', 'beach'], 'bachel': ['bachel', 'bleach'], 'bachelor': ['bachelor', 'crabhole'], 'bacillar': ['bacillar', 'cabrilla'], 'bacis': ['bacis', 'basic'], 'backblow': ['backblow', 'blowback'], 'backen': ['backen', 'neback'], 'backer': ['backer', 'reback'], 'backfall': ['backfall', 'fallback'], 'backfire': ['backfire', 'fireback'], 'backlog': ['backlog', 'gablock'], 'backrun': ['backrun', 'runback'], 'backsaw': ['backsaw', 'sawback'], 'backset': ['backset', 'setback'], 'backstop': ['backstop', 'stopback'], 'backswing': ['backswing', 'swingback'], 'backward': ['backward', 'drawback'], 'backway': ['backway', 'wayback'], 'bacon': ['bacon', 'banco'], 'bacterial': ['bacterial', 'calibrate'], 'bacteriform': ['bacteriform', 'bracteiform'], 'bacterin': ['bacterin', 'centibar'], 'bacterioid': ['aborticide', 'bacterioid'], 'bacterium': ['bacterium', 'cumbraite'], 'bactrian': ['bactrian', 'cantabri'], 'bacula': ['albuca', 'bacula'], 'baculi': ['abulic', 'baculi'], 'baculite': ['baculite', 'cubitale'], 'baculites': ['baculites', 'bisulcate'], 'baculoid': ['baculoid', 'cuboidal'], 'bad': ['bad', 'dab'], 'badaga': ['badaga', 'dagaba', 'gadaba'], 'badan': ['badan', 'banda'], 'bade': ['abed', 'bade', 'bead'], 'badge': ['badge', 'begad'], 'badian': ['badian', 'indaba'], 'badigeon': ['badigeon', 'gabioned'], 'badly': ['badly', 'baldy', 'blady'], 'badon': ['badon', 'bando'], 'bae': ['abe', 'bae', 'bea'], 'baeria': ['aberia', 'baeria', 'baiera'], 'baetulus': ['baetulus', 'subulate'], 'baetyl': ['baetyl', 'baylet', 'bleaty'], 'baetylic': ['baetylic', 'biacetyl'], 'bafta': ['abaft', 'bafta'], 'bag': ['bag', 'gab'], 'bagani': ['bagani', 'bangia', 'ibanag'], 'bagel': ['bagel', 'belga', 'gable', 'gleba'], 'bagger': ['bagger', 'beggar'], 'bagnio': ['bagnio', 'gabion', 'gobian'], 'bago': ['bago', 'boga'], 'bagre': ['bagre', 'barge', 'begar', 'rebag'], 'bahar': ['bahar', 'bhara'], 'bahoe': ['bahoe', 'bohea', 'obeah'], 'baht': ['baht', 'bath', 'bhat'], 'baiera': ['aberia', 'baeria', 'baiera'], 'baignet': ['baignet', 'beating'], 'bail': ['albi', 'bail', 'bali'], 'bailage': ['algieba', 'bailage'], 'bailer': ['bailer', 'barile'], 'baillone': ['baillone', 'bonellia'], 'bailment': ['bailment', 'libament'], 'bailor': ['bailor', 'bioral'], 'bailsman': ['bailsman', 'balanism', 'nabalism'], 'bain': ['bain', 'bani', 'iban'], 'baioc': ['baioc', 'cabio', 'cobia'], 'bairam': ['bairam', 'bramia'], 'bairn': ['abrin', 'bairn', 'brain', 'brian', 'rabin'], 'bairnie': ['aribine', 'bairnie', 'iberian'], 'bairnish': ['bairnish', 'bisharin'], 'bais': ['absi', 'bais', 'bias', 'isba'], 'baister': ['baister', 'tribase'], 'baiter': ['baiter', 'barite', 'rebait', 'terbia'], 'baith': ['baith', 'habit'], 'bajocian': ['bajocian', 'jacobian'], 'bakal': ['bakal', 'balak'], 'bakatan': ['bakatan', 'batakan'], 'bake': ['bake', 'beak'], 'baker': ['baker', 'brake', 'break'], 'bakerless': ['bakerless', 'brakeless', 'breakless'], 'bakery': ['bakery', 'barkey'], 'bakie': ['akebi', 'bakie'], 'baku': ['baku', 'kuba'], 'bal': ['alb', 'bal', 'lab'], 'bala': ['alba', 'baal', 'bala'], 'baladine': ['baladine', 'balaenid'], 'balaenid': ['baladine', 'balaenid'], 'balagan': ['balagan', 'bangala'], 'balai': ['balai', 'labia'], 'balak': ['bakal', 'balak'], 'balan': ['alban', 'balan', 'banal', 'laban', 'nabal', 'nabla'], 'balancer': ['balancer', 'barnacle'], 'balangay': ['balangay', 'bangalay'], 'balanic': ['balanic', 'caliban'], 'balanid': ['balanid', 'banilad'], 'balanism': ['bailsman', 'balanism', 'nabalism'], 'balanite': ['albanite', 'balanite', 'nabalite'], 'balanites': ['balanites', 'basaltine', 'stainable'], 'balantidium': ['antialbumid', 'balantidium'], 'balanus': ['balanus', 'nabalus', 'subanal'], 'balas': ['balas', 'balsa', 'basal', 'sabal'], 'balata': ['albata', 'atabal', 'balata'], 'balatron': ['balatron', 'laborant'], 'balaustine': ['balaustine', 'unsatiable'], 'balaustre': ['balaustre', 'saturable'], 'bald': ['bald', 'blad'], 'balden': ['balden', 'bandle'], 'balder': ['balder', 'bardel', 'bedlar', 'bedral', 'belard', 'blader'], 'baldie': ['abdiel', 'baldie'], 'baldish': ['baldish', 'bladish'], 'baldmoney': ['baldmoney', 'molybdena'], 'baldness': ['baldness', 'bandless'], 'baldy': ['badly', 'baldy', 'blady'], 'bale': ['abel', 'able', 'albe', 'bale', 'beal', 'bela', 'blae'], 'balearic': ['balearic', 'cebalrai'], 'baleen': ['baleen', 'enable'], 'balefire': ['afebrile', 'balefire', 'fireable'], 'baleise': ['baleise', 'besaiel'], 'baler': ['abler', 'baler', 'belar', 'blare', 'blear'], 'balete': ['balete', 'belate'], 'bali': ['albi', 'bail', 'bali'], 'baline': ['baline', 'blaine'], 'balinger': ['balinger', 'ringable'], 'balker': ['balker', 'barkle'], 'ballaster': ['ballaster', 'reballast'], 'ballate': ['ballate', 'tabella'], 'balli': ['balli', 'billa'], 'balloter': ['balloter', 'reballot'], 'ballplayer': ['ballplayer', 'preallably'], 'ballroom': ['ballroom', 'moorball'], 'ballweed': ['ballweed', 'weldable'], 'balm': ['balm', 'lamb'], 'balminess': ['balminess', 'lambiness'], 'balmlike': ['balmlike', 'lamblike'], 'balmy': ['balmy', 'lamby'], 'balolo': ['balolo', 'lobola'], 'balonea': ['abalone', 'balonea'], 'balor': ['balor', 'bolar', 'boral', 'labor', 'lobar'], 'balow': ['ablow', 'balow', 'bowla'], 'balsa': ['balas', 'balsa', 'basal', 'sabal'], 'balsam': ['balsam', 'sambal'], 'balsamic': ['balsamic', 'cabalism'], 'balsamo': ['absalom', 'balsamo'], 'balsamy': ['abysmal', 'balsamy'], 'balt': ['balt', 'blat'], 'baltei': ['albeit', 'albite', 'baltei', 'belait', 'betail', 'bletia', 'libate'], 'balter': ['albert', 'balter', 'labret', 'tabler'], 'balteus': ['balteus', 'sublate'], 'baltis': ['baltis', 'bisalt'], 'balu': ['balu', 'baul', 'bual', 'luba'], 'balunda': ['balunda', 'bulanda'], 'baluster': ['baluster', 'rustable'], 'balut': ['balut', 'tubal'], 'bam': ['bam', 'mab'], 'ban': ['ban', 'nab'], 'bana': ['anba', 'bana'], 'banak': ['banak', 'nabak'], 'banal': ['alban', 'balan', 'banal', 'laban', 'nabal', 'nabla'], 'banat': ['banat', 'batan'], 'banca': ['banca', 'caban'], 'bancal': ['bancal', 'blanca'], 'banco': ['bacon', 'banco'], 'banda': ['badan', 'banda'], 'bandage': ['bandage', 'dagbane'], 'bandar': ['bandar', 'raband'], 'bandarlog': ['bandarlog', 'langobard'], 'bande': ['bande', 'benda'], 'bander': ['bander', 'brenda'], 'banderma': ['banderma', 'breadman'], 'banderole': ['banderole', 'bandoleer'], 'bandhook': ['bandhook', 'handbook'], 'bandle': ['balden', 'bandle'], 'bandless': ['baldness', 'bandless'], 'bando': ['badon', 'bando'], 'bandoleer': ['banderole', 'bandoleer'], 'bandor': ['bandor', 'bondar', 'roband'], 'bandore': ['bandore', 'broaden'], 'bane': ['bane', 'bean', 'bena'], 'bangala': ['balagan', 'bangala'], 'bangalay': ['balangay', 'bangalay'], 'bangash': ['bangash', 'nashgab'], 'banger': ['banger', 'engarb', 'graben'], 'banghy': ['banghy', 'hangby'], 'bangia': ['bagani', 'bangia', 'ibanag'], 'bangle': ['bangle', 'bengal'], 'bani': ['bain', 'bani', 'iban'], 'banilad': ['balanid', 'banilad'], 'banisher': ['banisher', 'rebanish'], 'baniva': ['baniva', 'bavian'], 'baniya': ['baniya', 'banyai'], 'banjoist': ['banjoist', 'bostanji'], 'bank': ['bank', 'knab', 'nabk'], 'banker': ['banker', 'barken'], 'banshee': ['banshee', 'benshea'], 'bantam': ['bantam', 'batman'], 'banteng': ['banteng', 'bentang'], 'banyai': ['baniya', 'banyai'], 'banzai': ['banzai', 'zabian'], 'bar': ['bar', 'bra', 'rab'], 'bara': ['arab', 'arba', 'baar', 'bara'], 'barabra': ['barabra', 'barbara'], 'barad': ['barad', 'draba'], 'barb': ['barb', 'brab'], 'barbara': ['barabra', 'barbara'], 'barbe': ['barbe', 'bebar', 'breba', 'rebab'], 'barbed': ['barbed', 'dabber'], 'barbel': ['barbel', 'labber', 'rabble'], 'barbet': ['barbet', 'rabbet', 'tabber'], 'barbette': ['barbette', 'bebatter'], 'barbion': ['barbion', 'rabboni'], 'barbitone': ['barbitone', 'barbotine'], 'barbone': ['barbone', 'bebaron'], 'barbotine': ['barbitone', 'barbotine'], 'barcella': ['barcella', 'caballer'], 'barcoo': ['barcoo', 'baroco'], 'bard': ['bard', 'brad', 'drab'], 'bardel': ['balder', 'bardel', 'bedlar', 'bedral', 'belard', 'blader'], 'bardie': ['abider', 'bardie'], 'bardily': ['bardily', 'rabidly', 'ridably'], 'bardiness': ['bardiness', 'rabidness'], 'barding': ['barding', 'brigand'], 'bardo': ['abord', 'bardo', 'board', 'broad', 'dobra', 'dorab'], 'bardy': ['bardy', 'darby'], 'bare': ['bare', 'bear', 'brae'], 'barefaced': ['barefaced', 'facebread'], 'barefoot': ['barefoot', 'bearfoot'], 'barehanded': ['barehanded', 'bradenhead', 'headbander'], 'barehead': ['barehead', 'braehead'], 'barely': ['barely', 'barley', 'bleary'], 'barer': ['barer', 'rebar'], 'baretta': ['baretta', 'rabatte', 'tabaret'], 'bargainer': ['bargainer', 'rebargain'], 'barge': ['bagre', 'barge', 'begar', 'rebag'], 'bargeer': ['bargeer', 'gerbera'], 'bargeese': ['bargeese', 'begrease'], 'bari': ['abir', 'bari', 'rabi'], 'baric': ['baric', 'carib', 'rabic'], 'barid': ['barid', 'bidar', 'braid', 'rabid'], 'barie': ['barie', 'beira', 'erbia', 'rebia'], 'barile': ['bailer', 'barile'], 'baris': ['baris', 'sabir'], 'barish': ['barish', 'shibar'], 'barit': ['barit', 'ribat'], 'barite': ['baiter', 'barite', 'rebait', 'terbia'], 'baritone': ['abrotine', 'baritone', 'obtainer', 'reobtain'], 'barken': ['banker', 'barken'], 'barker': ['barker', 'braker'], 'barkey': ['bakery', 'barkey'], 'barkle': ['balker', 'barkle'], 'barky': ['barky', 'braky'], 'barley': ['barely', 'barley', 'bleary'], 'barling': ['barling', 'bringal'], 'barm': ['barm', 'bram'], 'barmbrack': ['barmbrack', 'brambrack'], 'barmote': ['barmote', 'bromate'], 'barmy': ['ambry', 'barmy'], 'barn': ['barn', 'bran'], 'barnabite': ['barnabite', 'rabbanite', 'rabbinate'], 'barnacle': ['balancer', 'barnacle'], 'barney': ['barney', 'nearby'], 'barny': ['barny', 'bryan'], 'baroco': ['barcoo', 'baroco'], 'barolo': ['barolo', 'robalo'], 'baron': ['baron', 'boran'], 'baronet': ['baronet', 'reboant'], 'barong': ['barong', 'brogan'], 'barosmin': ['ambrosin', 'barosmin', 'sabromin'], 'barothermograph': ['barothermograph', 'thermobarograph'], 'barotse': ['barotse', 'boaster', 'reboast', 'sorbate'], 'barpost': ['absorpt', 'barpost'], 'barracan': ['barracan', 'barranca'], 'barranca': ['barracan', 'barranca'], 'barrelet': ['barrelet', 'terebral'], 'barret': ['barret', 'barter'], 'barrette': ['barrette', 'batterer'], 'barrio': ['barrio', 'brairo'], 'barsac': ['barsac', 'scarab'], 'barse': ['barse', 'besra', 'saber', 'serab'], 'bart': ['bart', 'brat'], 'barter': ['barret', 'barter'], 'barton': ['barton', 'brotan'], 'bartsia': ['arabist', 'bartsia'], 'barundi': ['barundi', 'unbraid'], 'barvel': ['barvel', 'blaver', 'verbal'], 'barwise': ['barwise', 'swarbie'], 'barye': ['barye', 'beray', 'yerba'], 'baryta': ['baryta', 'taryba'], 'barytine': ['barytine', 'bryanite'], 'baryton': ['baryton', 'brotany'], 'bas': ['bas', 'sab'], 'basal': ['balas', 'balsa', 'basal', 'sabal'], 'basally': ['basally', 'salably'], 'basaltic': ['basaltic', 'cabalist'], 'basaltine': ['balanites', 'basaltine', 'stainable'], 'base': ['base', 'besa', 'sabe', 'seba'], 'basella': ['basella', 'sabella', 'salable'], 'bash': ['bash', 'shab'], 'basial': ['basial', 'blasia'], 'basic': ['bacis', 'basic'], 'basically': ['asyllabic', 'basically'], 'basidium': ['basidium', 'diiambus'], 'basil': ['basil', 'labis'], 'basileus': ['basileus', 'issuable', 'suasible'], 'basilweed': ['basilweed', 'bladewise'], 'basinasal': ['basinasal', 'bassalian'], 'basinet': ['basinet', 'besaint', 'bestain'], 'basion': ['basion', 'bonsai', 'sabino'], 'basiparachromatin': ['basiparachromatin', 'marsipobranchiata'], 'basket': ['basket', 'betask'], 'basketwork': ['basketwork', 'workbasket'], 'basos': ['basos', 'basso'], 'bassalian': ['basinasal', 'bassalian'], 'bassanite': ['bassanite', 'sebastian'], 'basset': ['asbest', 'basset'], 'basso': ['basos', 'basso'], 'bast': ['bast', 'bats', 'stab'], 'basta': ['basta', 'staab'], 'baste': ['baste', 'beast', 'tabes'], 'basten': ['absent', 'basten'], 'baster': ['baster', 'bestar', 'breast'], 'bastille': ['bastille', 'listable'], 'bastion': ['abiston', 'bastion'], 'bastionet': ['bastionet', 'obstinate'], 'bastite': ['bastite', 'batiste', 'bistate'], 'basto': ['basto', 'boast', 'sabot'], 'basuto': ['abouts', 'basuto'], 'bat': ['bat', 'tab'], 'batad': ['abdat', 'batad'], 'batakan': ['bakatan', 'batakan'], 'bataleur': ['bataleur', 'tabulare'], 'batan': ['banat', 'batan'], 'batara': ['artaba', 'batara'], 'batcher': ['batcher', 'berchta', 'brachet'], 'bate': ['abet', 'bate', 'beat', 'beta'], 'batea': ['abate', 'ateba', 'batea', 'beata'], 'batel': ['batel', 'blate', 'bleat', 'table'], 'batement': ['abetment', 'batement'], 'bater': ['abret', 'bater', 'berat'], 'batfowler': ['afterblow', 'batfowler'], 'bath': ['baht', 'bath', 'bhat'], 'bathala': ['baalath', 'bathala'], 'bathe': ['bathe', 'beath'], 'bather': ['bather', 'bertha', 'breath'], 'bathonian': ['bathonian', 'nabothian'], 'batik': ['batik', 'kitab'], 'batino': ['batino', 'oatbin', 'obtain'], 'batis': ['absit', 'batis'], 'batiste': ['bastite', 'batiste', 'bistate'], 'batling': ['batling', 'tabling'], 'batman': ['bantam', 'batman'], 'batophobia': ['batophobia', 'tabophobia'], 'batrachia': ['batrachia', 'brachiata'], 'batrachian': ['batrachian', 'branchiata'], 'bats': ['bast', 'bats', 'stab'], 'battel': ['battel', 'battle', 'tablet'], 'batteler': ['batteler', 'berattle'], 'battening': ['battening', 'bitangent'], 'batter': ['batter', 'bertat', 'tabret', 'tarbet'], 'batterer': ['barrette', 'batterer'], 'battle': ['battel', 'battle', 'tablet'], 'battler': ['battler', 'blatter', 'brattle'], 'battue': ['battue', 'tubate'], 'batule': ['batule', 'betula', 'tabule'], 'batyphone': ['batyphone', 'hypnobate'], 'batzen': ['batzen', 'bezant', 'tanzeb'], 'baud': ['baud', 'buda', 'daub'], 'baul': ['balu', 'baul', 'bual', 'luba'], 'baun': ['baun', 'buna', 'nabu', 'nuba'], 'bauta': ['abuta', 'bauta'], 'bavian': ['baniva', 'bavian'], 'baw': ['baw', 'wab'], 'bawl': ['bawl', 'blaw'], 'bawler': ['bawler', 'brelaw', 'rebawl', 'warble'], 'bay': ['aby', 'bay'], 'baya': ['baya', 'yaba'], 'bayed': ['bayed', 'beady', 'beday'], 'baylet': ['baetyl', 'baylet', 'bleaty'], 'bayonet': ['bayonet', 'betoyan'], 'baze': ['baze', 'ezba'], 'bea': ['abe', 'bae', 'bea'], 'beach': ['bache', 'beach'], 'bead': ['abed', 'bade', 'bead'], 'beaded': ['beaded', 'bedead'], 'beader': ['beader', 'bedare'], 'beadleism': ['beadleism', 'demisable'], 'beadlet': ['beadlet', 'belated'], 'beady': ['bayed', 'beady', 'beday'], 'beagle': ['beagle', 'belage', 'belgae'], 'beak': ['bake', 'beak'], 'beaker': ['beaker', 'berake', 'rebake'], 'beal': ['abel', 'able', 'albe', 'bale', 'beal', 'bela', 'blae'], 'bealing': ['algenib', 'bealing', 'belgian', 'bengali'], 'beam': ['beam', 'bema'], 'beamer': ['ambeer', 'beamer'], 'beamless': ['assemble', 'beamless'], 'beamster': ['beamster', 'bemaster', 'bestream'], 'beamwork': ['beamwork', 'bowmaker'], 'beamy': ['beamy', 'embay', 'maybe'], 'bean': ['bane', 'bean', 'bena'], 'beanfield': ['beanfield', 'definable'], 'beant': ['abnet', 'beant'], 'bear': ['bare', 'bear', 'brae'], 'bearance': ['bearance', 'carabeen'], 'beard': ['ardeb', 'beard', 'bread', 'debar'], 'beardless': ['beardless', 'breadless'], 'beardlessness': ['beardlessness', 'breadlessness'], 'bearer': ['bearer', 'rebear'], 'bearess': ['bearess', 'bessera'], 'bearfoot': ['barefoot', 'bearfoot'], 'bearing': ['bearing', 'begrain', 'brainge', 'rigbane'], 'bearlet': ['bearlet', 'bleater', 'elberta', 'retable'], 'bearm': ['amber', 'bearm', 'bemar', 'bream', 'embar'], 'beast': ['baste', 'beast', 'tabes'], 'beastlily': ['beastlily', 'bestially'], 'beat': ['abet', 'bate', 'beat', 'beta'], 'beata': ['abate', 'ateba', 'batea', 'beata'], 'beater': ['beater', 'berate', 'betear', 'rebate', 'rebeat'], 'beath': ['bathe', 'beath'], 'beating': ['baignet', 'beating'], 'beau': ['aube', 'beau'], 'bebait': ['babite', 'bebait'], 'bebar': ['barbe', 'bebar', 'breba', 'rebab'], 'bebaron': ['barbone', 'bebaron'], 'bebaste': ['bebaste', 'bebeast'], 'bebatter': ['barbette', 'bebatter'], 'bebay': ['abbey', 'bebay'], 'bebeast': ['bebaste', 'bebeast'], 'bebog': ['bebog', 'begob', 'gobbe'], 'becard': ['becard', 'braced'], 'becater': ['becater', 'betrace'], 'because': ['because', 'besauce'], 'becharm': ['becharm', 'brecham', 'chamber'], 'becher': ['becher', 'breech'], 'bechern': ['bechern', 'bencher'], 'bechirp': ['bechirp', 'brephic'], 'becker': ['becker', 'rebeck'], 'beclad': ['beclad', 'cabled'], 'beclart': ['beclart', 'crablet'], 'becloud': ['becloud', 'obclude'], 'becram': ['becram', 'camber', 'crambe'], 'becrimson': ['becrimson', 'scombrine'], 'becry': ['becry', 'bryce'], 'bed': ['bed', 'deb'], 'bedamn': ['bedamn', 'bedman'], 'bedare': ['beader', 'bedare'], 'bedark': ['bedark', 'debark'], 'beday': ['bayed', 'beady', 'beday'], 'bedead': ['beaded', 'bedead'], 'bedel': ['bedel', 'bleed'], 'beden': ['beden', 'deben', 'deneb'], 'bedim': ['bedim', 'imbed'], 'bedip': ['bedip', 'biped'], 'bedismal': ['bedismal', 'semibald'], 'bedlam': ['bedlam', 'beldam', 'blamed'], 'bedlar': ['balder', 'bardel', 'bedlar', 'bedral', 'belard', 'blader'], 'bedless': ['bedless', 'blessed'], 'bedman': ['bedamn', 'bedman'], 'bedoctor': ['bedoctor', 'codebtor'], 'bedog': ['bedog', 'bodge'], 'bedrail': ['bedrail', 'bridale', 'ridable'], 'bedral': ['balder', 'bardel', 'bedlar', 'bedral', 'belard', 'blader'], 'bedrid': ['bedrid', 'bidder'], 'bedrip': ['bedrip', 'prebid'], 'bedrock': ['bedrock', 'brocked'], 'bedroom': ['bedroom', 'boerdom', 'boredom'], 'bedrown': ['bedrown', 'browden'], 'bedrug': ['bedrug', 'budger'], 'bedsick': ['bedsick', 'sickbed'], 'beduck': ['beduck', 'bucked'], 'bedur': ['bedur', 'rebud', 'redub'], 'bedusk': ['bedusk', 'busked'], 'bedust': ['bedust', 'bestud', 'busted'], 'beearn': ['beearn', 'berean'], 'beeman': ['beeman', 'bemean', 'bename'], 'been': ['been', 'bene', 'eben'], 'beer': ['beer', 'bere', 'bree'], 'beest': ['beest', 'beset'], 'beeswing': ['beeswing', 'beswinge'], 'befathered': ['befathered', 'featherbed'], 'befile': ['befile', 'belief'], 'befinger': ['befinger', 'befringe'], 'beflea': ['beflea', 'beleaf'], 'beflour': ['beflour', 'fourble'], 'beflum': ['beflum', 'fumble'], 'befret': ['befret', 'bereft'], 'befringe': ['befinger', 'befringe'], 'begad': ['badge', 'begad'], 'begall': ['begall', 'glebal'], 'begar': ['bagre', 'barge', 'begar', 'rebag'], 'begash': ['begash', 'beshag'], 'begat': ['begat', 'betag'], 'begettal': ['begettal', 'gettable'], 'beggar': ['bagger', 'beggar'], 'beggarer': ['beggarer', 'rebeggar'], 'begin': ['begin', 'being', 'binge'], 'begird': ['begird', 'bridge'], 'beglic': ['beglic', 'belgic'], 'bego': ['bego', 'egbo'], 'begob': ['bebog', 'begob', 'gobbe'], 'begone': ['begone', 'engobe'], 'begrain': ['bearing', 'begrain', 'brainge', 'rigbane'], 'begrease': ['bargeese', 'begrease'], 'behaviorism': ['behaviorism', 'misbehavior'], 'behears': ['behears', 'beshear'], 'behint': ['behint', 'henbit'], 'beholder': ['beholder', 'rebehold'], 'behorn': ['behorn', 'brehon'], 'beid': ['beid', 'bide', 'debi', 'dieb'], 'being': ['begin', 'being', 'binge'], 'beira': ['barie', 'beira', 'erbia', 'rebia'], 'beisa': ['abies', 'beisa'], 'bel': ['bel', 'elb'], 'bela': ['abel', 'able', 'albe', 'bale', 'beal', 'bela', 'blae'], 'belabor': ['belabor', 'borable'], 'belaced': ['belaced', 'debacle'], 'belage': ['beagle', 'belage', 'belgae'], 'belait': ['albeit', 'albite', 'baltei', 'belait', 'betail', 'bletia', 'libate'], 'belam': ['amble', 'belam', 'blame', 'mabel'], 'belar': ['abler', 'baler', 'belar', 'blare', 'blear'], 'belard': ['balder', 'bardel', 'bedlar', 'bedral', 'belard', 'blader'], 'belate': ['balete', 'belate'], 'belated': ['beadlet', 'belated'], 'belaud': ['ablude', 'belaud'], 'beldam': ['bedlam', 'beldam', 'blamed'], 'beleaf': ['beflea', 'beleaf'], 'beleap': ['beleap', 'bepale'], 'belga': ['bagel', 'belga', 'gable', 'gleba'], 'belgae': ['beagle', 'belage', 'belgae'], 'belgian': ['algenib', 'bealing', 'belgian', 'bengali'], 'belgic': ['beglic', 'belgic'], 'belial': ['alible', 'belial', 'labile', 'liable'], 'belief': ['befile', 'belief'], 'belili': ['belili', 'billie'], 'belite': ['belite', 'beltie', 'bietle'], 'belitter': ['belitter', 'tribelet'], 'belive': ['belive', 'beveil'], 'bella': ['bella', 'label'], 'bellied': ['bellied', 'delible'], 'bellona': ['allbone', 'bellona'], 'bellonian': ['bellonian', 'nonliable'], 'bellote': ['bellote', 'lobelet'], 'bellower': ['bellower', 'rebellow'], 'belltail': ['belltail', 'bletilla', 'tillable'], 'bellyer': ['bellyer', 'rebelly'], 'bellypinch': ['bellypinch', 'pinchbelly'], 'beloid': ['beloid', 'boiled', 'bolide'], 'belonger': ['belonger', 'rebelong'], 'belonid': ['belonid', 'boldine'], 'belord': ['belord', 'bordel', 'rebold'], 'below': ['below', 'bowel', 'elbow'], 'belt': ['belt', 'blet'], 'beltane': ['beltane', 'tenable'], 'belter': ['belter', 'elbert', 'treble'], 'beltie': ['belite', 'beltie', 'bietle'], 'beltine': ['beltine', 'tenible'], 'beltir': ['beltir', 'riblet'], 'beltman': ['beltman', 'lambent'], 'belve': ['belve', 'bevel'], 'bema': ['beam', 'bema'], 'bemail': ['bemail', 'lambie'], 'beman': ['beman', 'nambe'], 'bemar': ['amber', 'bearm', 'bemar', 'bream', 'embar'], 'bemaster': ['beamster', 'bemaster', 'bestream'], 'bemaul': ['bemaul', 'blumea'], 'bemeal': ['bemeal', 'meable'], 'bemean': ['beeman', 'bemean', 'bename'], 'bemire': ['bemire', 'bireme'], 'bemitred': ['bemitred', 'timbered'], 'bemoil': ['bemoil', 'mobile'], 'bemole': ['bemole', 'embole'], 'bemusk': ['bemusk', 'embusk'], 'ben': ['ben', 'neb'], 'bena': ['bane', 'bean', 'bena'], 'benacus': ['acubens', 'benacus'], 'bename': ['beeman', 'bemean', 'bename'], 'benami': ['benami', 'bimane'], 'bencher': ['bechern', 'bencher'], 'benchwork': ['benchwork', 'workbench'], 'benda': ['bande', 'benda'], 'bender': ['bender', 'berend', 'rebend'], 'bene': ['been', 'bene', 'eben'], 'benedight': ['benedight', 'benighted'], 'benefiter': ['benefiter', 'rebenefit'], 'bengal': ['bangle', 'bengal'], 'bengali': ['algenib', 'bealing', 'belgian', 'bengali'], 'beni': ['beni', 'bien', 'bine', 'inbe'], 'benighted': ['benedight', 'benighted'], 'beno': ['beno', 'bone', 'ebon'], 'benote': ['benote', 'betone'], 'benshea': ['banshee', 'benshea'], 'benshee': ['benshee', 'shebeen'], 'bentang': ['banteng', 'bentang'], 'benton': ['benton', 'bonnet'], 'benu': ['benu', 'unbe'], 'benward': ['benward', 'brawned'], 'benzantialdoxime': ['antibenzaldoxime', 'benzantialdoxime'], 'benzein': ['benzein', 'benzine'], 'benzine': ['benzein', 'benzine'], 'benzo': ['benzo', 'bonze'], 'benzofluorene': ['benzofluorene', 'fluorobenzene'], 'benzonitrol': ['benzonitrol', 'nitrobenzol'], 'bepale': ['beleap', 'bepale'], 'bepart': ['bepart', 'berapt', 'betrap'], 'bepaste': ['bepaste', 'bespate'], 'bepester': ['bepester', 'prebeset'], 'beplaster': ['beplaster', 'prestable'], 'ber': ['ber', 'reb'], 'berake': ['beaker', 'berake', 'rebake'], 'berapt': ['bepart', 'berapt', 'betrap'], 'berat': ['abret', 'bater', 'berat'], 'berate': ['beater', 'berate', 'betear', 'rebate', 'rebeat'], 'berattle': ['batteler', 'berattle'], 'beraunite': ['beraunite', 'unebriate'], 'beray': ['barye', 'beray', 'yerba'], 'berberi': ['berberi', 'rebribe'], 'berchta': ['batcher', 'berchta', 'brachet'], 'bere': ['beer', 'bere', 'bree'], 'berean': ['beearn', 'berean'], 'bereft': ['befret', 'bereft'], 'berend': ['bender', 'berend', 'rebend'], 'berg': ['berg', 'gerb'], 'bergama': ['bergama', 'megabar'], 'bergamo': ['bergamo', 'embargo'], 'beri': ['beri', 'bier', 'brei', 'ribe'], 'beringed': ['beringed', 'breeding'], 'berinse': ['berinse', 'besiren'], 'berley': ['berley', 'bleery'], 'berlinite': ['berlinite', 'libertine'], 'bermudite': ['bermudite', 'demibrute'], 'bernard': ['bernard', 'brander', 'rebrand'], 'bernese': ['bernese', 'besneer'], 'beroe': ['beroe', 'boree'], 'beroida': ['beroida', 'boreiad'], 'beroll': ['beroll', 'boller'], 'berossos': ['berossos', 'obsessor'], 'beround': ['beround', 'bounder', 'rebound', 'unbored', 'unorbed', 'unrobed'], 'berri': ['berri', 'brier'], 'berried': ['berried', 'briered'], 'berrybush': ['berrybush', 'shrubbery'], 'bersil': ['bersil', 'birsle'], 'bert': ['bert', 'bret'], 'bertat': ['batter', 'bertat', 'tabret', 'tarbet'], 'berth': ['berth', 'breth'], 'bertha': ['bather', 'bertha', 'breath'], 'berther': ['berther', 'herbert'], 'berthing': ['berthing', 'brighten'], 'bertie': ['bertie', 'betire', 'rebite'], 'bertolonia': ['bertolonia', 'borolanite'], 'berust': ['berust', 'buster', 'stuber'], 'bervie': ['bervie', 'brieve'], 'beryllia': ['beryllia', 'reliably'], 'besa': ['base', 'besa', 'sabe', 'seba'], 'besaiel': ['baleise', 'besaiel'], 'besaint': ['basinet', 'besaint', 'bestain'], 'besauce': ['because', 'besauce'], 'bescour': ['bescour', 'buceros', 'obscure'], 'beset': ['beest', 'beset'], 'beshadow': ['beshadow', 'bodewash'], 'beshag': ['begash', 'beshag'], 'beshear': ['behears', 'beshear'], 'beshod': ['beshod', 'debosh'], 'besiren': ['berinse', 'besiren'], 'besit': ['besit', 'betis'], 'beslaver': ['beslaver', 'servable', 'versable'], 'beslime': ['beslime', 'besmile'], 'beslings': ['beslings', 'blessing', 'glibness'], 'beslow': ['beslow', 'bowels'], 'besmile': ['beslime', 'besmile'], 'besneer': ['bernese', 'besneer'], 'besoot': ['besoot', 'bootes'], 'besot': ['besot', 'betso'], 'besoul': ['besoul', 'blouse', 'obelus'], 'besour': ['besour', 'boreus', 'bourse', 'bouser'], 'bespate': ['bepaste', 'bespate'], 'besra': ['barse', 'besra', 'saber', 'serab'], 'bessera': ['bearess', 'bessera'], 'bestain': ['basinet', 'besaint', 'bestain'], 'bestar': ['baster', 'bestar', 'breast'], 'besteer': ['besteer', 'rebeset'], 'bestial': ['astilbe', 'bestial', 'blastie', 'stabile'], 'bestially': ['beastlily', 'bestially'], 'bestiarian': ['antirabies', 'bestiarian'], 'bestiary': ['bestiary', 'sybarite'], 'bestir': ['bestir', 'bister'], 'bestorm': ['bestorm', 'mobster'], 'bestowal': ['bestowal', 'stowable'], 'bestower': ['bestower', 'rebestow'], 'bestraw': ['bestraw', 'wabster'], 'bestream': ['beamster', 'bemaster', 'bestream'], 'bestrew': ['bestrew', 'webster'], 'bestride': ['bestride', 'bistered'], 'bestud': ['bedust', 'bestud', 'busted'], 'beswinge': ['beeswing', 'beswinge'], 'beta': ['abet', 'bate', 'beat', 'beta'], 'betag': ['begat', 'betag'], 'betail': ['albeit', 'albite', 'baltei', 'belait', 'betail', 'bletia', 'libate'], 'betailor': ['betailor', 'laborite', 'orbitale'], 'betask': ['basket', 'betask'], 'betear': ['beater', 'berate', 'betear', 'rebate', 'rebeat'], 'beth': ['beth', 'theb'], 'betire': ['bertie', 'betire', 'rebite'], 'betis': ['besit', 'betis'], 'betone': ['benote', 'betone'], 'betoss': ['betoss', 'bosset'], 'betoya': ['betoya', 'teaboy'], 'betoyan': ['bayonet', 'betoyan'], 'betrace': ['becater', 'betrace'], 'betrail': ['betrail', 'librate', 'triable', 'trilabe'], 'betrap': ['bepart', 'berapt', 'betrap'], 'betrayal': ['betrayal', 'tearably'], 'betrayer': ['betrayer', 'eatberry', 'rebetray', 'teaberry'], 'betread': ['betread', 'debater'], 'betrim': ['betrim', 'timber', 'timbre'], 'betso': ['besot', 'betso'], 'betta': ['betta', 'tabet'], 'bettina': ['bettina', 'tabinet', 'tibetan'], 'betula': ['batule', 'betula', 'tabule'], 'betulin': ['betulin', 'bluntie'], 'beturbaned': ['beturbaned', 'unrabbeted'], 'beveil': ['belive', 'beveil'], 'bevel': ['belve', 'bevel'], 'bever': ['bever', 'breve'], 'bewailer': ['bewailer', 'rebewail'], 'bework': ['bework', 'bowker'], 'bey': ['bey', 'bye'], 'beydom': ['beydom', 'embody'], 'bezant': ['batzen', 'bezant', 'tanzeb'], 'bezzo': ['bezzo', 'bozze'], 'bhakti': ['bhakti', 'khatib'], 'bhandari': ['bhandari', 'hairband'], 'bhar': ['bhar', 'harb'], 'bhara': ['bahar', 'bhara'], 'bhat': ['baht', 'bath', 'bhat'], 'bhima': ['bhima', 'biham'], 'bhotia': ['bhotia', 'tobiah'], 'bhutani': ['bhutani', 'unhabit'], 'biacetyl': ['baetylic', 'biacetyl'], 'bialate': ['baalite', 'bialate', 'labiate'], 'bialveolar': ['bialveolar', 'labiovelar'], 'bianca': ['abanic', 'bianca'], 'bianco': ['bianco', 'bonaci'], 'biangular': ['biangular', 'bulgarian'], 'bias': ['absi', 'bais', 'bias', 'isba'], 'biatomic': ['biatomic', 'moabitic'], 'bible': ['bible', 'blibe'], 'bicarpellary': ['bicarpellary', 'prebacillary'], 'bickern': ['bickern', 'bricken'], 'biclavate': ['activable', 'biclavate'], 'bicorn': ['bicorn', 'bicron'], 'bicornate': ['bicornate', 'carbonite', 'reboantic'], 'bicrenate': ['abenteric', 'bicrenate'], 'bicron': ['bicorn', 'bicron'], 'bicrural': ['bicrural', 'rubrical'], 'bid': ['bid', 'dib'], 'bidar': ['barid', 'bidar', 'braid', 'rabid'], 'bidder': ['bedrid', 'bidder'], 'bide': ['beid', 'bide', 'debi', 'dieb'], 'bident': ['bident', 'indebt'], 'bidented': ['bidented', 'indebted'], 'bider': ['bider', 'bredi', 'bride', 'rebid'], 'bidet': ['bidet', 'debit'], 'biduous': ['biduous', 'dubious'], 'bien': ['beni', 'bien', 'bine', 'inbe'], 'bier': ['beri', 'bier', 'brei', 'ribe'], 'bietle': ['belite', 'beltie', 'bietle'], 'bifer': ['bifer', 'brief', 'fiber'], 'big': ['big', 'gib'], 'biga': ['agib', 'biga', 'gabi'], 'bigamous': ['bigamous', 'subimago'], 'bigener': ['bigener', 'rebegin'], 'bigential': ['bigential', 'tangibile'], 'biggin': ['biggin', 'gibing'], 'bigoted': ['bigoted', 'dogbite'], 'biham': ['bhima', 'biham'], 'bihari': ['bihari', 'habiri'], 'bike': ['bike', 'kibe'], 'bikram': ['bikram', 'imbark'], 'bilaan': ['albian', 'bilaan'], 'bilaterality': ['alterability', 'bilaterality', 'relatability'], 'bilati': ['bilati', 'tibial'], 'bilby': ['bilby', 'libby'], 'bildar': ['bildar', 'bridal', 'ribald'], 'bilge': ['bilge', 'gibel'], 'biliate': ['biliate', 'tibiale'], 'bilinear': ['bilinear', 'liberian'], 'billa': ['balli', 'billa'], 'billboard': ['billboard', 'broadbill'], 'biller': ['biller', 'rebill'], 'billeter': ['billeter', 'rebillet'], 'billie': ['belili', 'billie'], 'bilo': ['bilo', 'boil'], 'bilobated': ['bilobated', 'bobtailed'], 'biltong': ['biltong', 'bolting'], 'bim': ['bim', 'mib'], 'bimane': ['benami', 'bimane'], 'bimodality': ['bimodality', 'myliobatid'], 'bimotors': ['bimotors', 'robotism'], 'bin': ['bin', 'nib'], 'binal': ['albin', 'binal', 'blain'], 'binary': ['binary', 'brainy'], 'binder': ['binder', 'inbred', 'rebind'], 'bindwood': ['bindwood', 'woodbind'], 'bine': ['beni', 'bien', 'bine', 'inbe'], 'binge': ['begin', 'being', 'binge'], 'bino': ['bino', 'bion', 'boni'], 'binocular': ['binocular', 'caliburno', 'colubrina'], 'binomial': ['binomial', 'mobilian'], 'binuclear': ['binuclear', 'incurable'], 'biod': ['biod', 'boid'], 'bion': ['bino', 'bion', 'boni'], 'biopsychological': ['biopsychological', 'psychobiological'], 'biopsychology': ['biopsychology', 'psychobiology'], 'bioral': ['bailor', 'bioral'], 'biorgan': ['biorgan', 'grobian'], 'bios': ['bios', 'bois'], 'biosociological': ['biosociological', 'sociobiological'], 'biota': ['biota', 'ibota'], 'biotics': ['biotics', 'cobitis'], 'bipartile': ['bipartile', 'pretibial'], 'biped': ['bedip', 'biped'], 'bipedal': ['bipedal', 'piebald'], 'bipersonal': ['bipersonal', 'prisonable'], 'bipolar': ['bipolar', 'parboil'], 'biracial': ['biracial', 'cibarial'], 'birchen': ['birchen', 'brichen'], 'bird': ['bird', 'drib'], 'birdeen': ['birdeen', 'inbreed'], 'birdlet': ['birdlet', 'driblet'], 'birdling': ['birdling', 'bridling', 'lingbird'], 'birdman': ['birdman', 'manbird'], 'birdseed': ['birdseed', 'seedbird'], 'birdstone': ['birdstone', 'stonebird'], 'bireme': ['bemire', 'bireme'], 'biretta': ['biretta', 'brattie', 'ratbite'], 'birle': ['birle', 'liber'], 'birma': ['abrim', 'birma'], 'birn': ['birn', 'brin'], 'birny': ['birny', 'briny'], 'biron': ['biron', 'inorb', 'robin'], 'birse': ['birse', 'ribes'], 'birsle': ['bersil', 'birsle'], 'birth': ['birth', 'brith'], 'bis': ['bis', 'sib'], 'bisalt': ['baltis', 'bisalt'], 'bisaltae': ['bisaltae', 'satiable'], 'bisharin': ['bairnish', 'bisharin'], 'bistate': ['bastite', 'batiste', 'bistate'], 'bister': ['bestir', 'bister'], 'bistered': ['bestride', 'bistered'], 'bisti': ['bisti', 'bitis'], 'bisulcate': ['baculites', 'bisulcate'], 'bit': ['bit', 'tib'], 'bitangent': ['battening', 'bitangent'], 'bitemporal': ['bitemporal', 'importable'], 'biter': ['biter', 'tribe'], 'bitis': ['bisti', 'bitis'], 'bito': ['bito', 'obit'], 'bitonality': ['bitonality', 'notability'], 'bittern': ['bittern', 'britten'], 'bitumed': ['bitumed', 'budtime'], 'biurate': ['abiuret', 'aubrite', 'biurate', 'rubiate'], 'biwa': ['biwa', 'wabi'], 'bizarre': ['bizarre', 'brazier'], 'bizet': ['bizet', 'zibet'], 'blabber': ['babbler', 'blabber', 'brabble'], 'blackacre': ['blackacre', 'crackable'], 'blad': ['bald', 'blad'], 'blader': ['balder', 'bardel', 'bedlar', 'bedral', 'belard', 'blader'], 'bladewise': ['basilweed', 'bladewise'], 'bladish': ['baldish', 'bladish'], 'blady': ['badly', 'baldy', 'blady'], 'blae': ['abel', 'able', 'albe', 'bale', 'beal', 'bela', 'blae'], 'blaeberry': ['blaeberry', 'bleaberry'], 'blaeness': ['ableness', 'blaeness', 'sensable'], 'blain': ['albin', 'binal', 'blain'], 'blaine': ['baline', 'blaine'], 'blair': ['blair', 'brail', 'libra'], 'blake': ['blake', 'bleak', 'kabel'], 'blame': ['amble', 'belam', 'blame', 'mabel'], 'blamed': ['bedlam', 'beldam', 'blamed'], 'blamer': ['ambler', 'blamer', 'lamber', 'marble', 'ramble'], 'blaming': ['ambling', 'blaming'], 'blamingly': ['amblingly', 'blamingly'], 'blanca': ['bancal', 'blanca'], 'blare': ['abler', 'baler', 'belar', 'blare', 'blear'], 'blarina': ['blarina', 'branial'], 'blarney': ['blarney', 'renably'], 'blas': ['blas', 'slab'], 'blase': ['blase', 'sable'], 'blasia': ['basial', 'blasia'], 'blastema': ['blastema', 'lambaste'], 'blastemic': ['blastemic', 'cembalist'], 'blaster': ['blaster', 'reblast', 'stabler'], 'blastie': ['astilbe', 'bestial', 'blastie', 'stabile'], 'blasting': ['blasting', 'stabling'], 'blastoderm': ['blastoderm', 'dermoblast'], 'blastogenic': ['blastogenic', 'genoblastic'], 'blastomeric': ['blastomeric', 'meroblastic'], 'blastomycetic': ['blastomycetic', 'cytoblastemic'], 'blastomycetous': ['blastomycetous', 'cytoblastemous'], 'blasty': ['blasty', 'stably'], 'blat': ['balt', 'blat'], 'blate': ['batel', 'blate', 'bleat', 'table'], 'blather': ['blather', 'halbert'], 'blatter': ['battler', 'blatter', 'brattle'], 'blaver': ['barvel', 'blaver', 'verbal'], 'blaw': ['bawl', 'blaw'], 'blay': ['ably', 'blay', 'yalb'], 'blazoner': ['albronze', 'blazoner'], 'bleaberry': ['blaeberry', 'bleaberry'], 'bleach': ['bachel', 'bleach'], 'bleacher': ['bleacher', 'rebleach'], 'bleak': ['blake', 'bleak', 'kabel'], 'bleaky': ['bleaky', 'kabyle'], 'blear': ['abler', 'baler', 'belar', 'blare', 'blear'], 'bleared': ['bleared', 'reblade'], 'bleary': ['barely', 'barley', 'bleary'], 'bleat': ['batel', 'blate', 'bleat', 'table'], 'bleater': ['bearlet', 'bleater', 'elberta', 'retable'], 'bleating': ['bleating', 'tangible'], 'bleaty': ['baetyl', 'baylet', 'bleaty'], 'bleed': ['bedel', 'bleed'], 'bleery': ['berley', 'bleery'], 'blender': ['blender', 'reblend'], 'blendure': ['blendure', 'rebundle'], 'blennoid': ['blennoid', 'blondine'], 'blennoma': ['blennoma', 'nobleman'], 'bleo': ['bleo', 'bole', 'lobe'], 'blepharocera': ['blepharocera', 'reproachable'], 'blessed': ['bedless', 'blessed'], 'blesser': ['blesser', 'rebless'], 'blessing': ['beslings', 'blessing', 'glibness'], 'blet': ['belt', 'blet'], 'bletia': ['albeit', 'albite', 'baltei', 'belait', 'betail', 'bletia', 'libate'], 'bletilla': ['belltail', 'bletilla', 'tillable'], 'blibe': ['bible', 'blibe'], 'blighter': ['blighter', 'therblig'], 'blimy': ['blimy', 'limby'], 'blister': ['blister', 'bristle'], 'blisterwort': ['blisterwort', 'bristlewort'], 'blitter': ['blitter', 'brittle', 'triblet'], 'blo': ['blo', 'lob'], 'bloated': ['bloated', 'lobated'], 'bloater': ['alberto', 'bloater', 'latrobe'], 'bloating': ['bloating', 'obligant'], 'blocker': ['blocker', 'brockle', 'reblock'], 'blonde': ['blonde', 'bolden'], 'blondine': ['blennoid', 'blondine'], 'blood': ['blood', 'boldo'], 'bloodleaf': ['bloodleaf', 'floodable'], 'bloomer': ['bloomer', 'rebloom'], 'bloomy': ['bloomy', 'lomboy'], 'blore': ['blore', 'roble'], 'blosmy': ['blosmy', 'symbol'], 'blot': ['blot', 'bolt'], 'blotless': ['blotless', 'boltless'], 'blotter': ['blotter', 'bottler'], 'blotting': ['blotting', 'bottling'], 'blouse': ['besoul', 'blouse', 'obelus'], 'blow': ['blow', 'bowl'], 'blowback': ['backblow', 'blowback'], 'blower': ['blower', 'bowler', 'reblow', 'worble'], 'blowfly': ['blowfly', 'flyblow'], 'blowing': ['blowing', 'bowling'], 'blowout': ['blowout', 'outblow', 'outbowl'], 'blowup': ['blowup', 'upblow'], 'blowy': ['blowy', 'bowly'], 'blub': ['blub', 'bulb'], 'blubber': ['blubber', 'bubbler'], 'blue': ['blue', 'lube'], 'bluegill': ['bluegill', 'gullible'], 'bluenose': ['bluenose', 'nebulose'], 'bluer': ['bluer', 'brule', 'burel', 'ruble'], 'blues': ['blues', 'bulse'], 'bluffer': ['bluffer', 'rebluff'], 'bluishness': ['bluishness', 'blushiness'], 'bluism': ['bluism', 'limbus'], 'blumea': ['bemaul', 'blumea'], 'blunder': ['blunder', 'bundler'], 'blunderer': ['blunderer', 'reblunder'], 'blunge': ['blunge', 'bungle'], 'blunger': ['blunger', 'bungler'], 'bluntie': ['betulin', 'bluntie'], 'blur': ['blur', 'burl'], 'blushiness': ['bluishness', 'blushiness'], 'bluster': ['bluster', 'brustle', 'bustler'], 'boa': ['abo', 'boa'], 'boar': ['boar', 'bora'], 'board': ['abord', 'bardo', 'board', 'broad', 'dobra', 'dorab'], 'boarder': ['arbored', 'boarder', 'reboard'], 'boardly': ['boardly', 'broadly'], 'boardy': ['boardy', 'boyard', 'byroad'], 'boast': ['basto', 'boast', 'sabot'], 'boaster': ['barotse', 'boaster', 'reboast', 'sorbate'], 'boasting': ['boasting', 'bostangi'], 'boat': ['boat', 'bota', 'toba'], 'boater': ['boater', 'borate', 'rebato'], 'boathouse': ['boathouse', 'houseboat'], 'bobac': ['bobac', 'cabob'], 'bobfly': ['bobfly', 'flobby'], 'bobo': ['bobo', 'boob'], 'bobtailed': ['bilobated', 'bobtailed'], 'bocardo': ['bocardo', 'cordoba'], 'boccale': ['boccale', 'cabocle'], 'bocher': ['bocher', 'broche'], 'bocking': ['bocking', 'kingcob'], 'bod': ['bod', 'dob'], 'bode': ['bode', 'dobe'], 'boden': ['boden', 'boned'], 'boder': ['boder', 'orbed'], 'bodewash': ['beshadow', 'bodewash'], 'bodge': ['bedog', 'bodge'], 'bodhi': ['bodhi', 'dhobi'], 'bodice': ['bodice', 'ceboid'], 'bodier': ['bodier', 'boride', 'brodie'], 'bodle': ['bodle', 'boled', 'lobed'], 'bodo': ['bodo', 'bood', 'doob'], 'body': ['body', 'boyd', 'doby'], 'boer': ['boer', 'bore', 'robe'], 'boerdom': ['bedroom', 'boerdom', 'boredom'], 'boethian': ['boethian', 'nebaioth'], 'bog': ['bog', 'gob'], 'boga': ['bago', 'boga'], 'bogan': ['bogan', 'goban'], 'bogeyman': ['bogeyman', 'moneybag'], 'boggler': ['boggler', 'broggle'], 'boglander': ['boglander', 'longbeard'], 'bogle': ['bogle', 'globe'], 'boglet': ['boglet', 'goblet'], 'bogo': ['bogo', 'gobo'], 'bogue': ['bogue', 'bouge'], 'bogum': ['bogum', 'gumbo'], 'bogy': ['bogy', 'bygo', 'goby'], 'bohea': ['bahoe', 'bohea', 'obeah'], 'boho': ['boho', 'hobo'], 'bohor': ['bohor', 'rohob'], 'boid': ['biod', 'boid'], 'boil': ['bilo', 'boil'], 'boiled': ['beloid', 'boiled', 'bolide'], 'boiler': ['boiler', 'reboil'], 'boilover': ['boilover', 'overboil'], 'bois': ['bios', 'bois'], 'bojo': ['bojo', 'jobo'], 'bolar': ['balor', 'bolar', 'boral', 'labor', 'lobar'], 'bolden': ['blonde', 'bolden'], 'bolderian': ['bolderian', 'ordinable'], 'boldine': ['belonid', 'boldine'], 'boldness': ['boldness', 'bondless'], 'boldo': ['blood', 'boldo'], 'bole': ['bleo', 'bole', 'lobe'], 'boled': ['bodle', 'boled', 'lobed'], 'bolelia': ['bolelia', 'lobelia', 'obelial'], 'bolide': ['beloid', 'boiled', 'bolide'], 'boller': ['beroll', 'boller'], 'bolo': ['bolo', 'bool', 'lobo', 'obol'], 'bolster': ['bolster', 'lobster'], 'bolt': ['blot', 'bolt'], 'boltage': ['boltage', 'globate'], 'bolter': ['bolter', 'orblet', 'reblot', 'rebolt'], 'bolthead': ['bolthead', 'theobald'], 'bolting': ['biltong', 'bolting'], 'boltless': ['blotless', 'boltless'], 'boltonia': ['boltonia', 'lobation', 'oblation'], 'bom': ['bom', 'mob'], 'boma': ['ambo', 'boma'], 'bombable': ['bombable', 'mobbable'], 'bombacaceae': ['bombacaceae', 'cabombaceae'], 'bomber': ['bomber', 'mobber'], 'bon': ['bon', 'nob'], 'bonaci': ['bianco', 'bonaci'], 'bonair': ['bonair', 'borani'], 'bondage': ['bondage', 'dogbane'], 'bondar': ['bandor', 'bondar', 'roband'], 'bondless': ['boldness', 'bondless'], 'bone': ['beno', 'bone', 'ebon'], 'boned': ['boden', 'boned'], 'bonefish': ['bonefish', 'fishbone'], 'boneless': ['boneless', 'noblesse'], 'bonellia': ['baillone', 'bonellia'], 'boner': ['boner', 'borne'], 'boney': ['boney', 'ebony'], 'boni': ['bino', 'bion', 'boni'], 'bonitary': ['bonitary', 'trainboy'], 'bonk': ['bonk', 'knob'], 'bonnet': ['benton', 'bonnet'], 'bonsai': ['basion', 'bonsai', 'sabino'], 'bonus': ['bonus', 'bosun'], 'bony': ['bony', 'byon'], 'bonze': ['benzo', 'bonze'], 'bonzer': ['bonzer', 'bronze'], 'boob': ['bobo', 'boob'], 'bood': ['bodo', 'bood', 'doob'], 'booger': ['booger', 'goober'], 'bookcase': ['bookcase', 'casebook'], 'booker': ['booker', 'brooke', 'rebook'], 'bookland': ['bookland', 'landbook'], 'bookshop': ['bookshop', 'shopbook'], 'bookward': ['bookward', 'woodbark'], 'bookwork': ['bookwork', 'workbook'], 'bool': ['bolo', 'bool', 'lobo', 'obol'], 'booly': ['booly', 'looby'], 'boomingly': ['boomingly', 'myoglobin'], 'boopis': ['boopis', 'obispo'], 'boor': ['boor', 'boro', 'broo'], 'boort': ['boort', 'robot'], 'boost': ['boost', 'boots'], 'bootes': ['besoot', 'bootes'], 'boother': ['boother', 'theorbo'], 'boots': ['boost', 'boots'], 'bop': ['bop', 'pob'], 'bor': ['bor', 'orb', 'rob'], 'bora': ['boar', 'bora'], 'borable': ['belabor', 'borable'], 'boracic': ['boracic', 'braccio'], 'boral': ['balor', 'bolar', 'boral', 'labor', 'lobar'], 'boran': ['baron', 'boran'], 'borani': ['bonair', 'borani'], 'borate': ['boater', 'borate', 'rebato'], 'bord': ['bord', 'brod'], 'bordel': ['belord', 'bordel', 'rebold'], 'bordello': ['bordello', 'doorbell'], 'border': ['border', 'roberd'], 'borderer': ['borderer', 'broderer'], 'bordure': ['bordure', 'bourder'], 'bore': ['boer', 'bore', 'robe'], 'boredom': ['bedroom', 'boerdom', 'boredom'], 'boree': ['beroe', 'boree'], 'boreen': ['boreen', 'enrobe', 'neebor', 'rebone'], 'boreiad': ['beroida', 'boreiad'], 'boreism': ['boreism', 'semiorb'], 'borer': ['borer', 'rerob', 'rober'], 'boreus': ['besour', 'boreus', 'bourse', 'bouser'], 'borg': ['borg', 'brog', 'gorb'], 'boric': ['boric', 'cribo', 'orbic'], 'boride': ['bodier', 'boride', 'brodie'], 'boring': ['boring', 'robing'], 'boringly': ['boringly', 'goblinry'], 'borlase': ['borlase', 'labrose', 'rosabel'], 'borne': ['boner', 'borne'], 'borneo': ['borneo', 'oberon'], 'bornite': ['bornite', 'robinet'], 'boro': ['boor', 'boro', 'broo'], 'borocaine': ['borocaine', 'coenobiar'], 'borofluohydric': ['borofluohydric', 'hydrofluoboric'], 'borolanite': ['bertolonia', 'borolanite'], 'boron': ['boron', 'broon'], 'boronic': ['boronic', 'cobiron'], 'borrower': ['borrower', 'reborrow'], 'borscht': ['borscht', 'bortsch'], 'bort': ['bort', 'brot'], 'bortsch': ['borscht', 'bortsch'], 'bos': ['bos', 'sob'], 'bosc': ['bosc', 'scob'], 'boser': ['boser', 'brose', 'sober'], 'bosn': ['bosn', 'nobs', 'snob'], 'bosselation': ['bosselation', 'eosinoblast'], 'bosset': ['betoss', 'bosset'], 'bostangi': ['boasting', 'bostangi'], 'bostanji': ['banjoist', 'bostanji'], 'bosun': ['bonus', 'bosun'], 'bota': ['boat', 'bota', 'toba'], 'botanical': ['botanical', 'catabolin'], 'botanophilist': ['botanophilist', 'philobotanist'], 'bote': ['bote', 'tobe'], 'botein': ['botein', 'tobine'], 'both': ['both', 'thob'], 'bottler': ['blotter', 'bottler'], 'bottling': ['blotting', 'bottling'], 'bouge': ['bogue', 'bouge'], 'bouget': ['bouget', 'outbeg'], 'bouk': ['bouk', 'kobu'], 'boulder': ['boulder', 'doubler'], 'bouldering': ['bouldering', 'redoubling'], 'boulter': ['boulter', 'trouble'], 'bounden': ['bounden', 'unboned'], 'bounder': ['beround', 'bounder', 'rebound', 'unbored', 'unorbed', 'unrobed'], 'bounding': ['bounding', 'unboding'], 'bourder': ['bordure', 'bourder'], 'bourn': ['bourn', 'bruno'], 'bourse': ['besour', 'boreus', 'bourse', 'bouser'], 'bouser': ['besour', 'boreus', 'bourse', 'bouser'], 'bousy': ['bousy', 'byous'], 'bow': ['bow', 'wob'], 'bowel': ['below', 'bowel', 'elbow'], 'boweled': ['boweled', 'elbowed'], 'bowels': ['beslow', 'bowels'], 'bowery': ['bowery', 'bowyer', 'owerby'], 'bowie': ['bowie', 'woibe'], 'bowker': ['bework', 'bowker'], 'bowl': ['blow', 'bowl'], 'bowla': ['ablow', 'balow', 'bowla'], 'bowler': ['blower', 'bowler', 'reblow', 'worble'], 'bowling': ['blowing', 'bowling'], 'bowly': ['blowy', 'bowly'], 'bowmaker': ['beamwork', 'bowmaker'], 'bowyer': ['bowery', 'bowyer', 'owerby'], 'boxer': ['boxer', 'rebox'], 'boxwork': ['boxwork', 'workbox'], 'boyang': ['boyang', 'yagnob'], 'boyard': ['boardy', 'boyard', 'byroad'], 'boyd': ['body', 'boyd', 'doby'], 'boyship': ['boyship', 'shipboy'], 'bozo': ['bozo', 'zobo'], 'bozze': ['bezzo', 'bozze'], 'bra': ['bar', 'bra', 'rab'], 'brab': ['barb', 'brab'], 'brabble': ['babbler', 'blabber', 'brabble'], 'braca': ['acrab', 'braca'], 'braccio': ['boracic', 'braccio'], 'brace': ['acerb', 'brace', 'caber'], 'braced': ['becard', 'braced'], 'braceleted': ['braceleted', 'celebrated'], 'bracer': ['bracer', 'craber'], 'braces': ['braces', 'scrabe'], 'brachet': ['batcher', 'berchta', 'brachet'], 'brachiata': ['batrachia', 'brachiata'], 'brachiofacial': ['brachiofacial', 'faciobrachial'], 'brachiopode': ['brachiopode', 'cardiophobe'], 'bracon': ['bracon', 'carbon', 'corban'], 'bractea': ['abreact', 'bractea', 'cabaret'], 'bracteal': ['bracteal', 'cartable'], 'bracteiform': ['bacteriform', 'bracteiform'], 'bracteose': ['bracteose', 'obsecrate'], 'brad': ['bard', 'brad', 'drab'], 'bradenhead': ['barehanded', 'bradenhead', 'headbander'], 'brae': ['bare', 'bear', 'brae'], 'braehead': ['barehead', 'braehead'], 'brag': ['brag', 'garb', 'grab'], 'bragi': ['bragi', 'girba'], 'bragless': ['bragless', 'garbless'], 'brahmi': ['brahmi', 'mihrab'], 'brahui': ['brahui', 'habiru'], 'braid': ['barid', 'bidar', 'braid', 'rabid'], 'braider': ['braider', 'rebraid'], 'brail': ['blair', 'brail', 'libra'], 'braille': ['braille', 'liberal'], 'brain': ['abrin', 'bairn', 'brain', 'brian', 'rabin'], 'brainache': ['brainache', 'branchiae'], 'brainge': ['bearing', 'begrain', 'brainge', 'rigbane'], 'brainwater': ['brainwater', 'waterbrain'], 'brainy': ['binary', 'brainy'], 'braird': ['braird', 'briard'], 'brairo': ['barrio', 'brairo'], 'braise': ['braise', 'rabies', 'rebias'], 'brake': ['baker', 'brake', 'break'], 'brakeage': ['brakeage', 'breakage'], 'brakeless': ['bakerless', 'brakeless', 'breakless'], 'braker': ['barker', 'braker'], 'braky': ['barky', 'braky'], 'bram': ['barm', 'bram'], 'brambrack': ['barmbrack', 'brambrack'], 'bramia': ['bairam', 'bramia'], 'bran': ['barn', 'bran'], 'brancher': ['brancher', 'rebranch'], 'branchiae': ['brainache', 'branchiae'], 'branchiata': ['batrachian', 'branchiata'], 'branchiopoda': ['branchiopoda', 'podobranchia'], 'brander': ['bernard', 'brander', 'rebrand'], 'brandi': ['brandi', 'riband'], 'brandisher': ['brandisher', 'rebrandish'], 'branial': ['blarina', 'branial'], 'brankie': ['brankie', 'inbreak'], 'brash': ['brash', 'shrab'], 'brasiletto': ['brasiletto', 'strobilate'], 'brassie': ['brassie', 'rebasis'], 'brat': ['bart', 'brat'], 'brattie': ['biretta', 'brattie', 'ratbite'], 'brattle': ['battler', 'blatter', 'brattle'], 'braunite': ['braunite', 'urbanite', 'urbinate'], 'brave': ['brave', 'breva'], 'bravoite': ['abortive', 'bravoite'], 'brawler': ['brawler', 'warbler'], 'brawling': ['brawling', 'warbling'], 'brawlingly': ['brawlingly', 'warblingly'], 'brawly': ['brawly', 'byrlaw', 'warbly'], 'brawned': ['benward', 'brawned'], 'bray': ['bray', 'yarb'], 'braza': ['braza', 'zabra'], 'braze': ['braze', 'zebra'], 'brazier': ['bizarre', 'brazier'], 'bread': ['ardeb', 'beard', 'bread', 'debar'], 'breadless': ['beardless', 'breadless'], 'breadlessness': ['beardlessness', 'breadlessness'], 'breadman': ['banderma', 'breadman'], 'breadnut': ['breadnut', 'turbaned'], 'breaghe': ['breaghe', 'herbage'], 'break': ['baker', 'brake', 'break'], 'breakage': ['brakeage', 'breakage'], 'breakless': ['bakerless', 'brakeless', 'breakless'], 'breakout': ['breakout', 'outbreak'], 'breakover': ['breakover', 'overbreak'], 'breakstone': ['breakstone', 'stonebreak'], 'breakup': ['breakup', 'upbreak'], 'breakwind': ['breakwind', 'windbreak'], 'bream': ['amber', 'bearm', 'bemar', 'bream', 'embar'], 'breast': ['baster', 'bestar', 'breast'], 'breasting': ['breasting', 'brigantes'], 'breastpin': ['breastpin', 'stepbairn'], 'breastrail': ['arbalister', 'breastrail'], 'breastweed': ['breastweed', 'sweetbread'], 'breath': ['bather', 'bertha', 'breath'], 'breathe': ['breathe', 'rebathe'], 'breba': ['barbe', 'bebar', 'breba', 'rebab'], 'breccia': ['acerbic', 'breccia'], 'brecham': ['becharm', 'brecham', 'chamber'], 'brede': ['brede', 'breed', 'rebed'], 'bredi': ['bider', 'bredi', 'bride', 'rebid'], 'bree': ['beer', 'bere', 'bree'], 'breech': ['becher', 'breech'], 'breed': ['brede', 'breed', 'rebed'], 'breeder': ['breeder', 'rebreed'], 'breeding': ['beringed', 'breeding'], 'brehon': ['behorn', 'brehon'], 'brei': ['beri', 'bier', 'brei', 'ribe'], 'brelaw': ['bawler', 'brelaw', 'rebawl', 'warble'], 'breme': ['breme', 'ember'], 'bremia': ['ambier', 'bremia', 'embira'], 'brenda': ['bander', 'brenda'], 'brephic': ['bechirp', 'brephic'], 'bret': ['bert', 'bret'], 'breth': ['berth', 'breth'], 'breva': ['brave', 'breva'], 'breve': ['bever', 'breve'], 'brewer': ['brewer', 'rebrew'], 'brey': ['brey', 'byre', 'yerb'], 'brian': ['abrin', 'bairn', 'brain', 'brian', 'rabin'], 'briard': ['braird', 'briard'], 'briber': ['briber', 'ribber'], 'brichen': ['birchen', 'brichen'], 'brickel': ['brickel', 'brickle'], 'bricken': ['bickern', 'bricken'], 'brickle': ['brickel', 'brickle'], 'bricole': ['bricole', 'corbeil', 'orbicle'], 'bridal': ['bildar', 'bridal', 'ribald'], 'bridale': ['bedrail', 'bridale', 'ridable'], 'bridally': ['bridally', 'ribaldly'], 'bride': ['bider', 'bredi', 'bride', 'rebid'], 'bridelace': ['bridelace', 'calibered'], 'bridge': ['begird', 'bridge'], 'bridgeward': ['bridgeward', 'drawbridge'], 'bridling': ['birdling', 'bridling', 'lingbird'], 'brief': ['bifer', 'brief', 'fiber'], 'briefless': ['briefless', 'fiberless', 'fibreless'], 'brier': ['berri', 'brier'], 'briered': ['berried', 'briered'], 'brieve': ['bervie', 'brieve'], 'brigade': ['abridge', 'brigade'], 'brigand': ['barding', 'brigand'], 'brigantes': ['breasting', 'brigantes'], 'brighten': ['berthing', 'brighten'], 'brin': ['birn', 'brin'], 'brine': ['brine', 'enrib'], 'bringal': ['barling', 'bringal'], 'bringer': ['bringer', 'rebring'], 'briny': ['birny', 'briny'], 'bristle': ['blister', 'bristle'], 'bristlewort': ['blisterwort', 'bristlewort'], 'brisure': ['brisure', 'bruiser'], 'britannia': ['antiabrin', 'britannia'], 'brith': ['birth', 'brith'], 'brither': ['brither', 'rebirth'], 'britten': ['bittern', 'britten'], 'brittle': ['blitter', 'brittle', 'triblet'], 'broacher': ['broacher', 'rebroach'], 'broad': ['abord', 'bardo', 'board', 'broad', 'dobra', 'dorab'], 'broadbill': ['billboard', 'broadbill'], 'broadcaster': ['broadcaster', 'rebroadcast'], 'broaden': ['bandore', 'broaden'], 'broadhead': ['broadhead', 'headboard'], 'broadly': ['boardly', 'broadly'], 'broadside': ['broadside', 'sideboard'], 'broadspread': ['broadspread', 'spreadboard'], 'broadtail': ['broadtail', 'tailboard'], 'brochan': ['brochan', 'charbon'], 'broche': ['bocher', 'broche'], 'brocho': ['brocho', 'brooch'], 'brocked': ['bedrock', 'brocked'], 'brockle': ['blocker', 'brockle', 'reblock'], 'brod': ['bord', 'brod'], 'broderer': ['borderer', 'broderer'], 'brodie': ['bodier', 'boride', 'brodie'], 'brog': ['borg', 'brog', 'gorb'], 'brogan': ['barong', 'brogan'], 'broggle': ['boggler', 'broggle'], 'brolga': ['brolga', 'gorbal'], 'broma': ['broma', 'rambo'], 'bromate': ['barmote', 'bromate'], 'brome': ['brome', 'omber'], 'brominate': ['brominate', 'tribonema'], 'bromohydrate': ['bromohydrate', 'hydrobromate'], 'bronze': ['bonzer', 'bronze'], 'broo': ['boor', 'boro', 'broo'], 'brooch': ['brocho', 'brooch'], 'brooke': ['booker', 'brooke', 'rebook'], 'broon': ['boron', 'broon'], 'brose': ['boser', 'brose', 'sober'], 'brot': ['bort', 'brot'], 'brotan': ['barton', 'brotan'], 'brotany': ['baryton', 'brotany'], 'broth': ['broth', 'throb'], 'brothelry': ['brothelry', 'brotherly'], 'brotherly': ['brothelry', 'brotherly'], 'browden': ['bedrown', 'browden'], 'browner': ['browner', 'rebrown'], 'browntail': ['browntail', 'wrainbolt'], 'bruce': ['bruce', 'cebur', 'cuber'], 'brucina': ['brucina', 'rubican'], 'bruckle': ['bruckle', 'buckler'], 'brugh': ['brugh', 'burgh'], 'bruin': ['bruin', 'burin', 'inrub'], 'bruiser': ['brisure', 'bruiser'], 'bruke': ['bruke', 'burke'], 'brule': ['bluer', 'brule', 'burel', 'ruble'], 'brulee': ['brulee', 'burele', 'reblue'], 'brumal': ['brumal', 'labrum', 'lumbar', 'umbral'], 'brumalia': ['albarium', 'brumalia'], 'brume': ['brume', 'umber'], 'brumous': ['brumous', 'umbrous'], 'brunellia': ['brunellia', 'unliberal'], 'brunet': ['brunet', 'bunter', 'burnet'], 'bruno': ['bourn', 'bruno'], 'brunt': ['brunt', 'burnt'], 'brush': ['brush', 'shrub'], 'brushed': ['brushed', 'subherd'], 'brusher': ['brusher', 'rebrush'], 'brushland': ['brushland', 'shrubland'], 'brushless': ['brushless', 'shrubless'], 'brushlet': ['brushlet', 'shrublet'], 'brushlike': ['brushlike', 'shrublike'], 'brushwood': ['brushwood', 'shrubwood'], 'brustle': ['bluster', 'brustle', 'bustler'], 'brut': ['brut', 'burt', 'trub', 'turb'], 'bruta': ['bruta', 'tubar'], 'brute': ['brute', 'buret', 'rebut', 'tuber'], 'brutely': ['brutely', 'butlery'], 'bryan': ['barny', 'bryan'], 'bryanite': ['barytine', 'bryanite'], 'bryce': ['becry', 'bryce'], 'bual': ['balu', 'baul', 'bual', 'luba'], 'buba': ['babu', 'buba'], 'bubal': ['babul', 'bubal'], 'bubbler': ['blubber', 'bubbler'], 'buccocervical': ['buccocervical', 'cervicobuccal'], 'bucconasal': ['bucconasal', 'nasobuccal'], 'buceros': ['bescour', 'buceros', 'obscure'], 'buckbush': ['buckbush', 'bushbuck'], 'bucked': ['beduck', 'bucked'], 'buckler': ['bruckle', 'buckler'], 'bucksaw': ['bucksaw', 'sawbuck'], 'bucrane': ['bucrane', 'unbrace'], 'bud': ['bud', 'dub'], 'buda': ['baud', 'buda', 'daub'], 'budder': ['budder', 'redbud'], 'budger': ['bedrug', 'budger'], 'budgeter': ['budgeter', 'rebudget'], 'budtime': ['bitumed', 'budtime'], 'buffer': ['buffer', 'rebuff'], 'buffeter': ['buffeter', 'rebuffet'], 'bugan': ['bugan', 'bunga', 'unbag'], 'bughouse': ['bughouse', 'housebug'], 'bugi': ['bugi', 'guib'], 'bugle': ['bugle', 'bulge'], 'bugler': ['bugler', 'bulger', 'burgle'], 'bugre': ['bugre', 'gebur'], 'builder': ['builder', 'rebuild'], 'buildup': ['buildup', 'upbuild'], 'buirdly': ['buirdly', 'ludibry'], 'bulanda': ['balunda', 'bulanda'], 'bulb': ['blub', 'bulb'], 'bulgarian': ['biangular', 'bulgarian'], 'bulge': ['bugle', 'bulge'], 'bulger': ['bugler', 'bulger', 'burgle'], 'bulimic': ['bulimic', 'umbilic'], 'bulimiform': ['bulimiform', 'umbiliform'], 'bulker': ['bulker', 'rebulk'], 'bulla': ['bulla', 'lulab'], 'bullace': ['bullace', 'cueball'], 'bulletin': ['bulletin', 'unbillet'], 'bullfeast': ['bullfeast', 'stableful'], 'bulse': ['blues', 'bulse'], 'bulter': ['bulter', 'burlet', 'butler'], 'bummler': ['bummler', 'mumbler'], 'bun': ['bun', 'nub'], 'buna': ['baun', 'buna', 'nabu', 'nuba'], 'buncal': ['buncal', 'lucban'], 'buncher': ['buncher', 'rebunch'], 'bunder': ['bunder', 'burden', 'burned', 'unbred'], 'bundle': ['bundle', 'unbled'], 'bundler': ['blunder', 'bundler'], 'bundu': ['bundu', 'unbud', 'undub'], 'bunga': ['bugan', 'bunga', 'unbag'], 'bungle': ['blunge', 'bungle'], 'bungler': ['blunger', 'bungler'], 'bungo': ['bungo', 'unbog'], 'bunk': ['bunk', 'knub'], 'bunter': ['brunet', 'bunter', 'burnet'], 'bunty': ['bunty', 'butyn'], 'bunya': ['bunya', 'unbay'], 'bur': ['bur', 'rub'], 'buran': ['buran', 'unbar', 'urban'], 'burble': ['burble', 'lubber', 'rubble'], 'burbler': ['burbler', 'rubbler'], 'burbly': ['burbly', 'rubbly'], 'burd': ['burd', 'drub'], 'burdalone': ['burdalone', 'unlabored'], 'burden': ['bunder', 'burden', 'burned', 'unbred'], 'burdener': ['burdener', 'reburden'], 'burdie': ['burdie', 'buried', 'rubied'], 'bure': ['bure', 'reub', 'rube'], 'burel': ['bluer', 'brule', 'burel', 'ruble'], 'burele': ['brulee', 'burele', 'reblue'], 'buret': ['brute', 'buret', 'rebut', 'tuber'], 'burfish': ['burfish', 'furbish'], 'burg': ['burg', 'grub'], 'burgh': ['brugh', 'burgh'], 'burgle': ['bugler', 'bulger', 'burgle'], 'burian': ['burian', 'urbian'], 'buried': ['burdie', 'buried', 'rubied'], 'burin': ['bruin', 'burin', 'inrub'], 'burke': ['bruke', 'burke'], 'burl': ['blur', 'burl'], 'burler': ['burler', 'burrel'], 'burlet': ['bulter', 'burlet', 'butler'], 'burletta': ['burletta', 'rebuttal'], 'burmite': ['burmite', 'imbrute', 'terbium'], 'burned': ['bunder', 'burden', 'burned', 'unbred'], 'burner': ['burner', 'reburn'], 'burnet': ['brunet', 'bunter', 'burnet'], 'burnfire': ['burnfire', 'fireburn'], 'burnie': ['burnie', 'rubine'], 'burnisher': ['burnisher', 'reburnish'], 'burnout': ['burnout', 'outburn'], 'burnover': ['burnover', 'overburn'], 'burnsides': ['burnsides', 'sideburns'], 'burnt': ['brunt', 'burnt'], 'burny': ['burny', 'runby'], 'buro': ['buro', 'roub'], 'burrel': ['burler', 'burrel'], 'burro': ['burro', 'robur', 'rubor'], 'bursa': ['abrus', 'bursa', 'subra'], 'bursal': ['bursal', 'labrus'], 'bursate': ['bursate', 'surbate'], 'burse': ['burse', 'rebus', 'suber'], 'burst': ['burst', 'strub'], 'burster': ['burster', 'reburst'], 'burt': ['brut', 'burt', 'trub', 'turb'], 'burut': ['burut', 'trubu'], 'bury': ['bury', 'ruby'], 'bus': ['bus', 'sub'], 'buscarle': ['arbuscle', 'buscarle'], 'bushbuck': ['buckbush', 'bushbuck'], 'busher': ['busher', 'rebush'], 'bushwood': ['bushwood', 'woodbush'], 'busied': ['busied', 'subdie'], 'busked': ['bedusk', 'busked'], 'busman': ['busman', 'subman'], 'bust': ['bust', 'stub'], 'busted': ['bedust', 'bestud', 'busted'], 'buster': ['berust', 'buster', 'stuber'], 'bustic': ['bustic', 'cubist'], 'bustle': ['bustle', 'sublet', 'subtle'], 'bustler': ['bluster', 'brustle', 'bustler'], 'but': ['but', 'tub'], 'bute': ['bute', 'tebu', 'tube'], 'butea': ['butea', 'taube', 'tubae'], 'butein': ['butein', 'butine', 'intube'], 'butic': ['butic', 'cubit'], 'butine': ['butein', 'butine', 'intube'], 'butler': ['bulter', 'burlet', 'butler'], 'butleress': ['butleress', 'tuberless'], 'butlery': ['brutely', 'butlery'], 'buttle': ['buttle', 'tublet'], 'buttoner': ['buttoner', 'rebutton'], 'butyn': ['bunty', 'butyn'], 'buyer': ['buyer', 'rebuy'], 'bye': ['bey', 'bye'], 'byeman': ['byeman', 'byname'], 'byerite': ['byerite', 'ebriety'], 'bygo': ['bogy', 'bygo', 'goby'], 'byname': ['byeman', 'byname'], 'byon': ['bony', 'byon'], 'byous': ['bousy', 'byous'], 'byre': ['brey', 'byre', 'yerb'], 'byrlaw': ['brawly', 'byrlaw', 'warbly'], 'byroad': ['boardy', 'boyard', 'byroad'], 'cab': ['bac', 'cab'], 'caba': ['abac', 'caba'], 'cabaan': ['cabaan', 'cabana', 'canaba'], 'cabala': ['cabala', 'calaba'], 'cabaletta': ['ablactate', 'cabaletta'], 'cabalism': ['balsamic', 'cabalism'], 'cabalist': ['basaltic', 'cabalist'], 'caballer': ['barcella', 'caballer'], 'caban': ['banca', 'caban'], 'cabana': ['cabaan', 'cabana', 'canaba'], 'cabaret': ['abreact', 'bractea', 'cabaret'], 'cabbler': ['cabbler', 'clabber'], 'caber': ['acerb', 'brace', 'caber'], 'cabio': ['baioc', 'cabio', 'cobia'], 'cabiri': ['cabiri', 'caribi'], 'cabirian': ['arabinic', 'cabirian', 'carabini', 'cibarian'], 'cable': ['cable', 'caleb'], 'cabled': ['beclad', 'cabled'], 'cabob': ['bobac', 'cabob'], 'cabocle': ['boccale', 'cabocle'], 'cabombaceae': ['bombacaceae', 'cabombaceae'], 'cabrilla': ['bacillar', 'cabrilla'], 'caca': ['acca', 'caca'], 'cachet': ['cachet', 'chacte'], 'cachou': ['cachou', 'caucho'], 'cackler': ['cackler', 'clacker', 'crackle'], 'cacodaemonic': ['cacodaemonic', 'cacodemoniac'], 'cacodemoniac': ['cacodaemonic', 'cacodemoniac'], 'cacomistle': ['cacomistle', 'cosmetical'], 'cacoxenite': ['cacoxenite', 'excecation'], 'cactaceae': ['cactaceae', 'taccaceae'], 'cactaceous': ['cactaceous', 'taccaceous'], 'cacti': ['cacti', 'ticca'], 'cactoid': ['cactoid', 'octadic'], 'caddice': ['caddice', 'decadic'], 'caddie': ['caddie', 'eddaic'], 'cade': ['cade', 'dace', 'ecad'], 'cadent': ['cadent', 'canted', 'decant'], 'cadential': ['cadential', 'dancalite'], 'cader': ['acred', 'cader', 'cadre', 'cedar'], 'cadet': ['cadet', 'ectad'], 'cadge': ['cadge', 'caged'], 'cadger': ['cadger', 'cradge'], 'cadi': ['acid', 'cadi', 'caid'], 'cadinene': ['cadinene', 'decennia', 'enneadic'], 'cadmia': ['adamic', 'cadmia'], 'cados': ['cados', 'scoad'], 'cadre': ['acred', 'cader', 'cadre', 'cedar'], 'cadua': ['cadua', 'cauda'], 'caduac': ['caduac', 'caduca'], 'caduca': ['caduac', 'caduca'], 'cadus': ['cadus', 'dacus'], 'caeciliae': ['caeciliae', 'ilicaceae'], 'caedmonian': ['caedmonian', 'macedonian'], 'caedmonic': ['caedmonic', 'macedonic'], 'caelum': ['almuce', 'caelum', 'macule'], 'caelus': ['caelus', 'caules', 'clause'], 'caesar': ['ascare', 'caesar', 'resaca'], 'caesarist': ['caesarist', 'staircase'], 'caesura': ['auresca', 'caesura'], 'caffeina': ['affiance', 'caffeina'], 'caged': ['cadge', 'caged'], 'cageling': ['cageling', 'glaceing'], 'cager': ['cager', 'garce', 'grace'], 'cahill': ['achill', 'cahill', 'chilla'], 'cahita': ['cahita', 'ithaca'], 'cahnite': ['cahnite', 'cathine'], 'caid': ['acid', 'cadi', 'caid'], 'caiman': ['amniac', 'caiman', 'maniac'], 'caimito': ['caimito', 'comitia'], 'cain': ['cain', 'inca'], 'cainism': ['cainism', 'misniac'], 'cairba': ['arabic', 'cairba'], 'caird': ['acrid', 'caird', 'carid', 'darci', 'daric', 'dirca'], 'cairene': ['cairene', 'cinerea'], 'cairn': ['cairn', 'crain', 'naric'], 'cairned': ['cairned', 'candier'], 'cairny': ['cairny', 'riancy'], 'cairo': ['cairo', 'oaric'], 'caisson': ['caisson', 'cassino'], 'cajoler': ['cajoler', 'jecoral'], 'caker': ['acker', 'caker', 'crake', 'creak'], 'cakey': ['ackey', 'cakey'], 'cal': ['cal', 'lac'], 'calaba': ['cabala', 'calaba'], 'calamine': ['alcamine', 'analcime', 'calamine', 'camelina'], 'calamint': ['calamint', 'claimant'], 'calamitean': ['calamitean', 'catamenial'], 'calander': ['calander', 'calendar'], 'calandrinae': ['calandrinae', 'calendarian'], 'calas': ['calas', 'casal', 'scala'], 'calash': ['calash', 'lachsa'], 'calathian': ['acanthial', 'calathian'], 'calaverite': ['calaverite', 'lacerative'], 'calcareocorneous': ['calcareocorneous', 'corneocalcareous'], 'calcareosiliceous': ['calcareosiliceous', 'siliceocalcareous'], 'calciner': ['calciner', 'larcenic'], 'calculary': ['calculary', 'calycular'], 'calculative': ['calculative', 'claviculate'], 'calden': ['calden', 'candle', 'lanced'], 'calean': ['anlace', 'calean'], 'caleb': ['cable', 'caleb'], 'caledonia': ['caledonia', 'laodicean'], 'caledonite': ['caledonite', 'celadonite'], 'calendar': ['calander', 'calendar'], 'calendarial': ['calendarial', 'dalecarlian'], 'calendarian': ['calandrinae', 'calendarian'], 'calender': ['calender', 'encradle'], 'calenture': ['calenture', 'crenulate'], 'calepin': ['calepin', 'capelin', 'panicle', 'pelican', 'pinacle'], 'calfkill': ['calfkill', 'killcalf'], 'caliban': ['balanic', 'caliban'], 'caliber': ['caliber', 'calibre'], 'calibered': ['bridelace', 'calibered'], 'calibrate': ['bacterial', 'calibrate'], 'calibre': ['caliber', 'calibre'], 'caliburno': ['binocular', 'caliburno', 'colubrina'], 'calico': ['accoil', 'calico'], 'calidity': ['calidity', 'dialytic'], 'caliga': ['caliga', 'cigala'], 'calinago': ['analogic', 'calinago'], 'calinut': ['calinut', 'lunatic'], 'caliper': ['caliper', 'picarel', 'replica'], 'calipers': ['calipers', 'spiracle'], 'caliphate': ['caliphate', 'hepatical'], 'calite': ['calite', 'laetic', 'tecali'], 'caliver': ['caliver', 'caviler', 'claiver', 'clavier', 'valeric', 'velaric'], 'calk': ['calk', 'lack'], 'calker': ['calker', 'lacker', 'rackle', 'recalk', 'reckla'], 'callboy': ['callboy', 'collyba'], 'caller': ['caller', 'cellar', 'recall'], 'calli': ['calli', 'lilac'], 'calligraphy': ['calligraphy', 'graphically'], 'calliopsis': ['calliopsis', 'lipoclasis'], 'callisection': ['callisection', 'clinoclasite'], 'callitype': ['callitype', 'plicately'], 'callo': ['callo', 'colla', 'local'], 'callosal': ['callosal', 'scallola'], 'callose': ['callose', 'oscella'], 'callosity': ['callosity', 'stoically'], 'callosum': ['callosum', 'mollusca'], 'calluna': ['calluna', 'lacunal'], 'callus': ['callus', 'sulcal'], 'calm': ['calm', 'clam'], 'calmant': ['calmant', 'clamant'], 'calmative': ['calmative', 'clamative'], 'calmer': ['calmer', 'carmel', 'clamer', 'marcel', 'mercal'], 'calmierer': ['calmierer', 'reclaimer'], 'calomba': ['calomba', 'cambalo'], 'calonectria': ['calonectria', 'ectocranial'], 'calor': ['alcor', 'calor', 'carlo', 'carol', 'claro', 'coral'], 'calorie': ['calorie', 'cariole'], 'calorist': ['calorist', 'coralist'], 'calorite': ['calorite', 'erotical', 'loricate'], 'calorize': ['calorize', 'coalizer'], 'calotermes': ['calotermes', 'mesorectal', 'metacresol'], 'calotermitid': ['calotermitid', 'dilatometric'], 'calp': ['calp', 'clap'], 'caltha': ['caltha', 'chalta'], 'caltrop': ['caltrop', 'proctal'], 'calusa': ['ascula', 'calusa', 'casual', 'casula', 'causal'], 'calvaria': ['calvaria', 'clavaria'], 'calvary': ['calvary', 'cavalry'], 'calve': ['calve', 'cavel', 'clave'], 'calver': ['calver', 'carvel', 'claver'], 'calves': ['calves', 'scavel'], 'calycular': ['calculary', 'calycular'], 'calyptratae': ['acalyptrate', 'calyptratae'], 'cam': ['cam', 'mac'], 'camaca': ['camaca', 'macaca'], 'camail': ['amical', 'camail', 'lamaic'], 'caman': ['caman', 'macan'], 'camara': ['acamar', 'camara', 'maraca'], 'cambalo': ['calomba', 'cambalo'], 'camber': ['becram', 'camber', 'crambe'], 'cambrel': ['cambrel', 'clamber', 'cramble'], 'came': ['acme', 'came', 'mace'], 'cameist': ['cameist', 'etacism', 'sematic'], 'camel': ['camel', 'clame', 'cleam', 'macle'], 'camelid': ['camelid', 'decimal', 'declaim', 'medical'], 'camelina': ['alcamine', 'analcime', 'calamine', 'camelina'], 'camelish': ['camelish', 'schalmei'], 'camellus': ['camellus', 'sacellum'], 'cameloid': ['cameloid', 'comedial', 'melodica'], 'cameograph': ['cameograph', 'macrophage'], 'camera': ['acream', 'camera', 'mareca'], 'cameral': ['cameral', 'caramel', 'carmela', 'ceramal', 'reclama'], 'camerate': ['camerate', 'macerate', 'racemate'], 'camerated': ['camerated', 'demarcate'], 'cameration': ['aeromantic', 'cameration', 'maceration', 'racemation'], 'camerina': ['amacrine', 'american', 'camerina', 'cinerama'], 'camerist': ['camerist', 'ceramist', 'matrices'], 'camion': ['camion', 'conima', 'manioc', 'monica'], 'camisado': ['camisado', 'caodaism'], 'camise': ['camise', 'macies'], 'campaign': ['campaign', 'pangamic'], 'campaigner': ['campaigner', 'recampaign'], 'camphire': ['camphire', 'hemicarp'], 'campine': ['campine', 'pemican'], 'campoo': ['campoo', 'capomo'], 'camptonite': ['camptonite', 'pentatomic'], 'camus': ['camus', 'musca', 'scaum', 'sumac'], 'camused': ['camused', 'muscade'], 'canaba': ['cabaan', 'cabana', 'canaba'], 'canadol': ['acnodal', 'canadol', 'locanda'], 'canaille': ['alliance', 'canaille'], 'canape': ['canape', 'panace'], 'canari': ['acinar', 'arnica', 'canari', 'carian', 'carina', 'crania', 'narica'], 'canarin': ['canarin', 'cranian'], 'canariote': ['canariote', 'ceratonia'], 'canary': ['canary', 'cynara'], 'canaut': ['canaut', 'tucana'], 'canceler': ['canceler', 'clarence', 'recancel'], 'cancer': ['cancer', 'crance'], 'cancerate': ['cancerate', 'reactance'], 'canceration': ['anacreontic', 'canceration'], 'cancri': ['cancri', 'carnic', 'cranic'], 'cancroid': ['cancroid', 'draconic'], 'candela': ['candela', 'decanal'], 'candier': ['cairned', 'candier'], 'candiru': ['candiru', 'iracund'], 'candle': ['calden', 'candle', 'lanced'], 'candor': ['candor', 'cardon', 'conrad'], 'candroy': ['candroy', 'dacryon'], 'cane': ['acne', 'cane', 'nace'], 'canel': ['canel', 'clean', 'lance', 'lenca'], 'canelo': ['canelo', 'colane'], 'canephor': ['canephor', 'chaperno', 'chaperon'], 'canephore': ['canephore', 'chaperone'], 'canephroi': ['canephroi', 'parochine'], 'caner': ['caner', 'crane', 'crena', 'nacre', 'rance'], 'canful': ['canful', 'flucan'], 'cangle': ['cangle', 'glance'], 'cangler': ['cangler', 'glancer', 'reclang'], 'cangue': ['cangue', 'uncage'], 'canicola': ['canicola', 'laconica'], 'canid': ['canid', 'cnida', 'danic'], 'canidae': ['aidance', 'canidae'], 'canine': ['canine', 'encina', 'neanic'], 'canis': ['canis', 'scian'], 'canister': ['canister', 'cestrian', 'cisterna', 'irascent'], 'canker': ['canker', 'neckar'], 'cankerworm': ['cankerworm', 'crownmaker'], 'cannel': ['cannel', 'lencan'], 'cannot': ['cannot', 'canton', 'conant', 'nonact'], 'cannulate': ['antelucan', 'cannulate'], 'canny': ['canny', 'nancy'], 'canoe': ['acone', 'canoe', 'ocean'], 'canoeing': ['anogenic', 'canoeing'], 'canoeist': ['canoeist', 'cotesian'], 'canon': ['ancon', 'canon'], 'canonist': ['canonist', 'sanction', 'sonantic'], 'canoodler': ['canoodler', 'coronaled'], 'canroy': ['canroy', 'crayon', 'cyrano', 'nyroca'], 'canso': ['ascon', 'canso', 'oscan'], 'cantabri': ['bactrian', 'cantabri'], 'cantala': ['cantala', 'catalan', 'lantaca'], 'cantalite': ['cantalite', 'lactinate', 'tetanical'], 'cantara': ['cantara', 'nacarat'], 'cantaro': ['cantaro', 'croatan'], 'cantate': ['anteact', 'cantate'], 'canted': ['cadent', 'canted', 'decant'], 'canteen': ['canteen', 'centena'], 'canter': ['canter', 'creant', 'cretan', 'nectar', 'recant', 'tanrec', 'trance'], 'canterer': ['canterer', 'recanter', 'recreant', 'terrance'], 'cantharidae': ['acidanthera', 'cantharidae'], 'cantharis': ['anarchist', 'archsaint', 'cantharis'], 'canthus': ['canthus', 'staunch'], 'cantico': ['cantico', 'catonic', 'taconic'], 'cantilena': ['cantilena', 'lancinate'], 'cantilever': ['cantilever', 'trivalence'], 'cantily': ['anticly', 'cantily'], 'cantina': ['cantina', 'tannaic'], 'cantiness': ['anticness', 'cantiness', 'incessant'], 'cantion': ['actinon', 'cantion', 'contain'], 'cantle': ['cantle', 'cental', 'lancet', 'tancel'], 'canto': ['acton', 'canto', 'octan'], 'canton': ['cannot', 'canton', 'conant', 'nonact'], 'cantonal': ['cantonal', 'connatal'], 'cantor': ['cantor', 'carton', 'contra'], 'cantorian': ['anarcotin', 'cantorian', 'carnation', 'narcotina'], 'cantoris': ['cantoris', 'castorin', 'corsaint'], 'cantred': ['cantred', 'centrad', 'tranced'], 'cantus': ['cantus', 'tuscan', 'uncast'], 'canun': ['canun', 'cunan'], 'cany': ['cany', 'cyan'], 'canyon': ['ancony', 'canyon'], 'caoba': ['bacao', 'caoba'], 'caodaism': ['camisado', 'caodaism'], 'cap': ['cap', 'pac'], 'capable': ['capable', 'pacable'], 'caparison': ['caparison', 'paranosic'], 'cape': ['cape', 'cepa', 'pace'], 'caped': ['caped', 'decap', 'paced'], 'capel': ['capel', 'place'], 'capelin': ['calepin', 'capelin', 'panicle', 'pelican', 'pinacle'], 'capeline': ['capeline', 'pelecani'], 'caper': ['caper', 'crape', 'pacer', 'perca', 'recap'], 'capernaite': ['capernaite', 'paraenetic'], 'capernoited': ['capernoited', 'deprecation'], 'capernoity': ['acetopyrin', 'capernoity'], 'capes': ['capes', 'scape', 'space'], 'caph': ['caph', 'chap'], 'caphite': ['aphetic', 'caphite', 'hepatic'], 'caphtor': ['caphtor', 'toparch'], 'capias': ['capias', 'pisaca'], 'capillament': ['capillament', 'implacental'], 'capillarity': ['capillarity', 'piratically'], 'capital': ['capital', 'palatic'], 'capitan': ['capitan', 'captain'], 'capitate': ['apatetic', 'capitate'], 'capitellar': ['capitellar', 'prelatical'], 'capito': ['atopic', 'capito', 'copita'], 'capitol': ['capitol', 'coalpit', 'optical', 'topical'], 'capomo': ['campoo', 'capomo'], 'capon': ['capon', 'ponca'], 'caponier': ['caponier', 'coprinae', 'procaine'], 'capot': ['capot', 'coapt'], 'capote': ['capote', 'toecap'], 'capreol': ['capreol', 'polacre'], 'capri': ['capri', 'picra', 'rapic'], 'caprid': ['caprid', 'carpid', 'picard'], 'capriote': ['aporetic', 'capriote', 'operatic'], 'capsian': ['capsian', 'caspian', 'nascapi', 'panisca'], 'capstone': ['capstone', 'opencast'], 'capsula': ['capsula', 'pascual', 'scapula'], 'capsular': ['capsular', 'scapular'], 'capsulate': ['aspectual', 'capsulate'], 'capsulated': ['capsulated', 'scapulated'], 'capsule': ['capsule', 'specula', 'upscale'], 'capsulectomy': ['capsulectomy', 'scapulectomy'], 'capsuler': ['capsuler', 'specular'], 'captain': ['capitan', 'captain'], 'captation': ['anaptotic', 'captation'], 'caption': ['caption', 'paction'], 'captious': ['autopsic', 'captious'], 'captor': ['captor', 'copart'], 'capture': ['capture', 'uptrace'], 'car': ['arc', 'car'], 'cara': ['arca', 'cara'], 'carabeen': ['bearance', 'carabeen'], 'carabin': ['arbacin', 'carabin', 'cariban'], 'carabini': ['arabinic', 'cabirian', 'carabini', 'cibarian'], 'caracoli': ['caracoli', 'coracial'], 'caracore': ['acrocera', 'caracore'], 'caragana': ['aracanga', 'caragana'], 'caramel': ['cameral', 'caramel', 'carmela', 'ceramal', 'reclama'], 'caranda': ['anacard', 'caranda'], 'carandas': ['carandas', 'sandarac'], 'carane': ['arcane', 'carane'], 'carangid': ['carangid', 'cardigan'], 'carapine': ['carapine', 'carpaine'], 'caravel': ['caravel', 'lavacre'], 'carbamide': ['carbamide', 'crambidae'], 'carbamine': ['carbamine', 'crambinae'], 'carbamino': ['carbamino', 'macrobian'], 'carbeen': ['carbeen', 'carbene'], 'carbene': ['carbeen', 'carbene'], 'carbo': ['carbo', 'carob', 'coarb', 'cobra'], 'carbohydride': ['carbohydride', 'hydrocarbide'], 'carbon': ['bracon', 'carbon', 'corban'], 'carbonite': ['bicornate', 'carbonite', 'reboantic'], 'carcel': ['carcel', 'cercal'], 'carcinoma': ['carcinoma', 'macaronic'], 'carcinosarcoma': ['carcinosarcoma', 'sarcocarcinoma'], 'carcoon': ['carcoon', 'raccoon'], 'cardel': ['cardel', 'cradle'], 'cardia': ['acarid', 'cardia', 'carida'], 'cardiac': ['arcadic', 'cardiac'], 'cardial': ['cardial', 'radical'], 'cardiant': ['antacrid', 'cardiant', 'radicant', 'tridacna'], 'cardigan': ['carangid', 'cardigan'], 'cardiidae': ['acrididae', 'cardiidae', 'cidaridae'], 'cardin': ['andric', 'cardin', 'rancid'], 'cardinal': ['cardinal', 'clarinda'], 'cardioid': ['cardioid', 'caridoid'], 'cardiophobe': ['brachiopode', 'cardiophobe'], 'cardo': ['cardo', 'draco'], 'cardon': ['candor', 'cardon', 'conrad'], 'cardoon': ['cardoon', 'coronad'], 'care': ['acer', 'acre', 'care', 'crea', 'race'], 'careen': ['careen', 'carene', 'enrace'], 'carene': ['careen', 'carene', 'enrace'], 'carer': ['carer', 'crare', 'racer'], 'carest': ['carest', 'caster', 'recast'], 'caret': ['caret', 'carte', 'cater', 'crate', 'creat', 'creta', 'react', 'recta', 'trace'], 'caretta': ['caretta', 'teacart', 'tearcat'], 'carful': ['carful', 'furcal'], 'carhop': ['carhop', 'paroch'], 'cariama': ['aramaic', 'cariama'], 'carian': ['acinar', 'arnica', 'canari', 'carian', 'carina', 'crania', 'narica'], 'carib': ['baric', 'carib', 'rabic'], 'cariban': ['arbacin', 'carabin', 'cariban'], 'caribi': ['cabiri', 'caribi'], 'carid': ['acrid', 'caird', 'carid', 'darci', 'daric', 'dirca'], 'carida': ['acarid', 'cardia', 'carida'], 'caridea': ['arcidae', 'caridea'], 'caridean': ['caridean', 'dircaean', 'radiance'], 'caridoid': ['cardioid', 'caridoid'], 'carina': ['acinar', 'arnica', 'canari', 'carian', 'carina', 'crania', 'narica'], 'carinal': ['carinal', 'carlina', 'clarain', 'cranial'], 'carinatae': ['acraniate', 'carinatae'], 'carinate': ['anaretic', 'arcanite', 'carinate', 'craniate'], 'carinated': ['carinated', 'eradicant'], 'cariole': ['calorie', 'cariole'], 'carious': ['carious', 'curiosa'], 'carisa': ['carisa', 'sciara'], 'carissa': ['ascaris', 'carissa'], 'cark': ['cark', 'rack'], 'carking': ['arcking', 'carking', 'racking'], 'carkingly': ['carkingly', 'rackingly'], 'carless': ['carless', 'classer', 'reclass'], 'carlet': ['carlet', 'cartel', 'claret', 'rectal', 'talcer'], 'carlie': ['carlie', 'claire', 'eclair', 'erical'], 'carlin': ['carlin', 'clarin', 'crinal'], 'carlina': ['carinal', 'carlina', 'clarain', 'cranial'], 'carlist': ['carlist', 'clarist'], 'carlo': ['alcor', 'calor', 'carlo', 'carol', 'claro', 'coral'], 'carlot': ['carlot', 'crotal'], 'carlylian': ['ancillary', 'carlylian', 'cranially'], 'carman': ['carman', 'marcan'], 'carmel': ['calmer', 'carmel', 'clamer', 'marcel', 'mercal'], 'carmela': ['cameral', 'caramel', 'carmela', 'ceramal', 'reclama'], 'carmele': ['carmele', 'cleamer'], 'carmelite': ['carmelite', 'melicerta'], 'carmeloite': ['carmeloite', 'ectromelia', 'meteorical'], 'carmine': ['armenic', 'carmine', 'ceriman', 'crimean', 'mercian'], 'carminette': ['carminette', 'remittance'], 'carminite': ['antimeric', 'carminite', 'criminate', 'metrician'], 'carmot': ['carmot', 'comart'], 'carnage': ['carnage', 'cranage', 'garance'], 'carnalite': ['carnalite', 'claretian', 'lacertian', 'nectarial'], 'carnate': ['carnate', 'cateran'], 'carnation': ['anarcotin', 'cantorian', 'carnation', 'narcotina'], 'carnationed': ['carnationed', 'dinoceratan'], 'carnelian': ['carnelian', 'encranial'], 'carneol': ['carneol', 'corneal'], 'carneous': ['carneous', 'nacreous'], 'carney': ['carney', 'craney'], 'carnic': ['cancri', 'carnic', 'cranic'], 'carniolan': ['carniolan', 'nonracial'], 'carnose': ['carnose', 'coarsen', 'narcose'], 'carnosity': ['carnosity', 'crayonist'], 'carnotite': ['carnotite', 'cortinate'], 'carnous': ['carnous', 'nacrous', 'narcous'], 'caro': ['acor', 'caro', 'cora', 'orca'], 'caroa': ['acroa', 'caroa'], 'carob': ['carbo', 'carob', 'coarb', 'cobra'], 'caroche': ['caroche', 'coacher', 'recoach'], 'caroid': ['caroid', 'cordia'], 'carol': ['alcor', 'calor', 'carlo', 'carol', 'claro', 'coral'], 'carolan': ['alcoran', 'ancoral', 'carolan'], 'carole': ['carole', 'coaler', 'coelar', 'oracle', 'recoal'], 'carolean': ['carolean', 'lecanora'], 'caroler': ['caroler', 'correal'], 'caroli': ['caroli', 'corial', 'lorica'], 'carolin': ['carolin', 'clarion', 'colarin', 'locrian'], 'carolina': ['carolina', 'conarial'], 'caroline': ['acrolein', 'arecolin', 'caroline', 'colinear', 'cornelia', 'creolian', 'lonicera'], 'carolingian': ['carolingian', 'inorganical'], 'carolus': ['carolus', 'oscular'], 'carom': ['carom', 'coram', 'macro', 'marco'], 'carone': ['carone', 'cornea'], 'caroon': ['caroon', 'corona', 'racoon'], 'carotenoid': ['carotenoid', 'coronadite', 'decoration'], 'carotic': ['acrotic', 'carotic'], 'carotid': ['arctoid', 'carotid', 'dartoic'], 'carotidean': ['arctoidean', 'carotidean', 'cordaitean', 'dinocerata'], 'carotin': ['anticor', 'carotin', 'cortina', 'ontaric'], 'carouse': ['acerous', 'carouse', 'euscaro'], 'carp': ['carp', 'crap'], 'carpaine': ['carapine', 'carpaine'], 'carpel': ['carpel', 'parcel', 'placer'], 'carpellary': ['carpellary', 'parcellary'], 'carpellate': ['carpellate', 'parcellate', 'prelacteal'], 'carpent': ['carpent', 'precant'], 'carpet': ['carpet', 'peract', 'preact'], 'carpholite': ['carpholite', 'proethical'], 'carpid': ['caprid', 'carpid', 'picard'], 'carpiodes': ['carpiodes', 'scorpidae'], 'carpocerite': ['carpocerite', 'reciprocate'], 'carpogonial': ['carpogonial', 'coprolagnia'], 'carpolite': ['carpolite', 'petricola'], 'carpolith': ['carpolith', 'politarch', 'trophical'], 'carposperm': ['carposperm', 'spermocarp'], 'carrot': ['carrot', 'trocar'], 'carroter': ['arrector', 'carroter'], 'carse': ['carse', 'caser', 'ceras', 'scare', 'scrae'], 'carsmith': ['carsmith', 'chartism'], 'cartable': ['bracteal', 'cartable'], 'carte': ['caret', 'carte', 'cater', 'crate', 'creat', 'creta', 'react', 'recta', 'trace'], 'cartel': ['carlet', 'cartel', 'claret', 'rectal', 'talcer'], 'cartelize': ['cartelize', 'zelatrice'], 'carter': ['arrect', 'carter', 'crater', 'recart', 'tracer'], 'cartesian': ['ascertain', 'cartesian', 'cartisane', 'sectarian'], 'cartesianism': ['cartesianism', 'sectarianism'], 'cartier': ['cartier', 'cirrate', 'erratic'], 'cartilage': ['cartilage', 'rectalgia'], 'cartisane': ['ascertain', 'cartesian', 'cartisane', 'sectarian'], 'cartist': ['astrict', 'cartist', 'stratic'], 'carton': ['cantor', 'carton', 'contra'], 'cartoon': ['cartoon', 'coranto'], 'cartoonist': ['cartoonist', 'scortation'], 'carty': ['carty', 'tracy'], 'carua': ['aruac', 'carua'], 'carucal': ['accrual', 'carucal'], 'carucate': ['accurate', 'carucate'], 'carum': ['carum', 'cumar'], 'carve': ['carve', 'crave', 'varec'], 'carvel': ['calver', 'carvel', 'claver'], 'carven': ['carven', 'cavern', 'craven'], 'carver': ['carver', 'craver'], 'carving': ['carving', 'craving'], 'cary': ['cary', 'racy'], 'caryl': ['acryl', 'caryl', 'clary'], 'casabe': ['casabe', 'sabeca'], 'casal': ['calas', 'casal', 'scala'], 'cascade': ['cascade', 'saccade'], 'case': ['case', 'esca'], 'casebook': ['bookcase', 'casebook'], 'caseful': ['caseful', 'fucales'], 'casein': ['casein', 'incase'], 'casel': ['alces', 'casel', 'scale'], 'caser': ['carse', 'caser', 'ceras', 'scare', 'scrae'], 'casern': ['casern', 'rescan'], 'cashable': ['cashable', 'chasable'], 'cashel': ['cashel', 'laches', 'sealch'], 'cask': ['cask', 'sack'], 'casket': ['casket', 'tesack'], 'casking': ['casking', 'sacking'], 'casklike': ['casklike', 'sacklike'], 'casper': ['casper', 'escarp', 'parsec', 'scrape', 'secpar', 'spacer'], 'caspian': ['capsian', 'caspian', 'nascapi', 'panisca'], 'casque': ['casque', 'sacque'], 'casquet': ['acquest', 'casquet'], 'casse': ['casse', 'scase'], 'cassian': ['cassian', 'cassina'], 'cassina': ['cassian', 'cassina'], 'cassino': ['caisson', 'cassino'], 'cassock': ['cassock', 'cossack'], 'cast': ['acts', 'cast', 'scat'], 'castalia': ['castalia', 'sacalait'], 'castalian': ['castalian', 'satanical'], 'caste': ['caste', 'sceat'], 'castelet': ['castelet', 'telecast'], 'caster': ['carest', 'caster', 'recast'], 'castice': ['ascetic', 'castice', 'siccate'], 'castle': ['castle', 'sclate'], 'castoff': ['castoff', 'offcast'], 'castor': ['arctos', 'castor', 'costar', 'scrota'], 'castores': ['castores', 'coassert'], 'castoreum': ['castoreum', 'outscream'], 'castoridae': ['castoridae', 'cestodaria'], 'castorin': ['cantoris', 'castorin', 'corsaint'], 'castra': ['castra', 'tarasc'], 'casual': ['ascula', 'calusa', 'casual', 'casula', 'causal'], 'casuality': ['casuality', 'causality'], 'casually': ['casually', 'causally'], 'casula': ['ascula', 'calusa', 'casual', 'casula', 'causal'], 'cat': ['act', 'cat'], 'catabolin': ['botanical', 'catabolin'], 'catalan': ['cantala', 'catalan', 'lantaca'], 'catalanist': ['anastaltic', 'catalanist'], 'catalase': ['catalase', 'salaceta'], 'catalinite': ['analcitite', 'catalinite'], 'catalogue': ['catalogue', 'coagulate'], 'catalyte': ['catalyte', 'cattleya'], 'catamenial': ['calamitean', 'catamenial'], 'catapultier': ['catapultier', 'particulate'], 'cataria': ['acratia', 'cataria'], 'catcher': ['catcher', 'recatch'], 'catchup': ['catchup', 'upcatch'], 'cate': ['cate', 'teca'], 'catechin': ['atechnic', 'catechin', 'technica'], 'catechism': ['catechism', 'schematic'], 'catechol': ['catechol', 'coachlet'], 'categoric': ['categoric', 'geocratic'], 'catella': ['catella', 'lacteal'], 'catenated': ['catenated', 'decantate'], 'cater': ['caret', 'carte', 'cater', 'crate', 'creat', 'creta', 'react', 'recta', 'trace'], 'cateran': ['carnate', 'cateran'], 'caterer': ['caterer', 'recrate', 'retrace', 'terrace'], 'cateress': ['cateress', 'cerastes'], 'catfish': ['catfish', 'factish'], 'cathari': ['cathari', 'chirata', 'cithara'], 'catharina': ['anthracia', 'antiarcha', 'catharina'], 'cathartae': ['cathartae', 'tracheata'], 'cathepsin': ['cathepsin', 'stephanic'], 'catherine': ['catherine', 'heritance'], 'catheter': ['catheter', 'charette'], 'cathine': ['cahnite', 'cathine'], 'cathinine': ['anchietin', 'cathinine'], 'cathion': ['cathion', 'chatino'], 'cathograph': ['cathograph', 'tachograph'], 'cathole': ['cathole', 'cholate'], 'cathro': ['cathro', 'orchat'], 'cathryn': ['cathryn', 'chantry'], 'cathy': ['cathy', 'cyath', 'yacht'], 'cation': ['action', 'atonic', 'cation'], 'cationic': ['aconitic', 'cationic', 'itaconic'], 'catkin': ['catkin', 'natick'], 'catlin': ['catlin', 'tincal'], 'catlinite': ['catlinite', 'intactile'], 'catmalison': ['catmalison', 'monastical'], 'catoism': ['atomics', 'catoism', 'cosmati', 'osmatic', 'somatic'], 'catonian': ['catonian', 'taconian'], 'catonic': ['cantico', 'catonic', 'taconic'], 'catonism': ['catonism', 'monastic'], 'catoptric': ['catoptric', 'protactic'], 'catpipe': ['apeptic', 'catpipe'], 'catstone': ['catstone', 'constate'], 'catsup': ['catsup', 'upcast'], 'cattail': ['attical', 'cattail'], 'catti': ['attic', 'catti', 'tacit'], 'cattily': ['cattily', 'tacitly'], 'cattiness': ['cattiness', 'tacitness'], 'cattle': ['cattle', 'tectal'], 'cattleya': ['catalyte', 'cattleya'], 'catvine': ['catvine', 'venatic'], 'caucho': ['cachou', 'caucho'], 'cauda': ['cadua', 'cauda'], 'caudle': ['caudle', 'cedula', 'claude'], 'caudodorsal': ['caudodorsal', 'dorsocaudal'], 'caudofemoral': ['caudofemoral', 'femorocaudal'], 'caudolateral': ['caudolateral', 'laterocaudal'], 'caul': ['caul', 'ucal'], 'cauld': ['cauld', 'ducal'], 'caules': ['caelus', 'caules', 'clause'], 'cauliform': ['cauliform', 'formulaic', 'fumarolic'], 'caulinar': ['anicular', 'caulinar'], 'caulis': ['caulis', 'clusia', 'sicula'], 'caulite': ['aleutic', 'auletic', 'caulite', 'lutecia'], 'caulome': ['caulome', 'leucoma'], 'caulomic': ['caulomic', 'coumalic'], 'caulote': ['caulote', 'colutea', 'oculate'], 'caunch': ['caunch', 'cuchan'], 'caurale': ['arcuale', 'caurale'], 'causal': ['ascula', 'calusa', 'casual', 'casula', 'causal'], 'causality': ['casuality', 'causality'], 'causally': ['casually', 'causally'], 'cause': ['cause', 'sauce'], 'causeless': ['causeless', 'sauceless'], 'causer': ['causer', 'saucer'], 'causey': ['causey', 'cayuse'], 'cautelous': ['cautelous', 'lutaceous'], 'cauter': ['acture', 'cauter', 'curate'], 'caution': ['auction', 'caution'], 'cautionary': ['auctionary', 'cautionary'], 'cautioner': ['cautioner', 'cointreau'], 'caval': ['caval', 'clava'], 'cavalry': ['calvary', 'cavalry'], 'cavate': ['cavate', 'caveat', 'vacate'], 'caveat': ['cavate', 'caveat', 'vacate'], 'cavel': ['calve', 'cavel', 'clave'], 'cavern': ['carven', 'cavern', 'craven'], 'cavil': ['cavil', 'lavic'], 'caviler': ['caliver', 'caviler', 'claiver', 'clavier', 'valeric', 'velaric'], 'cavillation': ['cavillation', 'vacillation'], 'cavitate': ['activate', 'cavitate'], 'cavitation': ['activation', 'cavitation'], 'cavitied': ['cavitied', 'vaticide'], 'caw': ['caw', 'wac'], 'cawk': ['cawk', 'wack'], 'cawky': ['cawky', 'wacky'], 'cayapa': ['cayapa', 'pacaya'], 'cayuse': ['causey', 'cayuse'], 'ccoya': ['accoy', 'ccoya'], 'ceanothus': ['ceanothus', 'oecanthus'], 'cearin': ['acerin', 'cearin'], 'cebalrai': ['balearic', 'cebalrai'], 'ceboid': ['bodice', 'ceboid'], 'cebur': ['bruce', 'cebur', 'cuber'], 'cecily': ['cecily', 'cicely'], 'cedar': ['acred', 'cader', 'cadre', 'cedar'], 'cedarn': ['cedarn', 'dancer', 'nacred'], 'cedent': ['cedent', 'decent'], 'ceder': ['ceder', 'cedre', 'cered', 'creed'], 'cedrat': ['cedrat', 'decart', 'redact'], 'cedrate': ['cedrate', 'cerated'], 'cedre': ['ceder', 'cedre', 'cered', 'creed'], 'cedrela': ['cedrela', 'creedal', 'declare'], 'cedrin': ['cedrin', 'cinder', 'crined'], 'cedriret': ['cedriret', 'directer', 'recredit', 'redirect'], 'cedrol': ['cedrol', 'colder', 'cordel'], 'cedron': ['cedron', 'conred'], 'cedrus': ['cedrus', 'cursed'], 'cedry': ['cedry', 'decry'], 'cedula': ['caudle', 'cedula', 'claude'], 'ceilinged': ['ceilinged', 'diligence'], 'celadonite': ['caledonite', 'celadonite'], 'celandine': ['celandine', 'decennial'], 'celarent': ['celarent', 'centrale', 'enclaret'], 'celature': ['celature', 'ulcerate'], 'celebrate': ['celebrate', 'erectable'], 'celebrated': ['braceleted', 'celebrated'], 'celemin': ['celemin', 'melenic'], 'celia': ['alice', 'celia', 'ileac'], 'cellar': ['caller', 'cellar', 'recall'], 'cellaret': ['allecret', 'cellaret'], 'celloid': ['celloid', 'codille', 'collide', 'collied'], 'celloidin': ['celloidin', 'collidine', 'decillion'], 'celsian': ['celsian', 'escalin', 'sanicle', 'secalin'], 'celtiberi': ['celtiberi', 'terebilic'], 'celtis': ['celtis', 'clites'], 'cembalist': ['blastemic', 'cembalist'], 'cementer': ['cementer', 'cerement', 'recement'], 'cendre': ['cendre', 'decern'], 'cenosity': ['cenosity', 'cytosine'], 'cense': ['cense', 'scene', 'sence'], 'censer': ['censer', 'scerne', 'screen', 'secern'], 'censerless': ['censerless', 'screenless'], 'censorial': ['censorial', 'sarcoline'], 'censual': ['censual', 'unscale'], 'censureless': ['censureless', 'recluseness'], 'cental': ['cantle', 'cental', 'lancet', 'tancel'], 'centare': ['centare', 'crenate'], 'centaur': ['centaur', 'untrace'], 'centauri': ['anuretic', 'centauri', 'centuria', 'teucrian'], 'centaury': ['centaury', 'cyanuret'], 'centena': ['canteen', 'centena'], 'centenar': ['centenar', 'entrance'], 'centenier': ['centenier', 'renitence'], 'center': ['center', 'recent', 'tenrec'], 'centered': ['centered', 'decenter', 'decentre', 'recedent'], 'centerer': ['centerer', 'recenter', 'recentre', 'terrence'], 'centermost': ['centermost', 'escortment'], 'centesimal': ['centesimal', 'lemniscate'], 'centiar': ['centiar', 'certain', 'citrean', 'nacrite', 'nectria'], 'centiare': ['aneretic', 'centiare', 'creatine', 'increate', 'iterance'], 'centibar': ['bacterin', 'centibar'], 'centimeter': ['centimeter', 'recitement', 'remittence'], 'centimo': ['centimo', 'entomic', 'tecomin'], 'centimolar': ['centimolar', 'melicraton'], 'centinormal': ['centinormal', 'conterminal', 'nonmetrical'], 'cento': ['cento', 'conte', 'tecon'], 'centrad': ['cantred', 'centrad', 'tranced'], 'centrale': ['celarent', 'centrale', 'enclaret'], 'centranth': ['centranth', 'trenchant'], 'centraxonia': ['centraxonia', 'excarnation'], 'centriole': ['centriole', 'electrion', 'relection'], 'centrodorsal': ['centrodorsal', 'dorsocentral'], 'centroid': ['centroid', 'doctrine'], 'centrolineal': ['centrolineal', 'crenellation'], 'centunculus': ['centunculus', 'unsucculent'], 'centuria': ['anuretic', 'centauri', 'centuria', 'teucrian'], 'centurial': ['centurial', 'lucretian', 'ultranice'], 'centuried': ['centuried', 'unrecited'], 'centurion': ['centurion', 'continuer', 'cornutine'], 'cepa': ['cape', 'cepa', 'pace'], 'cephalin': ['alphenic', 'cephalin'], 'cephalina': ['cephalina', 'epilachna'], 'cephaloid': ['cephaloid', 'pholcidae'], 'cephalomeningitis': ['cephalomeningitis', 'meningocephalitis'], 'cephalometric': ['cephalometric', 'petrochemical'], 'cephalopodous': ['cephalopodous', 'podocephalous'], 'cephas': ['cephas', 'pesach'], 'cepolidae': ['adipocele', 'cepolidae', 'ploceidae'], 'ceps': ['ceps', 'spec'], 'ceptor': ['ceptor', 'copter'], 'ceral': ['ceral', 'clare', 'clear', 'lacer'], 'ceramal': ['cameral', 'caramel', 'carmela', 'ceramal', 'reclama'], 'ceramic': ['ceramic', 'racemic'], 'ceramist': ['camerist', 'ceramist', 'matrices'], 'ceras': ['carse', 'caser', 'ceras', 'scare', 'scrae'], 'cerasein': ['cerasein', 'increase'], 'cerasin': ['arsenic', 'cerasin', 'sarcine'], 'cerastes': ['cateress', 'cerastes'], 'cerata': ['arcate', 'cerata'], 'cerate': ['cerate', 'create', 'ecarte'], 'cerated': ['cedrate', 'cerated'], 'ceratiid': ['ceratiid', 'raticide'], 'ceration': ['actioner', 'anerotic', 'ceration', 'creation', 'reaction'], 'ceratium': ['ceratium', 'muricate'], 'ceratonia': ['canariote', 'ceratonia'], 'ceratosa': ['ceratosa', 'ostracea'], 'ceratothecal': ['ceratothecal', 'chloracetate'], 'cerberic': ['cerberic', 'cerebric'], 'cercal': ['carcel', 'cercal'], 'cerci': ['cerci', 'ceric', 'cicer', 'circe'], 'cercus': ['cercus', 'cruces'], 'cerdonian': ['cerdonian', 'ordinance'], 'cere': ['cere', 'cree'], 'cereal': ['alerce', 'cereal', 'relace'], 'cerealin': ['cerealin', 'cinereal', 'reliance'], 'cerebra': ['cerebra', 'rebrace'], 'cerebric': ['cerberic', 'cerebric'], 'cerebroma': ['cerebroma', 'embraceor'], 'cerebromeningitis': ['cerebromeningitis', 'meningocerebritis'], 'cerebrum': ['cerebrum', 'cumberer'], 'cered': ['ceder', 'cedre', 'cered', 'creed'], 'cerement': ['cementer', 'cerement', 'recement'], 'ceremonial': ['ceremonial', 'neomiracle'], 'ceresin': ['ceresin', 'sincere'], 'cereus': ['cereus', 'ceruse', 'recuse', 'rescue', 'secure'], 'cerevis': ['cerevis', 'scrieve', 'service'], 'ceria': ['acier', 'aeric', 'ceria', 'erica'], 'ceric': ['cerci', 'ceric', 'cicer', 'circe'], 'ceride': ['ceride', 'deicer'], 'cerillo': ['cerillo', 'colleri', 'collier'], 'ceriman': ['armenic', 'carmine', 'ceriman', 'crimean', 'mercian'], 'cerin': ['cerin', 'crine'], 'cerion': ['cerion', 'coiner', 'neroic', 'orcein', 'recoin'], 'ceriops': ['ceriops', 'persico'], 'cerite': ['cerite', 'certie', 'recite', 'tierce'], 'cerium': ['cerium', 'uremic'], 'cernuous': ['cernuous', 'coenurus'], 'cero': ['cero', 'core'], 'ceroma': ['ceroma', 'corema'], 'ceroplast': ['ceroplast', 'precostal'], 'ceroplastic': ['ceroplastic', 'cleistocarp', 'coreplastic'], 'ceroplasty': ['ceroplasty', 'coreplasty'], 'cerotic': ['cerotic', 'orectic'], 'cerotin': ['cerotin', 'cointer', 'cotrine', 'cretion', 'noticer', 'rection'], 'cerous': ['cerous', 'course', 'crouse', 'source'], 'certain': ['centiar', 'certain', 'citrean', 'nacrite', 'nectria'], 'certhia': ['certhia', 'rhaetic', 'theriac'], 'certie': ['cerite', 'certie', 'recite', 'tierce'], 'certifiable': ['certifiable', 'rectifiable'], 'certification': ['certification', 'cretification', 'rectification'], 'certificative': ['certificative', 'rectificative'], 'certificator': ['certificator', 'rectificator'], 'certificatory': ['certificatory', 'rectificatory'], 'certified': ['certified', 'rectified'], 'certifier': ['certifier', 'rectifier'], 'certify': ['certify', 'cretify', 'rectify'], 'certis': ['certis', 'steric'], 'certitude': ['certitude', 'rectitude'], 'certosina': ['atroscine', 'certosina', 'ostracine', 'tinoceras', 'tricosane'], 'certosino': ['certosino', 'cortisone', 'socotrine'], 'cerulean': ['cerulean', 'laurence'], 'ceruminal': ['ceruminal', 'melanuric', 'numerical'], 'ceruse': ['cereus', 'ceruse', 'recuse', 'rescue', 'secure'], 'cervicobuccal': ['buccocervical', 'cervicobuccal'], 'cervicodorsal': ['cervicodorsal', 'dorsocervical'], 'cervicodynia': ['cervicodynia', 'corycavidine'], 'cervicofacial': ['cervicofacial', 'faciocervical'], 'cervicolabial': ['cervicolabial', 'labiocervical'], 'cervicovesical': ['cervicovesical', 'vesicocervical'], 'cervoid': ['cervoid', 'divorce'], 'cervuline': ['cervuline', 'virulence'], 'ceryl': ['ceryl', 'clyer'], 'cerynean': ['ancyrene', 'cerynean'], 'cesare': ['cesare', 'crease', 'recase', 'searce'], 'cesarolite': ['cesarolite', 'esoterical'], 'cesium': ['cesium', 'miscue'], 'cesser': ['cesser', 'recess'], 'cession': ['cession', 'oscines'], 'cessor': ['cessor', 'crosse', 'scorse'], 'cest': ['cest', 'sect'], 'cestodaria': ['castoridae', 'cestodaria'], 'cestrian': ['canister', 'cestrian', 'cisterna', 'irascent'], 'cetane': ['cetane', 'tenace'], 'cetene': ['cetene', 'ectene'], 'ceti': ['ceti', 'cite', 'tice'], 'cetid': ['cetid', 'edict'], 'cetomorphic': ['cetomorphic', 'chemotropic', 'ectomorphic'], 'cetonia': ['acetoin', 'aconite', 'anoetic', 'antoeci', 'cetonia'], 'cetonian': ['cetonian', 'enaction'], 'cetorhinus': ['cetorhinus', 'urosthenic'], 'cetus': ['cetus', 'scute'], 'cevenol': ['cevenol', 'clovene'], 'cevine': ['cevine', 'evince', 'venice'], 'cha': ['ach', 'cha'], 'chab': ['bach', 'chab'], 'chabouk': ['chabouk', 'chakobu'], 'chaco': ['chaco', 'choca', 'coach'], 'chacte': ['cachet', 'chacte'], 'chaenolobus': ['chaenolobus', 'unchoosable'], 'chaeta': ['achate', 'chaeta'], 'chaetites': ['aesthetic', 'chaetites'], 'chaetognath': ['chaetognath', 'gnathotheca'], 'chaetopod': ['chaetopod', 'podotheca'], 'chafer': ['chafer', 'frache'], 'chagan': ['chagan', 'changa'], 'chagrin': ['arching', 'chagrin'], 'chai': ['chai', 'chia'], 'chain': ['chain', 'chian', 'china'], 'chained': ['chained', 'echidna'], 'chainer': ['chainer', 'enchair', 'rechain'], 'chainlet': ['chainlet', 'ethnical'], 'chainman': ['chainman', 'chinaman'], 'chair': ['chair', 'chria'], 'chairer': ['chairer', 'charier'], 'chait': ['aitch', 'chait', 'chati', 'chita', 'taich', 'tchai'], 'chakar': ['chakar', 'chakra', 'charka'], 'chakari': ['chakari', 'chikara', 'kachari'], 'chakobu': ['chabouk', 'chakobu'], 'chakra': ['chakar', 'chakra', 'charka'], 'chalcon': ['chalcon', 'clochan', 'conchal'], 'chalcosine': ['ascolichen', 'chalcosine'], 'chaldron': ['chaldron', 'chlordan', 'chondral'], 'chalet': ['achtel', 'chalet', 'thecal', 'thecla'], 'chalker': ['chalker', 'hackler'], 'chalky': ['chalky', 'hackly'], 'challie': ['alichel', 'challie', 'helical'], 'chalmer': ['chalmer', 'charmel'], 'chalon': ['chalon', 'lochan'], 'chalone': ['chalone', 'cholane'], 'chalta': ['caltha', 'chalta'], 'chamal': ['almach', 'chamal'], 'chamar': ['chamar', 'machar'], 'chamber': ['becharm', 'brecham', 'chamber'], 'chamberer': ['chamberer', 'rechamber'], 'chamian': ['chamian', 'mahican'], 'chamisal': ['chamisal', 'chiasmal'], 'chamiso': ['chamiso', 'chamois'], 'chamite': ['chamite', 'hematic'], 'chamois': ['chamiso', 'chamois'], 'champa': ['champa', 'mapach'], 'champain': ['champain', 'chinampa'], 'chancer': ['chancer', 'chancre'], 'chanchito': ['chanchito', 'nachitoch'], 'chanco': ['chanco', 'concha'], 'chancre': ['chancer', 'chancre'], 'chandu': ['chandu', 'daunch'], 'chane': ['achen', 'chane', 'chena', 'hance'], 'chang': ['chang', 'ganch'], 'changa': ['chagan', 'changa'], 'changer': ['changer', 'genarch'], 'chanidae': ['chanidae', 'hacienda'], 'channeler': ['channeler', 'encharnel'], 'chanst': ['chanst', 'snatch', 'stanch'], 'chant': ['chant', 'natch'], 'chanter': ['chanter', 'rechant'], 'chantey': ['atechny', 'chantey'], 'chantry': ['cathryn', 'chantry'], 'chaos': ['chaos', 'oshac'], 'chaotical': ['acatholic', 'chaotical'], 'chap': ['caph', 'chap'], 'chaparro': ['chaparro', 'parachor'], 'chape': ['chape', 'cheap', 'peach'], 'chaped': ['chaped', 'phecda'], 'chapel': ['chapel', 'lepcha', 'pleach'], 'chapelet': ['chapelet', 'peachlet'], 'chapelmaster': ['chapelmaster', 'spermathecal'], 'chaperno': ['canephor', 'chaperno', 'chaperon'], 'chaperon': ['canephor', 'chaperno', 'chaperon'], 'chaperone': ['canephore', 'chaperone'], 'chaperonless': ['chaperonless', 'proseneschal'], 'chapin': ['apinch', 'chapin', 'phanic'], 'chapiter': ['chapiter', 'phreatic'], 'chaps': ['chaps', 'pasch'], 'chapt': ['chapt', 'pacht', 'patch'], 'chapter': ['chapter', 'patcher', 'repatch'], 'char': ['arch', 'char', 'rach'], 'chara': ['achar', 'chara'], 'charac': ['charac', 'charca'], 'characin': ['anarchic', 'characin'], 'characinoid': ['arachidonic', 'characinoid'], 'charadrii': ['charadrii', 'richardia'], 'charas': ['achras', 'charas'], 'charbon': ['brochan', 'charbon'], 'charca': ['charac', 'charca'], 'chare': ['acher', 'arche', 'chare', 'chera', 'rache', 'reach'], 'charer': ['archer', 'charer', 'rechar'], 'charette': ['catheter', 'charette'], 'charge': ['charge', 'creagh'], 'charier': ['chairer', 'charier'], 'chariot': ['chariot', 'haricot'], 'charioted': ['charioted', 'trochidae'], 'chariotman': ['achromatin', 'chariotman', 'machinator'], 'charism': ['charism', 'chrisma'], 'charisma': ['archaism', 'charisma'], 'chark': ['chark', 'karch'], 'charka': ['chakar', 'chakra', 'charka'], 'charlatanistic': ['antarchistical', 'charlatanistic'], 'charleen': ['charleen', 'charlene'], 'charlene': ['charleen', 'charlene'], 'charles': ['charles', 'clasher'], 'charm': ['charm', 'march'], 'charmel': ['chalmer', 'charmel'], 'charmer': ['charmer', 'marcher', 'remarch'], 'charnel': ['charnel', 'larchen'], 'charon': ['anchor', 'archon', 'charon', 'rancho'], 'charpoy': ['charpoy', 'corypha'], 'chart': ['chart', 'ratch'], 'charter': ['charter', 'ratcher'], 'charterer': ['charterer', 'recharter'], 'charting': ['charting', 'ratching'], 'chartism': ['carsmith', 'chartism'], 'charuk': ['charuk', 'chukar'], 'chary': ['archy', 'chary'], 'chasable': ['cashable', 'chasable'], 'chaser': ['arches', 'chaser', 'eschar', 'recash', 'search'], 'chasma': ['ascham', 'chasma'], 'chaste': ['chaste', 'sachet', 'scathe', 'scheat'], 'chasten': ['chasten', 'sanetch'], 'chastener': ['chastener', 'rechasten'], 'chastity': ['chastity', 'yachtist'], 'chasuble': ['chasuble', 'subchela'], 'chat': ['chat', 'tach'], 'chatelainry': ['chatelainry', 'trachylinae'], 'chati': ['aitch', 'chait', 'chati', 'chita', 'taich', 'tchai'], 'chatino': ['cathion', 'chatino'], 'chatsome': ['chatsome', 'moschate'], 'chatta': ['attach', 'chatta'], 'chattation': ['chattation', 'thanatotic'], 'chattel': ['chattel', 'latchet'], 'chatter': ['chatter', 'ratchet'], 'chattery': ['chattery', 'ratchety', 'trachyte'], 'chatti': ['chatti', 'hattic'], 'chatty': ['chatty', 'tatchy'], 'chatwood': ['chatwood', 'woodchat'], 'chaute': ['chaute', 'chueta'], 'chawan': ['chawan', 'chwana', 'wachna'], 'chawer': ['chawer', 'rechaw'], 'chawk': ['chawk', 'whack'], 'chay': ['achy', 'chay'], 'cheap': ['chape', 'cheap', 'peach'], 'cheapen': ['cheapen', 'peachen'], 'cheapery': ['cheapery', 'peachery'], 'cheapside': ['cheapside', 'sphecidae'], 'cheat': ['cheat', 'tache', 'teach', 'theca'], 'cheatable': ['cheatable', 'teachable'], 'cheatableness': ['cheatableness', 'teachableness'], 'cheater': ['cheater', 'hectare', 'recheat', 'reteach', 'teacher'], 'cheatery': ['cheatery', 'cytherea', 'teachery'], 'cheating': ['cheating', 'teaching'], 'cheatingly': ['cheatingly', 'teachingly'], 'cheatrie': ['cheatrie', 'hetaeric'], 'checker': ['checker', 'recheck'], 'chee': ['chee', 'eche'], 'cheek': ['cheek', 'cheke', 'keech'], 'cheerer': ['cheerer', 'recheer'], 'cheerly': ['cheerly', 'lechery'], 'cheery': ['cheery', 'reechy'], 'cheet': ['cheet', 'hecte'], 'cheir': ['cheir', 'rheic'], 'cheiropodist': ['cheiropodist', 'coeditorship'], 'cheka': ['cheka', 'keach'], 'cheke': ['cheek', 'cheke', 'keech'], 'chela': ['chela', 'lache', 'leach'], 'chelide': ['chelide', 'heliced'], 'chelidon': ['chelidon', 'chelonid', 'delichon'], 'chelidonate': ['chelidonate', 'endothecial'], 'chelodina': ['chelodina', 'hedonical'], 'chelone': ['chelone', 'echelon'], 'chelonid': ['chelidon', 'chelonid', 'delichon'], 'cheloniid': ['cheloniid', 'lichenoid'], 'chemiatrist': ['chemiatrist', 'chrismatite', 'theatricism'], 'chemical': ['alchemic', 'chemical'], 'chemicomechanical': ['chemicomechanical', 'mechanicochemical'], 'chemicophysical': ['chemicophysical', 'physicochemical'], 'chemicovital': ['chemicovital', 'vitochemical'], 'chemiloon': ['chemiloon', 'homocline'], 'chemotaxy': ['chemotaxy', 'myxotheca'], 'chemotropic': ['cetomorphic', 'chemotropic', 'ectomorphic'], 'chena': ['achen', 'chane', 'chena', 'hance'], 'chenica': ['chenica', 'chicane'], 'chenille': ['chenille', 'hellenic'], 'chenopod': ['chenopod', 'ponchoed'], 'chera': ['acher', 'arche', 'chare', 'chera', 'rache', 'reach'], 'chermes': ['chermes', 'schemer'], 'chert': ['chert', 'retch'], 'cherte': ['cherte', 'etcher'], 'chervil': ['chervil', 'chilver'], 'cheson': ['cheson', 'chosen', 'schone'], 'chest': ['chest', 'stech'], 'chestily': ['chestily', 'lecythis'], 'chesty': ['chesty', 'scythe'], 'chet': ['chet', 'etch', 'tche', 'tech'], 'chettik': ['chettik', 'thicket'], 'chetty': ['chetty', 'tetchy'], 'chewer': ['chewer', 'rechew'], 'chewink': ['chewink', 'whicken'], 'chi': ['chi', 'hic', 'ich'], 'chia': ['chai', 'chia'], 'chiam': ['chiam', 'machi', 'micah'], 'chian': ['chain', 'chian', 'china'], 'chiasmal': ['chamisal', 'chiasmal'], 'chiastolite': ['chiastolite', 'heliostatic'], 'chicane': ['chenica', 'chicane'], 'chicle': ['chicle', 'cliche'], 'chid': ['chid', 'dich'], 'chider': ['chider', 'herdic'], 'chidra': ['chidra', 'diarch'], 'chief': ['chief', 'fiche'], 'chield': ['chield', 'childe'], 'chien': ['chien', 'chine', 'niche'], 'chikara': ['chakari', 'chikara', 'kachari'], 'chil': ['chil', 'lich'], 'childe': ['chield', 'childe'], 'chilean': ['chilean', 'echinal', 'nichael'], 'chili': ['chili', 'lichi'], 'chiliasm': ['chiliasm', 'hilasmic', 'machilis'], 'chilla': ['achill', 'cahill', 'chilla'], 'chiloma': ['chiloma', 'malicho'], 'chilopod': ['chilopod', 'pholcoid'], 'chilopoda': ['chilopoda', 'haplodoci'], 'chilostome': ['chilostome', 'schooltime'], 'chilver': ['chervil', 'chilver'], 'chimane': ['chimane', 'machine'], 'chime': ['chime', 'hemic', 'miche'], 'chimer': ['chimer', 'mechir', 'micher'], 'chimera': ['chimera', 'hermaic'], 'chimney': ['chimney', 'hymenic'], 'chimu': ['chimu', 'humic'], 'chin': ['chin', 'inch'], 'china': ['chain', 'chian', 'china'], 'chinaman': ['chainman', 'chinaman'], 'chinampa': ['champain', 'chinampa'], 'chinanta': ['acanthin', 'chinanta'], 'chinar': ['chinar', 'inarch'], 'chine': ['chien', 'chine', 'niche'], 'chined': ['chined', 'inched'], 'chink': ['chink', 'kinch'], 'chinkle': ['chinkle', 'kelchin'], 'chinks': ['chinks', 'skinch'], 'chinoa': ['chinoa', 'noahic'], 'chinotti': ['chinotti', 'tithonic'], 'chint': ['chint', 'nitch'], 'chiolite': ['chiolite', 'eolithic'], 'chionididae': ['chionididae', 'onchidiidae'], 'chiral': ['archil', 'chiral'], 'chirapsia': ['chirapsia', 'pharisaic'], 'chirata': ['cathari', 'chirata', 'cithara'], 'chiro': ['chiro', 'choir', 'ichor'], 'chiromancist': ['chiromancist', 'monarchistic'], 'chiromant': ['chiromant', 'chromatin'], 'chiromantic': ['chiromantic', 'chromatinic'], 'chiromantis': ['anchoritism', 'chiromantis', 'chrismation', 'harmonistic'], 'chirometer': ['chirometer', 'rheometric'], 'chiroplasty': ['chiroplasty', 'polyarchist'], 'chiropter': ['chiropter', 'peritroch'], 'chirosophist': ['chirosophist', 'opisthorchis'], 'chirotes': ['chirotes', 'theorics'], 'chirotype': ['chirotype', 'hypocrite'], 'chirp': ['chirp', 'prich'], 'chirper': ['chirper', 'prerich'], 'chiseler': ['chiseler', 'rechisel'], 'chit': ['chit', 'itch', 'tchi'], 'chita': ['aitch', 'chait', 'chati', 'chita', 'taich', 'tchai'], 'chital': ['chital', 'claith'], 'chitinoid': ['chitinoid', 'dithionic'], 'chitosan': ['atchison', 'chitosan'], 'chitose': ['chitose', 'echoist'], 'chloe': ['chloe', 'choel'], 'chloracetate': ['ceratothecal', 'chloracetate'], 'chloranthy': ['chloranthy', 'rhynchotal'], 'chlorate': ['chlorate', 'trochlea'], 'chlordan': ['chaldron', 'chlordan', 'chondral'], 'chlore': ['chlore', 'choler', 'orchel'], 'chloremia': ['chloremia', 'homerical'], 'chlorinate': ['chlorinate', 'ectorhinal', 'tornachile'], 'chlorite': ['chlorite', 'clothier'], 'chloritic': ['chloritic', 'trochilic'], 'chloroamine': ['chloroamine', 'melanochroi'], 'chloroanaemia': ['aeolharmonica', 'chloroanaemia'], 'chloroanemia': ['chloroanemia', 'choleromania'], 'chloroiodide': ['chloroiodide', 'iodochloride'], 'chloroplatinic': ['chloroplatinic', 'platinochloric'], 'cho': ['cho', 'och'], 'choana': ['aonach', 'choana'], 'choca': ['chaco', 'choca', 'coach'], 'choco': ['choco', 'hocco'], 'choel': ['chloe', 'choel'], 'choenix': ['choenix', 'hexonic'], 'choes': ['choes', 'chose'], 'choiak': ['choiak', 'kochia'], 'choice': ['choice', 'echoic'], 'choil': ['choil', 'choli', 'olchi'], 'choir': ['chiro', 'choir', 'ichor'], 'choirman': ['choirman', 'harmonic', 'omniarch'], 'choker': ['choker', 'hocker'], 'choky': ['choky', 'hocky'], 'chol': ['chol', 'loch'], 'chola': ['chola', 'loach', 'olcha'], 'cholane': ['chalone', 'cholane'], 'cholangioitis': ['angiocholitis', 'cholangioitis'], 'cholanic': ['cholanic', 'colchian'], 'cholate': ['cathole', 'cholate'], 'cholecystoduodenostomy': ['cholecystoduodenostomy', 'duodenocholecystostomy'], 'choler': ['chlore', 'choler', 'orchel'], 'cholera': ['cholera', 'choreal'], 'cholerine': ['cholerine', 'rhinocele'], 'choleromania': ['chloroanemia', 'choleromania'], 'cholesteremia': ['cholesteremia', 'heteroecismal'], 'choli': ['choil', 'choli', 'olchi'], 'choline': ['choline', 'helicon'], 'cholo': ['cholo', 'cohol'], 'chondral': ['chaldron', 'chlordan', 'chondral'], 'chondrite': ['chondrite', 'threnodic'], 'chondroadenoma': ['adenochondroma', 'chondroadenoma'], 'chondroangioma': ['angiochondroma', 'chondroangioma'], 'chondroarthritis': ['arthrochondritis', 'chondroarthritis'], 'chondrocostal': ['chondrocostal', 'costochondral'], 'chondrofibroma': ['chondrofibroma', 'fibrochondroma'], 'chondrolipoma': ['chondrolipoma', 'lipochondroma'], 'chondromyxoma': ['chondromyxoma', 'myxochondroma'], 'chondromyxosarcoma': ['chondromyxosarcoma', 'myxochondrosarcoma'], 'choop': ['choop', 'pooch'], 'chopa': ['chopa', 'phoca', 'poach'], 'chopin': ['chopin', 'phonic'], 'chopine': ['chopine', 'phocine'], 'chora': ['achor', 'chora', 'corah', 'orach', 'roach'], 'choral': ['choral', 'lorcha'], 'chorasmian': ['anachorism', 'chorasmian', 'maraschino'], 'chordal': ['chordal', 'dorlach'], 'chorditis': ['chorditis', 'orchidist'], 'chordotonal': ['chordotonal', 'notochordal'], 'chore': ['chore', 'ocher'], 'chorea': ['chorea', 'ochrea', 'rochea'], 'choreal': ['cholera', 'choreal'], 'choree': ['choree', 'cohere', 'echoer'], 'choreoid': ['choreoid', 'ochidore'], 'choreus': ['choreus', 'chouser', 'rhoecus'], 'choric': ['choric', 'orchic'], 'choriocele': ['choriocele', 'orchiocele'], 'chorioidoretinitis': ['chorioidoretinitis', 'retinochorioiditis'], 'chorism': ['chorism', 'chrisom'], 'chorist': ['chorist', 'ostrich'], 'choristate': ['choristate', 'rheostatic'], 'chorization': ['chorization', 'rhizoctonia', 'zonotrichia'], 'choroid': ['choroid', 'ochroid'], 'chort': ['chort', 'rotch', 'torch'], 'chorten': ['chorten', 'notcher'], 'chorti': ['chorti', 'orthic', 'thoric', 'trochi'], 'chose': ['choes', 'chose'], 'chosen': ['cheson', 'chosen', 'schone'], 'chou': ['chou', 'ouch'], 'chough': ['chough', 'hughoc'], 'choup': ['choup', 'pouch'], 'chous': ['chous', 'hocus'], 'chouser': ['choreus', 'chouser', 'rhoecus'], 'chowder': ['chowder', 'cowherd'], 'chria': ['chair', 'chria'], 'chrism': ['chrism', 'smirch'], 'chrisma': ['charism', 'chrisma'], 'chrismation': ['anchoritism', 'chiromantis', 'chrismation', 'harmonistic'], 'chrismatite': ['chemiatrist', 'chrismatite', 'theatricism'], 'chrisom': ['chorism', 'chrisom'], 'christ': ['christ', 'strich'], 'christen': ['christen', 'snitcher'], 'christener': ['christener', 'rechristen'], 'christian': ['christian', 'christina'], 'christiana': ['arachnitis', 'christiana'], 'christina': ['christian', 'christina'], 'christophe': ['christophe', 'hectorship'], 'chromatician': ['achromatinic', 'chromatician'], 'chromatid': ['chromatid', 'dichromat'], 'chromatin': ['chiromant', 'chromatin'], 'chromatinic': ['chiromantic', 'chromatinic'], 'chromatocyte': ['chromatocyte', 'thoracectomy'], 'chromatoid': ['chromatoid', 'tichodroma'], 'chromatone': ['chromatone', 'enomotarch'], 'chromid': ['chromid', 'richdom'], 'chromidae': ['archidome', 'chromidae'], 'chromite': ['chromite', 'trichome'], 'chromocyte': ['chromocyte', 'cytochrome'], 'chromolithography': ['chromolithography', 'lithochromography'], 'chromophotography': ['chromophotography', 'photochromography'], 'chromophotolithograph': ['chromophotolithograph', 'photochromolithograph'], 'chromopsia': ['chromopsia', 'isocamphor'], 'chromotype': ['chromotype', 'cormophyte', 'ectomorphy'], 'chromotypic': ['chromotypic', 'cormophytic', 'mycotrophic'], 'chronophotograph': ['chronophotograph', 'photochronograph'], 'chronophotographic': ['chronophotographic', 'photochronographic'], 'chronophotography': ['chronophotography', 'photochronography'], 'chrysography': ['chrysography', 'psychorrhagy'], 'chrysolite': ['chrysolite', 'chrysotile'], 'chrysopid': ['chrysopid', 'dysphoric'], 'chrysotile': ['chrysolite', 'chrysotile'], 'chucker': ['chucker', 'rechuck'], 'chueta': ['chaute', 'chueta'], 'chukar': ['charuk', 'chukar'], 'chulan': ['chulan', 'launch', 'nuchal'], 'chum': ['chum', 'much'], 'chumpish': ['chumpish', 'chumship'], 'chumship': ['chumpish', 'chumship'], 'chunari': ['chunari', 'unchair'], 'chunnia': ['chunnia', 'unchain'], 'chuprassie': ['chuprassie', 'haruspices'], 'churl': ['churl', 'lurch'], 'churn': ['churn', 'runch'], 'chut': ['chut', 'tchu', 'utch'], 'chwana': ['chawan', 'chwana', 'wachna'], 'chyak': ['chyak', 'hacky'], 'chylous': ['chylous', 'slouchy'], 'cibarial': ['biracial', 'cibarial'], 'cibarian': ['arabinic', 'cabirian', 'carabini', 'cibarian'], 'cibolan': ['cibolan', 'coalbin'], 'cicala': ['alcaic', 'cicala'], 'cicatrize': ['arcticize', 'cicatrize'], 'cicely': ['cecily', 'cicely'], 'cicer': ['cerci', 'ceric', 'cicer', 'circe'], 'cicerone': ['cicerone', 'croceine'], 'cicindela': ['cicindela', 'cinclidae', 'icelandic'], 'ciclatoun': ['ciclatoun', 'noctiluca'], 'ciconian': ['aniconic', 'ciconian'], 'ciconine': ['ciconine', 'conicine'], 'cidaridae': ['acrididae', 'cardiidae', 'cidaridae'], 'cidaris': ['cidaris', 'sciarid'], 'cider': ['cider', 'cried', 'deric', 'dicer'], 'cigala': ['caliga', 'cigala'], 'cigar': ['cigar', 'craig'], 'cilia': ['cilia', 'iliac'], 'ciliation': ['ciliation', 'coinitial'], 'cilice': ['cilice', 'icicle'], 'cimbia': ['cimbia', 'iambic'], 'cimicidae': ['amicicide', 'cimicidae'], 'cinchonine': ['cinchonine', 'conchinine'], 'cinclidae': ['cicindela', 'cinclidae', 'icelandic'], 'cinder': ['cedrin', 'cinder', 'crined'], 'cinderous': ['cinderous', 'decursion'], 'cindie': ['cindie', 'incide'], 'cine': ['cine', 'nice'], 'cinel': ['cinel', 'cline'], 'cinema': ['anemic', 'cinema', 'iceman'], 'cinematographer': ['cinematographer', 'megachiropteran'], 'cinene': ['cinene', 'nicene'], 'cineole': ['cineole', 'coeline'], 'cinerama': ['amacrine', 'american', 'camerina', 'cinerama'], 'cineration': ['cineration', 'inceration'], 'cinerea': ['cairene', 'cinerea'], 'cinereal': ['cerealin', 'cinereal', 'reliance'], 'cingulum': ['cingulum', 'glucinum'], 'cinnamate': ['antanemic', 'cinnamate'], 'cinnamol': ['cinnamol', 'nonclaim'], 'cinnamon': ['cinnamon', 'mannonic'], 'cinnamoned': ['cinnamoned', 'demicannon'], 'cinque': ['cinque', 'quince'], 'cinter': ['cinter', 'cretin', 'crinet'], 'cinura': ['anuric', 'cinura', 'uranic'], 'cion': ['cion', 'coin', 'icon'], 'cipher': ['cipher', 'rechip'], 'cipo': ['cipo', 'pico'], 'circe': ['cerci', 'ceric', 'cicer', 'circe'], 'circle': ['circle', 'cleric'], 'cirrate': ['cartier', 'cirrate', 'erratic'], 'cirrated': ['cirrated', 'craterid'], 'cirrhotic': ['cirrhotic', 'trichroic'], 'cirrose': ['cirrose', 'crosier'], 'cirsectomy': ['cirsectomy', 'citromyces'], 'cirsoid': ['cirsoid', 'soricid'], 'ciruela': ['auricle', 'ciruela'], 'cise': ['cise', 'sice'], 'cisplatine': ['cisplatine', 'plasticine'], 'cispontine': ['cispontine', 'inspection'], 'cissoidal': ['cissoidal', 'dissocial'], 'cistern': ['cistern', 'increst'], 'cisterna': ['canister', 'cestrian', 'cisterna', 'irascent'], 'cisternal': ['cisternal', 'larcenist'], 'cistvaen': ['cistvaen', 'vesicant'], 'cit': ['cit', 'tic'], 'citadel': ['citadel', 'deltaic', 'dialect', 'edictal', 'lactide'], 'citatory': ['atrocity', 'citatory'], 'cite': ['ceti', 'cite', 'tice'], 'citer': ['citer', 'recti', 'ticer', 'trice'], 'cithara': ['cathari', 'chirata', 'cithara'], 'citharist': ['citharist', 'trachitis'], 'citharoedic': ['citharoedic', 'diachoretic'], 'cither': ['cither', 'thrice'], 'citied': ['citied', 'dietic'], 'citizen': ['citizen', 'zincite'], 'citral': ['citral', 'rictal'], 'citramide': ['citramide', 'diametric', 'matricide'], 'citrange': ['argentic', 'citrange'], 'citrate': ['atretic', 'citrate'], 'citrated': ['citrated', 'tetracid', 'tetradic'], 'citrean': ['centiar', 'certain', 'citrean', 'nacrite', 'nectria'], 'citrene': ['citrene', 'enteric', 'enticer', 'tercine'], 'citreous': ['citreous', 'urticose'], 'citric': ['citric', 'critic'], 'citrin': ['citrin', 'nitric'], 'citrination': ['citrination', 'intrication'], 'citrine': ['citrine', 'crinite', 'inciter', 'neritic'], 'citromyces': ['cirsectomy', 'citromyces'], 'citron': ['citron', 'cortin', 'crotin'], 'citronade': ['citronade', 'endaortic', 'redaction'], 'citronella': ['citronella', 'interlocal'], 'citrus': ['citrus', 'curtis', 'rictus', 'rustic'], 'cive': ['cive', 'vice'], 'civet': ['civet', 'evict'], 'civetone': ['civetone', 'evection'], 'civitan': ['activin', 'civitan'], 'cixo': ['cixo', 'coix'], 'clabber': ['cabbler', 'clabber'], 'clacker': ['cackler', 'clacker', 'crackle'], 'cladine': ['cladine', 'decalin', 'iceland'], 'cladonia': ['cladonia', 'condalia', 'diaconal'], 'cladophyll': ['cladophyll', 'phylloclad'], 'claim': ['claim', 'clima', 'malic'], 'claimant': ['calamint', 'claimant'], 'claimer': ['claimer', 'miracle', 'reclaim'], 'clairce': ['clairce', 'clarice'], 'claire': ['carlie', 'claire', 'eclair', 'erical'], 'claith': ['chital', 'claith'], 'claiver': ['caliver', 'caviler', 'claiver', 'clavier', 'valeric', 'velaric'], 'clam': ['calm', 'clam'], 'clamant': ['calmant', 'clamant'], 'clamative': ['calmative', 'clamative'], 'clamatores': ['clamatores', 'scleromata'], 'clamber': ['cambrel', 'clamber', 'cramble'], 'clame': ['camel', 'clame', 'cleam', 'macle'], 'clamer': ['calmer', 'carmel', 'clamer', 'marcel', 'mercal'], 'clamor': ['clamor', 'colmar'], 'clamorist': ['clamorist', 'crotalism'], 'clangingly': ['clangingly', 'glancingly'], 'clap': ['calp', 'clap'], 'clapper': ['clapper', 'crapple'], 'claquer': ['claquer', 'lacquer'], 'clarain': ['carinal', 'carlina', 'clarain', 'cranial'], 'clare': ['ceral', 'clare', 'clear', 'lacer'], 'clarence': ['canceler', 'clarence', 'recancel'], 'claret': ['carlet', 'cartel', 'claret', 'rectal', 'talcer'], 'claretian': ['carnalite', 'claretian', 'lacertian', 'nectarial'], 'clarice': ['clairce', 'clarice'], 'clarin': ['carlin', 'clarin', 'crinal'], 'clarinda': ['cardinal', 'clarinda'], 'clarion': ['carolin', 'clarion', 'colarin', 'locrian'], 'clarionet': ['alectrion', 'clarionet', 'crotaline', 'locarnite'], 'clarist': ['carlist', 'clarist'], 'claro': ['alcor', 'calor', 'carlo', 'carol', 'claro', 'coral'], 'clary': ['acryl', 'caryl', 'clary'], 'clasher': ['charles', 'clasher'], 'clasp': ['clasp', 'scalp'], 'clasper': ['clasper', 'reclasp', 'scalper'], 'clasping': ['clasping', 'scalping'], 'classed': ['classed', 'declass'], 'classer': ['carless', 'classer', 'reclass'], 'classism': ['classism', 'misclass'], 'classwork': ['classwork', 'crosswalk'], 'clat': ['clat', 'talc'], 'clathrina': ['alchitran', 'clathrina'], 'clathrose': ['clathrose', 'searcloth'], 'clatterer': ['clatterer', 'craterlet'], 'claude': ['caudle', 'cedula', 'claude'], 'claudian': ['claudian', 'dulciana'], 'claudicate': ['aciculated', 'claudicate'], 'clause': ['caelus', 'caules', 'clause'], 'claustral': ['claustral', 'lacustral'], 'clava': ['caval', 'clava'], 'clavacin': ['clavacin', 'vaccinal'], 'clavaria': ['calvaria', 'clavaria'], 'clave': ['calve', 'cavel', 'clave'], 'claver': ['calver', 'carvel', 'claver'], 'claviculate': ['calculative', 'claviculate'], 'clavier': ['caliver', 'caviler', 'claiver', 'clavier', 'valeric', 'velaric'], 'clavis': ['clavis', 'slavic'], 'clay': ['acyl', 'clay', 'lacy'], 'clayer': ['clayer', 'lacery'], 'claytonia': ['acylation', 'claytonia'], 'clead': ['clead', 'decal', 'laced'], 'cleam': ['camel', 'clame', 'cleam', 'macle'], 'cleamer': ['carmele', 'cleamer'], 'clean': ['canel', 'clean', 'lance', 'lenca'], 'cleaner': ['cleaner', 'reclean'], 'cleanly': ['cleanly', 'lancely'], 'cleanout': ['cleanout', 'outlance'], 'cleanse': ['cleanse', 'scalene'], 'cleanup': ['cleanup', 'unplace'], 'clear': ['ceral', 'clare', 'clear', 'lacer'], 'clearable': ['clearable', 'lacerable'], 'clearer': ['clearer', 'reclear'], 'cleat': ['cleat', 'eclat', 'ectal', 'lacet', 'tecla'], 'clefted': ['clefted', 'deflect'], 'cleistocarp': ['ceroplastic', 'cleistocarp', 'coreplastic'], 'cleistogeny': ['cleistogeny', 'lysogenetic'], 'cleoid': ['cleoid', 'coiled', 'docile'], 'cleopatra': ['acropetal', 'cleopatra'], 'cleric': ['circle', 'cleric'], 'clericature': ['clericature', 'recirculate'], 'clerkess': ['clerkess', 'reckless'], 'clerking': ['clerking', 'reckling'], 'clerus': ['clerus', 'cruels'], 'clethra': ['clethra', 'latcher', 'ratchel', 'relatch', 'talcher', 'trachle'], 'cleveite': ['cleveite', 'elective'], 'cliche': ['chicle', 'cliche'], 'clicker': ['clicker', 'crickle'], 'clidastes': ['clidastes', 'discastle'], 'clientage': ['clientage', 'genetical'], 'cliented': ['cliented', 'denticle'], 'cliftonia': ['cliftonia', 'fictional'], 'clima': ['claim', 'clima', 'malic'], 'climber': ['climber', 'reclimb'], 'clime': ['clime', 'melic'], 'cline': ['cinel', 'cline'], 'clinger': ['clinger', 'cringle'], 'clinia': ['anilic', 'clinia'], 'clinicopathological': ['clinicopathological', 'pathologicoclinical'], 'clinium': ['clinium', 'ulminic'], 'clinker': ['clinker', 'crinkle'], 'clinoclase': ['clinoclase', 'oscillance'], 'clinoclasite': ['callisection', 'clinoclasite'], 'clinodome': ['clinodome', 'melodicon', 'monocleid'], 'clinology': ['clinology', 'coolingly'], 'clinometer': ['clinometer', 'recoilment'], 'clinospore': ['clinospore', 'necropolis'], 'clio': ['clio', 'coil', 'coli', 'loci'], 'cliona': ['alnico', 'cliona', 'oilcan'], 'clione': ['clione', 'coelin', 'encoil', 'enolic'], 'clipeus': ['clipeus', 'spicule'], 'clipper': ['clipper', 'cripple'], 'clipse': ['clipse', 'splice'], 'clipsome': ['clipsome', 'polemics'], 'clite': ['clite', 'telic'], 'clites': ['celtis', 'clites'], 'clitia': ['clitia', 'italic'], 'clition': ['clition', 'nilotic'], 'clitoria': ['clitoria', 'loricati'], 'clitoridean': ['clitoridean', 'directional'], 'clitoris': ['clitoris', 'coistril'], 'clive': ['clive', 'velic'], 'cloacinal': ['cloacinal', 'cocillana'], 'cloam': ['cloam', 'comal'], 'cloamen': ['aclemon', 'cloamen'], 'clobber': ['clobber', 'cobbler'], 'clochan': ['chalcon', 'clochan', 'conchal'], 'clocked': ['clocked', 'cockled'], 'clocker': ['clocker', 'cockler'], 'clod': ['clod', 'cold'], 'clodder': ['clodder', 'coddler'], 'cloggy': ['cloggy', 'coggly'], 'cloister': ['cloister', 'coistrel'], 'cloisteral': ['cloisteral', 'sclerotial'], 'cloit': ['cloit', 'lotic'], 'clonicotonic': ['clonicotonic', 'tonicoclonic'], 'clonus': ['clonus', 'consul'], 'clop': ['clop', 'colp'], 'close': ['close', 'socle'], 'closer': ['closer', 'cresol', 'escrol'], 'closter': ['closter', 'costrel'], 'closterium': ['closterium', 'sclerotium'], 'clot': ['clot', 'colt'], 'clothier': ['chlorite', 'clothier'], 'clotho': ['clotho', 'coolth'], 'clotter': ['clotter', 'crottle'], 'cloture': ['cloture', 'clouter'], 'cloud': ['cloud', 'could'], 'clouter': ['cloture', 'clouter'], 'clovene': ['cevenol', 'clovene'], 'clow': ['clow', 'cowl'], 'cloy': ['cloy', 'coly'], 'clue': ['clue', 'luce'], 'clumse': ['clumse', 'muscle'], 'clumsily': ['clumsily', 'scyllium'], 'clumsy': ['clumsy', 'muscly'], 'clunist': ['clunist', 'linctus'], 'clupea': ['alecup', 'clupea'], 'clupeine': ['clupeine', 'pulicene'], 'clusia': ['caulis', 'clusia', 'sicula'], 'clutch': ['clutch', 'cultch'], 'clutter': ['clutter', 'cuttler'], 'clyde': ['clyde', 'decyl'], 'clyer': ['ceryl', 'clyer'], 'clymenia': ['clymenia', 'mycelian'], 'clypeolate': ['clypeolate', 'ptyalocele'], 'clysis': ['clysis', 'lyssic'], 'clysmic': ['clysmic', 'cyclism'], 'cnemial': ['cnemial', 'melanic'], 'cnemis': ['cnemis', 'mnesic'], 'cneorum': ['cneorum', 'corneum'], 'cnicus': ['cnicus', 'succin'], 'cnida': ['canid', 'cnida', 'danic'], 'cnidaria': ['acridian', 'cnidaria'], 'cnidian': ['cnidian', 'indican'], 'cnidophore': ['cnidophore', 'princehood'], 'coach': ['chaco', 'choca', 'coach'], 'coacher': ['caroche', 'coacher', 'recoach'], 'coachlet': ['catechol', 'coachlet'], 'coactor': ['coactor', 'tarocco'], 'coadamite': ['acetamido', 'coadamite'], 'coadnate': ['anecdota', 'coadnate'], 'coadunite': ['coadunite', 'education', 'noctuidae'], 'coagent': ['coagent', 'cognate'], 'coagulate': ['catalogue', 'coagulate'], 'coaita': ['atocia', 'coaita'], 'coal': ['alco', 'coal', 'cola', 'loca'], 'coalbin': ['cibolan', 'coalbin'], 'coaler': ['carole', 'coaler', 'coelar', 'oracle', 'recoal'], 'coalite': ['aloetic', 'coalite'], 'coalition': ['coalition', 'lociation'], 'coalitionist': ['coalitionist', 'solicitation'], 'coalizer': ['calorize', 'coalizer'], 'coalpit': ['capitol', 'coalpit', 'optical', 'topical'], 'coaltitude': ['coaltitude', 'colatitude'], 'coaming': ['coaming', 'macigno'], 'coan': ['coan', 'onca'], 'coapt': ['capot', 'coapt'], 'coarb': ['carbo', 'carob', 'coarb', 'cobra'], 'coarrange': ['arrogance', 'coarrange'], 'coarse': ['acrose', 'coarse'], 'coarsen': ['carnose', 'coarsen', 'narcose'], 'coassert': ['castores', 'coassert'], 'coast': ['ascot', 'coast', 'costa', 'tacso', 'tasco'], 'coastal': ['coastal', 'salacot'], 'coaster': ['coaster', 'recoast'], 'coasting': ['agnostic', 'coasting'], 'coated': ['coated', 'decoat'], 'coater': ['coater', 'recoat'], 'coating': ['coating', 'cotinga'], 'coatroom': ['coatroom', 'morocota'], 'coax': ['coax', 'coxa'], 'cobbler': ['clobber', 'cobbler'], 'cobia': ['baioc', 'cabio', 'cobia'], 'cobiron': ['boronic', 'cobiron'], 'cobitis': ['biotics', 'cobitis'], 'cobra': ['carbo', 'carob', 'coarb', 'cobra'], 'cocaine': ['cocaine', 'oceanic'], 'cocainist': ['cocainist', 'siccation'], 'cocama': ['cocama', 'macaco'], 'cocamine': ['cocamine', 'comacine'], 'cochleare': ['archocele', 'cochleare'], 'cochleitis': ['cochleitis', 'ochlesitic'], 'cocillana': ['cloacinal', 'cocillana'], 'cocker': ['cocker', 'recock'], 'cockily': ['cockily', 'colicky'], 'cockled': ['clocked', 'cockled'], 'cockler': ['clocker', 'cockler'], 'cockup': ['cockup', 'upcock'], 'cocreditor': ['cocreditor', 'codirector'], 'cocurrent': ['cocurrent', 'occurrent', 'uncorrect'], 'cod': ['cod', 'doc'], 'codamine': ['codamine', 'comedian', 'daemonic', 'demoniac'], 'codder': ['codder', 'corded'], 'coddler': ['clodder', 'coddler'], 'code': ['code', 'coed'], 'codebtor': ['bedoctor', 'codebtor'], 'coder': ['coder', 'cored', 'credo'], 'coderive': ['coderive', 'divorcee'], 'codicil': ['codicil', 'dicolic'], 'codille': ['celloid', 'codille', 'collide', 'collied'], 'codirector': ['cocreditor', 'codirector'], 'codium': ['codium', 'mucoid'], 'coed': ['code', 'coed'], 'coeditorship': ['cheiropodist', 'coeditorship'], 'coelar': ['carole', 'coaler', 'coelar', 'oracle', 'recoal'], 'coelata': ['alcoate', 'coelata'], 'coelection': ['coelection', 'entocoelic'], 'coelia': ['aeolic', 'coelia'], 'coelin': ['clione', 'coelin', 'encoil', 'enolic'], 'coeline': ['cineole', 'coeline'], 'coelogyne': ['coelogyne', 'gonyocele'], 'coenactor': ['coenactor', 'croconate'], 'coenobiar': ['borocaine', 'coenobiar'], 'coenurus': ['cernuous', 'coenurus'], 'coestate': ['coestate', 'ecostate'], 'coeternal': ['antrocele', 'coeternal', 'tolerance'], 'coeval': ['alcove', 'coeval', 'volcae'], 'cofaster': ['cofaster', 'forecast'], 'coferment': ['coferment', 'forcement'], 'cogeneric': ['cogeneric', 'concierge'], 'coggly': ['cloggy', 'coggly'], 'cognate': ['coagent', 'cognate'], 'cognatical': ['cognatical', 'galactonic'], 'cognation': ['cognation', 'contagion'], 'cognition': ['cognition', 'incognito'], 'cognominal': ['cognominal', 'gnomonical'], 'cogon': ['cogon', 'congo'], 'cograil': ['argolic', 'cograil'], 'coheir': ['coheir', 'heroic'], 'cohen': ['cohen', 'enoch'], 'cohere': ['choree', 'cohere', 'echoer'], 'cohol': ['cholo', 'cohol'], 'cohune': ['cohune', 'hounce'], 'coif': ['coif', 'fico', 'foci'], 'coign': ['coign', 'incog'], 'coil': ['clio', 'coil', 'coli', 'loci'], 'coiled': ['cleoid', 'coiled', 'docile'], 'coiler': ['coiler', 'recoil'], 'coin': ['cion', 'coin', 'icon'], 'coinclude': ['coinclude', 'undecolic'], 'coiner': ['cerion', 'coiner', 'neroic', 'orcein', 'recoin'], 'coinfer': ['coinfer', 'conifer'], 'coinherence': ['coinherence', 'incoherence'], 'coinherent': ['coinherent', 'incoherent'], 'coinitial': ['ciliation', 'coinitial'], 'coinmate': ['coinmate', 'maconite'], 'coinspire': ['coinspire', 'precision'], 'coinsure': ['coinsure', 'corineus', 'cusinero'], 'cointer': ['cerotin', 'cointer', 'cotrine', 'cretion', 'noticer', 'rection'], 'cointreau': ['cautioner', 'cointreau'], 'coistrel': ['cloister', 'coistrel'], 'coistril': ['clitoris', 'coistril'], 'coix': ['cixo', 'coix'], 'coker': ['coker', 'corke', 'korec'], 'coky': ['coky', 'yock'], 'cola': ['alco', 'coal', 'cola', 'loca'], 'colalgia': ['alogical', 'colalgia'], 'colan': ['colan', 'conal'], 'colane': ['canelo', 'colane'], 'colarin': ['carolin', 'clarion', 'colarin', 'locrian'], 'colate': ['acetol', 'colate', 'locate'], 'colation': ['colation', 'coontail', 'location'], 'colatitude': ['coaltitude', 'colatitude'], 'colchian': ['cholanic', 'colchian'], 'colcine': ['colcine', 'concile', 'conicle'], 'colcothar': ['colcothar', 'ochlocrat'], 'cold': ['clod', 'cold'], 'colder': ['cedrol', 'colder', 'cordel'], 'colectomy': ['colectomy', 'cyclotome'], 'colemanite': ['colemanite', 'melaconite'], 'coleur': ['coleur', 'colure'], 'coleus': ['coleus', 'oscule'], 'coli': ['clio', 'coil', 'coli', 'loci'], 'colias': ['colias', 'scolia', 'social'], 'colicky': ['cockily', 'colicky'], 'colima': ['colima', 'olamic'], 'colin': ['colin', 'nicol'], 'colinear': ['acrolein', 'arecolin', 'caroline', 'colinear', 'cornelia', 'creolian', 'lonicera'], 'colitis': ['colitis', 'solicit'], 'colk': ['colk', 'lock'], 'colla': ['callo', 'colla', 'local'], 'collage': ['alcogel', 'collage'], 'collare': ['collare', 'corella', 'ocellar'], 'collaret': ['collaret', 'corallet'], 'collarino': ['collarino', 'coronilla'], 'collatee': ['collatee', 'ocellate'], 'collationer': ['collationer', 'recollation'], 'collectioner': ['collectioner', 'recollection'], 'collegial': ['collegial', 'gallicole'], 'collegian': ['allogenic', 'collegian'], 'colleri': ['cerillo', 'colleri', 'collier'], 'colleter': ['colleter', 'coteller', 'coterell', 'recollet'], 'colletia': ['colletia', 'teocalli'], 'collide': ['celloid', 'codille', 'collide', 'collied'], 'collidine': ['celloidin', 'collidine', 'decillion'], 'collie': ['collie', 'ocelli'], 'collied': ['celloid', 'codille', 'collide', 'collied'], 'collier': ['cerillo', 'colleri', 'collier'], 'colligate': ['colligate', 'cotillage'], 'colline': ['colline', 'lioncel'], 'collinear': ['collinear', 'coralline'], 'collinsia': ['collinsia', 'isoclinal'], 'collotypy': ['collotypy', 'polycotyl'], 'collusive': ['collusive', 'colluvies'], 'colluvies': ['collusive', 'colluvies'], 'collyba': ['callboy', 'collyba'], 'colmar': ['clamor', 'colmar'], 'colobus': ['colobus', 'subcool'], 'coloenteritis': ['coloenteritis', 'enterocolitis'], 'colombian': ['colombian', 'colombina'], 'colombina': ['colombian', 'colombina'], 'colonalgia': ['colonalgia', 'naological'], 'colonate': ['colonate', 'ecotonal'], 'colonialist': ['colonialist', 'oscillation'], 'coloproctitis': ['coloproctitis', 'proctocolitis'], 'color': ['color', 'corol', 'crool'], 'colored': ['colored', 'croodle', 'decolor'], 'colorer': ['colorer', 'recolor'], 'colorin': ['colorin', 'orcinol'], 'colorman': ['colorman', 'conormal'], 'colp': ['clop', 'colp'], 'colpeurynter': ['colpeurynter', 'counterreply'], 'colpitis': ['colpitis', 'politics', 'psilotic'], 'colporrhagia': ['colporrhagia', 'orographical'], 'colt': ['clot', 'colt'], 'colter': ['colter', 'lector', 'torcel'], 'coltskin': ['coltskin', 'linstock'], 'colubrina': ['binocular', 'caliburno', 'colubrina'], 'columbo': ['columbo', 'coulomb'], 'columbotitanate': ['columbotitanate', 'titanocolumbate'], 'columnated': ['columnated', 'documental'], 'columned': ['columned', 'uncledom'], 'colunar': ['colunar', 'cornual', 'courlan'], 'colure': ['coleur', 'colure'], 'colutea': ['caulote', 'colutea', 'oculate'], 'coly': ['cloy', 'coly'], 'coma': ['coma', 'maco'], 'comacine': ['cocamine', 'comacine'], 'comal': ['cloam', 'comal'], 'coman': ['coman', 'macon', 'manoc'], 'comart': ['carmot', 'comart'], 'comate': ['comate', 'metoac', 'tecoma'], 'combat': ['combat', 'tombac'], 'comber': ['comber', 'recomb'], 'combinedly': ['combinedly', 'molybdenic'], 'comedial': ['cameloid', 'comedial', 'melodica'], 'comedian': ['codamine', 'comedian', 'daemonic', 'demoniac'], 'comediant': ['comediant', 'metaconid'], 'comedist': ['comedist', 'demotics', 'docetism', 'domestic'], 'comedown': ['comedown', 'downcome'], 'comeliness': ['comeliness', 'incomeless'], 'comeling': ['comeling', 'comingle'], 'comenic': ['comenic', 'encomic', 'meconic'], 'comer': ['comer', 'crome'], 'comforter': ['comforter', 'recomfort'], 'comid': ['comid', 'domic'], 'coming': ['coming', 'gnomic'], 'comingle': ['comeling', 'comingle'], 'comintern': ['comintern', 'nonmetric'], 'comitia': ['caimito', 'comitia'], 'comitragedy': ['comitragedy', 'tragicomedy'], 'comity': ['comity', 'myotic'], 'commander': ['commander', 'recommand'], 'commation': ['commation', 'monatomic'], 'commelina': ['commelina', 'melomanic'], 'commender': ['commender', 'recommend'], 'commentarial': ['commentarial', 'manometrical'], 'commination': ['commination', 'monamniotic'], 'commissioner': ['commissioner', 'recommission'], 'commonality': ['ammonolytic', 'commonality'], 'commorient': ['commorient', 'metronomic', 'monometric'], 'compact': ['accompt', 'compact'], 'compacter': ['compacter', 'recompact'], 'company': ['company', 'copyman'], 'compare': ['compare', 'compear'], 'comparition': ['comparition', 'proamniotic'], 'compasser': ['compasser', 'recompass'], 'compear': ['compare', 'compear'], 'compenetrate': ['compenetrate', 'contemperate'], 'competitioner': ['competitioner', 'recompetition'], 'compile': ['compile', 'polemic'], 'compiler': ['compiler', 'complier'], 'complainer': ['complainer', 'procnemial', 'recomplain'], 'complaint': ['complaint', 'compliant'], 'complanate': ['complanate', 'placentoma'], 'compliant': ['complaint', 'compliant'], 'complier': ['compiler', 'complier'], 'compounder': ['compounder', 'recompound'], 'comprehender': ['comprehender', 'recomprehend'], 'compressed': ['compressed', 'decompress'], 'comprise': ['comprise', 'perosmic'], 'compromission': ['compromission', 'procommission'], 'conal': ['colan', 'conal'], 'conamed': ['conamed', 'macedon'], 'conant': ['cannot', 'canton', 'conant', 'nonact'], 'conarial': ['carolina', 'conarial'], 'conarium': ['conarium', 'coumarin'], 'conative': ['conative', 'invocate'], 'concealer': ['concealer', 'reconceal'], 'concent': ['concent', 'connect'], 'concenter': ['concenter', 'reconnect'], 'concentive': ['concentive', 'connective'], 'concertize': ['concertize', 'concretize'], 'concessioner': ['concessioner', 'reconcession'], 'concha': ['chanco', 'concha'], 'conchal': ['chalcon', 'clochan', 'conchal'], 'conchinine': ['cinchonine', 'conchinine'], 'concierge': ['cogeneric', 'concierge'], 'concile': ['colcine', 'concile', 'conicle'], 'concocter': ['concocter', 'reconcoct'], 'concreter': ['concreter', 'reconcert'], 'concretize': ['concertize', 'concretize'], 'concretor': ['concretor', 'conrector'], 'condalia': ['cladonia', 'condalia', 'diaconal'], 'condemner': ['condemner', 'recondemn'], 'condite': ['condite', 'ctenoid'], 'conditioner': ['conditioner', 'recondition'], 'condor': ['condor', 'cordon'], 'conduit': ['conduit', 'duction', 'noctuid'], 'condylomatous': ['condylomatous', 'monodactylous'], 'cone': ['cone', 'once'], 'conepate': ['conepate', 'tepecano'], 'coner': ['coner', 'crone', 'recon'], 'cones': ['cones', 'scone'], 'confesser': ['confesser', 'reconfess'], 'configurationism': ['configurationism', 'misconfiguration'], 'confirmer': ['confirmer', 'reconfirm'], 'confirmor': ['confirmor', 'corniform'], 'conflate': ['conflate', 'falconet'], 'conformer': ['conformer', 'reconform'], 'confounder': ['confounder', 'reconfound'], 'confrere': ['confrere', 'enforcer', 'reconfer'], 'confronter': ['confronter', 'reconfront'], 'congealer': ['congealer', 'recongeal'], 'congeneric': ['congeneric', 'necrogenic'], 'congenerous': ['congenerous', 'necrogenous'], 'congenial': ['congenial', 'goclenian'], 'congo': ['cogon', 'congo'], 'congreet': ['congreet', 'coregent'], 'congreve': ['congreve', 'converge'], 'conical': ['conical', 'laconic'], 'conicine': ['ciconine', 'conicine'], 'conicle': ['colcine', 'concile', 'conicle'], 'conicoid': ['conicoid', 'conoidic'], 'conidium': ['conidium', 'mucinoid', 'oncidium'], 'conifer': ['coinfer', 'conifer'], 'conima': ['camion', 'conima', 'manioc', 'monica'], 'conin': ['conin', 'nonic', 'oncin'], 'conine': ['conine', 'connie', 'ennoic'], 'conjoiner': ['conjoiner', 'reconjoin'], 'conk': ['conk', 'nock'], 'conker': ['conker', 'reckon'], 'conkers': ['conkers', 'snocker'], 'connarite': ['connarite', 'container', 'cotarnine', 'crenation', 'narcotine'], 'connatal': ['cantonal', 'connatal'], 'connation': ['connation', 'nonaction'], 'connature': ['antecornu', 'connature'], 'connect': ['concent', 'connect'], 'connectival': ['connectival', 'conventical'], 'connective': ['concentive', 'connective'], 'connie': ['conine', 'connie', 'ennoic'], 'connoissance': ['connoissance', 'nonaccession'], 'conoidal': ['conoidal', 'dolciano'], 'conoidic': ['conicoid', 'conoidic'], 'conor': ['conor', 'croon', 'ronco'], 'conormal': ['colorman', 'conormal'], 'conoy': ['conoy', 'coony'], 'conrad': ['candor', 'cardon', 'conrad'], 'conrector': ['concretor', 'conrector'], 'conred': ['cedron', 'conred'], 'conringia': ['conringia', 'inorganic'], 'consenter': ['consenter', 'nonsecret', 'reconsent'], 'conservable': ['conservable', 'conversable'], 'conservancy': ['conservancy', 'conversancy'], 'conservant': ['conservant', 'conversant'], 'conservation': ['conservation', 'conversation'], 'conservational': ['conservational', 'conversational'], 'conservationist': ['conservationist', 'conversationist'], 'conservative': ['conservative', 'conversative'], 'conserve': ['conserve', 'converse'], 'conserver': ['conserver', 'converser'], 'considerate': ['considerate', 'desecration'], 'considerative': ['considerative', 'devisceration'], 'considered': ['considered', 'deconsider'], 'considerer': ['considerer', 'reconsider'], 'consigner': ['consigner', 'reconsign'], 'conspiracy': ['conspiracy', 'snipocracy'], 'conspire': ['conspire', 'incorpse'], 'constate': ['catstone', 'constate'], 'constitutionalism': ['constitutionalism', 'misconstitutional'], 'constitutioner': ['constitutioner', 'reconstitution'], 'constrain': ['constrain', 'transonic'], 'constructer': ['constructer', 'reconstruct'], 'constructionism': ['constructionism', 'misconstruction'], 'consul': ['clonus', 'consul'], 'consulage': ['consulage', 'glucosane'], 'consulary': ['consulary', 'cynosural'], 'consulter': ['consulter', 'reconsult'], 'consume': ['consume', 'muscone'], 'consumer': ['consumer', 'mucrones'], 'consute': ['consute', 'contuse'], 'contagion': ['cognation', 'contagion'], 'contain': ['actinon', 'cantion', 'contain'], 'container': ['connarite', 'container', 'cotarnine', 'crenation', 'narcotine'], 'conte': ['cento', 'conte', 'tecon'], 'contemperate': ['compenetrate', 'contemperate'], 'contender': ['contender', 'recontend'], 'conter': ['conter', 'cornet', 'cronet', 'roncet'], 'conterminal': ['centinormal', 'conterminal', 'nonmetrical'], 'contester': ['contester', 'recontest'], 'continual': ['continual', 'inoculant', 'unctional'], 'continued': ['continued', 'unnoticed'], 'continuer': ['centurion', 'continuer', 'cornutine'], 'contise': ['contise', 'noetics', 'section'], 'contline': ['contline', 'nonlicet'], 'contortae': ['contortae', 'crotonate'], 'contour': ['contour', 'cornuto', 'countor', 'crouton'], 'contra': ['cantor', 'carton', 'contra'], 'contracter': ['contracter', 'correctant', 'recontract'], 'contrapose': ['antroscope', 'contrapose'], 'contravene': ['contravene', 'covenanter'], 'contrite': ['contrite', 'tetronic'], 'contrive': ['contrive', 'invector'], 'conturbation': ['conturbation', 'obtruncation'], 'contuse': ['consute', 'contuse'], 'conure': ['conure', 'rounce', 'uncore'], 'conventical': ['connectival', 'conventical'], 'conventioner': ['conventioner', 'reconvention'], 'converge': ['congreve', 'converge'], 'conversable': ['conservable', 'conversable'], 'conversancy': ['conservancy', 'conversancy'], 'conversant': ['conservant', 'conversant'], 'conversation': ['conservation', 'conversation'], 'conversational': ['conservational', 'conversational'], 'conversationist': ['conservationist', 'conversationist'], 'conversative': ['conservative', 'conversative'], 'converse': ['conserve', 'converse'], 'converser': ['conserver', 'converser'], 'converter': ['converter', 'reconvert'], 'convertise': ['convertise', 'ventricose'], 'conveyer': ['conveyer', 'reconvey'], 'conycatcher': ['conycatcher', 'technocracy'], 'conyrine': ['conyrine', 'corynine'], 'cooker': ['cooker', 'recook'], 'cool': ['cool', 'loco'], 'coolant': ['coolant', 'octonal'], 'cooler': ['cooler', 'recool'], 'coolingly': ['clinology', 'coolingly'], 'coolth': ['clotho', 'coolth'], 'coolweed': ['coolweed', 'locoweed'], 'cooly': ['cooly', 'coyol'], 'coonroot': ['coonroot', 'octoroon'], 'coontail': ['colation', 'coontail', 'location'], 'coony': ['conoy', 'coony'], 'coop': ['coop', 'poco'], 'coos': ['coos', 'soco'], 'coost': ['coost', 'scoot'], 'coot': ['coot', 'coto', 'toco'], 'copa': ['copa', 'paco'], 'copable': ['copable', 'placebo'], 'copalite': ['copalite', 'poetical'], 'coparent': ['coparent', 'portance'], 'copart': ['captor', 'copart'], 'copartner': ['copartner', 'procreant'], 'copatain': ['copatain', 'pacation'], 'copehan': ['copehan', 'panoche', 'phocean'], 'copen': ['copen', 'ponce'], 'coperta': ['coperta', 'pectora', 'porcate'], 'copied': ['copied', 'epodic'], 'copis': ['copis', 'pisco'], 'copist': ['copist', 'coptis', 'optics', 'postic'], 'copita': ['atopic', 'capito', 'copita'], 'coplanar': ['coplanar', 'procanal'], 'copleased': ['copleased', 'escaloped'], 'copperer': ['copperer', 'recopper'], 'coppery': ['coppery', 'precopy'], 'copr': ['copr', 'corp', 'crop'], 'coprinae': ['caponier', 'coprinae', 'procaine'], 'coprinus': ['coprinus', 'poncirus'], 'coprolagnia': ['carpogonial', 'coprolagnia'], 'coprophagist': ['coprophagist', 'topographics'], 'coprose': ['coprose', 'scooper'], 'copse': ['copse', 'pecos', 'scope'], 'copter': ['ceptor', 'copter'], 'coptis': ['copist', 'coptis', 'optics', 'postic'], 'copula': ['copula', 'cupola'], 'copular': ['copular', 'croupal', 'cupolar', 'porcula'], 'copulate': ['copulate', 'outplace'], 'copulation': ['copulation', 'poculation'], 'copus': ['copus', 'scoup'], 'copyman': ['company', 'copyman'], 'copyrighter': ['copyrighter', 'recopyright'], 'coque': ['coque', 'ocque'], 'coquitlam': ['coquitlam', 'quamoclit'], 'cor': ['cor', 'cro', 'orc', 'roc'], 'cora': ['acor', 'caro', 'cora', 'orca'], 'coraciae': ['coraciae', 'icacorea'], 'coracial': ['caracoli', 'coracial'], 'coracias': ['coracias', 'rascacio'], 'coradicate': ['coradicate', 'ectocardia'], 'corah': ['achor', 'chora', 'corah', 'orach', 'roach'], 'coraise': ['coraise', 'scoriae'], 'coral': ['alcor', 'calor', 'carlo', 'carol', 'claro', 'coral'], 'coraled': ['acerdol', 'coraled'], 'coralist': ['calorist', 'coralist'], 'corallet': ['collaret', 'corallet'], 'corallian': ['corallian', 'corallina'], 'corallina': ['corallian', 'corallina'], 'coralline': ['collinear', 'coralline'], 'corallite': ['corallite', 'lectorial'], 'coram': ['carom', 'coram', 'macro', 'marco'], 'coranto': ['cartoon', 'coranto'], 'corban': ['bracon', 'carbon', 'corban'], 'corbeil': ['bricole', 'corbeil', 'orbicle'], 'cordaitean': ['arctoidean', 'carotidean', 'cordaitean', 'dinocerata'], 'cordate': ['cordate', 'decator', 'redcoat'], 'corded': ['codder', 'corded'], 'cordel': ['cedrol', 'colder', 'cordel'], 'corder': ['corder', 'record'], 'cordia': ['caroid', 'cordia'], 'cordial': ['cordial', 'dorical'], 'cordicole': ['cordicole', 'crocodile'], 'cordierite': ['cordierite', 'directoire'], 'cordoba': ['bocardo', 'cordoba'], 'cordon': ['condor', 'cordon'], 'core': ['cero', 'core'], 'cored': ['coder', 'cored', 'credo'], 'coregent': ['congreet', 'coregent'], 'coreless': ['coreless', 'sclerose'], 'corella': ['collare', 'corella', 'ocellar'], 'corema': ['ceroma', 'corema'], 'coreplastic': ['ceroplastic', 'cleistocarp', 'coreplastic'], 'coreplasty': ['ceroplasty', 'coreplasty'], 'corer': ['corer', 'crore'], 'coresidual': ['coresidual', 'radiculose'], 'coresign': ['coresign', 'cosigner'], 'corge': ['corge', 'gorce'], 'corgi': ['corgi', 'goric', 'orgic'], 'corial': ['caroli', 'corial', 'lorica'], 'coriamyrtin': ['coriamyrtin', 'criminatory'], 'corin': ['corin', 'noric', 'orcin'], 'corindon': ['corindon', 'nodicorn'], 'corineus': ['coinsure', 'corineus', 'cusinero'], 'corinna': ['corinna', 'cronian'], 'corinne': ['corinne', 'cornein', 'neronic'], 'cork': ['cork', 'rock'], 'corke': ['coker', 'corke', 'korec'], 'corked': ['corked', 'docker', 'redock'], 'corker': ['corker', 'recork', 'rocker'], 'corkiness': ['corkiness', 'rockiness'], 'corking': ['corking', 'rocking'], 'corkish': ['corkish', 'rockish'], 'corkwood': ['corkwood', 'rockwood', 'woodrock'], 'corky': ['corky', 'rocky'], 'corm': ['corm', 'crom'], 'cormophyte': ['chromotype', 'cormophyte', 'ectomorphy'], 'cormophytic': ['chromotypic', 'cormophytic', 'mycotrophic'], 'cornage': ['acrogen', 'cornage'], 'cornea': ['carone', 'cornea'], 'corneal': ['carneol', 'corneal'], 'cornein': ['corinne', 'cornein', 'neronic'], 'cornelia': ['acrolein', 'arecolin', 'caroline', 'colinear', 'cornelia', 'creolian', 'lonicera'], 'cornelius': ['cornelius', 'inclosure', 'reclusion'], 'corneocalcareous': ['calcareocorneous', 'corneocalcareous'], 'cornet': ['conter', 'cornet', 'cronet', 'roncet'], 'corneum': ['cneorum', 'corneum'], 'cornic': ['cornic', 'crocin'], 'cornice': ['cornice', 'crocein'], 'corniform': ['confirmor', 'corniform'], 'cornin': ['cornin', 'rincon'], 'cornish': ['cornish', 'cronish', 'sorchin'], 'cornual': ['colunar', 'cornual', 'courlan'], 'cornuate': ['cornuate', 'courante', 'cuneator', 'outrance'], 'cornuated': ['cornuated', 'undercoat'], 'cornucopiate': ['cornucopiate', 'reoccupation'], 'cornulites': ['cornulites', 'uncloister'], 'cornute': ['cornute', 'counter', 'recount', 'trounce'], 'cornutine': ['centurion', 'continuer', 'cornutine'], 'cornuto': ['contour', 'cornuto', 'countor', 'crouton'], 'corny': ['corny', 'crony'], 'corol': ['color', 'corol', 'crool'], 'corollated': ['corollated', 'decollator'], 'corona': ['caroon', 'corona', 'racoon'], 'coronad': ['cardoon', 'coronad'], 'coronadite': ['carotenoid', 'coronadite', 'decoration'], 'coronal': ['coronal', 'locarno'], 'coronaled': ['canoodler', 'coronaled'], 'coronate': ['coronate', 'octonare', 'otocrane'], 'coronated': ['coronated', 'creodonta'], 'coroner': ['coroner', 'crooner', 'recroon'], 'coronilla': ['collarino', 'coronilla'], 'corp': ['copr', 'corp', 'crop'], 'corporealist': ['corporealist', 'prosectorial'], 'corradiate': ['corradiate', 'cortaderia', 'eradicator'], 'correal': ['caroler', 'correal'], 'correctant': ['contracter', 'correctant', 'recontract'], 'correctioner': ['correctioner', 'recorrection'], 'corrente': ['corrente', 'terceron'], 'correption': ['correption', 'porrection'], 'corrodentia': ['corrodentia', 'recordation'], 'corrupter': ['corrupter', 'recorrupt'], 'corsage': ['corsage', 'socager'], 'corsaint': ['cantoris', 'castorin', 'corsaint'], 'corse': ['corse', 'score'], 'corselet': ['corselet', 'sclerote', 'selector'], 'corset': ['corset', 'cortes', 'coster', 'escort', 'scoter', 'sector'], 'corta': ['actor', 'corta', 'croat', 'rocta', 'taroc', 'troca'], 'cortaderia': ['corradiate', 'cortaderia', 'eradicator'], 'cortes': ['corset', 'cortes', 'coster', 'escort', 'scoter', 'sector'], 'cortical': ['cortical', 'crotalic'], 'cortices': ['cortices', 'cresotic'], 'corticose': ['corticose', 'creosotic'], 'cortin': ['citron', 'cortin', 'crotin'], 'cortina': ['anticor', 'carotin', 'cortina', 'ontaric'], 'cortinate': ['carnotite', 'cortinate'], 'cortisone': ['certosino', 'cortisone', 'socotrine'], 'corton': ['corton', 'croton'], 'corvinae': ['corvinae', 'veronica'], 'cory': ['cory', 'croy'], 'corycavidine': ['cervicodynia', 'corycavidine'], 'corydon': ['corydon', 'croydon'], 'corynine': ['conyrine', 'corynine'], 'corypha': ['charpoy', 'corypha'], 'coryphene': ['coryphene', 'hypercone'], 'cos': ['cos', 'osc', 'soc'], 'cosalite': ['cosalite', 'societal'], 'coset': ['coset', 'estoc', 'scote'], 'cosh': ['cosh', 'scho'], 'cosharer': ['cosharer', 'horsecar'], 'cosigner': ['coresign', 'cosigner'], 'cosine': ['cosine', 'oscine'], 'cosmati': ['atomics', 'catoism', 'cosmati', 'osmatic', 'somatic'], 'cosmetical': ['cacomistle', 'cosmetical'], 'cosmetician': ['cosmetician', 'encomiastic'], 'cosmist': ['cosmist', 'scotism'], 'cossack': ['cassock', 'cossack'], 'cosse': ['cosse', 'secos'], 'cost': ['cost', 'scot'], 'costa': ['ascot', 'coast', 'costa', 'tacso', 'tasco'], 'costar': ['arctos', 'castor', 'costar', 'scrota'], 'costean': ['costean', 'tsoneca'], 'coster': ['corset', 'cortes', 'coster', 'escort', 'scoter', 'sector'], 'costing': ['costing', 'gnostic'], 'costispinal': ['costispinal', 'pansciolist'], 'costmary': ['arctomys', 'costmary', 'mascotry'], 'costochondral': ['chondrocostal', 'costochondral'], 'costosternal': ['costosternal', 'sternocostal'], 'costovertebral': ['costovertebral', 'vertebrocostal'], 'costrel': ['closter', 'costrel'], 'costula': ['costula', 'locusta', 'talcous'], 'costumer': ['costumer', 'customer'], 'cosurety': ['cosurety', 'courtesy'], 'cosustain': ['cosustain', 'scusation'], 'cotarius': ['cotarius', 'octarius', 'suctoria'], 'cotarnine': ['connarite', 'container', 'cotarnine', 'crenation', 'narcotine'], 'cote': ['cote', 'teco'], 'coteline': ['coteline', 'election'], 'coteller': ['colleter', 'coteller', 'coterell', 'recollet'], 'coterell': ['colleter', 'coteller', 'coterell', 'recollet'], 'cotesian': ['canoeist', 'cotesian'], 'coth': ['coth', 'ocht'], 'cotidal': ['cotidal', 'lactoid', 'talcoid'], 'cotillage': ['colligate', 'cotillage'], 'cotillion': ['cotillion', 'octillion'], 'cotinga': ['coating', 'cotinga'], 'cotinus': ['cotinus', 'suction', 'unstoic'], 'cotise': ['cotise', 'oecist'], 'coto': ['coot', 'coto', 'toco'], 'cotranspire': ['cotranspire', 'pornerastic'], 'cotrine': ['cerotin', 'cointer', 'cotrine', 'cretion', 'noticer', 'rection'], 'cotripper': ['cotripper', 'periproct'], 'cotte': ['cotte', 'octet'], 'cotylosaur': ['cotylosaur', 'osculatory'], 'cotype': ['cotype', 'ectopy'], 'coude': ['coude', 'douce'], 'could': ['cloud', 'could'], 'coulisse': ['coulisse', 'leucosis', 'ossicule'], 'coulomb': ['columbo', 'coulomb'], 'coumalic': ['caulomic', 'coumalic'], 'coumarin': ['conarium', 'coumarin'], 'counsel': ['counsel', 'unclose'], 'counter': ['cornute', 'counter', 'recount', 'trounce'], 'counteracter': ['counteracter', 'countercarte'], 'countercarte': ['counteracter', 'countercarte'], 'countercharm': ['countercharm', 'countermarch'], 'counterguard': ['counterguard', 'uncorrugated'], 'counteridea': ['counteridea', 'decurionate'], 'countermarch': ['countercharm', 'countermarch'], 'counterpaled': ['counterpaled', 'counterplead', 'unpercolated'], 'counterpaly': ['counterpaly', 'counterplay'], 'counterplay': ['counterpaly', 'counterplay'], 'counterplead': ['counterpaled', 'counterplead', 'unpercolated'], 'counterreply': ['colpeurynter', 'counterreply'], 'countersale': ['countersale', 'counterseal'], 'countersea': ['countersea', 'nectareous'], 'counterseal': ['countersale', 'counterseal'], 'countershade': ['countershade', 'decantherous'], 'counterstand': ['counterstand', 'uncontrasted'], 'countertail': ['countertail', 'reluctation'], 'countertrades': ['countertrades', 'unstercorated'], 'countervail': ['countervail', 'involucrate'], 'countervair': ['countervair', 'overcurtain', 'recurvation'], 'countor': ['contour', 'cornuto', 'countor', 'crouton'], 'coupe': ['coupe', 'pouce'], 'couper': ['couper', 'croupe', 'poucer', 'recoup'], 'couplement': ['couplement', 'uncomplete'], 'couplet': ['couplet', 'octuple'], 'coupon': ['coupon', 'uncoop'], 'couponed': ['couponed', 'uncooped'], 'courante': ['cornuate', 'courante', 'cuneator', 'outrance'], 'courbaril': ['courbaril', 'orbicular'], 'courlan': ['colunar', 'cornual', 'courlan'], 'cours': ['cours', 'scour'], 'course': ['cerous', 'course', 'crouse', 'source'], 'coursed': ['coursed', 'scoured'], 'courser': ['courser', 'scourer'], 'coursing': ['coursing', 'scouring'], 'court': ['court', 'crout', 'turco'], 'courtesan': ['acentrous', 'courtesan', 'nectarous'], 'courtesy': ['cosurety', 'courtesy'], 'courtier': ['courtier', 'outcrier'], 'courtiership': ['courtiership', 'peritrichous'], 'courtin': ['courtin', 'ruction'], 'courtman': ['courtman', 'turcoman'], 'couter': ['couter', 'croute'], 'couth': ['couth', 'thuoc', 'touch'], 'couthily': ['couthily', 'touchily'], 'couthiness': ['couthiness', 'touchiness'], 'couthless': ['couthless', 'touchless'], 'coutil': ['coutil', 'toluic'], 'covenanter': ['contravene', 'covenanter'], 'coverer': ['coverer', 'recover'], 'coversine': ['coversine', 'vernicose'], 'covert': ['covert', 'vector'], 'covisit': ['covisit', 'ovistic'], 'cowardy': ['cowardy', 'cowyard'], 'cowherd': ['chowder', 'cowherd'], 'cowl': ['clow', 'cowl'], 'cowyard': ['cowardy', 'cowyard'], 'coxa': ['coax', 'coxa'], 'coxite': ['coxite', 'exotic'], 'coyness': ['coyness', 'sycones'], 'coyol': ['cooly', 'coyol'], 'coyote': ['coyote', 'oocyte'], 'craber': ['bracer', 'craber'], 'crabhole': ['bachelor', 'crabhole'], 'crablet': ['beclart', 'crablet'], 'crackable': ['blackacre', 'crackable'], 'crackle': ['cackler', 'clacker', 'crackle'], 'crackmans': ['crackmans', 'cracksman'], 'cracksman': ['crackmans', 'cracksman'], 'cradge': ['cadger', 'cradge'], 'cradle': ['cardel', 'cradle'], 'cradlemate': ['cradlemate', 'malcreated'], 'craig': ['cigar', 'craig'], 'crain': ['cairn', 'crain', 'naric'], 'crake': ['acker', 'caker', 'crake', 'creak'], 'cram': ['cram', 'marc'], 'cramasie': ['cramasie', 'mesaraic'], 'crambe': ['becram', 'camber', 'crambe'], 'crambidae': ['carbamide', 'crambidae'], 'crambinae': ['carbamine', 'crambinae'], 'cramble': ['cambrel', 'clamber', 'cramble'], 'cramper': ['cramper', 'recramp'], 'crampon': ['crampon', 'cropman'], 'cranage': ['carnage', 'cranage', 'garance'], 'crance': ['cancer', 'crance'], 'crane': ['caner', 'crane', 'crena', 'nacre', 'rance'], 'craner': ['craner', 'rancer'], 'craney': ['carney', 'craney'], 'crania': ['acinar', 'arnica', 'canari', 'carian', 'carina', 'crania', 'narica'], 'craniad': ['acridan', 'craniad'], 'cranial': ['carinal', 'carlina', 'clarain', 'cranial'], 'cranially': ['ancillary', 'carlylian', 'cranially'], 'cranian': ['canarin', 'cranian'], 'craniate': ['anaretic', 'arcanite', 'carinate', 'craniate'], 'cranic': ['cancri', 'carnic', 'cranic'], 'craniectomy': ['craniectomy', 'cyanometric'], 'craniognomy': ['craniognomy', 'organonymic'], 'craniota': ['craniota', 'croatian', 'narcotia', 'raincoat'], 'cranker': ['cranker', 'recrank'], 'crap': ['carp', 'crap'], 'crape': ['caper', 'crape', 'pacer', 'perca', 'recap'], 'crappie': ['crappie', 'epicarp'], 'crapple': ['clapper', 'crapple'], 'crappo': ['crappo', 'croppa'], 'craps': ['craps', 'scarp', 'scrap'], 'crapulous': ['crapulous', 'opuscular'], 'crare': ['carer', 'crare', 'racer'], 'crate': ['caret', 'carte', 'cater', 'crate', 'creat', 'creta', 'react', 'recta', 'trace'], 'crateful': ['crateful', 'fulcrate'], 'crater': ['arrect', 'carter', 'crater', 'recart', 'tracer'], 'craterid': ['cirrated', 'craterid'], 'crateriform': ['crateriform', 'terraciform'], 'crateris': ['crateris', 'serratic'], 'craterlet': ['clatterer', 'craterlet'], 'craterous': ['craterous', 'recusator'], 'cratinean': ['cratinean', 'incarnate', 'nectarian'], 'cratometric': ['cratometric', 'metrocratic'], 'crave': ['carve', 'crave', 'varec'], 'craven': ['carven', 'cavern', 'craven'], 'craver': ['carver', 'craver'], 'craving': ['carving', 'craving'], 'crayon': ['canroy', 'crayon', 'cyrano', 'nyroca'], 'crayonist': ['carnosity', 'crayonist'], 'crea': ['acer', 'acre', 'care', 'crea', 'race'], 'creagh': ['charge', 'creagh'], 'creak': ['acker', 'caker', 'crake', 'creak'], 'cream': ['cream', 'macer'], 'creamer': ['amercer', 'creamer'], 'creant': ['canter', 'creant', 'cretan', 'nectar', 'recant', 'tanrec', 'trance'], 'crease': ['cesare', 'crease', 'recase', 'searce'], 'creaser': ['creaser', 'searcer'], 'creasing': ['creasing', 'scirenga'], 'creat': ['caret', 'carte', 'cater', 'crate', 'creat', 'creta', 'react', 'recta', 'trace'], 'creatable': ['creatable', 'traceable'], 'create': ['cerate', 'create', 'ecarte'], 'creatine': ['aneretic', 'centiare', 'creatine', 'increate', 'iterance'], 'creatinine': ['creatinine', 'incinerate'], 'creation': ['actioner', 'anerotic', 'ceration', 'creation', 'reaction'], 'creational': ['creational', 'crotalinae', 'laceration', 'reactional'], 'creationary': ['creationary', 'reactionary'], 'creationism': ['anisometric', 'creationism', 'miscreation', 'ramisection', 'reactionism'], 'creationist': ['creationist', 'reactionist'], 'creative': ['creative', 'reactive'], 'creatively': ['creatively', 'reactively'], 'creativeness': ['creativeness', 'reactiveness'], 'creativity': ['creativity', 'reactivity'], 'creator': ['creator', 'reactor'], 'crebrous': ['crebrous', 'obscurer'], 'credential': ['credential', 'interlaced', 'reclinated'], 'credit': ['credit', 'direct'], 'creditable': ['creditable', 'directable'], 'creditive': ['creditive', 'directive'], 'creditor': ['creditor', 'director'], 'creditorship': ['creditorship', 'directorship'], 'creditress': ['creditress', 'directress'], 'creditrix': ['creditrix', 'directrix'], 'crednerite': ['crednerite', 'interceder'], 'credo': ['coder', 'cored', 'credo'], 'cree': ['cere', 'cree'], 'creed': ['ceder', 'cedre', 'cered', 'creed'], 'creedal': ['cedrela', 'creedal', 'declare'], 'creedalism': ['creedalism', 'misdeclare'], 'creedist': ['creedist', 'desertic', 'discreet', 'discrete'], 'creep': ['creep', 'crepe'], 'creepered': ['creepered', 'predecree'], 'creepie': ['creepie', 'repiece'], 'cremation': ['cremation', 'manticore'], 'cremator': ['cremator', 'mercator'], 'crematorial': ['crematorial', 'mercatorial'], 'cremor': ['cremor', 'cromer'], 'crena': ['caner', 'crane', 'crena', 'nacre', 'rance'], 'crenate': ['centare', 'crenate'], 'crenated': ['crenated', 'decanter', 'nectared'], 'crenation': ['connarite', 'container', 'cotarnine', 'crenation', 'narcotine'], 'crenelate': ['crenelate', 'lanceteer'], 'crenelation': ['crenelation', 'intolerance'], 'crenele': ['crenele', 'encreel'], 'crenellation': ['centrolineal', 'crenellation'], 'crenitic': ['crenitic', 'cretinic'], 'crenology': ['crenology', 'necrology'], 'crenula': ['crenula', 'lucarne', 'nuclear', 'unclear'], 'crenulate': ['calenture', 'crenulate'], 'creodonta': ['coronated', 'creodonta'], 'creolian': ['acrolein', 'arecolin', 'caroline', 'colinear', 'cornelia', 'creolian', 'lonicera'], 'creolin': ['creolin', 'licorne', 'locrine'], 'creosotic': ['corticose', 'creosotic'], 'crepe': ['creep', 'crepe'], 'crepidula': ['crepidula', 'pedicular'], 'crepine': ['crepine', 'increep'], 'crepiness': ['crepiness', 'princesse'], 'crepis': ['crepis', 'cripes', 'persic', 'precis', 'spicer'], 'crepitant': ['crepitant', 'pittancer'], 'crepitation': ['actinopteri', 'crepitation', 'precitation'], 'crepitous': ['crepitous', 'euproctis', 'uroseptic'], 'crepitus': ['crepitus', 'piecrust'], 'crepon': ['crepon', 'procne'], 'crepy': ['crepy', 'cypre', 'percy'], 'cresol': ['closer', 'cresol', 'escrol'], 'cresolin': ['cresolin', 'licensor'], 'cresotic': ['cortices', 'cresotic'], 'cresson': ['cresson', 'crosnes'], 'crestline': ['crestline', 'stenciler'], 'crestmoreite': ['crestmoreite', 'stereometric'], 'creta': ['caret', 'carte', 'cater', 'crate', 'creat', 'creta', 'react', 'recta', 'trace'], 'cretan': ['canter', 'creant', 'cretan', 'nectar', 'recant', 'tanrec', 'trance'], 'crete': ['crete', 'erect'], 'cretification': ['certification', 'cretification', 'rectification'], 'cretify': ['certify', 'cretify', 'rectify'], 'cretin': ['cinter', 'cretin', 'crinet'], 'cretinic': ['crenitic', 'cretinic'], 'cretinoid': ['cretinoid', 'direction'], 'cretion': ['cerotin', 'cointer', 'cotrine', 'cretion', 'noticer', 'rection'], 'cretism': ['cretism', 'metrics'], 'crewer': ['crewer', 'recrew'], 'cribo': ['boric', 'cribo', 'orbic'], 'crickle': ['clicker', 'crickle'], 'cricothyroid': ['cricothyroid', 'thyrocricoid'], 'cried': ['cider', 'cried', 'deric', 'dicer'], 'crier': ['crier', 'ricer'], 'criey': ['criey', 'ricey'], 'crile': ['crile', 'elric', 'relic'], 'crimean': ['armenic', 'carmine', 'ceriman', 'crimean', 'mercian'], 'crimeful': ['crimeful', 'merciful'], 'crimeless': ['crimeless', 'merciless'], 'crimelessness': ['crimelessness', 'mercilessness'], 'criminalese': ['criminalese', 'misreliance'], 'criminate': ['antimeric', 'carminite', 'criminate', 'metrician'], 'criminatory': ['coriamyrtin', 'criminatory'], 'crimpage': ['crimpage', 'pergamic'], 'crinal': ['carlin', 'clarin', 'crinal'], 'crinanite': ['crinanite', 'natricine'], 'crinated': ['crinated', 'dicentra'], 'crine': ['cerin', 'crine'], 'crined': ['cedrin', 'cinder', 'crined'], 'crinet': ['cinter', 'cretin', 'crinet'], 'cringle': ['clinger', 'cringle'], 'crinite': ['citrine', 'crinite', 'inciter', 'neritic'], 'crinkle': ['clinker', 'crinkle'], 'cripes': ['crepis', 'cripes', 'persic', 'precis', 'spicer'], 'cripple': ['clipper', 'cripple'], 'crisp': ['crisp', 'scrip'], 'crispation': ['antipsoric', 'ascription', 'crispation'], 'crisped': ['crisped', 'discerp'], 'crispy': ['crispy', 'cypris'], 'crista': ['crista', 'racist'], 'cristopher': ['cristopher', 'rectorship'], 'criteria': ['criteria', 'triceria'], 'criterion': ['criterion', 'tricerion'], 'criterium': ['criterium', 'tricerium'], 'crith': ['crith', 'richt'], 'critic': ['citric', 'critic'], 'cro': ['cor', 'cro', 'orc', 'roc'], 'croak': ['arock', 'croak'], 'croat': ['actor', 'corta', 'croat', 'rocta', 'taroc', 'troca'], 'croatan': ['cantaro', 'croatan'], 'croatian': ['craniota', 'croatian', 'narcotia', 'raincoat'], 'crocein': ['cornice', 'crocein'], 'croceine': ['cicerone', 'croceine'], 'crocetin': ['crocetin', 'necrotic'], 'crocidolite': ['crocidolite', 'crocodilite'], 'crocin': ['cornic', 'crocin'], 'crocodile': ['cordicole', 'crocodile'], 'crocodilite': ['crocidolite', 'crocodilite'], 'croconate': ['coenactor', 'croconate'], 'crocus': ['crocus', 'succor'], 'crom': ['corm', 'crom'], 'crome': ['comer', 'crome'], 'cromer': ['cremor', 'cromer'], 'crone': ['coner', 'crone', 'recon'], 'cronet': ['conter', 'cornet', 'cronet', 'roncet'], 'cronian': ['corinna', 'cronian'], 'cronish': ['cornish', 'cronish', 'sorchin'], 'crony': ['corny', 'crony'], 'croodle': ['colored', 'croodle', 'decolor'], 'crool': ['color', 'corol', 'crool'], 'croon': ['conor', 'croon', 'ronco'], 'crooner': ['coroner', 'crooner', 'recroon'], 'crop': ['copr', 'corp', 'crop'], 'cropman': ['crampon', 'cropman'], 'croppa': ['crappo', 'croppa'], 'crore': ['corer', 'crore'], 'crosa': ['arcos', 'crosa', 'oscar', 'sacro'], 'crosier': ['cirrose', 'crosier'], 'crosnes': ['cresson', 'crosnes'], 'crosse': ['cessor', 'crosse', 'scorse'], 'crosser': ['crosser', 'recross'], 'crossite': ['crossite', 'crosstie'], 'crossover': ['crossover', 'overcross'], 'crosstie': ['crossite', 'crosstie'], 'crosstied': ['crosstied', 'dissector'], 'crosstree': ['crosstree', 'rectoress'], 'crosswalk': ['classwork', 'crosswalk'], 'crotal': ['carlot', 'crotal'], 'crotalic': ['cortical', 'crotalic'], 'crotalinae': ['creational', 'crotalinae', 'laceration', 'reactional'], 'crotaline': ['alectrion', 'clarionet', 'crotaline', 'locarnite'], 'crotalism': ['clamorist', 'crotalism'], 'crotalo': ['crotalo', 'locator'], 'crotaloid': ['crotaloid', 'doctorial'], 'crotin': ['citron', 'cortin', 'crotin'], 'croton': ['corton', 'croton'], 'crotonate': ['contortae', 'crotonate'], 'crottle': ['clotter', 'crottle'], 'crouchant': ['archcount', 'crouchant'], 'croupal': ['copular', 'croupal', 'cupolar', 'porcula'], 'croupe': ['couper', 'croupe', 'poucer', 'recoup'], 'croupily': ['croupily', 'polyuric'], 'croupiness': ['croupiness', 'percussion', 'supersonic'], 'crouse': ['cerous', 'course', 'crouse', 'source'], 'crout': ['court', 'crout', 'turco'], 'croute': ['couter', 'croute'], 'crouton': ['contour', 'cornuto', 'countor', 'crouton'], 'crowder': ['crowder', 'recrowd'], 'crowned': ['crowned', 'decrown'], 'crowner': ['crowner', 'recrown'], 'crownmaker': ['cankerworm', 'crownmaker'], 'croy': ['cory', 'croy'], 'croydon': ['corydon', 'croydon'], 'cruces': ['cercus', 'cruces'], 'cruciate': ['aceturic', 'cruciate'], 'crudwort': ['crudwort', 'curdwort'], 'cruel': ['cruel', 'lucre', 'ulcer'], 'cruels': ['clerus', 'cruels'], 'cruelty': ['cruelty', 'cutlery'], 'cruet': ['cruet', 'eruct', 'recut', 'truce'], 'cruise': ['cruise', 'crusie'], 'cruisken': ['cruisken', 'unsicker'], 'crunode': ['crunode', 'uncored'], 'crureus': ['crureus', 'surcrue'], 'crurogenital': ['crurogenital', 'genitocrural'], 'cruroinguinal': ['cruroinguinal', 'inguinocrural'], 'crus': ['crus', 'scur'], 'crusado': ['acrodus', 'crusado'], 'crusca': ['crusca', 'curcas'], 'cruse': ['cruse', 'curse', 'sucre'], 'crusher': ['crusher', 'recrush'], 'crusie': ['cruise', 'crusie'], 'crust': ['crust', 'curst'], 'crustate': ['crustate', 'scrutate'], 'crustation': ['crustation', 'scrutation'], 'crustily': ['crustily', 'rusticly'], 'crustiness': ['crustiness', 'rusticness'], 'crusty': ['crusty', 'curtsy'], 'cruth': ['cruth', 'rutch'], 'cryosel': ['cryosel', 'scroyle'], 'cryptodire': ['cryptodire', 'predictory'], 'cryptomeria': ['cryptomeria', 'imprecatory'], 'cryptostomate': ['cryptostomate', 'prostatectomy'], 'ctenidial': ['ctenidial', 'identical'], 'ctenoid': ['condite', 'ctenoid'], 'ctenolium': ['ctenolium', 'monticule'], 'ctenophore': ['ctenophore', 'nectophore'], 'ctetology': ['ctetology', 'tectology'], 'cuailnge': ['cuailnge', 'glaucine'], 'cuarteron': ['cuarteron', 'raconteur'], 'cubanite': ['cubanite', 'incubate'], 'cuber': ['bruce', 'cebur', 'cuber'], 'cubist': ['bustic', 'cubist'], 'cubit': ['butic', 'cubit'], 'cubitale': ['baculite', 'cubitale'], 'cuboidal': ['baculoid', 'cuboidal'], 'cuchan': ['caunch', 'cuchan'], 'cueball': ['bullace', 'cueball'], 'cueman': ['acumen', 'cueman'], 'cuir': ['cuir', 'uric'], 'culebra': ['culebra', 'curable'], 'culet': ['culet', 'lucet'], 'culinary': ['culinary', 'uranylic'], 'culmy': ['culmy', 'cumyl'], 'culpose': ['culpose', 'ploceus', 'upclose'], 'cultch': ['clutch', 'cultch'], 'cultivar': ['cultivar', 'curvital'], 'culturine': ['culturine', 'inculture'], 'cumaean': ['cumaean', 'encauma'], 'cumar': ['carum', 'cumar'], 'cumber': ['cumber', 'cumbre'], 'cumberer': ['cerebrum', 'cumberer'], 'cumbraite': ['bacterium', 'cumbraite'], 'cumbre': ['cumber', 'cumbre'], 'cumic': ['cumic', 'mucic'], 'cumin': ['cumin', 'mucin'], 'cumol': ['cumol', 'locum'], 'cumulite': ['cumulite', 'lutecium'], 'cumyl': ['culmy', 'cumyl'], 'cuna': ['cuna', 'unca'], 'cunan': ['canun', 'cunan'], 'cuneal': ['auncel', 'cuneal', 'lacune', 'launce', 'unlace'], 'cuneator': ['cornuate', 'courante', 'cuneator', 'outrance'], 'cunila': ['cunila', 'lucian', 'lucina', 'uncial'], 'cuon': ['cuon', 'unco'], 'cuorin': ['cuorin', 'uronic'], 'cupid': ['cupid', 'pudic'], 'cupidity': ['cupidity', 'pudicity'], 'cupidone': ['cupidone', 'uncopied'], 'cupola': ['copula', 'cupola'], 'cupolar': ['copular', 'croupal', 'cupolar', 'porcula'], 'cupreous': ['cupreous', 'upcourse'], 'cuprite': ['cuprite', 'picture'], 'curable': ['culebra', 'curable'], 'curate': ['acture', 'cauter', 'curate'], 'curateship': ['curateship', 'pasticheur'], 'curation': ['curation', 'nocturia'], 'curatory': ['curatory', 'outcarry'], 'curcas': ['crusca', 'curcas'], 'curdle': ['curdle', 'curled'], 'curdwort': ['crudwort', 'curdwort'], 'cure': ['cure', 'ecru', 'eruc'], 'curer': ['curer', 'recur'], 'curial': ['curial', 'lauric', 'uracil', 'uralic'], 'curialist': ['curialist', 'rusticial'], 'curie': ['curie', 'ureic'], 'curin': ['curin', 'incur', 'runic'], 'curine': ['curine', 'erucin', 'neuric'], 'curiosa': ['carious', 'curiosa'], 'curite': ['curite', 'teucri', 'uretic'], 'curled': ['curdle', 'curled'], 'curler': ['curler', 'recurl'], 'cursa': ['cursa', 'scaur'], 'cursal': ['cursal', 'sulcar'], 'curse': ['cruse', 'curse', 'sucre'], 'cursed': ['cedrus', 'cursed'], 'curst': ['crust', 'curst'], 'cursus': ['cursus', 'ruscus'], 'curtail': ['curtail', 'trucial'], 'curtailer': ['curtailer', 'recruital', 'reticular'], 'curtain': ['curtain', 'turacin', 'turcian'], 'curtation': ['anticourt', 'curtation', 'ructation'], 'curtilage': ['curtilage', 'cutigeral', 'graticule'], 'curtis': ['citrus', 'curtis', 'rictus', 'rustic'], 'curtise': ['curtise', 'icterus'], 'curtsy': ['crusty', 'curtsy'], 'curvital': ['cultivar', 'curvital'], 'cush': ['cush', 'such'], 'cushionless': ['cushionless', 'slouchiness'], 'cusinero': ['coinsure', 'corineus', 'cusinero'], 'cusk': ['cusk', 'suck'], 'cusp': ['cusp', 'scup'], 'cuspal': ['cuspal', 'placus'], 'custom': ['custom', 'muscot'], 'customer': ['costumer', 'customer'], 'cutheal': ['auchlet', 'cutheal', 'taluche'], 'cutigeral': ['curtilage', 'cutigeral', 'graticule'], 'cutin': ['cutin', 'incut', 'tunic'], 'cutis': ['cutis', 'ictus'], 'cutler': ['cutler', 'reluct'], 'cutleress': ['cutleress', 'lecturess', 'truceless'], 'cutleria': ['arculite', 'cutleria', 'lucretia', 'reticula', 'treculia'], 'cutlery': ['cruelty', 'cutlery'], 'cutlet': ['cutlet', 'cuttle'], 'cutoff': ['cutoff', 'offcut'], 'cutout': ['cutout', 'outcut'], 'cutover': ['cutover', 'overcut'], 'cuttle': ['cutlet', 'cuttle'], 'cuttler': ['clutter', 'cuttler'], 'cutup': ['cutup', 'upcut'], 'cuya': ['cuya', 'yuca'], 'cyamus': ['cyamus', 'muysca'], 'cyan': ['cany', 'cyan'], 'cyanidine': ['cyanidine', 'dicyanine'], 'cyanol': ['alcyon', 'cyanol'], 'cyanole': ['alcyone', 'cyanole'], 'cyanometric': ['craniectomy', 'cyanometric'], 'cyanophycin': ['cyanophycin', 'phycocyanin'], 'cyanuret': ['centaury', 'cyanuret'], 'cyath': ['cathy', 'cyath', 'yacht'], 'cyclamine': ['cyclamine', 'macilency'], 'cyclian': ['cyclian', 'cynical'], 'cyclide': ['cyclide', 'decylic', 'dicycle'], 'cyclism': ['clysmic', 'cyclism'], 'cyclotome': ['colectomy', 'cyclotome'], 'cydonian': ['anodynic', 'cydonian'], 'cylindrite': ['cylindrite', 'indirectly'], 'cylix': ['cylix', 'xylic'], 'cymation': ['cymation', 'myatonic', 'onymatic'], 'cymoid': ['cymoid', 'mycoid'], 'cymometer': ['cymometer', 'mecometry'], 'cymose': ['cymose', 'mycose'], 'cymule': ['cymule', 'lyceum'], 'cynara': ['canary', 'cynara'], 'cynaroid': ['cynaroid', 'dicaryon'], 'cynical': ['cyclian', 'cynical'], 'cynogale': ['acylogen', 'cynogale'], 'cynophilic': ['cynophilic', 'philocynic'], 'cynosural': ['consulary', 'cynosural'], 'cyphonism': ['cyphonism', 'symphonic'], 'cypre': ['crepy', 'cypre', 'percy'], 'cypria': ['cypria', 'picary', 'piracy'], 'cyprian': ['cyprian', 'cyprina'], 'cyprina': ['cyprian', 'cyprina'], 'cyprine': ['cyprine', 'pyrenic'], 'cypris': ['crispy', 'cypris'], 'cyrano': ['canroy', 'crayon', 'cyrano', 'nyroca'], 'cyril': ['cyril', 'lyric'], 'cyrilla': ['cyrilla', 'lyrical'], 'cyrtopia': ['cyrtopia', 'poticary'], 'cyst': ['cyst', 'scyt'], 'cystidean': ['asyndetic', 'cystidean', 'syndicate'], 'cystitis': ['cystitis', 'scytitis'], 'cystoadenoma': ['adenocystoma', 'cystoadenoma'], 'cystofibroma': ['cystofibroma', 'fibrocystoma'], 'cystolith': ['cystolith', 'lithocyst'], 'cystomyxoma': ['cystomyxoma', 'myxocystoma'], 'cystonephrosis': ['cystonephrosis', 'nephrocystosis'], 'cystopyelitis': ['cystopyelitis', 'pyelocystitis'], 'cystotome': ['cystotome', 'cytostome', 'ostectomy'], 'cystourethritis': ['cystourethritis', 'urethrocystitis'], 'cytase': ['cytase', 'stacey'], 'cytherea': ['cheatery', 'cytherea', 'teachery'], 'cytherean': ['cytherean', 'enchytrae'], 'cytisine': ['cytisine', 'syenitic'], 'cytoblastemic': ['blastomycetic', 'cytoblastemic'], 'cytoblastemous': ['blastomycetous', 'cytoblastemous'], 'cytochrome': ['chromocyte', 'cytochrome'], 'cytoid': ['cytoid', 'docity'], 'cytomere': ['cytomere', 'merocyte'], 'cytophil': ['cytophil', 'phycitol'], 'cytosine': ['cenosity', 'cytosine'], 'cytosome': ['cytosome', 'otomyces'], 'cytost': ['cytost', 'scotty'], 'cytostome': ['cystotome', 'cytostome', 'ostectomy'], 'czarian': ['czarian', 'czarina'], 'czarina': ['czarian', 'czarina'], 'da': ['ad', 'da'], 'dab': ['bad', 'dab'], 'dabber': ['barbed', 'dabber'], 'dabbler': ['dabbler', 'drabble'], 'dabitis': ['dabitis', 'dibatis'], 'dablet': ['dablet', 'tabled'], 'dace': ['cade', 'dace', 'ecad'], 'dacelo': ['alcedo', 'dacelo'], 'dacian': ['acnida', 'anacid', 'dacian'], 'dacker': ['arcked', 'dacker'], 'dacryolith': ['dacryolith', 'hydrotical'], 'dacryon': ['candroy', 'dacryon'], 'dactylonomy': ['dactylonomy', 'monodactyly'], 'dactylopteridae': ['dactylopteridae', 'pterodactylidae'], 'dactylopterus': ['dactylopterus', 'pterodactylus'], 'dacus': ['cadus', 'dacus'], 'dad': ['add', 'dad'], 'dada': ['adad', 'adda', 'dada'], 'dadap': ['dadap', 'padda'], 'dade': ['dade', 'dead', 'edda'], 'dadu': ['addu', 'dadu', 'daud', 'duad'], 'dae': ['ade', 'dae'], 'daemon': ['daemon', 'damone', 'modena'], 'daemonic': ['codamine', 'comedian', 'daemonic', 'demoniac'], 'daer': ['ared', 'daer', 'dare', 'dear', 'read'], 'dag': ['dag', 'gad'], 'dagaba': ['badaga', 'dagaba', 'gadaba'], 'dagame': ['dagame', 'damage'], 'dagbane': ['bandage', 'dagbane'], 'dagestan': ['dagestan', 'standage'], 'dagger': ['dagger', 'gadger', 'ragged'], 'daggers': ['daggers', 'seggard'], 'daggle': ['daggle', 'lagged'], 'dago': ['dago', 'goad'], 'dagomba': ['dagomba', 'gambado'], 'dags': ['dags', 'sgad'], 'dah': ['dah', 'dha', 'had'], 'daidle': ['daidle', 'laddie'], 'daikon': ['daikon', 'nodiak'], 'dail': ['dail', 'dali', 'dial', 'laid', 'lida'], 'daily': ['daily', 'lydia'], 'daimen': ['daimen', 'damine', 'maiden', 'median', 'medina'], 'daimio': ['daimio', 'maioid'], 'daimon': ['amidon', 'daimon', 'domain'], 'dain': ['adin', 'andi', 'dain', 'dani', 'dian', 'naid'], 'dairi': ['dairi', 'darii', 'radii'], 'dairy': ['dairy', 'diary', 'yaird'], 'dais': ['dais', 'dasi', 'disa', 'said', 'sida'], 'daisy': ['daisy', 'sayid'], 'daker': ['daker', 'drake', 'kedar', 'radek'], 'dal': ['dal', 'lad'], 'dale': ['dale', 'deal', 'lade', 'lead', 'leda'], 'dalea': ['adela', 'dalea'], 'dalecarlian': ['calendarial', 'dalecarlian'], 'daleman': ['daleman', 'lademan', 'leadman'], 'daler': ['alder', 'daler', 'lader'], 'dalesman': ['dalesman', 'leadsman'], 'dali': ['dail', 'dali', 'dial', 'laid', 'lida'], 'dalle': ['dalle', 'della', 'ladle'], 'dallying': ['dallying', 'ladyling'], 'dalt': ['dalt', 'tald'], 'dalteen': ['dalteen', 'dentale', 'edental'], 'dam': ['dam', 'mad'], 'dama': ['adam', 'dama'], 'damage': ['dagame', 'damage'], 'daman': ['adman', 'daman', 'namda'], 'damara': ['armada', 'damara', 'ramada'], 'dame': ['dame', 'made', 'mead'], 'damewort': ['damewort', 'wardmote'], 'damia': ['amadi', 'damia', 'madia', 'maida'], 'damie': ['amide', 'damie', 'media'], 'damier': ['admire', 'armied', 'damier', 'dimera', 'merida'], 'damine': ['daimen', 'damine', 'maiden', 'median', 'medina'], 'dammer': ['dammer', 'dramme'], 'dammish': ['dammish', 'mahdism'], 'damn': ['damn', 'mand'], 'damnation': ['damnation', 'mandation'], 'damnatory': ['damnatory', 'mandatory'], 'damned': ['damned', 'demand', 'madden'], 'damner': ['damner', 'manred', 'randem', 'remand'], 'damnii': ['amidin', 'damnii'], 'damnous': ['damnous', 'osmunda'], 'damon': ['damon', 'monad', 'nomad'], 'damone': ['daemon', 'damone', 'modena'], 'damonico': ['damonico', 'monoacid'], 'dampen': ['dampen', 'madnep'], 'damper': ['damper', 'ramped'], 'dampish': ['dampish', 'madship', 'phasmid'], 'dan': ['and', 'dan'], 'dana': ['anda', 'dana'], 'danaan': ['ananda', 'danaan'], 'danai': ['danai', 'diana', 'naiad'], 'danainae': ['anadenia', 'danainae'], 'danakil': ['danakil', 'dankali', 'kaldani', 'ladakin'], 'danalite': ['danalite', 'detainal'], 'dancalite': ['cadential', 'dancalite'], 'dance': ['dance', 'decan'], 'dancer': ['cedarn', 'dancer', 'nacred'], 'dancery': ['ardency', 'dancery'], 'dander': ['dander', 'darned', 'nadder'], 'dandle': ['dandle', 'landed'], 'dandler': ['dandler', 'dendral'], 'dane': ['ande', 'dane', 'dean', 'edna'], 'danewort': ['danewort', 'teardown'], 'danger': ['danger', 'gander', 'garden', 'ranged'], 'dangerful': ['dangerful', 'gardenful'], 'dangerless': ['dangerless', 'gardenless'], 'dangle': ['angled', 'dangle', 'englad', 'lagend'], 'dangler': ['dangler', 'gnarled'], 'danglin': ['danglin', 'landing'], 'dani': ['adin', 'andi', 'dain', 'dani', 'dian', 'naid'], 'danian': ['andian', 'danian', 'nidana'], 'danic': ['canid', 'cnida', 'danic'], 'daniel': ['aldine', 'daniel', 'delian', 'denial', 'enalid', 'leadin'], 'daniele': ['adeline', 'daniele', 'delaine'], 'danielic': ['alcidine', 'danielic', 'lecaniid'], 'danio': ['adion', 'danio', 'doina', 'donia'], 'danish': ['danish', 'sandhi'], 'danism': ['danism', 'disman'], 'danite': ['danite', 'detain'], 'dankali': ['danakil', 'dankali', 'kaldani', 'ladakin'], 'danli': ['danli', 'ladin', 'linda', 'nidal'], 'dannie': ['aidenn', 'andine', 'dannie', 'indane'], 'danseuse': ['danseuse', 'sudanese'], 'dantean': ['andante', 'dantean'], 'dantist': ['dantist', 'distant'], 'danuri': ['danuri', 'diurna', 'dunair', 'durain', 'durani', 'durian'], 'dao': ['ado', 'dao', 'oda'], 'daoine': ['daoine', 'oneida'], 'dap': ['dap', 'pad'], 'daphnis': ['daphnis', 'dishpan'], 'dapicho': ['dapicho', 'phacoid'], 'dapple': ['dapple', 'lapped', 'palped'], 'dar': ['dar', 'rad'], 'daraf': ['daraf', 'farad'], 'darby': ['bardy', 'darby'], 'darci': ['acrid', 'caird', 'carid', 'darci', 'daric', 'dirca'], 'dare': ['ared', 'daer', 'dare', 'dear', 'read'], 'dareall': ['ardella', 'dareall'], 'daren': ['andre', 'arend', 'daren', 'redan'], 'darer': ['darer', 'drear'], 'darg': ['darg', 'drag', 'grad'], 'darger': ['darger', 'gerard', 'grader', 'redrag', 'regard'], 'dargo': ['dargo', 'dogra', 'drago'], 'dargsman': ['dargsman', 'dragsman'], 'dari': ['arid', 'dari', 'raid'], 'daric': ['acrid', 'caird', 'carid', 'darci', 'daric', 'dirca'], 'darien': ['darien', 'draine'], 'darii': ['dairi', 'darii', 'radii'], 'darin': ['darin', 'dinar', 'drain', 'indra', 'nadir', 'ranid'], 'daring': ['daring', 'dingar', 'gradin'], 'darius': ['darius', 'radius'], 'darken': ['darken', 'kanred', 'ranked'], 'darkener': ['darkener', 'redarken'], 'darn': ['darn', 'nard', 'rand'], 'darned': ['dander', 'darned', 'nadder'], 'darnel': ['aldern', 'darnel', 'enlard', 'lander', 'lenard', 'randle', 'reland'], 'darner': ['darner', 'darren', 'errand', 'rander', 'redarn'], 'darning': ['darning', 'randing'], 'darrein': ['darrein', 'drainer'], 'darren': ['darner', 'darren', 'errand', 'rander', 'redarn'], 'darshana': ['darshana', 'shardana'], 'darst': ['darst', 'darts', 'strad'], 'dart': ['dart', 'drat'], 'darter': ['darter', 'dartre', 'redart', 'retard', 'retrad', 'tarred', 'trader'], 'darting': ['darting', 'trading'], 'dartle': ['dartle', 'tardle'], 'dartoic': ['arctoid', 'carotid', 'dartoic'], 'dartre': ['darter', 'dartre', 'redart', 'retard', 'retrad', 'tarred', 'trader'], 'dartrose': ['dartrose', 'roadster'], 'darts': ['darst', 'darts', 'strad'], 'daryl': ['daryl', 'lardy', 'lyard'], 'das': ['das', 'sad'], 'dash': ['dash', 'sadh', 'shad'], 'dashed': ['dashed', 'shaded'], 'dasheen': ['dasheen', 'enshade'], 'dasher': ['dasher', 'shader', 'sheard'], 'dashing': ['dashing', 'shading'], 'dashnak': ['dashnak', 'shadkan'], 'dashy': ['dashy', 'shady'], 'dasi': ['dais', 'dasi', 'disa', 'said', 'sida'], 'dasnt': ['dasnt', 'stand'], 'dasturi': ['dasturi', 'rudista'], 'dasya': ['adays', 'dasya'], 'dasyurine': ['dasyurine', 'dysneuria'], 'data': ['adat', 'data'], 'datable': ['albetad', 'datable'], 'dataria': ['dataria', 'radiata'], 'date': ['adet', 'date', 'tade', 'tead', 'teda'], 'dateless': ['dateless', 'detassel'], 'dater': ['dater', 'derat', 'detar', 'drate', 'rated', 'trade', 'tread'], 'datil': ['datil', 'dital', 'tidal', 'tilda'], 'datism': ['amidst', 'datism'], 'daub': ['baud', 'buda', 'daub'], 'dauber': ['dauber', 'redaub'], 'daubster': ['daubster', 'subtread'], 'daud': ['addu', 'dadu', 'daud', 'duad'], 'daunch': ['chandu', 'daunch'], 'daunter': ['daunter', 'unarted', 'unrated', 'untread'], 'dauntless': ['adultness', 'dauntless'], 'daur': ['ardu', 'daur', 'dura'], 'dave': ['dave', 'deva', 'vade', 'veda'], 'daven': ['daven', 'vaned'], 'davy': ['davy', 'vady'], 'daw': ['awd', 'daw', 'wad'], 'dawdler': ['dawdler', 'waddler'], 'dawdling': ['dawdling', 'waddling'], 'dawdlingly': ['dawdlingly', 'waddlingly'], 'dawdy': ['dawdy', 'waddy'], 'dawn': ['dawn', 'wand'], 'dawnlike': ['dawnlike', 'wandlike'], 'dawny': ['dawny', 'wandy'], 'day': ['ady', 'day', 'yad'], 'dayal': ['adlay', 'dayal'], 'dayfly': ['dayfly', 'ladyfy'], 'days': ['days', 'dyas'], 'daysman': ['daysman', 'mandyas'], 'daytime': ['daytime', 'maytide'], 'daywork': ['daywork', 'workday'], 'daze': ['adze', 'daze'], 'de': ['de', 'ed'], 'deacon': ['acnode', 'deacon'], 'deaconship': ['deaconship', 'endophasic'], 'dead': ['dade', 'dead', 'edda'], 'deadborn': ['deadborn', 'endboard'], 'deadener': ['deadener', 'endeared'], 'deadlock': ['deadlock', 'deckload'], 'deaf': ['deaf', 'fade'], 'deair': ['aider', 'deair', 'irade', 'redia'], 'deal': ['dale', 'deal', 'lade', 'lead', 'leda'], 'dealable': ['dealable', 'leadable'], 'dealation': ['atloidean', 'dealation'], 'dealer': ['dealer', 'leader', 'redeal', 'relade', 'relead'], 'dealership': ['dealership', 'leadership'], 'dealing': ['adeling', 'dealing', 'leading'], 'dealt': ['adlet', 'dealt', 'delta', 'lated', 'taled'], 'deaminase': ['deaminase', 'mesadenia'], 'dean': ['ande', 'dane', 'dean', 'edna'], 'deaner': ['deaner', 'endear'], 'deaness': ['deaness', 'edessan'], 'deaquation': ['adequation', 'deaquation'], 'dear': ['ared', 'daer', 'dare', 'dear', 'read'], 'dearie': ['aeried', 'dearie'], 'dearth': ['dearth', 'hatred', 'rathed', 'thread'], 'deary': ['deary', 'deray', 'rayed', 'ready', 'yeard'], 'deash': ['deash', 'hades', 'sadhe', 'shade'], 'deasil': ['aisled', 'deasil', 'ladies', 'sailed'], 'deave': ['deave', 'eaved', 'evade'], 'deb': ['bed', 'deb'], 'debacle': ['belaced', 'debacle'], 'debar': ['ardeb', 'beard', 'bread', 'debar'], 'debark': ['bedark', 'debark'], 'debaser': ['debaser', 'sabered'], 'debater': ['betread', 'debater'], 'deben': ['beden', 'deben', 'deneb'], 'debi': ['beid', 'bide', 'debi', 'dieb'], 'debile': ['debile', 'edible'], 'debit': ['bidet', 'debit'], 'debosh': ['beshod', 'debosh'], 'debrief': ['debrief', 'defiber', 'fibered'], 'debutant': ['debutant', 'unbatted'], 'debutante': ['debutante', 'unabetted'], 'decachord': ['decachord', 'dodecarch'], 'decadic': ['caddice', 'decadic'], 'decal': ['clead', 'decal', 'laced'], 'decalin': ['cladine', 'decalin', 'iceland'], 'decaliter': ['decaliter', 'decalitre'], 'decalitre': ['decaliter', 'decalitre'], 'decameter': ['decameter', 'decametre'], 'decametre': ['decameter', 'decametre'], 'decan': ['dance', 'decan'], 'decanal': ['candela', 'decanal'], 'decani': ['decani', 'decian'], 'decant': ['cadent', 'canted', 'decant'], 'decantate': ['catenated', 'decantate'], 'decanter': ['crenated', 'decanter', 'nectared'], 'decantherous': ['countershade', 'decantherous'], 'decap': ['caped', 'decap', 'paced'], 'decart': ['cedrat', 'decart', 'redact'], 'decastere': ['decastere', 'desecrate'], 'decator': ['cordate', 'decator', 'redcoat'], 'decay': ['acedy', 'decay'], 'deceiver': ['deceiver', 'received'], 'decennia': ['cadinene', 'decennia', 'enneadic'], 'decennial': ['celandine', 'decennial'], 'decent': ['cedent', 'decent'], 'decenter': ['centered', 'decenter', 'decentre', 'recedent'], 'decentre': ['centered', 'decenter', 'decentre', 'recedent'], 'decern': ['cendre', 'decern'], 'decian': ['decani', 'decian'], 'deciatine': ['deciatine', 'diacetine', 'taenicide', 'teniacide'], 'decider': ['decider', 'decried'], 'decillion': ['celloidin', 'collidine', 'decillion'], 'decima': ['amiced', 'decima'], 'decimal': ['camelid', 'decimal', 'declaim', 'medical'], 'decimally': ['decimally', 'medically'], 'decimate': ['decimate', 'medicate'], 'decimation': ['decimation', 'medication'], 'decimator': ['decimator', 'medicator', 'mordicate'], 'decimestrial': ['decimestrial', 'sedimetrical'], 'decimosexto': ['decimosexto', 'sextodecimo'], 'deckel': ['deckel', 'deckle'], 'decker': ['decker', 'redeck'], 'deckle': ['deckel', 'deckle'], 'deckload': ['deadlock', 'deckload'], 'declaim': ['camelid', 'decimal', 'declaim', 'medical'], 'declaimer': ['declaimer', 'demiracle'], 'declaration': ['declaration', 'redactional'], 'declare': ['cedrela', 'creedal', 'declare'], 'declass': ['classed', 'declass'], 'declinate': ['declinate', 'encitadel'], 'declinatory': ['adrenolytic', 'declinatory'], 'decoat': ['coated', 'decoat'], 'decollate': ['decollate', 'ocellated'], 'decollator': ['corollated', 'decollator'], 'decolor': ['colored', 'croodle', 'decolor'], 'decompress': ['compressed', 'decompress'], 'deconsider': ['considered', 'deconsider'], 'decorate': ['decorate', 'ocreated'], 'decoration': ['carotenoid', 'coronadite', 'decoration'], 'decorist': ['decorist', 'sectroid'], 'decream': ['decream', 'racemed'], 'decree': ['decree', 'recede'], 'decreer': ['decreer', 'receder'], 'decreet': ['decreet', 'decrete'], 'decrepit': ['decrepit', 'depicter', 'precited'], 'decrete': ['decreet', 'decrete'], 'decretist': ['decretist', 'trisected'], 'decrial': ['decrial', 'radicel', 'radicle'], 'decried': ['decider', 'decried'], 'decrown': ['crowned', 'decrown'], 'decry': ['cedry', 'decry'], 'decurionate': ['counteridea', 'decurionate'], 'decurrency': ['decurrency', 'recrudency'], 'decursion': ['cinderous', 'decursion'], 'decus': ['decus', 'duces'], 'decyl': ['clyde', 'decyl'], 'decylic': ['cyclide', 'decylic', 'dicycle'], 'dedan': ['dedan', 'denda'], 'dedicant': ['addicent', 'dedicant'], 'dedo': ['dedo', 'dode', 'eddo'], 'deduce': ['deduce', 'deuced'], 'deduct': ['deduct', 'ducted'], 'deem': ['deem', 'deme', 'mede', 'meed'], 'deemer': ['deemer', 'meered', 'redeem', 'remede'], 'deep': ['deep', 'peed'], 'deer': ['deer', 'dere', 'dree', 'rede', 'reed'], 'deerhair': ['deerhair', 'dehairer'], 'deerhorn': ['deerhorn', 'dehorner'], 'deerwood': ['deerwood', 'doorweed'], 'defat': ['defat', 'fated'], 'defaulter': ['defaulter', 'redefault'], 'defeater': ['defeater', 'federate', 'redefeat'], 'defensor': ['defensor', 'foresend'], 'defer': ['defer', 'freed'], 'defial': ['afield', 'defial'], 'defiber': ['debrief', 'defiber', 'fibered'], 'defile': ['defile', 'fidele'], 'defiled': ['defiled', 'fielded'], 'defiler': ['defiler', 'fielder'], 'definable': ['beanfield', 'definable'], 'define': ['define', 'infeed'], 'definer': ['definer', 'refined'], 'deflect': ['clefted', 'deflect'], 'deflesh': ['deflesh', 'fleshed'], 'deflex': ['deflex', 'flexed'], 'deflower': ['deflower', 'flowered'], 'defluent': ['defluent', 'unfelted'], 'defog': ['defog', 'fodge'], 'deforciant': ['deforciant', 'fornicated'], 'deforest': ['deforest', 'forested'], 'deform': ['deform', 'formed'], 'deformer': ['deformer', 'reformed'], 'defray': ['defray', 'frayed'], 'defrost': ['defrost', 'frosted'], 'deg': ['deg', 'ged'], 'degarnish': ['degarnish', 'garnished'], 'degasser': ['degasser', 'dressage'], 'degelation': ['degelation', 'delegation'], 'degrain': ['degrain', 'deraign', 'deringa', 'gradine', 'grained', 'reading'], 'degu': ['degu', 'gude'], 'dehair': ['dehair', 'haired'], 'dehairer': ['deerhair', 'dehairer'], 'dehorn': ['dehorn', 'horned'], 'dehorner': ['deerhorn', 'dehorner'], 'dehors': ['dehors', 'rhodes', 'shoder', 'shored'], 'dehortation': ['dehortation', 'theriodonta'], 'dehusk': ['dehusk', 'husked'], 'deicer': ['ceride', 'deicer'], 'deictical': ['deictical', 'dialectic'], 'deification': ['deification', 'edification'], 'deificatory': ['deificatory', 'edificatory'], 'deifier': ['deifier', 'edifier'], 'deify': ['deify', 'edify'], 'deign': ['deign', 'dinge', 'nidge'], 'deino': ['deino', 'dione', 'edoni'], 'deinocephalia': ['deinocephalia', 'palaeechinoid'], 'deinos': ['deinos', 'donsie', 'inodes', 'onside'], 'deipara': ['deipara', 'paridae'], 'deirdre': ['deirdre', 'derider', 'derride', 'ridered'], 'deism': ['deism', 'disme'], 'deist': ['deist', 'steid'], 'deistic': ['deistic', 'dietics'], 'deistically': ['deistically', 'dialystelic'], 'deity': ['deity', 'tydie'], 'deityship': ['deityship', 'diphysite'], 'del': ['del', 'eld', 'led'], 'delaine': ['adeline', 'daniele', 'delaine'], 'delaminate': ['antemedial', 'delaminate'], 'delapse': ['delapse', 'sepaled'], 'delate': ['delate', 'elated'], 'delater': ['delater', 'related', 'treadle'], 'delator': ['delator', 'leotard'], 'delawn': ['delawn', 'lawned', 'wandle'], 'delay': ['delay', 'leady'], 'delayer': ['delayer', 'layered', 'redelay'], 'delayful': ['delayful', 'feudally'], 'dele': ['dele', 'lede', 'leed'], 'delead': ['delead', 'leaded'], 'delegation': ['degelation', 'delegation'], 'delegatory': ['delegatory', 'derogately'], 'delete': ['delete', 'teedle'], 'delf': ['delf', 'fled'], 'delhi': ['delhi', 'hield'], 'delia': ['adiel', 'delia', 'ideal'], 'delian': ['aldine', 'daniel', 'delian', 'denial', 'enalid', 'leadin'], 'delible': ['bellied', 'delible'], 'delicateness': ['delicateness', 'delicatessen'], 'delicatessen': ['delicateness', 'delicatessen'], 'delichon': ['chelidon', 'chelonid', 'delichon'], 'delict': ['delict', 'deltic'], 'deligation': ['deligation', 'gadolinite', 'gelatinoid'], 'delignate': ['delignate', 'gelatined'], 'delimit': ['delimit', 'limited'], 'delimitation': ['delimitation', 'mniotiltidae'], 'delineator': ['delineator', 'rondeletia'], 'delint': ['delint', 'dentil'], 'delirament': ['delirament', 'derailment'], 'deliriant': ['deliriant', 'draintile', 'interlaid'], 'deliver': ['deliver', 'deviler', 'livered'], 'deliverer': ['deliverer', 'redeliver'], 'della': ['dalle', 'della', 'ladle'], 'deloul': ['deloul', 'duello'], 'delphinius': ['delphinius', 'sulphinide'], 'delta': ['adlet', 'dealt', 'delta', 'lated', 'taled'], 'deltaic': ['citadel', 'deltaic', 'dialect', 'edictal', 'lactide'], 'deltic': ['delict', 'deltic'], 'deluding': ['deluding', 'ungilded'], 'delusion': ['delusion', 'unsoiled'], 'delusionist': ['delusionist', 'indissolute'], 'deluster': ['deluster', 'ulstered'], 'demal': ['demal', 'medal'], 'demand': ['damned', 'demand', 'madden'], 'demander': ['demander', 'redemand'], 'demanding': ['demanding', 'maddening'], 'demandingly': ['demandingly', 'maddeningly'], 'demantoid': ['demantoid', 'dominated'], 'demarcate': ['camerated', 'demarcate'], 'demarcation': ['demarcation', 'democratian'], 'demark': ['demark', 'marked'], 'demast': ['demast', 'masted'], 'deme': ['deem', 'deme', 'mede', 'meed'], 'demean': ['amende', 'demean', 'meaned', 'nadeem'], 'demeanor': ['demeanor', 'enamored'], 'dementia': ['dementia', 'mendaite'], 'demerit': ['demerit', 'dimeter', 'merited', 'mitered'], 'demerol': ['demerol', 'modeler', 'remodel'], 'demetrian': ['demetrian', 'dermatine', 'meandrite', 'minareted'], 'demi': ['demi', 'diem', 'dime', 'mide'], 'demibrute': ['bermudite', 'demibrute'], 'demicannon': ['cinnamoned', 'demicannon'], 'demicanon': ['demicanon', 'dominance'], 'demidog': ['demidog', 'demigod'], 'demigod': ['demidog', 'demigod'], 'demiluster': ['demiluster', 'demilustre'], 'demilustre': ['demiluster', 'demilustre'], 'demiparallel': ['demiparallel', 'imparalleled'], 'demipronation': ['demipronation', 'preadmonition', 'predomination'], 'demiracle': ['declaimer', 'demiracle'], 'demiram': ['demiram', 'mermaid'], 'demirep': ['demirep', 'epiderm', 'impeder', 'remiped'], 'demirobe': ['demirobe', 'embodier'], 'demisable': ['beadleism', 'demisable'], 'demise': ['demise', 'diseme'], 'demit': ['demit', 'timed'], 'demiturned': ['demiturned', 'undertimed'], 'demob': ['demob', 'mobed'], 'democratian': ['demarcation', 'democratian'], 'demolisher': ['demolisher', 'redemolish'], 'demoniac': ['codamine', 'comedian', 'daemonic', 'demoniac'], 'demoniacism': ['demoniacism', 'seminomadic'], 'demonial': ['demonial', 'melanoid'], 'demoniast': ['ademonist', 'demoniast', 'staminode'], 'demonish': ['demonish', 'hedonism'], 'demonism': ['demonism', 'medimnos', 'misnomed'], 'demotics': ['comedist', 'demotics', 'docetism', 'domestic'], 'demotion': ['demotion', 'entomoid', 'moontide'], 'demount': ['demount', 'mounted'], 'demurrer': ['demurrer', 'murderer'], 'demurring': ['demurring', 'murdering'], 'demurringly': ['demurringly', 'murderingly'], 'demy': ['demy', 'emyd'], 'den': ['den', 'end', 'ned'], 'denarius': ['denarius', 'desaurin', 'unraised'], 'denaro': ['denaro', 'orenda'], 'denary': ['denary', 'yander'], 'denat': ['denat', 'entad'], 'denature': ['denature', 'undereat'], 'denda': ['dedan', 'denda'], 'dendral': ['dandler', 'dendral'], 'dendrite': ['dendrite', 'tindered'], 'dendrites': ['dendrites', 'distender', 'redistend'], 'dene': ['dene', 'eden', 'need'], 'deneb': ['beden', 'deben', 'deneb'], 'dengue': ['dengue', 'unedge'], 'denial': ['aldine', 'daniel', 'delian', 'denial', 'enalid', 'leadin'], 'denier': ['denier', 'nereid'], 'denierer': ['denierer', 'reindeer'], 'denigrate': ['argentide', 'denigrate', 'dinergate'], 'denim': ['denim', 'mendi'], 'denis': ['denis', 'snide'], 'denominate': ['denominate', 'emendation'], 'denotable': ['denotable', 'detonable'], 'denotation': ['denotation', 'detonation'], 'denotative': ['denotative', 'detonative'], 'denotive': ['denotive', 'devonite'], 'denouncer': ['denouncer', 'unencored'], 'dense': ['dense', 'needs'], 'denshare': ['denshare', 'seerhand'], 'denshire': ['denshire', 'drisheen'], 'density': ['density', 'destiny'], 'dent': ['dent', 'tend'], 'dental': ['dental', 'tandle'], 'dentale': ['dalteen', 'dentale', 'edental'], 'dentalism': ['dentalism', 'dismantle'], 'dentaria': ['anteriad', 'atridean', 'dentaria'], 'dentatoserrate': ['dentatoserrate', 'serratodentate'], 'dentatosinuate': ['dentatosinuate', 'sinuatodentate'], 'denter': ['denter', 'rented', 'tender'], 'dentex': ['dentex', 'extend'], 'denticle': ['cliented', 'denticle'], 'denticular': ['denticular', 'unarticled'], 'dentil': ['delint', 'dentil'], 'dentilingual': ['dentilingual', 'indulgential', 'linguidental'], 'dentin': ['dentin', 'indent', 'intend', 'tinned'], 'dentinal': ['dentinal', 'teinland', 'tendinal'], 'dentine': ['dentine', 'nineted'], 'dentinitis': ['dentinitis', 'tendinitis'], 'dentinoma': ['dentinoma', 'nominated'], 'dentist': ['dentist', 'distent', 'stinted'], 'dentolabial': ['dentolabial', 'labiodental'], 'dentolingual': ['dentolingual', 'linguodental'], 'denture': ['denture', 'untreed'], 'denudative': ['denudative', 'undeviated'], 'denude': ['denude', 'dudeen'], 'denumeral': ['denumeral', 'undermeal', 'unrealmed'], 'denunciator': ['denunciator', 'underaction'], 'deny': ['deny', 'dyne'], 'deoppilant': ['deoppilant', 'pentaploid'], 'deota': ['deota', 'todea'], 'depa': ['depa', 'peda'], 'depaint': ['depaint', 'inadept', 'painted', 'patined'], 'depart': ['depart', 'parted', 'petard'], 'departition': ['departition', 'partitioned', 'trepidation'], 'departure': ['apertured', 'departure'], 'depas': ['depas', 'sepad', 'spade'], 'depencil': ['depencil', 'penciled', 'pendicle'], 'depender': ['depender', 'redepend'], 'depetticoat': ['depetticoat', 'petticoated'], 'depicter': ['decrepit', 'depicter', 'precited'], 'depiction': ['depiction', 'pectinoid'], 'depilate': ['depilate', 'leptidae', 'pileated'], 'depletion': ['depletion', 'diplotene'], 'deploration': ['deploration', 'periodontal'], 'deploy': ['deploy', 'podley'], 'depoh': ['depoh', 'ephod', 'hoped'], 'depolish': ['depolish', 'polished'], 'deport': ['deport', 'ported', 'redtop'], 'deportation': ['antitorpedo', 'deportation'], 'deposal': ['adelops', 'deposal'], 'deposer': ['deposer', 'reposed'], 'deposit': ['deposit', 'topside'], 'deposition': ['deposition', 'positioned'], 'depositional': ['depositional', 'despoliation'], 'depositure': ['depositure', 'pterideous'], 'deprave': ['deprave', 'pervade'], 'depraver': ['depraver', 'pervader'], 'depravingly': ['depravingly', 'pervadingly'], 'deprecable': ['deprecable', 'precedable'], 'deprecation': ['capernoited', 'deprecation'], 'depreciation': ['depreciation', 'predeication'], 'depressant': ['depressant', 'partedness'], 'deprint': ['deprint', 'printed'], 'deprival': ['deprival', 'prevalid'], 'deprivate': ['deprivate', 'predative'], 'deprive': ['deprive', 'previde'], 'depriver': ['depriver', 'predrive'], 'depurant': ['depurant', 'unparted'], 'depuration': ['depuration', 'portunidae'], 'deraign': ['degrain', 'deraign', 'deringa', 'gradine', 'grained', 'reading'], 'derail': ['ariled', 'derail', 'dialer'], 'derailment': ['delirament', 'derailment'], 'derange': ['derange', 'enraged', 'gardeen', 'gerenda', 'grandee', 'grenade'], 'deranged': ['deranged', 'gardened'], 'deranger': ['deranger', 'gardener'], 'derat': ['dater', 'derat', 'detar', 'drate', 'rated', 'trade', 'tread'], 'derate': ['derate', 'redate'], 'derater': ['derater', 'retrade', 'retread', 'treader'], 'deray': ['deary', 'deray', 'rayed', 'ready', 'yeard'], 'dere': ['deer', 'dere', 'dree', 'rede', 'reed'], 'deregister': ['deregister', 'registered'], 'derelict': ['derelict', 'relicted'], 'deric': ['cider', 'cried', 'deric', 'dicer'], 'derider': ['deirdre', 'derider', 'derride', 'ridered'], 'deringa': ['degrain', 'deraign', 'deringa', 'gradine', 'grained', 'reading'], 'derision': ['derision', 'ironside', 'resinoid', 'sirenoid'], 'derivation': ['derivation', 'ordinative'], 'derivational': ['derivational', 'revalidation'], 'derive': ['derive', 'redive'], 'deriver': ['deriver', 'redrive', 'rivered'], 'derma': ['armed', 'derma', 'dream', 'ramed'], 'dermad': ['dermad', 'madder'], 'dermal': ['dermal', 'marled', 'medlar'], 'dermatic': ['dermatic', 'timecard'], 'dermatine': ['demetrian', 'dermatine', 'meandrite', 'minareted'], 'dermatoneurosis': ['dermatoneurosis', 'neurodermatosis'], 'dermatophone': ['dermatophone', 'herpetomonad'], 'dermoblast': ['blastoderm', 'dermoblast'], 'dermol': ['dermol', 'molder', 'remold'], 'dermosclerite': ['dermosclerite', 'sclerodermite'], 'dern': ['dern', 'rend'], 'derogately': ['delegatory', 'derogately'], 'derogation': ['derogation', 'trogonidae'], 'derout': ['derout', 'detour', 'douter'], 'derride': ['deirdre', 'derider', 'derride', 'ridered'], 'derries': ['derries', 'desirer', 'resider', 'serried'], 'derringer': ['derringer', 'regrinder'], 'derry': ['derry', 'redry', 'ryder'], 'derust': ['derust', 'duster'], 'desalt': ['desalt', 'salted'], 'desand': ['desand', 'sadden', 'sanded'], 'desaurin': ['denarius', 'desaurin', 'unraised'], 'descendant': ['adscendent', 'descendant'], 'descender': ['descender', 'redescend'], 'descent': ['descent', 'scented'], 'description': ['description', 'discerption'], 'desecrate': ['decastere', 'desecrate'], 'desecration': ['considerate', 'desecration'], 'deseed': ['deseed', 'seeded'], 'desertic': ['creedist', 'desertic', 'discreet', 'discrete'], 'desertion': ['desertion', 'detersion'], 'deserver': ['deserver', 'reserved', 'reversed'], 'desex': ['desex', 'sexed'], 'deshabille': ['deshabille', 'shieldable'], 'desi': ['desi', 'ides', 'seid', 'side'], 'desiccation': ['desiccation', 'discoactine'], 'desight': ['desight', 'sighted'], 'design': ['design', 'singed'], 'designer': ['designer', 'redesign', 'resigned'], 'desilver': ['desilver', 'silvered'], 'desirable': ['desirable', 'redisable'], 'desire': ['desire', 'reside'], 'desirer': ['derries', 'desirer', 'resider', 'serried'], 'desirous': ['desirous', 'siderous'], 'desition': ['desition', 'sedition'], 'desma': ['desma', 'mesad'], 'desman': ['amends', 'desman'], 'desmopathy': ['desmopathy', 'phymatodes'], 'desorption': ['desorption', 'priodontes'], 'despair': ['despair', 'pardesi'], 'despairing': ['despairing', 'spinigrade'], 'desperation': ['desperation', 'esperantido'], 'despise': ['despise', 'pedesis'], 'despiser': ['despiser', 'disperse'], 'despoil': ['despoil', 'soliped', 'spoiled'], 'despoiler': ['despoiler', 'leprosied'], 'despoliation': ['depositional', 'despoliation'], 'despot': ['despot', 'posted'], 'despotat': ['despotat', 'postdate'], 'dessert': ['dessert', 'tressed'], 'destain': ['destain', 'instead', 'sainted', 'satined'], 'destine': ['destine', 'edestin'], 'destinism': ['destinism', 'timidness'], 'destiny': ['density', 'destiny'], 'desugar': ['desugar', 'sugared'], 'detail': ['detail', 'dietal', 'dilate', 'edital', 'tailed'], 'detailer': ['detailer', 'elaterid'], 'detain': ['danite', 'detain'], 'detainal': ['danalite', 'detainal'], 'detar': ['dater', 'derat', 'detar', 'drate', 'rated', 'trade', 'tread'], 'detassel': ['dateless', 'detassel'], 'detax': ['detax', 'taxed'], 'detecter': ['detecter', 'redetect'], 'detent': ['detent', 'netted', 'tented'], 'deter': ['deter', 'treed'], 'determinant': ['determinant', 'detrainment'], 'detersion': ['desertion', 'detersion'], 'detest': ['detest', 'tested'], 'dethrone': ['dethrone', 'threnode'], 'detin': ['detin', 'teind', 'tined'], 'detinet': ['detinet', 'dinette'], 'detonable': ['denotable', 'detonable'], 'detonation': ['denotation', 'detonation'], 'detonative': ['denotative', 'detonative'], 'detonator': ['detonator', 'tetraodon'], 'detour': ['derout', 'detour', 'douter'], 'detracter': ['detracter', 'retracted'], 'detraction': ['detraction', 'doctrinate', 'tetarconid'], 'detrain': ['antired', 'detrain', 'randite', 'trained'], 'detrainment': ['determinant', 'detrainment'], 'detrusion': ['detrusion', 'tinderous', 'unstoried'], 'detrusive': ['detrusive', 'divesture', 'servitude'], 'deuce': ['deuce', 'educe'], 'deuced': ['deduce', 'deuced'], 'deul': ['deul', 'duel', 'leud'], 'deva': ['dave', 'deva', 'vade', 'veda'], 'devance': ['devance', 'vendace'], 'develin': ['develin', 'endevil'], 'developer': ['developer', 'redevelop'], 'devil': ['devil', 'divel', 'lived'], 'deviler': ['deliver', 'deviler', 'livered'], 'devisceration': ['considerative', 'devisceration'], 'deviser': ['deviser', 'diverse', 'revised'], 'devitrify': ['devitrify', 'fervidity'], 'devoid': ['devoid', 'voided'], 'devoir': ['devoir', 'voider'], 'devonite': ['denotive', 'devonite'], 'devourer': ['devourer', 'overdure', 'overrude'], 'devow': ['devow', 'vowed'], 'dew': ['dew', 'wed'], 'dewan': ['awned', 'dewan', 'waned'], 'dewater': ['dewater', 'tarweed', 'watered'], 'dewer': ['dewer', 'ewder', 'rewed'], 'dewey': ['dewey', 'weedy'], 'dewily': ['dewily', 'widely', 'wieldy'], 'dewiness': ['dewiness', 'wideness'], 'dewool': ['dewool', 'elwood', 'wooled'], 'deworm': ['deworm', 'wormed'], 'dewy': ['dewy', 'wyde'], 'dextraural': ['dextraural', 'extradural'], 'dextrosinistral': ['dextrosinistral', 'sinistrodextral'], 'dey': ['dey', 'dye', 'yed'], 'deyhouse': ['deyhouse', 'dyehouse'], 'deyship': ['deyship', 'diphyes'], 'dezinc': ['dezinc', 'zendic'], 'dha': ['dah', 'dha', 'had'], 'dhamnoo': ['dhamnoo', 'hoodman', 'manhood'], 'dhan': ['dhan', 'hand'], 'dharna': ['andhra', 'dharna'], 'dheri': ['dheri', 'hider', 'hired'], 'dhobi': ['bodhi', 'dhobi'], 'dhoon': ['dhoon', 'hondo'], 'dhu': ['dhu', 'hud'], 'di': ['di', 'id'], 'diabolist': ['diabolist', 'idioblast'], 'diacetin': ['diacetin', 'indicate'], 'diacetine': ['deciatine', 'diacetine', 'taenicide', 'teniacide'], 'diacetyl': ['diacetyl', 'lyctidae'], 'diachoretic': ['citharoedic', 'diachoretic'], 'diaclase': ['diaclase', 'sidalcea'], 'diaconal': ['cladonia', 'condalia', 'diaconal'], 'diact': ['diact', 'dicta'], 'diadem': ['diadem', 'mediad'], 'diaderm': ['admired', 'diaderm'], 'diaeretic': ['diaeretic', 'icteridae'], 'diagenetic': ['diagenetic', 'digenetica'], 'diageotropism': ['diageotropism', 'geodiatropism'], 'diagonal': ['diagonal', 'ganoidal', 'gonadial'], 'dial': ['dail', 'dali', 'dial', 'laid', 'lida'], 'dialect': ['citadel', 'deltaic', 'dialect', 'edictal', 'lactide'], 'dialectic': ['deictical', 'dialectic'], 'dialector': ['dialector', 'lacertoid'], 'dialer': ['ariled', 'derail', 'dialer'], 'dialin': ['anilid', 'dialin', 'dianil', 'inlaid'], 'dialing': ['dialing', 'gliadin'], 'dialister': ['dialister', 'trailside'], 'diallelon': ['diallelon', 'llandeilo'], 'dialogism': ['dialogism', 'sigmoidal'], 'dialystelic': ['deistically', 'dialystelic'], 'dialytic': ['calidity', 'dialytic'], 'diamagnet': ['agminated', 'diamagnet'], 'diamantine': ['diamantine', 'inanimated'], 'diameter': ['diameter', 'diatreme'], 'diametric': ['citramide', 'diametric', 'matricide'], 'diamide': ['amidide', 'diamide', 'mididae'], 'diamine': ['amidine', 'diamine'], 'diamorphine': ['diamorphine', 'phronimidae'], 'dian': ['adin', 'andi', 'dain', 'dani', 'dian', 'naid'], 'diana': ['danai', 'diana', 'naiad'], 'diander': ['diander', 'drained'], 'diane': ['diane', 'idean'], 'dianetics': ['andesitic', 'dianetics'], 'dianil': ['anilid', 'dialin', 'dianil', 'inlaid'], 'diapensia': ['diapensia', 'diaspinae'], 'diaper': ['diaper', 'paired'], 'diaphote': ['diaphote', 'hepatoid'], 'diaphtherin': ['diaphtherin', 'diphtherian'], 'diapnoic': ['diapnoic', 'pinacoid'], 'diapnotic': ['antipodic', 'diapnotic'], 'diaporthe': ['aphrodite', 'atrophied', 'diaporthe'], 'diarch': ['chidra', 'diarch'], 'diarchial': ['diarchial', 'rachidial'], 'diarchy': ['diarchy', 'hyracid'], 'diarian': ['aridian', 'diarian'], 'diary': ['dairy', 'diary', 'yaird'], 'diascia': ['ascidia', 'diascia'], 'diascope': ['diascope', 'psocidae', 'scopidae'], 'diaspinae': ['diapensia', 'diaspinae'], 'diastem': ['diastem', 'misdate'], 'diastema': ['adamsite', 'diastema'], 'diaster': ['astride', 'diaster', 'disrate', 'restiad', 'staired'], 'diastole': ['diastole', 'isolated', 'sodalite', 'solidate'], 'diastrophic': ['aphrodistic', 'diastrophic'], 'diastrophy': ['diastrophy', 'dystrophia'], 'diatomales': ['diatomales', 'mastoidale', 'mastoideal'], 'diatomean': ['diatomean', 'mantoidea'], 'diatomin': ['diatomin', 'domitian'], 'diatonic': ['actinoid', 'diatonic', 'naticoid'], 'diatreme': ['diameter', 'diatreme'], 'diatropism': ['diatropism', 'prismatoid'], 'dib': ['bid', 'dib'], 'dibatis': ['dabitis', 'dibatis'], 'dibber': ['dibber', 'ribbed'], 'dibbler': ['dibbler', 'dribble'], 'dibrom': ['dibrom', 'morbid'], 'dicaryon': ['cynaroid', 'dicaryon'], 'dicast': ['dicast', 'stadic'], 'dice': ['dice', 'iced'], 'dicentra': ['crinated', 'dicentra'], 'dicer': ['cider', 'cried', 'deric', 'dicer'], 'diceras': ['diceras', 'radices', 'sidecar'], 'dich': ['chid', 'dich'], 'dichroite': ['dichroite', 'erichtoid', 'theriodic'], 'dichromat': ['chromatid', 'dichromat'], 'dichter': ['dichter', 'ditcher'], 'dicolic': ['codicil', 'dicolic'], 'dicolon': ['dicolon', 'dolcino'], 'dicoumarin': ['acridonium', 'dicoumarin'], 'dicta': ['diact', 'dicta'], 'dictaphone': ['dictaphone', 'endopathic'], 'dictational': ['antidotical', 'dictational'], 'dictionary': ['dictionary', 'indicatory'], 'dicyanine': ['cyanidine', 'dicyanine'], 'dicycle': ['cyclide', 'decylic', 'dicycle'], 'dicyema': ['dicyema', 'mediacy'], 'diddle': ['diddle', 'lidded'], 'diddler': ['diddler', 'driddle'], 'didym': ['didym', 'middy'], 'die': ['die', 'ide'], 'dieb': ['beid', 'bide', 'debi', 'dieb'], 'diego': ['diego', 'dogie', 'geoid'], 'dielytra': ['dielytra', 'tileyard'], 'diem': ['demi', 'diem', 'dime', 'mide'], 'dier': ['dier', 'dire', 'reid', 'ride'], 'diesel': ['diesel', 'sedile', 'seidel'], 'diet': ['diet', 'dite', 'edit', 'tide', 'tied'], 'dietal': ['detail', 'dietal', 'dilate', 'edital', 'tailed'], 'dieter': ['dieter', 'tiered'], 'dietic': ['citied', 'dietic'], 'dietics': ['deistic', 'dietics'], 'dig': ['dig', 'gid'], 'digenetica': ['diagenetic', 'digenetica'], 'digeny': ['digeny', 'dyeing'], 'digester': ['digester', 'redigest'], 'digitalein': ['digitalein', 'diligentia'], 'digitation': ['digitation', 'goniatitid'], 'digitonin': ['digitonin', 'indigotin'], 'digredient': ['digredient', 'reddingite'], 'dihalo': ['dihalo', 'haloid'], 'diiambus': ['basidium', 'diiambus'], 'dika': ['dika', 'kaid'], 'dikaryon': ['ankyroid', 'dikaryon'], 'dike': ['dike', 'keid'], 'dilacerate': ['dilacerate', 'lacertidae'], 'dilatant': ['atlantid', 'dilatant'], 'dilate': ['detail', 'dietal', 'dilate', 'edital', 'tailed'], 'dilater': ['dilater', 'lardite', 'redtail'], 'dilatometric': ['calotermitid', 'dilatometric'], 'dilator': ['dilator', 'ortalid'], 'dilatory': ['adroitly', 'dilatory', 'idolatry'], 'diligence': ['ceilinged', 'diligence'], 'diligentia': ['digitalein', 'diligentia'], 'dillue': ['dillue', 'illude'], 'dilluer': ['dilluer', 'illuder'], 'dilo': ['dilo', 'diol', 'doli', 'idol', 'olid'], 'diluent': ['diluent', 'untiled'], 'dilute': ['dilute', 'dultie'], 'diluted': ['diluted', 'luddite'], 'dilutent': ['dilutent', 'untilted', 'untitled'], 'diluvian': ['diluvian', 'induvial'], 'dim': ['dim', 'mid'], 'dimatis': ['amidist', 'dimatis'], 'dimble': ['dimble', 'limbed'], 'dime': ['demi', 'diem', 'dime', 'mide'], 'dimer': ['dimer', 'mider'], 'dimera': ['admire', 'armied', 'damier', 'dimera', 'merida'], 'dimeran': ['adermin', 'amerind', 'dimeran'], 'dimerous': ['dimerous', 'soredium'], 'dimeter': ['demerit', 'dimeter', 'merited', 'mitered'], 'dimetria': ['dimetria', 'mitridae', 'tiremaid', 'triamide'], 'diminisher': ['diminisher', 'rediminish'], 'dimit': ['dimit', 'timid'], 'dimmer': ['dimmer', 'immerd', 'rimmed'], 'dimna': ['dimna', 'manid'], 'dimyarian': ['dimyarian', 'myrianida'], 'din': ['din', 'ind', 'nid'], 'dinah': ['ahind', 'dinah'], 'dinar': ['darin', 'dinar', 'drain', 'indra', 'nadir', 'ranid'], 'dinder': ['dinder', 'ridden', 'rinded'], 'dindle': ['dindle', 'niddle'], 'dine': ['dine', 'enid', 'inde', 'nide'], 'diner': ['diner', 'riden', 'rinde'], 'dinergate': ['argentide', 'denigrate', 'dinergate'], 'dinero': ['dinero', 'dorine'], 'dinette': ['detinet', 'dinette'], 'dineuric': ['dineuric', 'eurindic'], 'dingar': ['daring', 'dingar', 'gradin'], 'dinge': ['deign', 'dinge', 'nidge'], 'dingle': ['dingle', 'elding', 'engild', 'gilden'], 'dingo': ['dingo', 'doing', 'gondi', 'gonid'], 'dingwall': ['dingwall', 'windgall'], 'dingy': ['dingy', 'dying'], 'dinheiro': ['dinheiro', 'hernioid'], 'dinic': ['dinic', 'indic'], 'dining': ['dining', 'indign', 'niding'], 'dink': ['dink', 'kind'], 'dinkey': ['dinkey', 'kidney'], 'dinocerata': ['arctoidean', 'carotidean', 'cordaitean', 'dinocerata'], 'dinoceratan': ['carnationed', 'dinoceratan'], 'dinomic': ['dinomic', 'dominic'], 'dint': ['dint', 'tind'], 'dinus': ['dinus', 'indus', 'nidus'], 'dioeciopolygamous': ['dioeciopolygamous', 'polygamodioecious'], 'diogenite': ['diogenite', 'gideonite'], 'diol': ['dilo', 'diol', 'doli', 'idol', 'olid'], 'dion': ['dion', 'nodi', 'odin'], 'dione': ['deino', 'dione', 'edoni'], 'diopter': ['diopter', 'peridot', 'proetid', 'protide', 'pteroid'], 'dioptra': ['dioptra', 'parotid'], 'dioptral': ['dioptral', 'tripodal'], 'dioptric': ['dioptric', 'tripodic'], 'dioptrical': ['dioptrical', 'tripodical'], 'dioptry': ['dioptry', 'tripody'], 'diorama': ['amaroid', 'diorama'], 'dioramic': ['dioramic', 'dromicia'], 'dioscorein': ['dioscorein', 'dioscorine'], 'dioscorine': ['dioscorein', 'dioscorine'], 'dioscuri': ['dioscuri', 'sciuroid'], 'diose': ['diose', 'idose', 'oside'], 'diosmin': ['diosmin', 'odinism'], 'diosmotic': ['diosmotic', 'sodomitic'], 'diparentum': ['diparentum', 'unimparted'], 'dipetto': ['dipetto', 'diptote'], 'diphase': ['aphides', 'diphase'], 'diphaser': ['diphaser', 'parished', 'raphides', 'sephardi'], 'diphosphate': ['diphosphate', 'phosphatide'], 'diphtherian': ['diaphtherin', 'diphtherian'], 'diphyes': ['deyship', 'diphyes'], 'diphysite': ['deityship', 'diphysite'], 'dipicrate': ['dipicrate', 'patricide', 'pediatric'], 'diplanar': ['diplanar', 'prandial'], 'diplasion': ['aspidinol', 'diplasion'], 'dipleura': ['dipleura', 'epidural'], 'dipleural': ['dipleural', 'preludial'], 'diplocephalus': ['diplocephalus', 'pseudophallic'], 'diploe': ['diploe', 'dipole'], 'diploetic': ['diploetic', 'lepidotic'], 'diplotene': ['depletion', 'diplotene'], 'dipnoan': ['dipnoan', 'nonpaid', 'pandion'], 'dipolar': ['dipolar', 'polarid'], 'dipole': ['diploe', 'dipole'], 'dipsaceous': ['dipsaceous', 'spadiceous'], 'dipter': ['dipter', 'trepid'], 'dipteraceous': ['dipteraceous', 'epiceratodus'], 'dipteral': ['dipteral', 'tripedal'], 'dipterological': ['dipterological', 'pteridological'], 'dipterologist': ['dipterologist', 'pteridologist'], 'dipterology': ['dipterology', 'pteridology'], 'dipteros': ['dipteros', 'portside'], 'diptote': ['dipetto', 'diptote'], 'dirca': ['acrid', 'caird', 'carid', 'darci', 'daric', 'dirca'], 'dircaean': ['caridean', 'dircaean', 'radiance'], 'dire': ['dier', 'dire', 'reid', 'ride'], 'direct': ['credit', 'direct'], 'directable': ['creditable', 'directable'], 'directer': ['cedriret', 'directer', 'recredit', 'redirect'], 'direction': ['cretinoid', 'direction'], 'directional': ['clitoridean', 'directional'], 'directive': ['creditive', 'directive'], 'directly': ['directly', 'tridecyl'], 'directoire': ['cordierite', 'directoire'], 'director': ['creditor', 'director'], 'directorship': ['creditorship', 'directorship'], 'directress': ['creditress', 'directress'], 'directrix': ['creditrix', 'directrix'], 'direly': ['direly', 'idyler'], 'direption': ['direption', 'perdition', 'tropidine'], 'dirge': ['dirge', 'gride', 'redig', 'ridge'], 'dirgelike': ['dirgelike', 'ridgelike'], 'dirgeman': ['dirgeman', 'margined', 'midrange'], 'dirgler': ['dirgler', 'girdler'], 'dirten': ['dirten', 'rident', 'tinder'], 'dis': ['dis', 'sid'], 'disa': ['dais', 'dasi', 'disa', 'said', 'sida'], 'disadventure': ['disadventure', 'unadvertised'], 'disappearer': ['disappearer', 'redisappear'], 'disarmed': ['disarmed', 'misdread'], 'disastimeter': ['disastimeter', 'semistriated'], 'disattire': ['disattire', 'distraite'], 'disbud': ['disbud', 'disdub'], 'disburse': ['disburse', 'subsider'], 'discastle': ['clidastes', 'discastle'], 'discern': ['discern', 'rescind'], 'discerner': ['discerner', 'rescinder'], 'discernment': ['discernment', 'rescindment'], 'discerp': ['crisped', 'discerp'], 'discerption': ['description', 'discerption'], 'disclike': ['disclike', 'sicklied'], 'discoactine': ['desiccation', 'discoactine'], 'discoid': ['discoid', 'disodic'], 'discontinuer': ['discontinuer', 'undiscretion'], 'discounter': ['discounter', 'rediscount'], 'discoverer': ['discoverer', 'rediscover'], 'discreate': ['discreate', 'sericated'], 'discreet': ['creedist', 'desertic', 'discreet', 'discrete'], 'discreetly': ['discreetly', 'discretely'], 'discreetness': ['discreetness', 'discreteness'], 'discrepate': ['discrepate', 'pederastic'], 'discrete': ['creedist', 'desertic', 'discreet', 'discrete'], 'discretely': ['discreetly', 'discretely'], 'discreteness': ['discreetness', 'discreteness'], 'discretion': ['discretion', 'soricident'], 'discriminator': ['discriminator', 'doctrinairism'], 'disculpate': ['disculpate', 'spiculated'], 'discusser': ['discusser', 'rediscuss'], 'discutable': ['discutable', 'subdeltaic', 'subdialect'], 'disdub': ['disbud', 'disdub'], 'disease': ['disease', 'seaside'], 'diseme': ['demise', 'diseme'], 'disenact': ['disenact', 'distance'], 'disendow': ['disendow', 'downside'], 'disentwine': ['disentwine', 'indentwise'], 'disharmony': ['disharmony', 'hydramnios'], 'dishearten': ['dishearten', 'intershade'], 'dished': ['dished', 'eddish'], 'disherent': ['disherent', 'hinderest', 'tenderish'], 'dishling': ['dishling', 'hidlings'], 'dishonor': ['dishonor', 'ironshod'], 'dishorn': ['dishorn', 'dronish'], 'dishpan': ['daphnis', 'dishpan'], 'disilicate': ['disilicate', 'idealistic'], 'disimprove': ['disimprove', 'misprovide'], 'disk': ['disk', 'kids', 'skid'], 'dislocate': ['dislocate', 'lactoside'], 'disman': ['danism', 'disman'], 'dismantle': ['dentalism', 'dismantle'], 'disme': ['deism', 'disme'], 'dismemberer': ['dismemberer', 'disremember'], 'disnature': ['disnature', 'sturnidae', 'truandise'], 'disnest': ['disnest', 'dissent'], 'disodic': ['discoid', 'disodic'], 'disparage': ['disparage', 'grapsidae'], 'disparation': ['disparation', 'tridiapason'], 'dispatcher': ['dispatcher', 'redispatch'], 'dispensable': ['dispensable', 'piebaldness'], 'dispense': ['dispense', 'piedness'], 'disperse': ['despiser', 'disperse'], 'dispetal': ['dispetal', 'pedalist'], 'dispireme': ['dispireme', 'epidermis'], 'displayer': ['displayer', 'redisplay'], 'displeaser': ['displeaser', 'pearlsides'], 'disponee': ['disponee', 'openside'], 'disporum': ['disporum', 'misproud'], 'disprepare': ['disprepare', 'predespair'], 'disrate': ['astride', 'diaster', 'disrate', 'restiad', 'staired'], 'disremember': ['dismemberer', 'disremember'], 'disrepute': ['disrepute', 'redispute'], 'disrespect': ['disrespect', 'disscepter'], 'disrupt': ['disrupt', 'prudist'], 'disscepter': ['disrespect', 'disscepter'], 'disseat': ['disseat', 'sestiad'], 'dissector': ['crosstied', 'dissector'], 'dissent': ['disnest', 'dissent'], 'dissenter': ['dissenter', 'tiredness'], 'dissertate': ['dissertate', 'statesider'], 'disserve': ['disserve', 'dissever'], 'dissever': ['disserve', 'dissever'], 'dissocial': ['cissoidal', 'dissocial'], 'dissolve': ['dissolve', 'voidless'], 'dissoul': ['dissoul', 'dulosis', 'solidus'], 'distale': ['distale', 'salited'], 'distance': ['disenact', 'distance'], 'distant': ['dantist', 'distant'], 'distater': ['distater', 'striated'], 'distender': ['dendrites', 'distender', 'redistend'], 'distent': ['dentist', 'distent', 'stinted'], 'distich': ['distich', 'stichid'], 'distillage': ['distillage', 'sigillated'], 'distiller': ['distiller', 'redistill'], 'distinguisher': ['distinguisher', 'redistinguish'], 'distoma': ['distoma', 'mastoid'], 'distome': ['distome', 'modiste'], 'distrainer': ['distrainer', 'redistrain'], 'distrait': ['distrait', 'triadist'], 'distraite': ['disattire', 'distraite'], 'disturber': ['disturber', 'redisturb'], 'disulphone': ['disulphone', 'unpolished'], 'disuniform': ['disuniform', 'indusiform'], 'dit': ['dit', 'tid'], 'dita': ['adit', 'dita'], 'dital': ['datil', 'dital', 'tidal', 'tilda'], 'ditcher': ['dichter', 'ditcher'], 'dite': ['diet', 'dite', 'edit', 'tide', 'tied'], 'diter': ['diter', 'tired', 'tried'], 'dithionic': ['chitinoid', 'dithionic'], 'ditone': ['ditone', 'intoed'], 'ditrochean': ['achondrite', 'ditrochean', 'ordanchite'], 'diuranate': ['diuranate', 'untiaraed'], 'diurna': ['danuri', 'diurna', 'dunair', 'durain', 'durani', 'durian'], 'diurnation': ['diurnation', 'induration'], 'diurne': ['diurne', 'inured', 'ruined', 'unride'], 'diva': ['avid', 'diva'], 'divan': ['divan', 'viand'], 'divata': ['divata', 'dvaita'], 'divel': ['devil', 'divel', 'lived'], 'diver': ['diver', 'drive'], 'diverge': ['diverge', 'grieved'], 'diverse': ['deviser', 'diverse', 'revised'], 'diverter': ['diverter', 'redivert', 'verditer'], 'divest': ['divest', 'vedist'], 'divesture': ['detrusive', 'divesture', 'servitude'], 'divisionism': ['divisionism', 'misdivision'], 'divorce': ['cervoid', 'divorce'], 'divorcee': ['coderive', 'divorcee'], 'do': ['do', 'od'], 'doable': ['albedo', 'doable'], 'doarium': ['doarium', 'uramido'], 'doat': ['doat', 'toad', 'toda'], 'doater': ['doater', 'toader'], 'doating': ['antigod', 'doating'], 'doatish': ['doatish', 'toadish'], 'dob': ['bod', 'dob'], 'dobe': ['bode', 'dobe'], 'dobra': ['abord', 'bardo', 'board', 'broad', 'dobra', 'dorab'], 'dobrao': ['dobrao', 'doorba'], 'doby': ['body', 'boyd', 'doby'], 'doc': ['cod', 'doc'], 'docetism': ['comedist', 'demotics', 'docetism', 'domestic'], 'docile': ['cleoid', 'coiled', 'docile'], 'docity': ['cytoid', 'docity'], 'docker': ['corked', 'docker', 'redock'], 'doctorial': ['crotaloid', 'doctorial'], 'doctorship': ['doctorship', 'trophodisc'], 'doctrinairism': ['discriminator', 'doctrinairism'], 'doctrinate': ['detraction', 'doctrinate', 'tetarconid'], 'doctrine': ['centroid', 'doctrine'], 'documental': ['columnated', 'documental'], 'dod': ['dod', 'odd'], 'dode': ['dedo', 'dode', 'eddo'], 'dodecarch': ['decachord', 'dodecarch'], 'dodlet': ['dodlet', 'toddle'], 'dodman': ['dodman', 'oddman'], 'doe': ['doe', 'edo', 'ode'], 'doeg': ['doeg', 'doge', 'gode'], 'doer': ['doer', 'redo', 'rode', 'roed'], 'does': ['does', 'dose'], 'doesnt': ['doesnt', 'stoned'], 'dog': ['dog', 'god'], 'dogate': ['dogate', 'dotage', 'togaed'], 'dogbane': ['bondage', 'dogbane'], 'dogbite': ['bigoted', 'dogbite'], 'doge': ['doeg', 'doge', 'gode'], 'dogger': ['dogger', 'gorged'], 'doghead': ['doghead', 'godhead'], 'doghood': ['doghood', 'godhood'], 'dogie': ['diego', 'dogie', 'geoid'], 'dogless': ['dogless', 'glossed', 'godless'], 'doglike': ['doglike', 'godlike'], 'dogly': ['dogly', 'godly', 'goldy'], 'dogra': ['dargo', 'dogra', 'drago'], 'dogship': ['dogship', 'godship'], 'dogstone': ['dogstone', 'stegodon'], 'dogwatch': ['dogwatch', 'watchdog'], 'doina': ['adion', 'danio', 'doina', 'donia'], 'doing': ['dingo', 'doing', 'gondi', 'gonid'], 'doko': ['doko', 'dook'], 'dol': ['dol', 'lod', 'old'], 'dola': ['alod', 'dola', 'load', 'odal'], 'dolcian': ['dolcian', 'nodical'], 'dolciano': ['conoidal', 'dolciano'], 'dolcino': ['dicolon', 'dolcino'], 'dole': ['dole', 'elod', 'lode', 'odel'], 'dolesman': ['dolesman', 'lodesman'], 'doless': ['doless', 'dossel'], 'doli': ['dilo', 'diol', 'doli', 'idol', 'olid'], 'dolia': ['aloid', 'dolia', 'idola'], 'dolina': ['dolina', 'ladino'], 'doline': ['doline', 'indole', 'leonid', 'loined', 'olenid'], 'dolium': ['dolium', 'idolum'], 'dolly': ['dolly', 'lloyd'], 'dolman': ['almond', 'dolman'], 'dolor': ['dolor', 'drool'], 'dolose': ['dolose', 'oodles', 'soodle'], 'dolphin': ['dolphin', 'pinhold'], 'dolt': ['dolt', 'told'], 'dom': ['dom', 'mod'], 'domain': ['amidon', 'daimon', 'domain'], 'domainal': ['domainal', 'domanial'], 'domal': ['domal', 'modal'], 'domanial': ['domainal', 'domanial'], 'dome': ['dome', 'mode', 'moed'], 'domer': ['domer', 'drome'], 'domestic': ['comedist', 'demotics', 'docetism', 'domestic'], 'domic': ['comid', 'domic'], 'domical': ['domical', 'lacmoid'], 'dominance': ['demicanon', 'dominance'], 'dominate': ['dominate', 'nematoid'], 'dominated': ['demantoid', 'dominated'], 'domination': ['admonition', 'domination'], 'dominative': ['admonitive', 'dominative'], 'dominator': ['admonitor', 'dominator'], 'domine': ['domine', 'domnei', 'emodin', 'medino'], 'dominial': ['dominial', 'imolinda', 'limoniad'], 'dominic': ['dinomic', 'dominic'], 'domino': ['domino', 'monoid'], 'domitian': ['diatomin', 'domitian'], 'domnei': ['domine', 'domnei', 'emodin', 'medino'], 'don': ['don', 'nod'], 'donal': ['donal', 'nodal'], 'donar': ['adorn', 'donar', 'drona', 'radon'], 'donated': ['donated', 'nodated'], 'donatiaceae': ['actaeonidae', 'donatiaceae'], 'donatism': ['donatism', 'saintdom'], 'donator': ['donator', 'odorant', 'tornado'], 'done': ['done', 'node'], 'donet': ['donet', 'noted', 'toned'], 'dong': ['dong', 'gond'], 'donga': ['donga', 'gonad'], 'dongola': ['dongola', 'gondola'], 'dongon': ['dongon', 'nongod'], 'donia': ['adion', 'danio', 'doina', 'donia'], 'donna': ['donna', 'nonda'], 'donnert': ['donnert', 'tendron'], 'donnie': ['donnie', 'indone', 'ondine'], 'donor': ['donor', 'rondo'], 'donorship': ['donorship', 'rhodopsin'], 'donsie': ['deinos', 'donsie', 'inodes', 'onside'], 'donum': ['donum', 'mound'], 'doob': ['bodo', 'bood', 'doob'], 'dook': ['doko', 'dook'], 'dool': ['dool', 'lood'], 'dooli': ['dooli', 'iodol'], 'doom': ['doom', 'mood'], 'doomer': ['doomer', 'mooder', 'redoom', 'roomed'], 'dooms': ['dooms', 'sodom'], 'door': ['door', 'odor', 'oord', 'rood'], 'doorba': ['dobrao', 'doorba'], 'doorbell': ['bordello', 'doorbell'], 'doored': ['doored', 'odored'], 'doorframe': ['doorframe', 'reformado'], 'doorless': ['doorless', 'odorless'], 'doorplate': ['doorplate', 'leptodora'], 'doorpost': ['doorpost', 'doorstop'], 'doorstone': ['doorstone', 'roodstone'], 'doorstop': ['doorpost', 'doorstop'], 'doorweed': ['deerwood', 'doorweed'], 'dop': ['dop', 'pod'], 'dopa': ['apod', 'dopa'], 'doper': ['doper', 'pedro', 'pored'], 'dopplerite': ['dopplerite', 'lepidopter'], 'dor': ['dor', 'rod'], 'dora': ['dora', 'orad', 'road'], 'dorab': ['abord', 'bardo', 'board', 'broad', 'dobra', 'dorab'], 'doree': ['doree', 'erode'], 'dori': ['dori', 'roid'], 'doria': ['aroid', 'doria', 'radio'], 'dorian': ['dorian', 'inroad', 'ordain'], 'dorical': ['cordial', 'dorical'], 'dorine': ['dinero', 'dorine'], 'dorlach': ['chordal', 'dorlach'], 'dormancy': ['dormancy', 'mordancy'], 'dormant': ['dormant', 'mordant'], 'dormer': ['dormer', 'remord'], 'dormie': ['dormie', 'moider'], 'dorn': ['dorn', 'rond'], 'dornic': ['dornic', 'nordic'], 'dorothea': ['dorothea', 'theodora'], 'dorp': ['dorp', 'drop', 'prod'], 'dorsel': ['dorsel', 'seldor', 'solder'], 'dorsoapical': ['dorsoapical', 'prosodiacal'], 'dorsocaudal': ['caudodorsal', 'dorsocaudal'], 'dorsocentral': ['centrodorsal', 'dorsocentral'], 'dorsocervical': ['cervicodorsal', 'dorsocervical'], 'dorsolateral': ['dorsolateral', 'laterodorsal'], 'dorsomedial': ['dorsomedial', 'mediodorsal'], 'dorsosacral': ['dorsosacral', 'sacrodorsal'], 'dorsoventrad': ['dorsoventrad', 'ventrodorsad'], 'dorsoventral': ['dorsoventral', 'ventrodorsal'], 'dorsoventrally': ['dorsoventrally', 'ventrodorsally'], 'dos': ['dos', 'ods', 'sod'], 'dosa': ['dosa', 'sado', 'soda'], 'dosage': ['dosage', 'seadog'], 'dose': ['does', 'dose'], 'doser': ['doser', 'rosed'], 'dosimetric': ['dosimetric', 'mediocrist'], 'dossel': ['doless', 'dossel'], 'dosser': ['dosser', 'sordes'], 'dot': ['dot', 'tod'], 'dotage': ['dogate', 'dotage', 'togaed'], 'dote': ['dote', 'tode', 'toed'], 'doter': ['doter', 'tored', 'trode'], 'doty': ['doty', 'tody'], 'doubler': ['boulder', 'doubler'], 'doubter': ['doubter', 'obtrude', 'outbred', 'redoubt'], 'douc': ['douc', 'duco'], 'douce': ['coude', 'douce'], 'doum': ['doum', 'moud', 'odum'], 'doup': ['doup', 'updo'], 'dour': ['dour', 'duro', 'ordu', 'roud'], 'dourine': ['dourine', 'neuroid'], 'dourly': ['dourly', 'lourdy'], 'douser': ['douser', 'soured'], 'douter': ['derout', 'detour', 'douter'], 'dover': ['dover', 'drove', 'vedro'], 'dow': ['dow', 'owd', 'wod'], 'dowager': ['dowager', 'wordage'], 'dower': ['dower', 'rowed'], 'dowl': ['dowl', 'wold'], 'dowlas': ['dowlas', 'oswald'], 'downbear': ['downbear', 'rawboned'], 'downcome': ['comedown', 'downcome'], 'downer': ['downer', 'wonder', 'worden'], 'downingia': ['downingia', 'godwinian'], 'downset': ['downset', 'setdown'], 'downside': ['disendow', 'downside'], 'downtake': ['downtake', 'takedown'], 'downthrow': ['downthrow', 'throwdown'], 'downturn': ['downturn', 'turndown'], 'downward': ['downward', 'drawdown'], 'dowry': ['dowry', 'rowdy', 'wordy'], 'dowser': ['dowser', 'drowse'], 'doxa': ['doxa', 'odax'], 'doyle': ['doyle', 'yodel'], 'dozen': ['dozen', 'zoned'], 'drab': ['bard', 'brad', 'drab'], 'draba': ['barad', 'draba'], 'drabble': ['dabbler', 'drabble'], 'draco': ['cardo', 'draco'], 'draconic': ['cancroid', 'draconic'], 'draconis': ['draconis', 'sardonic'], 'dracontian': ['dracontian', 'octandrian'], 'drafter': ['drafter', 'redraft'], 'drag': ['darg', 'drag', 'grad'], 'draggle': ['draggle', 'raggled'], 'dragline': ['dragline', 'reginald', 'ringlead'], 'dragman': ['dragman', 'grandam', 'grandma'], 'drago': ['dargo', 'dogra', 'drago'], 'dragoman': ['dragoman', 'garamond', 'ondagram'], 'dragonize': ['dragonize', 'organized'], 'dragoon': ['dragoon', 'gadroon'], 'dragoonage': ['dragoonage', 'gadroonage'], 'dragsman': ['dargsman', 'dragsman'], 'drail': ['drail', 'laird', 'larid', 'liard'], 'drain': ['darin', 'dinar', 'drain', 'indra', 'nadir', 'ranid'], 'drainable': ['albardine', 'drainable'], 'drainage': ['drainage', 'gardenia'], 'draine': ['darien', 'draine'], 'drained': ['diander', 'drained'], 'drainer': ['darrein', 'drainer'], 'drainman': ['drainman', 'mandarin'], 'draintile': ['deliriant', 'draintile', 'interlaid'], 'drake': ['daker', 'drake', 'kedar', 'radek'], 'dramme': ['dammer', 'dramme'], 'drang': ['drang', 'grand'], 'drape': ['drape', 'padre'], 'drat': ['dart', 'drat'], 'drate': ['dater', 'derat', 'detar', 'drate', 'rated', 'trade', 'tread'], 'draw': ['draw', 'ward'], 'drawable': ['drawable', 'wardable'], 'drawback': ['backward', 'drawback'], 'drawbore': ['drawbore', 'wardrobe'], 'drawbridge': ['bridgeward', 'drawbridge'], 'drawdown': ['downward', 'drawdown'], 'drawee': ['drawee', 'rewade'], 'drawer': ['drawer', 'redraw', 'reward', 'warder'], 'drawers': ['drawers', 'resward'], 'drawfile': ['drawfile', 'lifeward'], 'drawgate': ['drawgate', 'gateward'], 'drawhead': ['drawhead', 'headward'], 'drawhorse': ['drawhorse', 'shoreward'], 'drawing': ['drawing', 'ginward', 'warding'], 'drawoff': ['drawoff', 'offward'], 'drawout': ['drawout', 'outdraw', 'outward'], 'drawsheet': ['drawsheet', 'watershed'], 'drawstop': ['drawstop', 'postward'], 'dray': ['adry', 'dray', 'yard'], 'drayage': ['drayage', 'yardage'], 'drayman': ['drayman', 'yardman'], 'dread': ['adder', 'dread', 'readd'], 'dreadly': ['dreadly', 'laddery'], 'dream': ['armed', 'derma', 'dream', 'ramed'], 'dreamage': ['dreamage', 'redamage'], 'dreamer': ['dreamer', 'redream'], 'dreamhole': ['dreamhole', 'heloderma'], 'dreamish': ['dreamish', 'semihard'], 'dreamland': ['dreamland', 'raddleman'], 'drear': ['darer', 'drear'], 'dreary': ['dreary', 'yarder'], 'dredge': ['dredge', 'gedder'], 'dree': ['deer', 'dere', 'dree', 'rede', 'reed'], 'dreiling': ['dreiling', 'gridelin'], 'dressage': ['degasser', 'dressage'], 'dresser': ['dresser', 'redress'], 'drib': ['bird', 'drib'], 'dribble': ['dibbler', 'dribble'], 'driblet': ['birdlet', 'driblet'], 'driddle': ['diddler', 'driddle'], 'drier': ['drier', 'rider'], 'driest': ['driest', 'stride'], 'driller': ['driller', 'redrill'], 'drillman': ['drillman', 'mandrill'], 'dringle': ['dringle', 'grindle'], 'drisheen': ['denshire', 'drisheen'], 'drive': ['diver', 'drive'], 'driven': ['driven', 'nervid', 'verdin'], 'drivescrew': ['drivescrew', 'screwdrive'], 'drogue': ['drogue', 'gourde'], 'drolly': ['drolly', 'lordly'], 'drome': ['domer', 'drome'], 'dromicia': ['dioramic', 'dromicia'], 'drona': ['adorn', 'donar', 'drona', 'radon'], 'drone': ['drone', 'ronde'], 'drongo': ['drongo', 'gordon'], 'dronish': ['dishorn', 'dronish'], 'drool': ['dolor', 'drool'], 'drop': ['dorp', 'drop', 'prod'], 'dropsy': ['dropsy', 'dryops'], 'drossel': ['drossel', 'rodless'], 'drove': ['dover', 'drove', 'vedro'], 'drow': ['drow', 'word'], 'drowse': ['dowser', 'drowse'], 'drub': ['burd', 'drub'], 'drugger': ['drugger', 'grudger'], 'druggery': ['druggery', 'grudgery'], 'drungar': ['drungar', 'gurnard'], 'drupe': ['drupe', 'duper', 'perdu', 'prude', 'pured'], 'drusean': ['asunder', 'drusean'], 'dryops': ['dropsy', 'dryops'], 'duad': ['addu', 'dadu', 'daud', 'duad'], 'dual': ['auld', 'dual', 'laud', 'udal'], 'duali': ['duali', 'dulia'], 'dualin': ['dualin', 'ludian', 'unlaid'], 'dualism': ['dualism', 'laudism'], 'dualist': ['dualist', 'laudist'], 'dub': ['bud', 'dub'], 'dubber': ['dubber', 'rubbed'], 'dubious': ['biduous', 'dubious'], 'dubitate': ['dubitate', 'tabitude'], 'ducal': ['cauld', 'ducal'], 'duces': ['decus', 'duces'], 'duckstone': ['duckstone', 'unstocked'], 'duco': ['douc', 'duco'], 'ducted': ['deduct', 'ducted'], 'duction': ['conduit', 'duction', 'noctuid'], 'duculinae': ['duculinae', 'nuculidae'], 'dudeen': ['denude', 'dudeen'], 'dudler': ['dudler', 'ruddle'], 'duel': ['deul', 'duel', 'leud'], 'dueler': ['dueler', 'eluder'], 'dueling': ['dueling', 'indulge'], 'duello': ['deloul', 'duello'], 'duenna': ['duenna', 'undean'], 'duer': ['duer', 'dure', 'rude', 'urde'], 'duffer': ['duffer', 'ruffed'], 'dufter': ['dufter', 'turfed'], 'dug': ['dug', 'gud'], 'duim': ['duim', 'muid'], 'dukery': ['dukery', 'duyker'], 'dulat': ['adult', 'dulat'], 'dulcian': ['dulcian', 'incudal', 'lucanid', 'lucinda'], 'dulciana': ['claudian', 'dulciana'], 'duler': ['duler', 'urled'], 'dulia': ['duali', 'dulia'], 'dullify': ['dullify', 'fluidly'], 'dulosis': ['dissoul', 'dulosis', 'solidus'], 'dulseman': ['dulseman', 'unalmsed'], 'dultie': ['dilute', 'dultie'], 'dum': ['dum', 'mud'], 'duma': ['duma', 'maud'], 'dumaist': ['dumaist', 'stadium'], 'dumontite': ['dumontite', 'unomitted'], 'dumple': ['dumple', 'plumed'], 'dunair': ['danuri', 'diurna', 'dunair', 'durain', 'durani', 'durian'], 'dunal': ['dunal', 'laund', 'lunda', 'ulnad'], 'dunderpate': ['dunderpate', 'undeparted'], 'dune': ['dune', 'nude', 'unde'], 'dungaree': ['dungaree', 'guardeen', 'unagreed', 'underage', 'ungeared'], 'dungeon': ['dungeon', 'negundo'], 'dunger': ['dunger', 'gerund', 'greund', 'nudger'], 'dungol': ['dungol', 'ungold'], 'dungy': ['dungy', 'gundy'], 'dunite': ['dunite', 'united', 'untied'], 'dunlap': ['dunlap', 'upland'], 'dunne': ['dunne', 'unden'], 'dunner': ['dunner', 'undern'], 'dunpickle': ['dunpickle', 'unpickled'], 'dunstable': ['dunstable', 'unblasted', 'unstabled'], 'dunt': ['dunt', 'tund'], 'duny': ['duny', 'undy'], 'duo': ['duo', 'udo'], 'duodenal': ['duodenal', 'unloaded'], 'duodenocholecystostomy': ['cholecystoduodenostomy', 'duodenocholecystostomy'], 'duodenojejunal': ['duodenojejunal', 'jejunoduodenal'], 'duodenopancreatectomy': ['duodenopancreatectomy', 'pancreatoduodenectomy'], 'dup': ['dup', 'pud'], 'duper': ['drupe', 'duper', 'perdu', 'prude', 'pured'], 'dupion': ['dupion', 'unipod'], 'dupla': ['dupla', 'plaud'], 'duplone': ['duplone', 'unpoled'], 'dura': ['ardu', 'daur', 'dura'], 'durain': ['danuri', 'diurna', 'dunair', 'durain', 'durani', 'durian'], 'duramen': ['duramen', 'maunder', 'unarmed'], 'durance': ['durance', 'redunca', 'unraced'], 'durango': ['aground', 'durango'], 'durani': ['danuri', 'diurna', 'dunair', 'durain', 'durani', 'durian'], 'durant': ['durant', 'tundra'], 'durban': ['durban', 'undrab'], 'durdenite': ['durdenite', 'undertide'], 'dure': ['duer', 'dure', 'rude', 'urde'], 'durene': ['durene', 'endure'], 'durenol': ['durenol', 'lounder', 'roundel'], 'durgan': ['durgan', 'undrag'], 'durian': ['danuri', 'diurna', 'dunair', 'durain', 'durani', 'durian'], 'during': ['during', 'ungird'], 'durity': ['durity', 'rudity'], 'durmast': ['durmast', 'mustard'], 'duro': ['dour', 'duro', 'ordu', 'roud'], 'dusken': ['dusken', 'sundek'], 'dust': ['dust', 'stud'], 'duster': ['derust', 'duster'], 'dustin': ['dustin', 'nudist'], 'dustpan': ['dustpan', 'upstand'], 'dusty': ['dusty', 'study'], 'duyker': ['dukery', 'duyker'], 'dvaita': ['divata', 'dvaita'], 'dwale': ['dwale', 'waled', 'weald'], 'dwine': ['dwine', 'edwin', 'wendi', 'widen', 'wined'], 'dyad': ['addy', 'dyad'], 'dyas': ['days', 'dyas'], 'dye': ['dey', 'dye', 'yed'], 'dyehouse': ['deyhouse', 'dyehouse'], 'dyeing': ['digeny', 'dyeing'], 'dyer': ['dyer', 'yerd'], 'dying': ['dingy', 'dying'], 'dynamo': ['dynamo', 'monday'], 'dynamoelectric': ['dynamoelectric', 'electrodynamic'], 'dynamoelectrical': ['dynamoelectrical', 'electrodynamical'], 'dynamotor': ['androtomy', 'dynamotor'], 'dyne': ['deny', 'dyne'], 'dyophone': ['dyophone', 'honeypod'], 'dysluite': ['dysluite', 'sedulity'], 'dysneuria': ['dasyurine', 'dysneuria'], 'dysphoric': ['chrysopid', 'dysphoric'], 'dysphrenia': ['dysphrenia', 'sphyraenid', 'sphyrnidae'], 'dystome': ['dystome', 'modesty'], 'dystrophia': ['diastrophy', 'dystrophia'], 'ea': ['ae', 'ea'], 'each': ['ache', 'each', 'haec'], 'eager': ['agree', 'eager', 'eagre'], 'eagle': ['aegle', 'eagle', 'galee'], 'eagless': ['ageless', 'eagless'], 'eaglet': ['eaglet', 'legate', 'teagle', 'telega'], 'eagre': ['agree', 'eager', 'eagre'], 'ean': ['ean', 'nae', 'nea'], 'ear': ['aer', 'are', 'ear', 'era', 'rea'], 'eared': ['eared', 'erade'], 'earful': ['earful', 'farleu', 'ferula'], 'earing': ['arenig', 'earing', 'gainer', 'reagin', 'regain'], 'earl': ['earl', 'eral', 'lear', 'real'], 'earlap': ['earlap', 'parale'], 'earle': ['areel', 'earle'], 'earlet': ['earlet', 'elater', 'relate'], 'earliness': ['earliness', 'naileress'], 'earlship': ['earlship', 'pearlish'], 'early': ['early', 'layer', 'relay'], 'earn': ['arne', 'earn', 'rane'], 'earner': ['earner', 'ranere'], 'earnest': ['earnest', 'eastern', 'nearest'], 'earnestly': ['earnestly', 'easternly'], 'earnful': ['earnful', 'funeral'], 'earning': ['earning', 'engrain'], 'earplug': ['earplug', 'graupel', 'plaguer'], 'earring': ['earring', 'grainer'], 'earringed': ['earringed', 'grenadier'], 'earshot': ['asthore', 'earshot'], 'eartab': ['abater', 'artabe', 'eartab', 'trabea'], 'earth': ['earth', 'hater', 'heart', 'herat', 'rathe'], 'earthborn': ['abhorrent', 'earthborn'], 'earthed': ['earthed', 'hearted'], 'earthen': ['earthen', 'enheart', 'hearten', 'naether', 'teheran', 'traheen'], 'earthian': ['earthian', 'rhaetian'], 'earthiness': ['earthiness', 'heartiness'], 'earthless': ['earthless', 'heartless'], 'earthling': ['earthling', 'heartling'], 'earthly': ['earthly', 'heartly', 'lathery', 'rathely'], 'earthnut': ['earthnut', 'heartnut'], 'earthpea': ['earthpea', 'heartpea'], 'earthquake': ['earthquake', 'heartquake'], 'earthward': ['earthward', 'heartward'], 'earthy': ['earthy', 'hearty', 'yearth'], 'earwig': ['earwig', 'grewia'], 'earwitness': ['earwitness', 'wateriness'], 'easel': ['easel', 'lease'], 'easement': ['easement', 'estamene'], 'easer': ['easer', 'erase'], 'easily': ['easily', 'elysia'], 'easing': ['easing', 'sangei'], 'east': ['ates', 'east', 'eats', 'sate', 'seat', 'seta'], 'eastabout': ['aetobatus', 'eastabout'], 'eastbound': ['eastbound', 'unboasted'], 'easter': ['asteer', 'easter', 'eastre', 'reseat', 'saeter', 'seater', 'staree', 'teaser', 'teresa'], 'easterling': ['easterling', 'generalist'], 'eastern': ['earnest', 'eastern', 'nearest'], 'easternly': ['earnestly', 'easternly'], 'easting': ['easting', 'gainset', 'genista', 'ingesta', 'seating', 'signate', 'teasing'], 'eastlake': ['alestake', 'eastlake'], 'eastre': ['asteer', 'easter', 'eastre', 'reseat', 'saeter', 'seater', 'staree', 'teaser', 'teresa'], 'easy': ['easy', 'eyas'], 'eat': ['ate', 'eat', 'eta', 'tae', 'tea'], 'eatberry': ['betrayer', 'eatberry', 'rebetray', 'teaberry'], 'eaten': ['eaten', 'enate'], 'eater': ['arete', 'eater', 'teaer'], 'eating': ['eating', 'ingate', 'tangie'], 'eats': ['ates', 'east', 'eats', 'sate', 'seat', 'seta'], 'eave': ['eave', 'evea'], 'eaved': ['deave', 'eaved', 'evade'], 'eaver': ['eaver', 'reave'], 'eaves': ['eaves', 'evase', 'seave'], 'eben': ['been', 'bene', 'eben'], 'ebenales': ['ebenales', 'lebanese'], 'ebon': ['beno', 'bone', 'ebon'], 'ebony': ['boney', 'ebony'], 'ebriety': ['byerite', 'ebriety'], 'eburna': ['eburna', 'unbare', 'unbear', 'urbane'], 'eburnated': ['eburnated', 'underbeat', 'unrebated'], 'eburnian': ['eburnian', 'inurbane'], 'ecad': ['cade', 'dace', 'ecad'], 'ecanda': ['adance', 'ecanda'], 'ecardinal': ['ecardinal', 'lardacein'], 'ecarinate': ['anaeretic', 'ecarinate'], 'ecarte': ['cerate', 'create', 'ecarte'], 'ecaudata': ['acaudate', 'ecaudata'], 'ecclesiasticism': ['ecclesiasticism', 'misecclesiastic'], 'eche': ['chee', 'eche'], 'echelon': ['chelone', 'echelon'], 'echeveria': ['echeveria', 'reachieve'], 'echidna': ['chained', 'echidna'], 'echinal': ['chilean', 'echinal', 'nichael'], 'echinate': ['echinate', 'hecatine'], 'echinital': ['echinital', 'inethical'], 'echis': ['echis', 'shice'], 'echoer': ['choree', 'cohere', 'echoer'], 'echoic': ['choice', 'echoic'], 'echoist': ['chitose', 'echoist'], 'eciton': ['eciton', 'noetic', 'notice', 'octine'], 'eckehart': ['eckehart', 'hacktree'], 'eclair': ['carlie', 'claire', 'eclair', 'erical'], 'eclat': ['cleat', 'eclat', 'ectal', 'lacet', 'tecla'], 'eclipsable': ['eclipsable', 'spliceable'], 'eclipser': ['eclipser', 'pericles', 'resplice'], 'economics': ['economics', 'neocosmic'], 'economism': ['economism', 'monoecism', 'monosemic'], 'economist': ['economist', 'mesotonic'], 'ecorticate': ['ecorticate', 'octaeteric'], 'ecostate': ['coestate', 'ecostate'], 'ecotonal': ['colonate', 'ecotonal'], 'ecotype': ['ecotype', 'ocypete'], 'ecrasite': ['ecrasite', 'sericate'], 'ecru': ['cure', 'ecru', 'eruc'], 'ectad': ['cadet', 'ectad'], 'ectal': ['cleat', 'eclat', 'ectal', 'lacet', 'tecla'], 'ectasis': ['ascites', 'ectasis'], 'ectene': ['cetene', 'ectene'], 'ectental': ['ectental', 'tentacle'], 'ectiris': ['ectiris', 'eristic'], 'ectocardia': ['coradicate', 'ectocardia'], 'ectocranial': ['calonectria', 'ectocranial'], 'ectoglia': ['ectoglia', 'geotical', 'goetical'], 'ectomorph': ['ectomorph', 'topchrome'], 'ectomorphic': ['cetomorphic', 'chemotropic', 'ectomorphic'], 'ectomorphy': ['chromotype', 'cormophyte', 'ectomorphy'], 'ectopia': ['ectopia', 'opacite'], 'ectopy': ['cotype', 'ectopy'], 'ectorhinal': ['chlorinate', 'ectorhinal', 'tornachile'], 'ectosarc': ['ectosarc', 'reaccost'], 'ectrogenic': ['ectrogenic', 'egocentric', 'geocentric'], 'ectromelia': ['carmeloite', 'ectromelia', 'meteorical'], 'ectropion': ['ectropion', 'neotropic'], 'ed': ['de', 'ed'], 'edda': ['dade', 'dead', 'edda'], 'eddaic': ['caddie', 'eddaic'], 'eddish': ['dished', 'eddish'], 'eddo': ['dedo', 'dode', 'eddo'], 'edema': ['adeem', 'ameed', 'edema'], 'eden': ['dene', 'eden', 'need'], 'edental': ['dalteen', 'dentale', 'edental'], 'edentata': ['antedate', 'edentata'], 'edessan': ['deaness', 'edessan'], 'edestan': ['edestan', 'standee'], 'edestin': ['destine', 'edestin'], 'edgar': ['edgar', 'grade'], 'edger': ['edger', 'greed'], 'edgerman': ['edgerman', 'gendarme'], 'edgrew': ['edgrew', 'wedger'], 'edible': ['debile', 'edible'], 'edict': ['cetid', 'edict'], 'edictal': ['citadel', 'deltaic', 'dialect', 'edictal', 'lactide'], 'edification': ['deification', 'edification'], 'edificatory': ['deificatory', 'edificatory'], 'edifier': ['deifier', 'edifier'], 'edify': ['deify', 'edify'], 'edit': ['diet', 'dite', 'edit', 'tide', 'tied'], 'edital': ['detail', 'dietal', 'dilate', 'edital', 'tailed'], 'edith': ['edith', 'ethid'], 'edition': ['edition', 'odinite', 'otidine', 'tineoid'], 'editor': ['editor', 'triode'], 'editorial': ['editorial', 'radiolite'], 'edmund': ['edmund', 'mudden'], 'edna': ['ande', 'dane', 'dean', 'edna'], 'edo': ['doe', 'edo', 'ode'], 'edoni': ['deino', 'dione', 'edoni'], 'education': ['coadunite', 'education', 'noctuidae'], 'educe': ['deuce', 'educe'], 'edward': ['edward', 'wadder', 'warded'], 'edwin': ['dwine', 'edwin', 'wendi', 'widen', 'wined'], 'eel': ['eel', 'lee'], 'eelgrass': ['eelgrass', 'gearless', 'rageless'], 'eelpot': ['eelpot', 'opelet'], 'eelspear': ['eelspear', 'prelease'], 'eely': ['eely', 'yeel'], 'eer': ['eer', 'ere', 'ree'], 'efik': ['efik', 'fike'], 'eft': ['eft', 'fet'], 'egad': ['aged', 'egad', 'gade'], 'egba': ['egba', 'gabe'], 'egbo': ['bego', 'egbo'], 'egeran': ['egeran', 'enrage', 'ergane', 'genear', 'genera'], 'egest': ['egest', 'geest', 'geste'], 'egger': ['egger', 'grege'], 'egghot': ['egghot', 'hogget'], 'eggler': ['eggler', 'legger'], 'eggy': ['eggy', 'yegg'], 'eglantine': ['eglantine', 'inelegant', 'legantine'], 'eglatere': ['eglatere', 'regelate', 'relegate'], 'egma': ['egma', 'game', 'mage'], 'ego': ['ego', 'geo'], 'egocentric': ['ectrogenic', 'egocentric', 'geocentric'], 'egoist': ['egoist', 'stogie'], 'egol': ['egol', 'goel', 'loge', 'ogle', 'oleg'], 'egotheism': ['egotheism', 'eightsome'], 'egret': ['egret', 'greet', 'reget'], 'eh': ['eh', 'he'], 'ehretia': ['ehretia', 'etheria'], 'eident': ['eident', 'endite'], 'eidograph': ['eidograph', 'ideograph'], 'eidology': ['eidology', 'ideology'], 'eighth': ['eighth', 'height'], 'eightsome': ['egotheism', 'eightsome'], 'eigne': ['eigne', 'genie'], 'eileen': ['eileen', 'lienee'], 'ekaha': ['ekaha', 'hakea'], 'eke': ['eke', 'kee'], 'eker': ['eker', 'reek'], 'ekoi': ['ekoi', 'okie'], 'ekron': ['ekron', 'krone'], 'ektene': ['ektene', 'ketene'], 'elabrate': ['elabrate', 'tearable'], 'elaidic': ['aedilic', 'elaidic'], 'elaidin': ['anilide', 'elaidin'], 'elain': ['alien', 'aline', 'anile', 'elain', 'elian', 'laine', 'linea'], 'elaine': ['aileen', 'elaine'], 'elamite': ['alemite', 'elamite'], 'elance': ['elance', 'enlace'], 'eland': ['eland', 'laden', 'lenad'], 'elanet': ['elanet', 'lanete', 'lateen'], 'elanus': ['elanus', 'unseal'], 'elaphomyces': ['elaphomyces', 'mesocephaly'], 'elaphurus': ['elaphurus', 'sulphurea'], 'elapid': ['aliped', 'elapid'], 'elapoid': ['elapoid', 'oedipal'], 'elaps': ['elaps', 'lapse', 'lepas', 'pales', 'salep', 'saple', 'sepal', 'slape', 'spale', 'speal'], 'elapse': ['asleep', 'elapse', 'please'], 'elastic': ['astelic', 'elastic', 'latices'], 'elasticin': ['elasticin', 'inelastic', 'sciential'], 'elastin': ['elastin', 'salient', 'saltine', 'slainte'], 'elastomer': ['elastomer', 'salometer'], 'elate': ['atlee', 'elate'], 'elated': ['delate', 'elated'], 'elater': ['earlet', 'elater', 'relate'], 'elaterid': ['detailer', 'elaterid'], 'elaterin': ['elaterin', 'entailer', 'treenail'], 'elatha': ['althea', 'elatha'], 'elatine': ['elatine', 'lineate'], 'elation': ['alnoite', 'elation', 'toenail'], 'elator': ['elator', 'lorate'], 'elb': ['bel', 'elb'], 'elbert': ['belter', 'elbert', 'treble'], 'elberta': ['bearlet', 'bleater', 'elberta', 'retable'], 'elbow': ['below', 'bowel', 'elbow'], 'elbowed': ['boweled', 'elbowed'], 'eld': ['del', 'eld', 'led'], 'eldin': ['eldin', 'lined'], 'elding': ['dingle', 'elding', 'engild', 'gilden'], 'elean': ['anele', 'elean'], 'election': ['coteline', 'election'], 'elective': ['cleveite', 'elective'], 'elector': ['elector', 'electro'], 'electoral': ['electoral', 'recollate'], 'electra': ['electra', 'treacle'], 'electragy': ['electragy', 'glycerate'], 'electret': ['electret', 'tercelet'], 'electric': ['electric', 'lectrice'], 'electrion': ['centriole', 'electrion', 'relection'], 'electro': ['elector', 'electro'], 'electrodynamic': ['dynamoelectric', 'electrodynamic'], 'electrodynamical': ['dynamoelectrical', 'electrodynamical'], 'electromagnetic': ['electromagnetic', 'magnetoelectric'], 'electromagnetical': ['electromagnetical', 'magnetoelectrical'], 'electrothermic': ['electrothermic', 'thermoelectric'], 'electrothermometer': ['electrothermometer', 'thermoelectrometer'], 'elegant': ['angelet', 'elegant'], 'elegiambus': ['elegiambus', 'iambelegus'], 'elegiast': ['elegiast', 'selagite'], 'elemi': ['elemi', 'meile'], 'elemin': ['elemin', 'meline'], 'elephantic': ['elephantic', 'plancheite'], 'elettaria': ['elettaria', 'retaliate'], 'eleut': ['eleut', 'elute'], 'elevator': ['elevator', 'overlate'], 'elfin': ['elfin', 'nifle'], 'elfishness': ['elfishness', 'fleshiness'], 'elfkin': ['elfkin', 'finkel'], 'elfwort': ['elfwort', 'felwort'], 'eli': ['eli', 'lei', 'lie'], 'elia': ['aiel', 'aile', 'elia'], 'elian': ['alien', 'aline', 'anile', 'elain', 'elian', 'laine', 'linea'], 'elias': ['aisle', 'elias'], 'elicitor': ['elicitor', 'trioleic'], 'eliminand': ['eliminand', 'mindelian'], 'elinor': ['elinor', 'lienor', 'lorien', 'noiler'], 'elinvar': ['elinvar', 'ravelin', 'reanvil', 'valerin'], 'elisha': ['elisha', 'hailse', 'sheila'], 'elisor': ['elisor', 'resoil'], 'elissa': ['elissa', 'lassie'], 'elite': ['elite', 'telei'], 'eliza': ['aizle', 'eliza'], 'elk': ['elk', 'lek'], 'ella': ['alle', 'ella', 'leal'], 'ellagate': ['allegate', 'ellagate'], 'ellenyard': ['ellenyard', 'learnedly'], 'ellick': ['ellick', 'illeck'], 'elliot': ['elliot', 'oillet'], 'elm': ['elm', 'mel'], 'elmer': ['elmer', 'merel', 'merle'], 'elmy': ['elmy', 'yelm'], 'eloah': ['eloah', 'haole'], 'elod': ['dole', 'elod', 'lode', 'odel'], 'eloge': ['eloge', 'golee'], 'elohimic': ['elohimic', 'hemiolic'], 'elohist': ['elohist', 'hostile'], 'eloign': ['eloign', 'gileno', 'legion'], 'eloigner': ['eloigner', 'legioner'], 'eloignment': ['eloignment', 'omnilegent'], 'elon': ['elon', 'enol', 'leno', 'leon', 'lone', 'noel'], 'elonite': ['elonite', 'leonite'], 'elops': ['elops', 'slope', 'spole'], 'elric': ['crile', 'elric', 'relic'], 'els': ['els', 'les'], 'elsa': ['elsa', 'sale', 'seal', 'slae'], 'else': ['else', 'lees', 'seel', 'sele', 'slee'], 'elsin': ['elsin', 'lenis', 'niels', 'silen', 'sline'], 'elt': ['elt', 'let'], 'eluate': ['aulete', 'eluate'], 'eluder': ['dueler', 'eluder'], 'elusion': ['elusion', 'luiseno'], 'elusory': ['elusory', 'yoursel'], 'elute': ['eleut', 'elute'], 'elution': ['elution', 'outline'], 'elutor': ['elutor', 'louter', 'outler'], 'elvan': ['elvan', 'navel', 'venal'], 'elvanite': ['elvanite', 'lavenite'], 'elver': ['elver', 'lever', 'revel'], 'elvet': ['elvet', 'velte'], 'elvira': ['averil', 'elvira'], 'elvis': ['elvis', 'levis', 'slive'], 'elwood': ['dewool', 'elwood', 'wooled'], 'elymi': ['elymi', 'emily', 'limey'], 'elysia': ['easily', 'elysia'], 'elytral': ['alertly', 'elytral'], 'elytrin': ['elytrin', 'inertly', 'trinely'], 'elytroposis': ['elytroposis', 'proteolysis'], 'elytrous': ['elytrous', 'urostyle'], 'em': ['em', 'me'], 'emanate': ['emanate', 'manatee'], 'emanation': ['amnionate', 'anamniote', 'emanation'], 'emanatist': ['emanatist', 'staminate', 'tasmanite'], 'embalmer': ['embalmer', 'emmarble'], 'embar': ['amber', 'bearm', 'bemar', 'bream', 'embar'], 'embargo': ['bergamo', 'embargo'], 'embark': ['embark', 'markeb'], 'embay': ['beamy', 'embay', 'maybe'], 'ember': ['breme', 'ember'], 'embind': ['embind', 'nimbed'], 'embira': ['ambier', 'bremia', 'embira'], 'embodier': ['demirobe', 'embodier'], 'embody': ['beydom', 'embody'], 'embole': ['bemole', 'embole'], 'embraceor': ['cerebroma', 'embraceor'], 'embrail': ['embrail', 'mirabel'], 'embryoid': ['embryoid', 'reimbody'], 'embus': ['embus', 'sebum'], 'embusk': ['bemusk', 'embusk'], 'emcee': ['emcee', 'meece'], 'emeership': ['emeership', 'ephemeris'], 'emend': ['emend', 'mende'], 'emendation': ['denominate', 'emendation'], 'emendator': ['emendator', 'ondameter'], 'emerita': ['emerita', 'emirate'], 'emerse': ['emerse', 'seemer'], 'emersion': ['emersion', 'meriones'], 'emersonian': ['emersonian', 'mansioneer'], 'emesa': ['emesa', 'mease'], 'emigrate': ['emigrate', 'remigate'], 'emigration': ['emigration', 'remigation'], 'emil': ['emil', 'lime', 'mile'], 'emilia': ['emilia', 'mailie'], 'emily': ['elymi', 'emily', 'limey'], 'emim': ['emim', 'mime'], 'emir': ['emir', 'imer', 'mire', 'reim', 'remi', 'riem', 'rime'], 'emirate': ['emerita', 'emirate'], 'emirship': ['emirship', 'imperish'], 'emissary': ['emissary', 'missayer'], 'emit': ['emit', 'item', 'mite', 'time'], 'emitter': ['emitter', 'termite'], 'emm': ['emm', 'mem'], 'emmarble': ['embalmer', 'emmarble'], 'emodin': ['domine', 'domnei', 'emodin', 'medino'], 'emotion': ['emotion', 'moonite'], 'empanel': ['empanel', 'emplane', 'peelman'], 'empathic': ['empathic', 'emphatic'], 'empathically': ['empathically', 'emphatically'], 'emphasis': ['emphasis', 'misshape'], 'emphatic': ['empathic', 'emphatic'], 'emphatically': ['empathically', 'emphatically'], 'empire': ['empire', 'epimer'], 'empiricist': ['empiricist', 'empiristic'], 'empiristic': ['empiricist', 'empiristic'], 'emplane': ['empanel', 'emplane', 'peelman'], 'employer': ['employer', 'polymere'], 'emporia': ['emporia', 'meropia'], 'emporial': ['emporial', 'proemial'], 'emporium': ['emporium', 'pomerium', 'proemium'], 'emprise': ['emprise', 'imprese', 'premise', 'spireme'], 'empt': ['empt', 'temp'], 'emptier': ['emptier', 'impetre'], 'emption': ['emption', 'pimento'], 'emptional': ['emptional', 'palmitone'], 'emptor': ['emptor', 'trompe'], 'empyesis': ['empyesis', 'pyemesis'], 'emu': ['emu', 'ume'], 'emulant': ['almuten', 'emulant'], 'emulation': ['emulation', 'laumonite'], 'emulsion': ['emulsion', 'solenium'], 'emundation': ['emundation', 'mountained'], 'emyd': ['demy', 'emyd'], 'en': ['en', 'ne'], 'enable': ['baleen', 'enable'], 'enabler': ['enabler', 'renable'], 'enaction': ['cetonian', 'enaction'], 'enactor': ['enactor', 'necator', 'orcanet'], 'enactory': ['enactory', 'octenary'], 'enaena': ['aenean', 'enaena'], 'enalid': ['aldine', 'daniel', 'delian', 'denial', 'enalid', 'leadin'], 'enaliornis': ['enaliornis', 'rosaniline'], 'enaluron': ['enaluron', 'neuronal'], 'enam': ['amen', 'enam', 'mane', 'mean', 'name', 'nema'], 'enamel': ['enamel', 'melena'], 'enameling': ['enameling', 'malengine', 'meningeal'], 'enamor': ['enamor', 'monera', 'oreman', 'romane'], 'enamored': ['demeanor', 'enamored'], 'enanthem': ['enanthem', 'menthane'], 'enantiomer': ['enantiomer', 'renominate'], 'enapt': ['enapt', 'paten', 'penta', 'tapen'], 'enarch': ['enarch', 'ranche'], 'enarm': ['enarm', 'namer', 'reman'], 'enarme': ['enarme', 'meaner', 'rename'], 'enarthrosis': ['enarthrosis', 'nearthrosis'], 'enate': ['eaten', 'enate'], 'enatic': ['acetin', 'actine', 'enatic'], 'enation': ['enation', 'etonian'], 'enbrave': ['enbrave', 'verbena'], 'encapsule': ['encapsule', 'pelecanus'], 'encase': ['encase', 'seance', 'seneca'], 'encash': ['encash', 'sanche'], 'encauma': ['cumaean', 'encauma'], 'encaustes': ['acuteness', 'encaustes'], 'encaustic': ['encaustic', 'succinate'], 'encephalomeningitis': ['encephalomeningitis', 'meningoencephalitis'], 'encephalomeningocele': ['encephalomeningocele', 'meningoencephalocele'], 'encephalomyelitis': ['encephalomyelitis', 'myeloencephalitis'], 'enchair': ['chainer', 'enchair', 'rechain'], 'encharge': ['encharge', 'rechange'], 'encharnel': ['channeler', 'encharnel'], 'enchytrae': ['cytherean', 'enchytrae'], 'encina': ['canine', 'encina', 'neanic'], 'encinillo': ['encinillo', 'linolenic'], 'encist': ['encist', 'incest', 'insect', 'scient'], 'encitadel': ['declinate', 'encitadel'], 'enclaret': ['celarent', 'centrale', 'enclaret'], 'enclasp': ['enclasp', 'spancel'], 'enclave': ['enclave', 'levance', 'valence'], 'enclosure': ['enclosure', 'recounsel'], 'encoignure': ['encoignure', 'neurogenic'], 'encoil': ['clione', 'coelin', 'encoil', 'enolic'], 'encomiastic': ['cosmetician', 'encomiastic'], 'encomic': ['comenic', 'encomic', 'meconic'], 'encomium': ['encomium', 'meconium'], 'encoronal': ['encoronal', 'olecranon'], 'encoronate': ['encoronate', 'entocornea'], 'encradle': ['calender', 'encradle'], 'encranial': ['carnelian', 'encranial'], 'encratic': ['acentric', 'encratic', 'nearctic'], 'encratism': ['encratism', 'miscreant'], 'encraty': ['encraty', 'nectary'], 'encreel': ['crenele', 'encreel'], 'encrinital': ['encrinital', 'tricennial'], 'encrisp': ['encrisp', 'pincers'], 'encrust': ['encrust', 'uncrest'], 'encurl': ['encurl', 'lucern'], 'encurtain': ['encurtain', 'runcinate', 'uncertain'], 'encyrtidae': ['encyrtidae', 'nycteridae'], 'end': ['den', 'end', 'ned'], 'endaortic': ['citronade', 'endaortic', 'redaction'], 'endboard': ['deadborn', 'endboard'], 'endear': ['deaner', 'endear'], 'endeared': ['deadener', 'endeared'], 'endearing': ['endearing', 'engrained', 'grenadine'], 'endearingly': ['endearingly', 'engrainedly'], 'endemial': ['endemial', 'madeline'], 'endere': ['endere', 'needer', 'reeden'], 'enderonic': ['enderonic', 'endocrine'], 'endevil': ['develin', 'endevil'], 'endew': ['endew', 'wende'], 'ending': ['ending', 'ginned'], 'endite': ['eident', 'endite'], 'endive': ['endive', 'envied', 'veined'], 'endoarteritis': ['endoarteritis', 'sideronatrite'], 'endocline': ['endocline', 'indolence'], 'endocrine': ['enderonic', 'endocrine'], 'endome': ['endome', 'omened'], 'endopathic': ['dictaphone', 'endopathic'], 'endophasic': ['deaconship', 'endophasic'], 'endoral': ['endoral', 'ladrone', 'leonard'], 'endosarc': ['endosarc', 'secondar'], 'endosome': ['endosome', 'moonseed'], 'endosporium': ['endosporium', 'imponderous'], 'endosteal': ['endosteal', 'leadstone'], 'endothecial': ['chelidonate', 'endothecial'], 'endothelia': ['endothelia', 'ethanediol', 'ethenoidal'], 'endow': ['endow', 'nowed'], 'endura': ['endura', 'neurad', 'undear', 'unread'], 'endurably': ['endurably', 'undryable'], 'endure': ['durene', 'endure'], 'endurer': ['endurer', 'underer'], 'enduring': ['enduring', 'unringed'], 'enduringly': ['enduringly', 'underlying'], 'endwise': ['endwise', 'sinewed'], 'enema': ['ameen', 'amene', 'enema'], 'enemy': ['enemy', 'yemen'], 'energesis': ['energesis', 'regenesis'], 'energeticist': ['energeticist', 'energetistic'], 'energetistic': ['energeticist', 'energetistic'], 'energic': ['energic', 'generic'], 'energical': ['energical', 'generical'], 'energid': ['energid', 'reeding'], 'energist': ['energist', 'steering'], 'energy': ['energy', 'greeny', 'gyrene'], 'enervate': ['enervate', 'venerate'], 'enervation': ['enervation', 'veneration'], 'enervative': ['enervative', 'venerative'], 'enervator': ['enervator', 'renovater', 'venerator'], 'enfilade': ['alfenide', 'enfilade'], 'enfile': ['enfile', 'enlief', 'enlife', 'feline'], 'enflesh': ['enflesh', 'fleshen'], 'enfoil': ['enfoil', 'olefin'], 'enfold': ['enfold', 'folden', 'fondle'], 'enforcer': ['confrere', 'enforcer', 'reconfer'], 'enframe': ['enframe', 'freeman'], 'engaol': ['angelo', 'engaol'], 'engarb': ['banger', 'engarb', 'graben'], 'engaud': ['augend', 'engaud', 'unaged'], 'engild': ['dingle', 'elding', 'engild', 'gilden'], 'engird': ['engird', 'ringed'], 'engirdle': ['engirdle', 'reedling'], 'engirt': ['engirt', 'tinger'], 'englacial': ['angelical', 'englacial', 'galenical'], 'englacially': ['angelically', 'englacially'], 'englad': ['angled', 'dangle', 'englad', 'lagend'], 'englander': ['englander', 'greenland'], 'english': ['english', 'shingle'], 'englisher': ['englisher', 'reshingle'], 'englut': ['englut', 'gluten', 'ungelt'], 'engobe': ['begone', 'engobe'], 'engold': ['engold', 'golden'], 'engrail': ['aligner', 'engrail', 'realign', 'reginal'], 'engrailed': ['engrailed', 'geraldine'], 'engrailment': ['engrailment', 'realignment'], 'engrain': ['earning', 'engrain'], 'engrained': ['endearing', 'engrained', 'grenadine'], 'engrainedly': ['endearingly', 'engrainedly'], 'engram': ['engram', 'german', 'manger'], 'engraphic': ['engraphic', 'preaching'], 'engrave': ['avenger', 'engrave'], 'engross': ['engross', 'grossen'], 'enhat': ['enhat', 'ethan', 'nathe', 'neath', 'thane'], 'enheart': ['earthen', 'enheart', 'hearten', 'naether', 'teheran', 'traheen'], 'enherit': ['enherit', 'etherin', 'neither', 'therein'], 'enhydra': ['enhydra', 'henyard'], 'eniac': ['anice', 'eniac'], 'enicuridae': ['audiencier', 'enicuridae'], 'enid': ['dine', 'enid', 'inde', 'nide'], 'enif': ['enif', 'fine', 'neif', 'nife'], 'enisle': ['enisle', 'ensile', 'senile', 'silene'], 'enlace': ['elance', 'enlace'], 'enlard': ['aldern', 'darnel', 'enlard', 'lander', 'lenard', 'randle', 'reland'], 'enlarge': ['enlarge', 'general', 'gleaner'], 'enleaf': ['enleaf', 'leafen'], 'enlief': ['enfile', 'enlief', 'enlife', 'feline'], 'enlife': ['enfile', 'enlief', 'enlife', 'feline'], 'enlight': ['enlight', 'lighten'], 'enlist': ['enlist', 'listen', 'silent', 'tinsel'], 'enlisted': ['enlisted', 'lintseed'], 'enlister': ['enlister', 'esterlin', 'listener', 'relisten'], 'enmass': ['enmass', 'maness', 'messan'], 'enneadic': ['cadinene', 'decennia', 'enneadic'], 'ennobler': ['ennobler', 'nonrebel'], 'ennoic': ['conine', 'connie', 'ennoic'], 'ennomic': ['ennomic', 'meconin'], 'enoch': ['cohen', 'enoch'], 'enocyte': ['enocyte', 'neocyte'], 'enodal': ['enodal', 'loaden'], 'enoil': ['enoil', 'ileon', 'olein'], 'enol': ['elon', 'enol', 'leno', 'leon', 'lone', 'noel'], 'enolic': ['clione', 'coelin', 'encoil', 'enolic'], 'enomania': ['enomania', 'maeonian'], 'enomotarch': ['chromatone', 'enomotarch'], 'enorganic': ['enorganic', 'ignorance'], 'enorm': ['enorm', 'moner', 'morne'], 'enormous': ['enormous', 'unmorose'], 'enos': ['enos', 'nose'], 'enostosis': ['enostosis', 'sootiness'], 'enow': ['enow', 'owen', 'wone'], 'enphytotic': ['enphytotic', 'entophytic'], 'enrace': ['careen', 'carene', 'enrace'], 'enrage': ['egeran', 'enrage', 'ergane', 'genear', 'genera'], 'enraged': ['derange', 'enraged', 'gardeen', 'gerenda', 'grandee', 'grenade'], 'enragedly': ['enragedly', 'legendary'], 'enrapt': ['arpent', 'enrapt', 'entrap', 'panter', 'parent', 'pretan', 'trepan'], 'enravish': ['enravish', 'ravenish', 'vanisher'], 'enray': ['enray', 'yearn'], 'enrib': ['brine', 'enrib'], 'enrich': ['enrich', 'nicher', 'richen'], 'enring': ['enring', 'ginner'], 'enrive': ['enrive', 'envier', 'veiner', 'verine'], 'enrobe': ['boreen', 'enrobe', 'neebor', 'rebone'], 'enrol': ['enrol', 'loren'], 'enrolled': ['enrolled', 'rondelle'], 'enrough': ['enrough', 'roughen'], 'enruin': ['enruin', 'neurin', 'unrein'], 'enrut': ['enrut', 'tuner', 'urent'], 'ens': ['ens', 'sen'], 'ensaint': ['ensaint', 'stanine'], 'ensate': ['ensate', 'enseat', 'santee', 'sateen', 'senate'], 'ense': ['ense', 'esne', 'nese', 'seen', 'snee'], 'enseam': ['enseam', 'semnae'], 'enseat': ['ensate', 'enseat', 'santee', 'sateen', 'senate'], 'ensepulcher': ['ensepulcher', 'ensepulchre'], 'ensepulchre': ['ensepulcher', 'ensepulchre'], 'enshade': ['dasheen', 'enshade'], 'enshroud': ['enshroud', 'unshored'], 'ensigncy': ['ensigncy', 'syngenic'], 'ensilage': ['ensilage', 'genesial', 'signalee'], 'ensile': ['enisle', 'ensile', 'senile', 'silene'], 'ensilver': ['ensilver', 'sniveler'], 'ensmall': ['ensmall', 'smallen'], 'ensoul': ['ensoul', 'olenus', 'unsole'], 'enspirit': ['enspirit', 'pristine'], 'enstar': ['astern', 'enstar', 'stenar', 'sterna'], 'enstatite': ['enstatite', 'intestate', 'satinette'], 'enstool': ['enstool', 'olonets'], 'enstore': ['enstore', 'estrone', 'storeen', 'tornese'], 'ensue': ['ensue', 'seenu', 'unsee'], 'ensuer': ['ensuer', 'ensure'], 'ensure': ['ensuer', 'ensure'], 'entablature': ['entablature', 'untreatable'], 'entach': ['entach', 'netcha'], 'entad': ['denat', 'entad'], 'entada': ['adnate', 'entada'], 'entail': ['entail', 'tineal'], 'entailer': ['elaterin', 'entailer', 'treenail'], 'ental': ['ental', 'laten', 'leant'], 'entasia': ['anisate', 'entasia'], 'entasis': ['entasis', 'sestian', 'sestina'], 'entelam': ['entelam', 'leetman'], 'enter': ['enter', 'neter', 'renet', 'terne', 'treen'], 'enteral': ['alterne', 'enteral', 'eternal', 'teleran', 'teneral'], 'enterer': ['enterer', 'terrene'], 'enteria': ['enteria', 'trainee', 'triaene'], 'enteric': ['citrene', 'enteric', 'enticer', 'tercine'], 'enterocolitis': ['coloenteritis', 'enterocolitis'], 'enterogastritis': ['enterogastritis', 'gastroenteritis'], 'enteroid': ['enteroid', 'orendite'], 'enteron': ['enteron', 'tenoner'], 'enteropexy': ['enteropexy', 'oxyterpene'], 'entertain': ['entertain', 'tarentine', 'terentian'], 'entheal': ['entheal', 'lethean'], 'enthraldom': ['enthraldom', 'motherland'], 'enthuse': ['enthuse', 'unsheet'], 'entia': ['entia', 'teian', 'tenai', 'tinea'], 'enticer': ['citrene', 'enteric', 'enticer', 'tercine'], 'entincture': ['entincture', 'unreticent'], 'entire': ['entire', 'triene'], 'entirely': ['entirely', 'lientery'], 'entirety': ['entirety', 'eternity'], 'entity': ['entity', 'tinety'], 'entocoelic': ['coelection', 'entocoelic'], 'entocornea': ['encoronate', 'entocornea'], 'entohyal': ['entohyal', 'ethanoyl'], 'entoil': ['entoil', 'lionet'], 'entomeric': ['entomeric', 'intercome', 'morencite'], 'entomic': ['centimo', 'entomic', 'tecomin'], 'entomical': ['entomical', 'melanotic'], 'entomion': ['entomion', 'noontime'], 'entomoid': ['demotion', 'entomoid', 'moontide'], 'entomophily': ['entomophily', 'monophylite'], 'entomotomy': ['entomotomy', 'omentotomy'], 'entoparasite': ['antiprotease', 'entoparasite'], 'entophyte': ['entophyte', 'tenophyte'], 'entophytic': ['enphytotic', 'entophytic'], 'entopic': ['entopic', 'nepotic', 'pentoic'], 'entoplastic': ['entoplastic', 'spinotectal', 'tectospinal', 'tenoplastic'], 'entoretina': ['entoretina', 'tetraonine'], 'entosarc': ['ancestor', 'entosarc'], 'entotic': ['entotic', 'tonetic'], 'entozoa': ['entozoa', 'ozonate'], 'entozoic': ['entozoic', 'enzootic'], 'entrail': ['entrail', 'latiner', 'latrine', 'ratline', 'reliant', 'retinal', 'trenail'], 'entrain': ['entrain', 'teriann'], 'entrance': ['centenar', 'entrance'], 'entrap': ['arpent', 'enrapt', 'entrap', 'panter', 'parent', 'pretan', 'trepan'], 'entreat': ['entreat', 'ratteen', 'tarente', 'ternate', 'tetrane'], 'entreating': ['entreating', 'interagent'], 'entree': ['entree', 'rentee', 'retene'], 'entrepas': ['entrepas', 'septenar'], 'entropion': ['entropion', 'pontonier', 'prenotion'], 'entropium': ['entropium', 'importune'], 'entrust': ['entrust', 'stunter', 'trusten'], 'enumeration': ['enumeration', 'mountaineer'], 'enunciation': ['enunciation', 'incuneation'], 'enunciator': ['enunciator', 'uncreation'], 'enure': ['enure', 'reune'], 'envelope': ['envelope', 'ovenpeel'], 'enverdure': ['enverdure', 'unrevered'], 'envied': ['endive', 'envied', 'veined'], 'envier': ['enrive', 'envier', 'veiner', 'verine'], 'envious': ['envious', 'niveous', 'veinous'], 'envoy': ['envoy', 'nevoy', 'yoven'], 'enwood': ['enwood', 'wooden'], 'enwound': ['enwound', 'unowned'], 'enwrap': ['enwrap', 'pawner', 'repawn'], 'enwrite': ['enwrite', 'retwine'], 'enzootic': ['entozoic', 'enzootic'], 'eoan': ['aeon', 'eoan'], 'eogaean': ['eogaean', 'neogaea'], 'eolithic': ['chiolite', 'eolithic'], 'eon': ['eon', 'neo', 'one'], 'eonism': ['eonism', 'mesion', 'oneism', 'simeon'], 'eophyton': ['eophyton', 'honeypot'], 'eosaurus': ['eosaurus', 'rousseau'], 'eosin': ['eosin', 'noise'], 'eosinoblast': ['bosselation', 'eosinoblast'], 'epacrid': ['epacrid', 'peracid', 'preacid'], 'epacris': ['epacris', 'scrapie', 'serapic'], 'epactal': ['epactal', 'placate'], 'eparch': ['aperch', 'eparch', 'percha', 'preach'], 'eparchial': ['eparchial', 'raphaelic'], 'eparchy': ['eparchy', 'preachy'], 'epha': ['epha', 'heap'], 'epharmonic': ['epharmonic', 'pinachrome'], 'ephemeris': ['emeership', 'ephemeris'], 'ephod': ['depoh', 'ephod', 'hoped'], 'ephor': ['ephor', 'hoper'], 'ephorus': ['ephorus', 'orpheus', 'upshore'], 'epibasal': ['ablepsia', 'epibasal'], 'epibole': ['epibole', 'epilobe'], 'epic': ['epic', 'pice'], 'epical': ['epical', 'piacle', 'plaice'], 'epicarp': ['crappie', 'epicarp'], 'epicentral': ['epicentral', 'parentelic'], 'epiceratodus': ['dipteraceous', 'epiceratodus'], 'epichorial': ['aerophilic', 'epichorial'], 'epicly': ['epicly', 'pyelic'], 'epicostal': ['alopecist', 'altiscope', 'epicostal', 'scapolite'], 'epicotyl': ['epicotyl', 'lipocyte'], 'epicranial': ['epicranial', 'periacinal'], 'epiderm': ['demirep', 'epiderm', 'impeder', 'remiped'], 'epiderma': ['epiderma', 'premedia'], 'epidermal': ['epidermal', 'impleader', 'premedial'], 'epidermis': ['dispireme', 'epidermis'], 'epididymovasostomy': ['epididymovasostomy', 'vasoepididymostomy'], 'epidural': ['dipleura', 'epidural'], 'epigram': ['epigram', 'primage'], 'epilabrum': ['epilabrum', 'impuberal'], 'epilachna': ['cephalina', 'epilachna'], 'epilate': ['epilate', 'epitela', 'pileate'], 'epilation': ['epilation', 'polianite'], 'epilatory': ['epilatory', 'petiolary'], 'epilobe': ['epibole', 'epilobe'], 'epimer': ['empire', 'epimer'], 'epiotic': ['epiotic', 'poietic'], 'epipactis': ['epipactis', 'epipastic'], 'epipastic': ['epipactis', 'epipastic'], 'epiplasm': ['epiplasm', 'palmipes'], 'epiploic': ['epiploic', 'epipolic'], 'epipolic': ['epiploic', 'epipolic'], 'epirotic': ['epirotic', 'periotic'], 'episclera': ['episclera', 'periclase'], 'episematic': ['episematic', 'septicemia'], 'episodal': ['episodal', 'lapidose', 'sepaloid'], 'episodial': ['apsidiole', 'episodial'], 'epistatic': ['epistatic', 'pistacite'], 'episternal': ['alpestrine', 'episternal', 'interlapse', 'presential'], 'episternum': ['episternum', 'uprisement'], 'epistlar': ['epistlar', 'pilaster', 'plaister', 'priestal'], 'epistle': ['epistle', 'septile'], 'epistler': ['epistler', 'spirelet'], 'epistoler': ['epistoler', 'peristole', 'perseitol', 'pistoleer'], 'epistoma': ['epistoma', 'metopias'], 'epistome': ['epistome', 'epsomite'], 'epistroma': ['epistroma', 'peristoma'], 'epitela': ['epilate', 'epitela', 'pileate'], 'epithecal': ['epithecal', 'petechial', 'phacelite'], 'epithecate': ['epithecate', 'petechiate'], 'epithet': ['epithet', 'heptite'], 'epithyme': ['epithyme', 'hemitype'], 'epitomizer': ['epitomizer', 'peritomize'], 'epizoal': ['epizoal', 'lopezia', 'opalize'], 'epoch': ['epoch', 'poche'], 'epodic': ['copied', 'epodic'], 'epornitic': ['epornitic', 'proteinic'], 'epos': ['epos', 'peso', 'pose', 'sope'], 'epsilon': ['epsilon', 'sinople'], 'epsomite': ['epistome', 'epsomite'], 'epulis': ['epulis', 'pileus'], 'epulo': ['epulo', 'loupe'], 'epuloid': ['epuloid', 'euploid'], 'epulosis': ['epulosis', 'pelusios'], 'epulotic': ['epulotic', 'poultice'], 'epural': ['epural', 'perula', 'pleura'], 'epuration': ['epuration', 'eupatorin'], 'equal': ['equal', 'quale', 'queal'], 'equalable': ['aquabelle', 'equalable'], 'equiangle': ['angelique', 'equiangle'], 'equinity': ['equinity', 'inequity'], 'equip': ['equip', 'pique'], 'equitable': ['equitable', 'quietable'], 'equitist': ['equitist', 'quietist'], 'equus': ['equus', 'usque'], 'er': ['er', 're'], 'era': ['aer', 'are', 'ear', 'era', 'rea'], 'erade': ['eared', 'erade'], 'eradicant': ['carinated', 'eradicant'], 'eradicator': ['corradiate', 'cortaderia', 'eradicator'], 'eral': ['earl', 'eral', 'lear', 'real'], 'eranist': ['asterin', 'eranist', 'restain', 'stainer', 'starnie', 'stearin'], 'erase': ['easer', 'erase'], 'erased': ['erased', 'reseda', 'seared'], 'eraser': ['eraser', 'searer'], 'erasmian': ['erasmian', 'raiseman'], 'erasmus': ['assumer', 'erasmus', 'masseur'], 'erastian': ['artesian', 'asterina', 'asternia', 'erastian', 'seatrain'], 'erastus': ['erastus', 'ressaut'], 'erava': ['avera', 'erava'], 'erbia': ['barie', 'beira', 'erbia', 'rebia'], 'erbium': ['erbium', 'imbrue'], 'erd': ['erd', 'red'], 'ere': ['eer', 'ere', 'ree'], 'erect': ['crete', 'erect'], 'erectable': ['celebrate', 'erectable'], 'erecting': ['erecting', 'gentrice'], 'erection': ['erection', 'neoteric', 'nocerite', 'renotice'], 'eremic': ['eremic', 'merice'], 'eremital': ['eremital', 'materiel'], 'erept': ['erept', 'peter', 'petre'], 'ereptic': ['ereptic', 'precite', 'receipt'], 'ereption': ['ereption', 'tropeine'], 'erethic': ['erethic', 'etheric', 'heretic', 'heteric', 'teicher'], 'erethism': ['erethism', 'etherism', 'heterism'], 'erethismic': ['erethismic', 'hetericism'], 'erethistic': ['erethistic', 'hetericist'], 'eretrian': ['arretine', 'eretrian', 'eritrean', 'retainer'], 'erg': ['erg', 'ger', 'reg'], 'ergal': ['argel', 'ergal', 'garle', 'glare', 'lager', 'large', 'regal'], 'ergamine': ['ergamine', 'merginae'], 'ergane': ['egeran', 'enrage', 'ergane', 'genear', 'genera'], 'ergastic': ['agrestic', 'ergastic'], 'ergates': ['ergates', 'gearset', 'geaster'], 'ergoism': ['ergoism', 'ogreism'], 'ergomaniac': ['ergomaniac', 'grecomania'], 'ergon': ['ergon', 'genro', 'goner', 'negro'], 'ergot': ['ergot', 'rotge'], 'ergotamine': ['angiometer', 'ergotamine', 'geometrina'], 'ergotin': ['ergotin', 'genitor', 'negrito', 'ogtiern', 'trigone'], 'ergusia': ['ergusia', 'gerusia', 'sarigue'], 'eria': ['aire', 'eria'], 'erian': ['erian', 'irena', 'reina'], 'eric': ['eric', 'rice'], 'erica': ['acier', 'aeric', 'ceria', 'erica'], 'ericad': ['acider', 'ericad'], 'erical': ['carlie', 'claire', 'eclair', 'erical'], 'erichtoid': ['dichroite', 'erichtoid', 'theriodic'], 'erigenia': ['aegirine', 'erigenia'], 'erigeron': ['erigeron', 'reignore'], 'erik': ['erik', 'kier', 'reki'], 'erineum': ['erineum', 'unireme'], 'erinose': ['erinose', 'roseine'], 'eristalis': ['eristalis', 'serialist'], 'eristic': ['ectiris', 'eristic'], 'eristical': ['eristical', 'realistic'], 'erithacus': ['erithacus', 'eucharist'], 'eritrean': ['arretine', 'eretrian', 'eritrean', 'retainer'], 'erma': ['erma', 'mare', 'rame', 'ream'], 'ermani': ['ermani', 'marine', 'remain'], 'ermines': ['ermines', 'inermes'], 'erne': ['erne', 'neer', 'reen'], 'ernest': ['ernest', 'nester', 'resent', 'streen'], 'ernie': ['ernie', 'ierne', 'irene'], 'ernst': ['ernst', 'stern'], 'erode': ['doree', 'erode'], 'eros': ['eros', 'rose', 'sero', 'sore'], 'erose': ['erose', 'soree'], 'erotesis': ['erotesis', 'isostere'], 'erotic': ['erotic', 'tercio'], 'erotical': ['calorite', 'erotical', 'loricate'], 'eroticism': ['eroticism', 'isometric', 'meroistic', 'trioecism'], 'erotism': ['erotism', 'mortise', 'trisome'], 'erotogenic': ['erotogenic', 'geocronite', 'orogenetic'], 'errabund': ['errabund', 'unbarred'], 'errand': ['darner', 'darren', 'errand', 'rander', 'redarn'], 'errant': ['arrent', 'errant', 'ranter', 'ternar'], 'errantia': ['artarine', 'errantia'], 'erratic': ['cartier', 'cirrate', 'erratic'], 'erratum': ['erratum', 'maturer'], 'erring': ['erring', 'rering', 'ringer'], 'errite': ['errite', 'reiter', 'retier', 'retire', 'tierer'], 'ers': ['ers', 'ser'], 'ersar': ['ersar', 'raser', 'serra'], 'erse': ['erse', 'rees', 'seer', 'sere'], 'erthen': ['erthen', 'henter', 'nether', 'threne'], 'eruc': ['cure', 'ecru', 'eruc'], 'eruciform': ['eruciform', 'urceiform'], 'erucin': ['curine', 'erucin', 'neuric'], 'erucivorous': ['erucivorous', 'overcurious'], 'eruct': ['cruet', 'eruct', 'recut', 'truce'], 'eruction': ['eruction', 'neurotic'], 'erugate': ['erugate', 'guetare'], 'erumpent': ['erumpent', 'untemper'], 'eruption': ['eruption', 'unitrope'], 'erwin': ['erwin', 'rewin', 'winer'], 'eryngium': ['eryngium', 'gynerium'], 'eryon': ['eryon', 'onery'], 'eryops': ['eryops', 'osprey'], 'erythea': ['erythea', 'hetaery', 'yeather'], 'erythrin': ['erythrin', 'tyrrheni'], 'erythrophage': ['erythrophage', 'heterography'], 'erythrophyllin': ['erythrophyllin', 'phylloerythrin'], 'erythropia': ['erythropia', 'pyrotheria'], 'es': ['es', 'se'], 'esca': ['case', 'esca'], 'escalan': ['escalan', 'scalena'], 'escalin': ['celsian', 'escalin', 'sanicle', 'secalin'], 'escaloped': ['copleased', 'escaloped'], 'escapement': ['escapement', 'espacement'], 'escaper': ['escaper', 'respace'], 'escarp': ['casper', 'escarp', 'parsec', 'scrape', 'secpar', 'spacer'], 'eschar': ['arches', 'chaser', 'eschar', 'recash', 'search'], 'eschara': ['asearch', 'eschara'], 'escheator': ['escheator', 'tocharese'], 'escobilla': ['escobilla', 'obeliscal'], 'escolar': ['escolar', 'solacer'], 'escort': ['corset', 'cortes', 'coster', 'escort', 'scoter', 'sector'], 'escortment': ['centermost', 'escortment'], 'escrol': ['closer', 'cresol', 'escrol'], 'escropulo': ['escropulo', 'supercool'], 'esculent': ['esculent', 'unselect'], 'esculin': ['esculin', 'incluse'], 'esere': ['esere', 'reese', 'resee'], 'esexual': ['esexual', 'sexuale'], 'eshin': ['eshin', 'shine'], 'esiphonal': ['esiphonal', 'phaseolin'], 'esker': ['esker', 'keres', 'reesk', 'seker', 'skeer', 'skere'], 'eskualdun': ['eskualdun', 'euskaldun'], 'eskuara': ['eskuara', 'euskara'], 'esne': ['ense', 'esne', 'nese', 'seen', 'snee'], 'esophagogastrostomy': ['esophagogastrostomy', 'gastroesophagostomy'], 'esopus': ['esopus', 'spouse'], 'esoterical': ['cesarolite', 'esoterical'], 'esoterist': ['esoterist', 'trisetose'], 'esotrope': ['esotrope', 'proteose'], 'esotropia': ['aportoise', 'esotropia'], 'espacement': ['escapement', 'espacement'], 'espadon': ['espadon', 'spadone'], 'esparto': ['esparto', 'petrosa', 'seaport'], 'esperantic': ['esperantic', 'interspace'], 'esperantido': ['desperation', 'esperantido'], 'esperantism': ['esperantism', 'strepsinema'], 'esperanto': ['esperanto', 'personate'], 'espial': ['espial', 'lipase', 'pelias'], 'espier': ['espier', 'peiser'], 'espinal': ['espinal', 'pinales', 'spaniel'], 'espino': ['espino', 'sepion'], 'espringal': ['espringal', 'presignal', 'relapsing'], 'esquire': ['esquire', 'risquee'], 'essence': ['essence', 'senesce'], 'essenism': ['essenism', 'messines'], 'essie': ['essie', 'seise'], 'essling': ['essling', 'singles'], 'essoin': ['essoin', 'ossein'], 'essonite': ['essonite', 'ossetine'], 'essorant': ['assentor', 'essorant', 'starnose'], 'estamene': ['easement', 'estamene'], 'esteem': ['esteem', 'mestee'], 'estella': ['estella', 'sellate'], 'ester': ['ester', 'estre', 'reest', 'reset', 'steer', 'stere', 'stree', 'terse', 'tsere'], 'esterlin': ['enlister', 'esterlin', 'listener', 'relisten'], 'esterling': ['esterling', 'steerling'], 'estevin': ['estevin', 'tensive'], 'esth': ['esth', 'hest', 'seth'], 'esther': ['esther', 'hester', 'theres'], 'estivage': ['estivage', 'vegasite'], 'estoc': ['coset', 'estoc', 'scote'], 'estonian': ['estonian', 'nasonite'], 'estop': ['estop', 'stoep', 'stope'], 'estradiol': ['estradiol', 'idolaster'], 'estrange': ['estrange', 'segreant', 'sergeant', 'sternage'], 'estray': ['atresy', 'estray', 'reasty', 'stayer'], 'estre': ['ester', 'estre', 'reest', 'reset', 'steer', 'stere', 'stree', 'terse', 'tsere'], 'estreat': ['estreat', 'restate', 'retaste'], 'estrepe': ['estrepe', 'resteep', 'steeper'], 'estriate': ['estriate', 'treatise'], 'estrin': ['estrin', 'insert', 'sinter', 'sterin', 'triens'], 'estriol': ['estriol', 'torsile'], 'estrogen': ['estrogen', 'gerontes'], 'estrone': ['enstore', 'estrone', 'storeen', 'tornese'], 'estrous': ['estrous', 'oestrus', 'sestuor', 'tussore'], 'estrual': ['arustle', 'estrual', 'saluter', 'saulter'], 'estufa': ['estufa', 'fusate'], 'eta': ['ate', 'eat', 'eta', 'tae', 'tea'], 'etacism': ['cameist', 'etacism', 'sematic'], 'etacist': ['etacist', 'statice'], 'etalon': ['etalon', 'tolane'], 'etamin': ['etamin', 'inmate', 'taimen', 'tamein'], 'etamine': ['amenite', 'etamine', 'matinee'], 'etch': ['chet', 'etch', 'tche', 'tech'], 'etcher': ['cherte', 'etcher'], 'eternal': ['alterne', 'enteral', 'eternal', 'teleran', 'teneral'], 'eternalism': ['eternalism', 'streamline'], 'eternity': ['entirety', 'eternity'], 'etesian': ['etesian', 'senaite'], 'ethal': ['ethal', 'lathe', 'leath'], 'ethan': ['enhat', 'ethan', 'nathe', 'neath', 'thane'], 'ethanal': ['anthela', 'ethanal'], 'ethane': ['ethane', 'taheen'], 'ethanediol': ['endothelia', 'ethanediol', 'ethenoidal'], 'ethanim': ['ethanim', 'hematin'], 'ethanoyl': ['entohyal', 'ethanoyl'], 'ethel': ['ethel', 'lethe'], 'ethenoidal': ['endothelia', 'ethanediol', 'ethenoidal'], 'ether': ['ether', 'rethe', 'theer', 'there', 'three'], 'etheria': ['ehretia', 'etheria'], 'etheric': ['erethic', 'etheric', 'heretic', 'heteric', 'teicher'], 'etherin': ['enherit', 'etherin', 'neither', 'therein'], 'etherion': ['etherion', 'hereinto', 'heronite'], 'etherism': ['erethism', 'etherism', 'heterism'], 'etherization': ['etherization', 'heterization'], 'etherize': ['etherize', 'heterize'], 'ethicism': ['ethicism', 'shemitic'], 'ethicist': ['ethicist', 'thecitis', 'theistic'], 'ethics': ['ethics', 'sethic'], 'ethid': ['edith', 'ethid'], 'ethine': ['ethine', 'theine'], 'ethiop': ['ethiop', 'ophite', 'peitho'], 'ethmoidal': ['ethmoidal', 'oldhamite'], 'ethmosphenoid': ['ethmosphenoid', 'sphenoethmoid'], 'ethmosphenoidal': ['ethmosphenoidal', 'sphenoethmoidal'], 'ethnal': ['ethnal', 'hantle', 'lathen', 'thenal'], 'ethnical': ['chainlet', 'ethnical'], 'ethnological': ['allothogenic', 'ethnological'], 'ethnos': ['ethnos', 'honest'], 'ethography': ['ethography', 'hyetograph'], 'ethologic': ['ethologic', 'theologic'], 'ethological': ['ethological', 'lethologica', 'theological'], 'ethology': ['ethology', 'theology'], 'ethos': ['ethos', 'shote', 'those'], 'ethylic': ['ethylic', 'techily'], 'ethylin': ['ethylin', 'thienyl'], 'etna': ['ante', 'aten', 'etna', 'nate', 'neat', 'taen', 'tane', 'tean'], 'etnean': ['etnean', 'neaten'], 'etonian': ['enation', 'etonian'], 'etruscan': ['etruscan', 'recusant'], 'etta': ['etta', 'tate', 'teat'], 'ettarre': ['ettarre', 'retreat', 'treater'], 'ettle': ['ettle', 'tetel'], 'etua': ['aute', 'etua'], 'euaster': ['austere', 'euaster'], 'eucalypteol': ['eucalypteol', 'eucalyptole'], 'eucalyptole': ['eucalypteol', 'eucalyptole'], 'eucatropine': ['eucatropine', 'neurectopia'], 'eucharis': ['acheirus', 'eucharis'], 'eucharist': ['erithacus', 'eucharist'], 'euchlaena': ['acheulean', 'euchlaena'], 'eulogism': ['eulogism', 'uglisome'], 'eumolpus': ['eumolpus', 'plumeous'], 'eunomia': ['eunomia', 'moineau'], 'eunomy': ['eunomy', 'euonym'], 'euonym': ['eunomy', 'euonym'], 'eupatorin': ['epuration', 'eupatorin'], 'euplastic': ['euplastic', 'spiculate'], 'euploid': ['epuloid', 'euploid'], 'euproctis': ['crepitous', 'euproctis', 'uroseptic'], 'eurindic': ['dineuric', 'eurindic'], 'eurus': ['eurus', 'usure'], 'euscaro': ['acerous', 'carouse', 'euscaro'], 'euskaldun': ['eskualdun', 'euskaldun'], 'euskara': ['eskuara', 'euskara'], 'eusol': ['eusol', 'louse'], 'eutannin': ['eutannin', 'uninnate'], 'eutaxic': ['auxetic', 'eutaxic'], 'eutheria': ['eutheria', 'hauerite'], 'eutropic': ['eutropic', 'outprice'], 'eva': ['ave', 'eva'], 'evade': ['deave', 'eaved', 'evade'], 'evader': ['evader', 'verdea'], 'evadne': ['advene', 'evadne'], 'evan': ['evan', 'nave', 'vane'], 'evanish': ['evanish', 'inshave'], 'evase': ['eaves', 'evase', 'seave'], 'eve': ['eve', 'vee'], 'evea': ['eave', 'evea'], 'evection': ['civetone', 'evection'], 'evejar': ['evejar', 'rajeev'], 'evelyn': ['evelyn', 'evenly'], 'even': ['even', 'neve', 'veen'], 'evener': ['evener', 'veneer'], 'evenly': ['evelyn', 'evenly'], 'evens': ['evens', 'seven'], 'eveque': ['eveque', 'queeve'], 'ever': ['ever', 'reve', 'veer'], 'evert': ['evert', 'revet'], 'everwhich': ['everwhich', 'whichever'], 'everwho': ['everwho', 'however', 'whoever'], 'every': ['every', 'veery'], 'evestar': ['evestar', 'versate'], 'evict': ['civet', 'evict'], 'evil': ['evil', 'levi', 'live', 'veil', 'vile', 'vlei'], 'evildoer': ['evildoer', 'overidle'], 'evilhearted': ['evilhearted', 'vilehearted'], 'evilly': ['evilly', 'lively', 'vilely'], 'evilness': ['evilness', 'liveness', 'veinless', 'vileness', 'vineless'], 'evince': ['cevine', 'evince', 'venice'], 'evisite': ['evisite', 'visitee'], 'evitation': ['evitation', 'novitiate'], 'evocator': ['evocator', 'overcoat'], 'evodia': ['evodia', 'ovidae'], 'evoker': ['evoker', 'revoke'], 'evolver': ['evolver', 'revolve'], 'ewder': ['dewer', 'ewder', 'rewed'], 'ewe': ['ewe', 'wee'], 'ewer': ['ewer', 'were'], 'exacter': ['exacter', 'excreta'], 'exalt': ['exalt', 'latex'], 'exam': ['amex', 'exam', 'xema'], 'examinate': ['examinate', 'exanimate', 'metaxenia'], 'examination': ['examination', 'exanimation'], 'exanimate': ['examinate', 'exanimate', 'metaxenia'], 'exanimation': ['examination', 'exanimation'], 'exasperation': ['exasperation', 'xenoparasite'], 'exaudi': ['adieux', 'exaudi'], 'excarnation': ['centraxonia', 'excarnation'], 'excecation': ['cacoxenite', 'excecation'], 'except': ['except', 'expect'], 'exceptant': ['exceptant', 'expectant'], 'exceptive': ['exceptive', 'expective'], 'excitation': ['excitation', 'intoxicate'], 'excitor': ['excitor', 'xerotic'], 'excreta': ['exacter', 'excreta'], 'excurse': ['excurse', 'excuser'], 'excuser': ['excurse', 'excuser'], 'exert': ['exert', 'exter'], 'exhilarate': ['exhilarate', 'heteraxial'], 'exist': ['exist', 'sixte'], 'exocarp': ['exocarp', 'praecox'], 'exon': ['exon', 'oxen'], 'exordia': ['exordia', 'exradio'], 'exotic': ['coxite', 'exotic'], 'expatiater': ['expatiater', 'expatriate'], 'expatriate': ['expatiater', 'expatriate'], 'expect': ['except', 'expect'], 'expectant': ['exceptant', 'expectant'], 'expective': ['exceptive', 'expective'], 'expirator': ['expirator', 'operatrix'], 'expiree': ['expiree', 'peixere'], 'explicator': ['explicator', 'extropical'], 'expressionism': ['expressionism', 'misexpression'], 'exradio': ['exordia', 'exradio'], 'extend': ['dentex', 'extend'], 'exter': ['exert', 'exter'], 'exterminate': ['antiextreme', 'exterminate'], 'extirpationist': ['extirpationist', 'sextipartition'], 'extra': ['extra', 'retax', 'taxer'], 'extradural': ['dextraural', 'extradural'], 'extropical': ['explicator', 'extropical'], 'exultancy': ['exultancy', 'unexactly'], 'ey': ['ey', 'ye'], 'eyah': ['ahey', 'eyah', 'yeah'], 'eyas': ['easy', 'eyas'], 'eye': ['eye', 'yee'], 'eyed': ['eyed', 'yede'], 'eyen': ['eyen', 'eyne'], 'eyer': ['eyer', 'eyre', 'yere'], 'eyn': ['eyn', 'nye', 'yen'], 'eyne': ['eyen', 'eyne'], 'eyot': ['eyot', 'yote'], 'eyra': ['aery', 'eyra', 'yare', 'year'], 'eyre': ['eyer', 'eyre', 'yere'], 'ezba': ['baze', 'ezba'], 'ezra': ['ezra', 'raze'], 'facebread': ['barefaced', 'facebread'], 'facer': ['facer', 'farce'], 'faciend': ['faciend', 'fancied'], 'facile': ['facile', 'filace'], 'faciobrachial': ['brachiofacial', 'faciobrachial'], 'faciocervical': ['cervicofacial', 'faciocervical'], 'factable': ['factable', 'labefact'], 'factional': ['factional', 'falcation'], 'factish': ['catfish', 'factish'], 'facture': ['facture', 'furcate'], 'facula': ['facula', 'faucal'], 'fade': ['deaf', 'fade'], 'fader': ['fader', 'farde'], 'faery': ['faery', 'freya'], 'fagoter': ['aftergo', 'fagoter'], 'faience': ['faience', 'fiancee'], 'fail': ['alif', 'fail'], 'fain': ['fain', 'naif'], 'fainly': ['fainly', 'naifly'], 'faint': ['faint', 'fanti'], 'fair': ['fair', 'fiar', 'raif'], 'fake': ['fake', 'feak'], 'faker': ['faker', 'freak'], 'fakery': ['fakery', 'freaky'], 'fakir': ['fakir', 'fraik', 'kafir', 'rafik'], 'falcation': ['factional', 'falcation'], 'falco': ['falco', 'focal'], 'falconet': ['conflate', 'falconet'], 'fallback': ['backfall', 'fallback'], 'faller': ['faller', 'refall'], 'fallfish': ['fallfish', 'fishfall'], 'fallible': ['fallible', 'fillable'], 'falling': ['falling', 'fingall'], 'falser': ['falser', 'flaser'], 'faltboat': ['faltboat', 'flatboat'], 'falutin': ['falutin', 'flutina'], 'falx': ['falx', 'flax'], 'fameless': ['fameless', 'selfsame'], 'famelessness': ['famelessness', 'selfsameness'], 'famine': ['famine', 'infame'], 'fancied': ['faciend', 'fancied'], 'fangle': ['fangle', 'flange'], 'fannia': ['fannia', 'fianna'], 'fanti': ['faint', 'fanti'], 'far': ['far', 'fra'], 'farad': ['daraf', 'farad'], 'farce': ['facer', 'farce'], 'farcetta': ['afteract', 'artefact', 'farcetta', 'farctate'], 'farctate': ['afteract', 'artefact', 'farcetta', 'farctate'], 'farde': ['fader', 'farde'], 'fardel': ['alfred', 'fardel'], 'fare': ['fare', 'fear', 'frae', 'rafe'], 'farfel': ['farfel', 'raffle'], 'faring': ['faring', 'frangi'], 'farl': ['farl', 'ralf'], 'farleu': ['earful', 'farleu', 'ferula'], 'farm': ['farm', 'fram'], 'farmable': ['farmable', 'framable'], 'farmer': ['farmer', 'framer'], 'farming': ['farming', 'framing'], 'farnesol': ['farnesol', 'forensal'], 'faro': ['faro', 'fora'], 'farolito': ['farolito', 'footrail'], 'farse': ['farse', 'frase'], 'farset': ['farset', 'faster', 'strafe'], 'farsi': ['farsi', 'sarif'], 'fascio': ['fascio', 'fiasco'], 'fasher': ['afresh', 'fasher', 'ferash'], 'fashioner': ['fashioner', 'refashion'], 'fast': ['fast', 'saft'], 'fasten': ['fasten', 'nefast', 'stefan'], 'fastener': ['fastener', 'fenestra', 'refasten'], 'faster': ['farset', 'faster', 'strafe'], 'fasthold': ['fasthold', 'holdfast'], 'fastland': ['fastland', 'landfast'], 'fat': ['aft', 'fat'], 'fatal': ['aflat', 'fatal'], 'fate': ['atef', 'fate', 'feat'], 'fated': ['defat', 'fated'], 'father': ['father', 'freath', 'hafter'], 'faucal': ['facula', 'faucal'], 'faucet': ['faucet', 'fucate'], 'faulter': ['faulter', 'refutal', 'tearful'], 'faultfind': ['faultfind', 'findfault'], 'faunish': ['faunish', 'nusfiah'], 'faunist': ['faunist', 'fustian', 'infaust'], 'favorer': ['favorer', 'overfar', 'refavor'], 'fayles': ['fayles', 'safely'], 'feague': ['feague', 'feuage'], 'feak': ['fake', 'feak'], 'feal': ['alef', 'feal', 'flea', 'leaf'], 'fealty': ['fealty', 'featly'], 'fear': ['fare', 'fear', 'frae', 'rafe'], 'feastful': ['feastful', 'sufflate'], 'feat': ['atef', 'fate', 'feat'], 'featherbed': ['befathered', 'featherbed'], 'featherer': ['featherer', 'hereafter'], 'featly': ['fealty', 'featly'], 'feckly': ['feckly', 'flecky'], 'fecundate': ['fecundate', 'unfaceted'], 'fecundator': ['fecundator', 'unfactored'], 'federate': ['defeater', 'federate', 'redefeat'], 'feeder': ['feeder', 'refeed'], 'feeding': ['feeding', 'feigned'], 'feel': ['feel', 'flee'], 'feeler': ['feeler', 'refeel', 'reflee'], 'feer': ['feer', 'free', 'reef'], 'feering': ['feering', 'feigner', 'freeing', 'reefing', 'refeign'], 'feetless': ['feetless', 'feteless'], 'fei': ['fei', 'fie', 'ife'], 'feif': ['feif', 'fife'], 'feigned': ['feeding', 'feigned'], 'feigner': ['feering', 'feigner', 'freeing', 'reefing', 'refeign'], 'feil': ['feil', 'file', 'leif', 'lief', 'life'], 'feint': ['feint', 'fient'], 'feis': ['feis', 'fise', 'sife'], 'feist': ['feist', 'stife'], 'felapton': ['felapton', 'pantofle'], 'felid': ['felid', 'field'], 'feline': ['enfile', 'enlief', 'enlife', 'feline'], 'felinity': ['felinity', 'finitely'], 'fels': ['fels', 'self'], 'felt': ['felt', 'flet', 'left'], 'felter': ['felter', 'telfer', 'trefle'], 'felting': ['felting', 'neftgil'], 'feltness': ['feltness', 'leftness'], 'felwort': ['elfwort', 'felwort'], 'feminal': ['feminal', 'inflame'], 'femora': ['femora', 'foamer'], 'femorocaudal': ['caudofemoral', 'femorocaudal'], 'femorotibial': ['femorotibial', 'tibiofemoral'], 'femur': ['femur', 'fumer'], 'fen': ['fen', 'nef'], 'fender': ['fender', 'ferned'], 'fenestra': ['fastener', 'fenestra', 'refasten'], 'feodary': ['feodary', 'foreday'], 'feral': ['feral', 'flare'], 'ferash': ['afresh', 'fasher', 'ferash'], 'feria': ['afire', 'feria'], 'ferine': ['ferine', 'refine'], 'ferison': ['ferison', 'foresin'], 'ferity': ['ferity', 'freity'], 'ferk': ['ferk', 'kerf'], 'ferling': ['ferling', 'flinger', 'refling'], 'ferly': ['ferly', 'flyer', 'refly'], 'fermail': ['fermail', 'fermila'], 'fermenter': ['fermenter', 'referment'], 'fermila': ['fermail', 'fermila'], 'ferned': ['fender', 'ferned'], 'ferri': ['ferri', 'firer', 'freir', 'frier'], 'ferrihydrocyanic': ['ferrihydrocyanic', 'hydroferricyanic'], 'ferrohydrocyanic': ['ferrohydrocyanic', 'hydroferrocyanic'], 'ferry': ['ferry', 'freyr', 'fryer'], 'fertil': ['fertil', 'filter', 'lifter', 'relift', 'trifle'], 'ferula': ['earful', 'farleu', 'ferula'], 'ferule': ['ferule', 'fueler', 'refuel'], 'ferulic': ['ferulic', 'lucifer'], 'fervidity': ['devitrify', 'fervidity'], 'festination': ['festination', 'infestation', 'sinfonietta'], 'fet': ['eft', 'fet'], 'fetal': ['aleft', 'alfet', 'fetal', 'fleta'], 'fetcher': ['fetcher', 'refetch'], 'feteless': ['feetless', 'feteless'], 'fetial': ['fetial', 'filate', 'lafite', 'leafit'], 'fetish': ['fetish', 'fishet'], 'fetor': ['fetor', 'forte', 'ofter'], 'fetter': ['fetter', 'frette'], 'feuage': ['feague', 'feuage'], 'feudalism': ['feudalism', 'sulfamide'], 'feudally': ['delayful', 'feudally'], 'feulamort': ['feulamort', 'formulate'], 'fi': ['fi', 'if'], 'fiance': ['fiance', 'inface'], 'fiancee': ['faience', 'fiancee'], 'fianna': ['fannia', 'fianna'], 'fiar': ['fair', 'fiar', 'raif'], 'fiard': ['fiard', 'fraid'], 'fiasco': ['fascio', 'fiasco'], 'fiber': ['bifer', 'brief', 'fiber'], 'fibered': ['debrief', 'defiber', 'fibered'], 'fiberless': ['briefless', 'fiberless', 'fibreless'], 'fiberware': ['fiberware', 'fibreware'], 'fibreless': ['briefless', 'fiberless', 'fibreless'], 'fibreware': ['fiberware', 'fibreware'], 'fibroadenoma': ['adenofibroma', 'fibroadenoma'], 'fibroangioma': ['angiofibroma', 'fibroangioma'], 'fibrochondroma': ['chondrofibroma', 'fibrochondroma'], 'fibrocystoma': ['cystofibroma', 'fibrocystoma'], 'fibrolipoma': ['fibrolipoma', 'lipofibroma'], 'fibromucous': ['fibromucous', 'mucofibrous'], 'fibromyoma': ['fibromyoma', 'myofibroma'], 'fibromyxoma': ['fibromyxoma', 'myxofibroma'], 'fibromyxosarcoma': ['fibromyxosarcoma', 'myxofibrosarcoma'], 'fibroneuroma': ['fibroneuroma', 'neurofibroma'], 'fibroserous': ['fibroserous', 'serofibrous'], 'fiche': ['chief', 'fiche'], 'fickleness': ['fickleness', 'fleckiness'], 'fickly': ['fickly', 'flicky'], 'fico': ['coif', 'fico', 'foci'], 'fictional': ['cliftonia', 'fictional'], 'ficula': ['ficula', 'fulica'], 'fiddler': ['fiddler', 'flidder'], 'fidele': ['defile', 'fidele'], 'fidget': ['fidget', 'gifted'], 'fidicula': ['fidicula', 'fiducial'], 'fiducial': ['fidicula', 'fiducial'], 'fie': ['fei', 'fie', 'ife'], 'fiedlerite': ['fiedlerite', 'friedelite'], 'field': ['felid', 'field'], 'fielded': ['defiled', 'fielded'], 'fielder': ['defiler', 'fielder'], 'fieldman': ['fieldman', 'inflamed'], 'fiendish': ['fiendish', 'finished'], 'fient': ['feint', 'fient'], 'fiery': ['fiery', 'reify'], 'fife': ['feif', 'fife'], 'fifteener': ['fifteener', 'teneriffe'], 'fifty': ['fifty', 'tiffy'], 'fig': ['fig', 'gif'], 'fighter': ['fighter', 'freight', 'refight'], 'figurate': ['figurate', 'fruitage'], 'fike': ['efik', 'fike'], 'filace': ['facile', 'filace'], 'filago': ['filago', 'gifola'], 'filao': ['filao', 'folia'], 'filar': ['filar', 'flair', 'frail'], 'filate': ['fetial', 'filate', 'lafite', 'leafit'], 'file': ['feil', 'file', 'leif', 'lief', 'life'], 'filelike': ['filelike', 'lifelike'], 'filer': ['filer', 'flier', 'lifer', 'rifle'], 'filet': ['filet', 'flite'], 'fillable': ['fallible', 'fillable'], 'filler': ['filler', 'refill'], 'filo': ['filo', 'foil', 'lifo'], 'filter': ['fertil', 'filter', 'lifter', 'relift', 'trifle'], 'filterer': ['filterer', 'refilter'], 'filthless': ['filthless', 'shelflist'], 'filtrable': ['filtrable', 'flirtable'], 'filtration': ['filtration', 'flirtation'], 'finale': ['afenil', 'finale'], 'finder': ['finder', 'friend', 'redfin', 'refind'], 'findfault': ['faultfind', 'findfault'], 'fine': ['enif', 'fine', 'neif', 'nife'], 'finely': ['finely', 'lenify'], 'finer': ['finer', 'infer'], 'finesser': ['finesser', 'rifeness'], 'fingall': ['falling', 'fingall'], 'finger': ['finger', 'fringe'], 'fingerer': ['fingerer', 'refinger'], 'fingerflower': ['fingerflower', 'fringeflower'], 'fingerless': ['fingerless', 'fringeless'], 'fingerlet': ['fingerlet', 'fringelet'], 'fingu': ['fingu', 'fungi'], 'finical': ['finical', 'lanific'], 'finished': ['fiendish', 'finished'], 'finisher': ['finisher', 'refinish'], 'finitely': ['felinity', 'finitely'], 'finkel': ['elfkin', 'finkel'], 'finlet': ['finlet', 'infelt'], 'finner': ['finner', 'infern'], 'firca': ['afric', 'firca'], 'fire': ['fire', 'reif', 'rife'], 'fireable': ['afebrile', 'balefire', 'fireable'], 'firearm': ['firearm', 'marfire'], 'fireback': ['backfire', 'fireback'], 'fireburn': ['burnfire', 'fireburn'], 'fired': ['fired', 'fried'], 'fireplug': ['fireplug', 'gripeful'], 'firer': ['ferri', 'firer', 'freir', 'frier'], 'fireshaft': ['fireshaft', 'tasheriff'], 'firestone': ['firestone', 'forestine'], 'firetop': ['firetop', 'potifer'], 'firm': ['firm', 'frim'], 'first': ['first', 'frist'], 'firth': ['firth', 'frith'], 'fise': ['feis', 'fise', 'sife'], 'fishbone': ['bonefish', 'fishbone'], 'fisheater': ['fisheater', 'sherifate'], 'fisher': ['fisher', 'sherif'], 'fishery': ['fishery', 'sherify'], 'fishet': ['fetish', 'fishet'], 'fishfall': ['fallfish', 'fishfall'], 'fishlet': ['fishlet', 'leftish'], 'fishpond': ['fishpond', 'pondfish'], 'fishpool': ['fishpool', 'foolship'], 'fishwood': ['fishwood', 'woodfish'], 'fissury': ['fissury', 'russify'], 'fist': ['fist', 'sift'], 'fisted': ['fisted', 'sifted'], 'fister': ['fister', 'resift', 'sifter', 'strife'], 'fisting': ['fisting', 'sifting'], 'fitout': ['fitout', 'outfit'], 'fitter': ['fitter', 'tifter'], 'fixer': ['fixer', 'refix'], 'flageolet': ['flageolet', 'folletage'], 'flair': ['filar', 'flair', 'frail'], 'flamant': ['flamant', 'flatman'], 'flame': ['flame', 'fleam'], 'flamed': ['flamed', 'malfed'], 'flandowser': ['flandowser', 'sandflower'], 'flange': ['fangle', 'flange'], 'flare': ['feral', 'flare'], 'flaser': ['falser', 'flaser'], 'flasher': ['flasher', 'reflash'], 'flatboat': ['faltboat', 'flatboat'], 'flatman': ['flamant', 'flatman'], 'flatwise': ['flatwise', 'saltwife'], 'flaunt': ['flaunt', 'unflat'], 'flax': ['falx', 'flax'], 'flea': ['alef', 'feal', 'flea', 'leaf'], 'fleam': ['flame', 'fleam'], 'fleay': ['fleay', 'leafy'], 'fleche': ['fleche', 'fleech'], 'flecker': ['flecker', 'freckle'], 'fleckiness': ['fickleness', 'fleckiness'], 'flecky': ['feckly', 'flecky'], 'fled': ['delf', 'fled'], 'flee': ['feel', 'flee'], 'fleech': ['fleche', 'fleech'], 'fleer': ['fleer', 'refel'], 'flemish': ['flemish', 'himself'], 'flenser': ['flenser', 'fresnel'], 'flesh': ['flesh', 'shelf'], 'fleshed': ['deflesh', 'fleshed'], 'fleshen': ['enflesh', 'fleshen'], 'flesher': ['flesher', 'herself'], 'fleshful': ['fleshful', 'shelfful'], 'fleshiness': ['elfishness', 'fleshiness'], 'fleshy': ['fleshy', 'shelfy'], 'flet': ['felt', 'flet', 'left'], 'fleta': ['aleft', 'alfet', 'fetal', 'fleta'], 'fleuret': ['fleuret', 'treeful'], 'flew': ['flew', 'welf'], 'flexed': ['deflex', 'flexed'], 'flexured': ['flexured', 'refluxed'], 'flicky': ['fickly', 'flicky'], 'flidder': ['fiddler', 'flidder'], 'flier': ['filer', 'flier', 'lifer', 'rifle'], 'fligger': ['fligger', 'friggle'], 'flinger': ['ferling', 'flinger', 'refling'], 'flingy': ['flingy', 'flying'], 'flirtable': ['filtrable', 'flirtable'], 'flirtation': ['filtration', 'flirtation'], 'flirter': ['flirter', 'trifler'], 'flirting': ['flirting', 'trifling'], 'flirtingly': ['flirtingly', 'triflingly'], 'flit': ['flit', 'lift'], 'flite': ['filet', 'flite'], 'fliting': ['fliting', 'lifting'], 'flitter': ['flitter', 'triflet'], 'flo': ['flo', 'lof'], 'float': ['aloft', 'float', 'flota'], 'floater': ['floater', 'florate', 'refloat'], 'flobby': ['bobfly', 'flobby'], 'flodge': ['flodge', 'fodgel'], 'floe': ['floe', 'fole'], 'flog': ['flog', 'golf'], 'flogger': ['flogger', 'frogleg'], 'floodable': ['bloodleaf', 'floodable'], 'flooder': ['flooder', 'reflood'], 'floodwater': ['floodwater', 'toadflower', 'waterflood'], 'floorer': ['floorer', 'refloor'], 'florate': ['floater', 'florate', 'refloat'], 'florentine': ['florentine', 'nonfertile'], 'floret': ['floret', 'forlet', 'lofter', 'torfel'], 'floria': ['floria', 'foliar'], 'floriate': ['floriate', 'foralite'], 'florican': ['florican', 'fornical'], 'floridan': ['floridan', 'florinda'], 'florinda': ['floridan', 'florinda'], 'flot': ['flot', 'loft'], 'flota': ['aloft', 'float', 'flota'], 'flounder': ['flounder', 'reunfold', 'unfolder'], 'flour': ['flour', 'fluor'], 'flourisher': ['flourisher', 'reflourish'], 'flouting': ['flouting', 'outfling'], 'flow': ['flow', 'fowl', 'wolf'], 'flower': ['flower', 'fowler', 'reflow', 'wolfer'], 'flowered': ['deflower', 'flowered'], 'flowerer': ['flowerer', 'reflower'], 'flowery': ['flowery', 'fowlery'], 'flowing': ['flowing', 'fowling'], 'floyd': ['floyd', 'foldy'], 'fluavil': ['fluavil', 'fluvial', 'vialful'], 'flucan': ['canful', 'flucan'], 'fluctuant': ['fluctuant', 'untactful'], 'flue': ['flue', 'fuel'], 'fluent': ['fluent', 'netful', 'unfelt', 'unleft'], 'fluidly': ['dullify', 'fluidly'], 'flukewort': ['flukewort', 'flutework'], 'fluor': ['flour', 'fluor'], 'fluorate': ['fluorate', 'outflare'], 'fluorinate': ['antifouler', 'fluorinate', 'uniflorate'], 'fluorine': ['fluorine', 'neurofil'], 'fluorobenzene': ['benzofluorene', 'fluorobenzene'], 'flusher': ['flusher', 'reflush'], 'flushing': ['flushing', 'lungfish'], 'fluster': ['fluster', 'restful'], 'flustra': ['flustra', 'starful'], 'flutework': ['flukewort', 'flutework'], 'flutina': ['falutin', 'flutina'], 'fluvial': ['fluavil', 'fluvial', 'vialful'], 'fluxer': ['fluxer', 'reflux'], 'flyblow': ['blowfly', 'flyblow'], 'flyer': ['ferly', 'flyer', 'refly'], 'flying': ['flingy', 'flying'], 'fo': ['fo', 'of'], 'foal': ['foal', 'loaf', 'olaf'], 'foamer': ['femora', 'foamer'], 'focal': ['falco', 'focal'], 'foci': ['coif', 'fico', 'foci'], 'focuser': ['focuser', 'refocus'], 'fodge': ['defog', 'fodge'], 'fodgel': ['flodge', 'fodgel'], 'fogeater': ['fogeater', 'foregate'], 'fogo': ['fogo', 'goof'], 'foil': ['filo', 'foil', 'lifo'], 'foister': ['foister', 'forties'], 'folden': ['enfold', 'folden', 'fondle'], 'folder': ['folder', 'refold'], 'foldy': ['floyd', 'foldy'], 'fole': ['floe', 'fole'], 'folia': ['filao', 'folia'], 'foliar': ['floria', 'foliar'], 'foliature': ['foliature', 'toluifera'], 'folletage': ['flageolet', 'folletage'], 'fomenter': ['fomenter', 'refoment'], 'fondle': ['enfold', 'folden', 'fondle'], 'fondu': ['fondu', 'found'], 'foo': ['foo', 'ofo'], 'fool': ['fool', 'loof', 'olof'], 'foolship': ['fishpool', 'foolship'], 'footer': ['footer', 'refoot'], 'foothot': ['foothot', 'hotfoot'], 'footler': ['footler', 'rooflet'], 'footpad': ['footpad', 'padfoot'], 'footrail': ['farolito', 'footrail'], 'foots': ['foots', 'sfoot', 'stoof'], 'footsore': ['footsore', 'sorefoot'], 'foppish': ['foppish', 'fopship'], 'fopship': ['foppish', 'fopship'], 'for': ['for', 'fro', 'orf'], 'fora': ['faro', 'fora'], 'foralite': ['floriate', 'foralite'], 'foramen': ['foramen', 'foreman'], 'forcemeat': ['aftercome', 'forcemeat'], 'forcement': ['coferment', 'forcement'], 'fore': ['fore', 'froe', 'ofer'], 'forecast': ['cofaster', 'forecast'], 'forecaster': ['forecaster', 'reforecast'], 'forecover': ['forecover', 'overforce'], 'foreday': ['feodary', 'foreday'], 'forefit': ['forefit', 'forfeit'], 'foregate': ['fogeater', 'foregate'], 'foregirth': ['foregirth', 'foreright'], 'forego': ['forego', 'goofer'], 'forel': ['forel', 'rolfe'], 'forelive': ['forelive', 'overfile'], 'foreman': ['foramen', 'foreman'], 'foremean': ['foremean', 'forename'], 'forename': ['foremean', 'forename'], 'forensal': ['farnesol', 'forensal'], 'forensic': ['forensic', 'forinsec'], 'forepart': ['forepart', 'prefator'], 'foreright': ['foregirth', 'foreright'], 'foresend': ['defensor', 'foresend'], 'foresign': ['foresign', 'foresing'], 'foresin': ['ferison', 'foresin'], 'foresing': ['foresign', 'foresing'], 'forest': ['forest', 'forset', 'foster'], 'forestage': ['forestage', 'fosterage'], 'forestal': ['astrofel', 'forestal'], 'forestate': ['forestate', 'foretaste'], 'forested': ['deforest', 'forested'], 'forestem': ['forestem', 'fretsome'], 'forester': ['forester', 'fosterer', 'reforest'], 'forestine': ['firestone', 'forestine'], 'foretaste': ['forestate', 'foretaste'], 'foreutter': ['foreutter', 'outferret'], 'forfeit': ['forefit', 'forfeit'], 'forfeiter': ['forfeiter', 'reforfeit'], 'forgeman': ['forgeman', 'formagen'], 'forinsec': ['forensic', 'forinsec'], 'forint': ['forint', 'fortin'], 'forlet': ['floret', 'forlet', 'lofter', 'torfel'], 'form': ['form', 'from'], 'formagen': ['forgeman', 'formagen'], 'formalin': ['formalin', 'informal', 'laniform'], 'formally': ['formally', 'formylal'], 'formed': ['deform', 'formed'], 'former': ['former', 'reform'], 'formica': ['aciform', 'formica'], 'formicina': ['aciniform', 'formicina'], 'formicoidea': ['aecidioform', 'formicoidea'], 'formin': ['formin', 'inform'], 'forminate': ['forminate', 'fremontia', 'taeniform'], 'formulae': ['formulae', 'fumarole'], 'formulaic': ['cauliform', 'formulaic', 'fumarolic'], 'formulate': ['feulamort', 'formulate'], 'formulator': ['formulator', 'torulaform'], 'formylal': ['formally', 'formylal'], 'fornical': ['florican', 'fornical'], 'fornicated': ['deforciant', 'fornicated'], 'forpit': ['forpit', 'profit'], 'forritsome': ['forritsome', 'ostreiform'], 'forrue': ['forrue', 'fourer', 'fourre', 'furore'], 'forset': ['forest', 'forset', 'foster'], 'forst': ['forst', 'frost'], 'fort': ['fort', 'frot'], 'forte': ['fetor', 'forte', 'ofter'], 'forth': ['forth', 'froth'], 'forthcome': ['forthcome', 'homecroft'], 'forthy': ['forthy', 'frothy'], 'forties': ['foister', 'forties'], 'fortin': ['forint', 'fortin'], 'forward': ['forward', 'froward'], 'forwarder': ['forwarder', 'reforward'], 'forwardly': ['forwardly', 'frowardly'], 'forwardness': ['forwardness', 'frowardness'], 'foster': ['forest', 'forset', 'foster'], 'fosterage': ['forestage', 'fosterage'], 'fosterer': ['forester', 'fosterer', 'reforest'], 'fot': ['fot', 'oft'], 'fou': ['fou', 'ouf'], 'fouler': ['fouler', 'furole'], 'found': ['fondu', 'found'], 'foundationer': ['foundationer', 'refoundation'], 'founder': ['founder', 'refound'], 'foundling': ['foundling', 'unfolding'], 'fourble': ['beflour', 'fourble'], 'fourer': ['forrue', 'fourer', 'fourre', 'furore'], 'fourre': ['forrue', 'fourer', 'fourre', 'furore'], 'fowl': ['flow', 'fowl', 'wolf'], 'fowler': ['flower', 'fowler', 'reflow', 'wolfer'], 'fowlery': ['flowery', 'fowlery'], 'fowling': ['flowing', 'fowling'], 'fra': ['far', 'fra'], 'frache': ['chafer', 'frache'], 'frae': ['fare', 'fear', 'frae', 'rafe'], 'fraghan': ['fraghan', 'harfang'], 'fraid': ['fiard', 'fraid'], 'fraik': ['fakir', 'fraik', 'kafir', 'rafik'], 'frail': ['filar', 'flair', 'frail'], 'fraiser': ['fraiser', 'frasier'], 'fram': ['farm', 'fram'], 'framable': ['farmable', 'framable'], 'frame': ['frame', 'fream'], 'framer': ['farmer', 'framer'], 'framing': ['farming', 'framing'], 'frangi': ['faring', 'frangi'], 'frantic': ['frantic', 'infarct', 'infract'], 'frase': ['farse', 'frase'], 'frasier': ['fraiser', 'frasier'], 'frat': ['frat', 'raft'], 'fratcheous': ['fratcheous', 'housecraft'], 'frater': ['frater', 'rafter'], 'frayed': ['defray', 'frayed'], 'freak': ['faker', 'freak'], 'freaky': ['fakery', 'freaky'], 'fream': ['frame', 'fream'], 'freath': ['father', 'freath', 'hafter'], 'freckle': ['flecker', 'freckle'], 'free': ['feer', 'free', 'reef'], 'freed': ['defer', 'freed'], 'freeing': ['feering', 'feigner', 'freeing', 'reefing', 'refeign'], 'freeman': ['enframe', 'freeman'], 'freer': ['freer', 'refer'], 'fregata': ['fregata', 'raftage'], 'fregatae': ['afterage', 'fregatae'], 'freight': ['fighter', 'freight', 'refight'], 'freir': ['ferri', 'firer', 'freir', 'frier'], 'freit': ['freit', 'refit'], 'freity': ['ferity', 'freity'], 'fremontia': ['forminate', 'fremontia', 'taeniform'], 'frenetic': ['frenetic', 'infecter', 'reinfect'], 'freshener': ['freshener', 'refreshen'], 'fresnel': ['flenser', 'fresnel'], 'fret': ['fret', 'reft', 'tref'], 'fretful': ['fretful', 'truffle'], 'fretsome': ['forestem', 'fretsome'], 'frette': ['fetter', 'frette'], 'freya': ['faery', 'freya'], 'freyr': ['ferry', 'freyr', 'fryer'], 'fried': ['fired', 'fried'], 'friedelite': ['fiedlerite', 'friedelite'], 'friend': ['finder', 'friend', 'redfin', 'refind'], 'frier': ['ferri', 'firer', 'freir', 'frier'], 'friesic': ['friesic', 'serific'], 'friggle': ['fligger', 'friggle'], 'frightener': ['frightener', 'refrighten'], 'frigolabile': ['frigolabile', 'glorifiable'], 'frike': ['frike', 'kefir'], 'frim': ['firm', 'frim'], 'fringe': ['finger', 'fringe'], 'fringeflower': ['fingerflower', 'fringeflower'], 'fringeless': ['fingerless', 'fringeless'], 'fringelet': ['fingerlet', 'fringelet'], 'frist': ['first', 'frist'], 'frit': ['frit', 'rift'], 'frith': ['firth', 'frith'], 'friulian': ['friulian', 'unifilar'], 'fro': ['for', 'fro', 'orf'], 'froe': ['fore', 'froe', 'ofer'], 'frogleg': ['flogger', 'frogleg'], 'from': ['form', 'from'], 'fronter': ['fronter', 'refront'], 'frontonasal': ['frontonasal', 'nasofrontal'], 'frontooccipital': ['frontooccipital', 'occipitofrontal'], 'frontoorbital': ['frontoorbital', 'orbitofrontal'], 'frontoparietal': ['frontoparietal', 'parietofrontal'], 'frontotemporal': ['frontotemporal', 'temporofrontal'], 'frontpiece': ['frontpiece', 'perfection'], 'frost': ['forst', 'frost'], 'frosted': ['defrost', 'frosted'], 'frot': ['fort', 'frot'], 'froth': ['forth', 'froth'], 'frothy': ['forthy', 'frothy'], 'froward': ['forward', 'froward'], 'frowardly': ['forwardly', 'frowardly'], 'frowardness': ['forwardness', 'frowardness'], 'fruitage': ['figurate', 'fruitage'], 'fruitless': ['fruitless', 'resistful'], 'frush': ['frush', 'shurf'], 'frustule': ['frustule', 'sulfuret'], 'fruticulose': ['fruticulose', 'luctiferous'], 'fryer': ['ferry', 'freyr', 'fryer'], 'fucales': ['caseful', 'fucales'], 'fucate': ['faucet', 'fucate'], 'fuel': ['flue', 'fuel'], 'fueler': ['ferule', 'fueler', 'refuel'], 'fuerte': ['fuerte', 'refute'], 'fuirena': ['fuirena', 'unafire'], 'fulcrate': ['crateful', 'fulcrate'], 'fulica': ['ficula', 'fulica'], 'fulmar': ['armful', 'fulmar'], 'fulminatory': ['fulminatory', 'unformality'], 'fulminous': ['fulminous', 'sulfonium'], 'fulwa': ['awful', 'fulwa'], 'fumarole': ['formulae', 'fumarole'], 'fumarolic': ['cauliform', 'formulaic', 'fumarolic'], 'fumble': ['beflum', 'fumble'], 'fumer': ['femur', 'fumer'], 'fundable': ['fundable', 'unfabled'], 'funder': ['funder', 'refund'], 'funebrial': ['funebrial', 'unfriable'], 'funeral': ['earnful', 'funeral'], 'fungal': ['fungal', 'unflag'], 'fungi': ['fingu', 'fungi'], 'funori': ['funori', 'furoin'], 'fur': ['fur', 'urf'], 'fural': ['alfur', 'fural'], 'furan': ['furan', 'unfar'], 'furbish': ['burfish', 'furbish'], 'furbisher': ['furbisher', 'refurbish'], 'furcal': ['carful', 'furcal'], 'furcate': ['facture', 'furcate'], 'furler': ['furler', 'refurl'], 'furnish': ['furnish', 'runfish'], 'furnisher': ['furnisher', 'refurnish'], 'furoin': ['funori', 'furoin'], 'furole': ['fouler', 'furole'], 'furore': ['forrue', 'fourer', 'fourre', 'furore'], 'furstone': ['furstone', 'unforest'], 'fusate': ['estufa', 'fusate'], 'fusteric': ['fusteric', 'scutifer'], 'fustian': ['faunist', 'fustian', 'infaust'], 'gab': ['bag', 'gab'], 'gabbler': ['gabbler', 'grabble'], 'gabe': ['egba', 'gabe'], 'gabelle': ['gabelle', 'gelable'], 'gabelled': ['gabelled', 'geldable'], 'gabi': ['agib', 'biga', 'gabi'], 'gabion': ['bagnio', 'gabion', 'gobian'], 'gabioned': ['badigeon', 'gabioned'], 'gable': ['bagel', 'belga', 'gable', 'gleba'], 'gablock': ['backlog', 'gablock'], 'gaboon': ['abongo', 'gaboon'], 'gad': ['dag', 'gad'], 'gadaba': ['badaga', 'dagaba', 'gadaba'], 'gadder': ['gadder', 'graded'], 'gaddi': ['gaddi', 'gadid'], 'gade': ['aged', 'egad', 'gade'], 'gadger': ['dagger', 'gadger', 'ragged'], 'gadget': ['gadget', 'tagged'], 'gadid': ['gaddi', 'gadid'], 'gadinine': ['gadinine', 'indigena'], 'gadolinite': ['deligation', 'gadolinite', 'gelatinoid'], 'gadroon': ['dragoon', 'gadroon'], 'gadroonage': ['dragoonage', 'gadroonage'], 'gaduin': ['anguid', 'gaduin'], 'gael': ['gael', 'gale', 'geal'], 'gaen': ['agen', 'gaen', 'gane', 'gean', 'gena'], 'gaet': ['gaet', 'gate', 'geat', 'geta'], 'gaetulan': ['angulate', 'gaetulan'], 'gager': ['agger', 'gager', 'regga'], 'gahnite': ['gahnite', 'heating'], 'gahrwali': ['gahrwali', 'garhwali'], 'gaiassa': ['assagai', 'gaiassa'], 'gail': ['gail', 'gali', 'gila', 'glia'], 'gain': ['gain', 'inga', 'naig', 'ngai'], 'gaincall': ['gaincall', 'gallican'], 'gaine': ['angie', 'gaine'], 'gainer': ['arenig', 'earing', 'gainer', 'reagin', 'regain'], 'gainless': ['gainless', 'glassine'], 'gainly': ['gainly', 'laying'], 'gainsayer': ['asynergia', 'gainsayer'], 'gainset': ['easting', 'gainset', 'genista', 'ingesta', 'seating', 'signate', 'teasing'], 'gainstrive': ['gainstrive', 'vinegarist'], 'gainturn': ['gainturn', 'naturing'], 'gaiter': ['gaiter', 'tairge', 'triage'], 'gaize': ['gaize', 'ziega'], 'gaj': ['gaj', 'jag'], 'gal': ['gal', 'lag'], 'gala': ['agal', 'agla', 'alga', 'gala'], 'galactonic': ['cognatical', 'galactonic'], 'galatae': ['galatae', 'galatea'], 'galatea': ['galatae', 'galatea'], 'gale': ['gael', 'gale', 'geal'], 'galea': ['algae', 'galea'], 'galee': ['aegle', 'eagle', 'galee'], 'galei': ['agiel', 'agile', 'galei'], 'galeid': ['algedi', 'galeid'], 'galen': ['agnel', 'angel', 'angle', 'galen', 'genal', 'glean', 'lagen'], 'galena': ['alnage', 'angela', 'galena', 'lagena'], 'galenian': ['alangine', 'angelina', 'galenian'], 'galenic': ['angelic', 'galenic'], 'galenical': ['angelical', 'englacial', 'galenical'], 'galenist': ['galenist', 'genitals', 'stealing'], 'galenite': ['galenite', 'legatine'], 'galeoid': ['galeoid', 'geoidal'], 'galera': ['aglare', 'alegar', 'galera', 'laager'], 'galet': ['aglet', 'galet'], 'galewort': ['galewort', 'waterlog'], 'galey': ['agley', 'galey'], 'galga': ['galga', 'glaga'], 'gali': ['gail', 'gali', 'gila', 'glia'], 'galidia': ['agialid', 'galidia'], 'galik': ['galik', 'glaik'], 'galilean': ['galilean', 'gallinae'], 'galiot': ['galiot', 'latigo'], 'galla': ['algal', 'galla'], 'gallate': ['gallate', 'tallage'], 'gallein': ['gallein', 'galline', 'nigella'], 'galleria': ['allergia', 'galleria'], 'gallery': ['allergy', 'gallery', 'largely', 'regally'], 'galli': ['galli', 'glial'], 'gallican': ['gaincall', 'gallican'], 'gallicole': ['collegial', 'gallicole'], 'gallinae': ['galilean', 'gallinae'], 'galline': ['gallein', 'galline', 'nigella'], 'gallnut': ['gallnut', 'nutgall'], 'galloper': ['galloper', 'regallop'], 'gallotannate': ['gallotannate', 'tannogallate'], 'gallotannic': ['gallotannic', 'tannogallic'], 'gallstone': ['gallstone', 'stonegall'], 'gallybagger': ['gallybagger', 'gallybeggar'], 'gallybeggar': ['gallybagger', 'gallybeggar'], 'galore': ['galore', 'gaoler'], 'galtonia': ['galtonia', 'notalgia'], 'galvanopsychic': ['galvanopsychic', 'psychogalvanic'], 'galvanothermometer': ['galvanothermometer', 'thermogalvanometer'], 'gam': ['gam', 'mag'], 'gamaliel': ['gamaliel', 'melalgia'], 'gamashes': ['gamashes', 'smashage'], 'gamasid': ['gamasid', 'magadis'], 'gambado': ['dagomba', 'gambado'], 'gambier': ['gambier', 'imbarge'], 'gambler': ['gambler', 'gambrel'], 'gambrel': ['gambler', 'gambrel'], 'game': ['egma', 'game', 'mage'], 'gamely': ['gamely', 'gleamy', 'mygale'], 'gamene': ['gamene', 'manege', 'menage'], 'gamete': ['gamete', 'metage'], 'gametogenic': ['gametogenic', 'gamogenetic', 'geomagnetic'], 'gamic': ['gamic', 'magic'], 'gamin': ['gamin', 'mangi'], 'gaming': ['gaming', 'gigman'], 'gamma': ['gamma', 'magma'], 'gammer': ['gammer', 'gramme'], 'gamogenetic': ['gametogenic', 'gamogenetic', 'geomagnetic'], 'gamori': ['gamori', 'gomari', 'gromia'], 'gan': ['gan', 'nag'], 'ganam': ['amang', 'ganam', 'manga'], 'ganch': ['chang', 'ganch'], 'gander': ['danger', 'gander', 'garden', 'ranged'], 'gandul': ['gandul', 'unglad'], 'gane': ['agen', 'gaen', 'gane', 'gean', 'gena'], 'gangan': ['gangan', 'nagnag'], 'ganger': ['ganger', 'grange', 'nagger'], 'ganging': ['ganging', 'nagging'], 'gangism': ['gangism', 'gigsman'], 'ganglioneuron': ['ganglioneuron', 'neuroganglion'], 'gangly': ['gangly', 'naggly'], 'ganguela': ['ganguela', 'language'], 'gangway': ['gangway', 'waygang'], 'ganister': ['astringe', 'ganister', 'gantries'], 'ganoidal': ['diagonal', 'ganoidal', 'gonadial'], 'ganoidean': ['ganoidean', 'indogaean'], 'ganoidian': ['agoniadin', 'anangioid', 'ganoidian'], 'ganosis': ['agnosis', 'ganosis'], 'gansel': ['angles', 'gansel'], 'gant': ['gant', 'gnat', 'tang'], 'ganta': ['ganta', 'tanga'], 'ganton': ['ganton', 'tongan'], 'gantries': ['astringe', 'ganister', 'gantries'], 'gantry': ['gantry', 'gyrant'], 'ganymede': ['ganymede', 'megadyne'], 'ganzie': ['agnize', 'ganzie'], 'gaol': ['gaol', 'goal', 'gola', 'olga'], 'gaoler': ['galore', 'gaoler'], 'gaon': ['agon', 'ango', 'gaon', 'goan', 'gona'], 'gaonic': ['agonic', 'angico', 'gaonic', 'goniac'], 'gapa': ['gapa', 'paga'], 'gape': ['gape', 'page', 'peag', 'pega'], 'gaper': ['gaper', 'grape', 'pager', 'parge'], 'gar': ['gar', 'gra', 'rag'], 'gara': ['agar', 'agra', 'gara', 'raga'], 'garamond': ['dragoman', 'garamond', 'ondagram'], 'garance': ['carnage', 'cranage', 'garance'], 'garb': ['brag', 'garb', 'grab'], 'garbel': ['garbel', 'garble'], 'garble': ['garbel', 'garble'], 'garbless': ['bragless', 'garbless'], 'garce': ['cager', 'garce', 'grace'], 'garcinia': ['agaricin', 'garcinia'], 'gardeen': ['derange', 'enraged', 'gardeen', 'gerenda', 'grandee', 'grenade'], 'garden': ['danger', 'gander', 'garden', 'ranged'], 'gardened': ['deranged', 'gardened'], 'gardener': ['deranger', 'gardener'], 'gardenful': ['dangerful', 'gardenful'], 'gardenia': ['drainage', 'gardenia'], 'gardenin': ['gardenin', 'grenadin'], 'gardenless': ['dangerless', 'gardenless'], 'gare': ['ager', 'agre', 'gare', 'gear', 'rage'], 'gareh': ['gareh', 'gerah'], 'garetta': ['garetta', 'rattage', 'regatta'], 'garewaite': ['garewaite', 'waiterage'], 'garfish': ['garfish', 'ragfish'], 'garget': ['garget', 'tagger'], 'gargety': ['gargety', 'raggety'], 'gargle': ['gargle', 'gregal', 'lagger', 'raggle'], 'garhwali': ['gahrwali', 'garhwali'], 'garial': ['argali', 'garial'], 'garle': ['argel', 'ergal', 'garle', 'glare', 'lager', 'large', 'regal'], 'garment': ['garment', 'margent'], 'garmenture': ['garmenture', 'reargument'], 'garn': ['garn', 'gnar', 'rang'], 'garnel': ['angler', 'arleng', 'garnel', 'largen', 'rangle', 'regnal'], 'garner': ['garner', 'ranger'], 'garnet': ['argent', 'garnet', 'garten', 'tanger'], 'garneter': ['argenter', 'garneter'], 'garnetiferous': ['argentiferous', 'garnetiferous'], 'garnets': ['angster', 'garnets', 'nagster', 'strange'], 'garnett': ['garnett', 'gnatter', 'gratten', 'tergant'], 'garnice': ['anergic', 'garnice', 'garniec', 'geranic', 'grecian'], 'garniec': ['anergic', 'garnice', 'garniec', 'geranic', 'grecian'], 'garnish': ['garnish', 'rashing'], 'garnished': ['degarnish', 'garnished'], 'garnisher': ['garnisher', 'regarnish'], 'garo': ['argo', 'garo', 'gora'], 'garran': ['garran', 'ragnar'], 'garret': ['garret', 'garter', 'grater', 'targer'], 'garreted': ['garreted', 'gartered'], 'garroter': ['garroter', 'regrator'], 'garten': ['argent', 'garnet', 'garten', 'tanger'], 'garter': ['garret', 'garter', 'grater', 'targer'], 'gartered': ['garreted', 'gartered'], 'gartering': ['gartering', 'regrating'], 'garum': ['garum', 'murga'], 'gary': ['gary', 'gray'], 'gas': ['gas', 'sag'], 'gasan': ['gasan', 'sanga'], 'gash': ['gash', 'shag'], 'gasless': ['gasless', 'glasses', 'sagless'], 'gaslit': ['algist', 'gaslit'], 'gasoliner': ['gasoliner', 'seignoral'], 'gasper': ['gasper', 'sparge'], 'gast': ['gast', 'stag'], 'gaster': ['gaster', 'stager'], 'gastrin': ['gastrin', 'staring'], 'gastroenteritis': ['enterogastritis', 'gastroenteritis'], 'gastroesophagostomy': ['esophagogastrostomy', 'gastroesophagostomy'], 'gastrohepatic': ['gastrohepatic', 'hepatogastric'], 'gastronomic': ['gastronomic', 'monogastric'], 'gastropathic': ['gastropathic', 'graphostatic'], 'gastrophrenic': ['gastrophrenic', 'nephrogastric', 'phrenogastric'], 'gastrular': ['gastrular', 'stragular'], 'gat': ['gat', 'tag'], 'gate': ['gaet', 'gate', 'geat', 'geta'], 'gateman': ['gateman', 'magenta', 'magnate', 'magneta'], 'gater': ['gater', 'grate', 'great', 'greta', 'retag', 'targe'], 'gateward': ['drawgate', 'gateward'], 'gateway': ['gateway', 'getaway', 'waygate'], 'gatherer': ['gatherer', 'regather'], 'gator': ['argot', 'gator', 'gotra', 'groat'], 'gatter': ['gatter', 'target'], 'gaucho': ['gaucho', 'guacho'], 'gaufer': ['agrufe', 'gaufer', 'gaufre'], 'gauffer': ['gauffer', 'gauffre'], 'gauffre': ['gauffer', 'gauffre'], 'gaufre': ['agrufe', 'gaufer', 'gaufre'], 'gaul': ['gaul', 'gula'], 'gaulin': ['gaulin', 'lingua'], 'gaulter': ['gaulter', 'tegular'], 'gaum': ['gaum', 'muga'], 'gaun': ['gaun', 'guan', 'guna', 'uang'], 'gaunt': ['gaunt', 'tunga'], 'gaur': ['gaur', 'guar', 'ruga'], 'gaura': ['gaura', 'guara'], 'gaurian': ['anguria', 'gaurian', 'guarani'], 'gave': ['gave', 'vage', 'vega'], 'gavyuti': ['gavyuti', 'vaguity'], 'gaw': ['gaw', 'wag'], 'gawn': ['gawn', 'gnaw', 'wang'], 'gay': ['agy', 'gay'], 'gaz': ['gaz', 'zag'], 'gazel': ['gazel', 'glaze'], 'gazer': ['gazer', 'graze'], 'gazon': ['gazon', 'zogan'], 'gazy': ['gazy', 'zyga'], 'geal': ['gael', 'gale', 'geal'], 'gean': ['agen', 'gaen', 'gane', 'gean', 'gena'], 'gear': ['ager', 'agre', 'gare', 'gear', 'rage'], 'geared': ['agreed', 'geared'], 'gearless': ['eelgrass', 'gearless', 'rageless'], 'gearman': ['gearman', 'manager'], 'gearset': ['ergates', 'gearset', 'geaster'], 'geaster': ['ergates', 'gearset', 'geaster'], 'geat': ['gaet', 'gate', 'geat', 'geta'], 'gebur': ['bugre', 'gebur'], 'ged': ['deg', 'ged'], 'gedder': ['dredge', 'gedder'], 'geest': ['egest', 'geest', 'geste'], 'gegger': ['gegger', 'gregge'], 'geheimrat': ['geheimrat', 'hermitage'], 'gein': ['gein', 'gien'], 'geira': ['geira', 'regia'], 'geison': ['geison', 'isogen'], 'geissospermine': ['geissospermine', 'spermiogenesis'], 'gel': ['gel', 'leg'], 'gelable': ['gabelle', 'gelable'], 'gelasian': ['anglaise', 'gelasian'], 'gelastic': ['gelastic', 'gestical'], 'gelatin': ['atingle', 'gelatin', 'genital', 'langite', 'telinga'], 'gelatinate': ['gelatinate', 'nagatelite'], 'gelatined': ['delignate', 'gelatined'], 'gelatinizer': ['gelatinizer', 'integralize'], 'gelatinoid': ['deligation', 'gadolinite', 'gelatinoid'], 'gelation': ['gelation', 'lagonite', 'legation'], 'gelatose': ['gelatose', 'segolate'], 'geldable': ['gabelled', 'geldable'], 'gelder': ['gelder', 'ledger', 'redleg'], 'gelding': ['gelding', 'ledging'], 'gelid': ['gelid', 'glide'], 'gelidness': ['gelidness', 'glideness'], 'gelosin': ['gelosin', 'lignose'], 'gem': ['gem', 'meg'], 'gemara': ['gemara', 'ramage'], 'gemaric': ['gemaric', 'grimace', 'megaric'], 'gemarist': ['gemarist', 'magister', 'sterigma'], 'gematria': ['gematria', 'maritage'], 'gemul': ['gemul', 'glume'], 'gena': ['agen', 'gaen', 'gane', 'gean', 'gena'], 'genal': ['agnel', 'angel', 'angle', 'galen', 'genal', 'glean', 'lagen'], 'genarch': ['changer', 'genarch'], 'gendarme': ['edgerman', 'gendarme'], 'genear': ['egeran', 'enrage', 'ergane', 'genear', 'genera'], 'geneat': ['geneat', 'negate', 'tegean'], 'genera': ['egeran', 'enrage', 'ergane', 'genear', 'genera'], 'generable': ['generable', 'greenable'], 'general': ['enlarge', 'general', 'gleaner'], 'generalist': ['easterling', 'generalist'], 'generall': ['allergen', 'generall'], 'generation': ['generation', 'renegation'], 'generic': ['energic', 'generic'], 'generical': ['energical', 'generical'], 'genesiac': ['agenesic', 'genesiac'], 'genesial': ['ensilage', 'genesial', 'signalee'], 'genetical': ['clientage', 'genetical'], 'genetta': ['genetta', 'tentage'], 'geneura': ['geneura', 'uneager'], 'geneva': ['avenge', 'geneva', 'vangee'], 'genial': ['algine', 'genial', 'linage'], 'genicular': ['genicular', 'neuralgic'], 'genie': ['eigne', 'genie'], 'genion': ['genion', 'inogen'], 'genipa': ['genipa', 'piegan'], 'genista': ['easting', 'gainset', 'genista', 'ingesta', 'seating', 'signate', 'teasing'], 'genistein': ['genistein', 'gentisein'], 'genital': ['atingle', 'gelatin', 'genital', 'langite', 'telinga'], 'genitals': ['galenist', 'genitals', 'stealing'], 'genitival': ['genitival', 'vigilante'], 'genitocrural': ['crurogenital', 'genitocrural'], 'genitor': ['ergotin', 'genitor', 'negrito', 'ogtiern', 'trigone'], 'genitorial': ['genitorial', 'religation'], 'genitory': ['genitory', 'ortygine'], 'genitourinary': ['genitourinary', 'urinogenitary'], 'geniture': ['geniture', 'guerinet'], 'genizero': ['genizero', 'negroize'], 'genoa': ['agone', 'genoa'], 'genoblastic': ['blastogenic', 'genoblastic'], 'genocidal': ['algedonic', 'genocidal'], 'genom': ['genom', 'gnome'], 'genotypical': ['genotypical', 'ptyalogenic'], 'genre': ['genre', 'green', 'neger', 'reneg'], 'genro': ['ergon', 'genro', 'goner', 'negro'], 'gent': ['gent', 'teng'], 'gentes': ['gentes', 'gesten'], 'genthite': ['genthite', 'teething'], 'gentian': ['antigen', 'gentian'], 'gentianic': ['antigenic', 'gentianic'], 'gentisein': ['genistein', 'gentisein'], 'gentle': ['gentle', 'telegn'], 'gentrice': ['erecting', 'gentrice'], 'genua': ['augen', 'genua'], 'genual': ['genual', 'leguan'], 'genuine': ['genuine', 'ingenue'], 'genus': ['genus', 'negus'], 'geo': ['ego', 'geo'], 'geocentric': ['ectrogenic', 'egocentric', 'geocentric'], 'geocratic': ['categoric', 'geocratic'], 'geocronite': ['erotogenic', 'geocronite', 'orogenetic'], 'geodal': ['algedo', 'geodal'], 'geode': ['geode', 'ogeed'], 'geodiatropism': ['diageotropism', 'geodiatropism'], 'geoduck': ['geoduck', 'goeduck'], 'geohydrology': ['geohydrology', 'hydrogeology'], 'geoid': ['diego', 'dogie', 'geoid'], 'geoidal': ['galeoid', 'geoidal'], 'geoisotherm': ['geoisotherm', 'isogeotherm'], 'geomagnetic': ['gametogenic', 'gamogenetic', 'geomagnetic'], 'geomant': ['geomant', 'magneto', 'megaton', 'montage'], 'geomantic': ['atmogenic', 'geomantic'], 'geometrical': ['geometrical', 'glaciometer'], 'geometrina': ['angiometer', 'ergotamine', 'geometrina'], 'geon': ['geon', 'gone'], 'geonim': ['geonim', 'imogen'], 'georama': ['georama', 'roamage'], 'geotectonic': ['geotectonic', 'tocogenetic'], 'geotic': ['geotic', 'goetic'], 'geotical': ['ectoglia', 'geotical', 'goetical'], 'geotonic': ['geotonic', 'otogenic'], 'geoty': ['geoty', 'goety'], 'ger': ['erg', 'ger', 'reg'], 'gerah': ['gareh', 'gerah'], 'geraldine': ['engrailed', 'geraldine'], 'geranial': ['algerian', 'geranial', 'regalian'], 'geranic': ['anergic', 'garnice', 'garniec', 'geranic', 'grecian'], 'geraniol': ['geraniol', 'regional'], 'geranomorph': ['geranomorph', 'monographer', 'nomographer'], 'geranyl': ['angerly', 'geranyl'], 'gerard': ['darger', 'gerard', 'grader', 'redrag', 'regard'], 'gerastian': ['agrestian', 'gerastian', 'stangeria'], 'geraty': ['geraty', 'gyrate'], 'gerb': ['berg', 'gerb'], 'gerbe': ['gerbe', 'grebe', 'rebeg'], 'gerbera': ['bargeer', 'gerbera'], 'gerenda': ['derange', 'enraged', 'gardeen', 'gerenda', 'grandee', 'grenade'], 'gerendum': ['gerendum', 'unmerged'], 'gerent': ['gerent', 'regent'], 'gerenuk': ['gerenuk', 'greenuk'], 'gerim': ['gerim', 'grime'], 'gerip': ['gerip', 'gripe'], 'german': ['engram', 'german', 'manger'], 'germania': ['germania', 'megarian'], 'germanics': ['germanics', 'screaming'], 'germanification': ['germanification', 'remagnification'], 'germanify': ['germanify', 'remagnify'], 'germanious': ['germanious', 'gramineous', 'marigenous'], 'germanist': ['germanist', 'streaming'], 'germanite': ['germanite', 'germinate', 'gramenite', 'mangerite'], 'germanly': ['germanly', 'germanyl'], 'germanyl': ['germanly', 'germanyl'], 'germinal': ['germinal', 'maligner', 'malinger'], 'germinant': ['germinant', 'minargent'], 'germinate': ['germanite', 'germinate', 'gramenite', 'mangerite'], 'germon': ['germon', 'monger', 'morgen'], 'geronomite': ['geronomite', 'goniometer'], 'geront': ['geront', 'tonger'], 'gerontal': ['argentol', 'gerontal'], 'gerontes': ['estrogen', 'gerontes'], 'gerontic': ['gerontic', 'negrotic'], 'gerontism': ['gerontism', 'monergist'], 'gerres': ['gerres', 'serger'], 'gersum': ['gersum', 'mergus'], 'gerund': ['dunger', 'gerund', 'greund', 'nudger'], 'gerundive': ['gerundive', 'ungrieved'], 'gerusia': ['ergusia', 'gerusia', 'sarigue'], 'gervas': ['gervas', 'graves'], 'gervase': ['gervase', 'greaves', 'servage'], 'ges': ['ges', 'seg'], 'gesan': ['agnes', 'gesan'], 'gesith': ['gesith', 'steigh'], 'gesning': ['gesning', 'ginseng'], 'gest': ['gest', 'steg'], 'gestapo': ['gestapo', 'postage'], 'gestate': ['gestate', 'tagetes'], 'geste': ['egest', 'geest', 'geste'], 'gesten': ['gentes', 'gesten'], 'gestical': ['gelastic', 'gestical'], 'gesticular': ['gesticular', 'scutigeral'], 'gesture': ['gesture', 'guester'], 'get': ['get', 'teg'], 'geta': ['gaet', 'gate', 'geat', 'geta'], 'getaway': ['gateway', 'getaway', 'waygate'], 'gettable': ['begettal', 'gettable'], 'getup': ['getup', 'upget'], 'geyerite': ['geyerite', 'tigereye'], 'ghaist': ['ghaist', 'tagish'], 'ghent': ['ghent', 'thegn'], 'ghosty': ['ghosty', 'hogsty'], 'ghoul': ['ghoul', 'lough'], 'giansar': ['giansar', 'sarangi'], 'giant': ['giant', 'tangi', 'tiang'], 'gib': ['big', 'gib'], 'gibbon': ['gibbon', 'gobbin'], 'gibel': ['bilge', 'gibel'], 'gibing': ['biggin', 'gibing'], 'gid': ['dig', 'gid'], 'gideonite': ['diogenite', 'gideonite'], 'gien': ['gein', 'gien'], 'gienah': ['gienah', 'hangie'], 'gif': ['fig', 'gif'], 'gifola': ['filago', 'gifola'], 'gifted': ['fidget', 'gifted'], 'gigman': ['gaming', 'gigman'], 'gigsman': ['gangism', 'gigsman'], 'gila': ['gail', 'gali', 'gila', 'glia'], 'gilaki': ['gilaki', 'giliak'], 'gilbertese': ['gilbertese', 'selbergite'], 'gilden': ['dingle', 'elding', 'engild', 'gilden'], 'gilder': ['gilder', 'girdle', 'glider', 'regild', 'ridgel'], 'gilding': ['gilding', 'gliding'], 'gileno': ['eloign', 'gileno', 'legion'], 'giles': ['giles', 'gilse'], 'giliak': ['gilaki', 'giliak'], 'giller': ['giller', 'grille', 'regill'], 'gilo': ['gilo', 'goli'], 'gilpy': ['gilpy', 'pigly'], 'gilse': ['giles', 'gilse'], 'gim': ['gim', 'mig'], 'gimel': ['gimel', 'glime'], 'gimmer': ['gimmer', 'grimme', 'megrim'], 'gimper': ['gimper', 'impreg'], 'gin': ['gin', 'ing', 'nig'], 'ginger': ['ginger', 'nigger'], 'gingery': ['gingery', 'niggery'], 'ginglymodi': ['ginglymodi', 'ginglymoid'], 'ginglymoid': ['ginglymodi', 'ginglymoid'], 'gink': ['gink', 'king'], 'ginned': ['ending', 'ginned'], 'ginner': ['enring', 'ginner'], 'ginney': ['ginney', 'nignye'], 'ginseng': ['gesning', 'ginseng'], 'ginward': ['drawing', 'ginward', 'warding'], 'gio': ['gio', 'goi'], 'giornata': ['giornata', 'gratiano'], 'giornatate': ['giornatate', 'tetragonia'], 'gip': ['gip', 'pig'], 'gipper': ['gipper', 'grippe'], 'girandole': ['girandole', 'negroidal'], 'girasole': ['girasole', 'seraglio'], 'girba': ['bragi', 'girba'], 'gird': ['gird', 'grid'], 'girder': ['girder', 'ridger'], 'girding': ['girding', 'ridging'], 'girdingly': ['girdingly', 'ridgingly'], 'girdle': ['gilder', 'girdle', 'glider', 'regild', 'ridgel'], 'girdler': ['dirgler', 'girdler'], 'girdling': ['girdling', 'ridgling'], 'girling': ['girling', 'rigling'], 'girn': ['girn', 'grin', 'ring'], 'girny': ['girny', 'ringy'], 'girondin': ['girondin', 'nonrigid'], 'girsle': ['girsle', 'gisler', 'glires', 'grilse'], 'girt': ['girt', 'grit', 'trig'], 'girth': ['girth', 'grith', 'right'], 'gish': ['gish', 'sigh'], 'gisla': ['gisla', 'ligas', 'sigla'], 'gisler': ['girsle', 'gisler', 'glires', 'grilse'], 'git': ['git', 'tig'], 'gitalin': ['gitalin', 'tailing'], 'gith': ['gith', 'thig'], 'gitksan': ['gitksan', 'skating', 'takings'], 'gittern': ['gittern', 'gritten', 'retting'], 'giustina': ['giustina', 'ignatius'], 'giver': ['giver', 'vergi'], 'glaceing': ['cageling', 'glaceing'], 'glacier': ['glacier', 'gracile'], 'glaciometer': ['geometrical', 'glaciometer'], 'gladdener': ['gladdener', 'glandered', 'regladden'], 'glaga': ['galga', 'glaga'], 'glaik': ['galik', 'glaik'], 'glaiket': ['glaiket', 'taglike'], 'glair': ['argil', 'glair', 'grail'], 'glaireous': ['aligerous', 'glaireous'], 'glaister': ['glaister', 'regalist'], 'glaive': ['glaive', 'vagile'], 'glance': ['cangle', 'glance'], 'glancer': ['cangler', 'glancer', 'reclang'], 'glancingly': ['clangingly', 'glancingly'], 'glandered': ['gladdener', 'glandered', 'regladden'], 'glans': ['glans', 'slang'], 'glare': ['argel', 'ergal', 'garle', 'glare', 'lager', 'large', 'regal'], 'glariness': ['glariness', 'grainless'], 'glary': ['glary', 'gyral'], 'glasser': ['glasser', 'largess'], 'glasses': ['gasless', 'glasses', 'sagless'], 'glassie': ['algesis', 'glassie'], 'glassine': ['gainless', 'glassine'], 'glaucin': ['glaucin', 'glucina'], 'glaucine': ['cuailnge', 'glaucine'], 'glaum': ['algum', 'almug', 'glaum', 'gluma', 'mulga'], 'glaur': ['glaur', 'gular'], 'glaury': ['glaury', 'raguly'], 'glaver': ['glaver', 'gravel'], 'glaze': ['gazel', 'glaze'], 'glazy': ['glazy', 'zygal'], 'gleamy': ['gamely', 'gleamy', 'mygale'], 'glean': ['agnel', 'angel', 'angle', 'galen', 'genal', 'glean', 'lagen'], 'gleaner': ['enlarge', 'general', 'gleaner'], 'gleary': ['argyle', 'gleary'], 'gleba': ['bagel', 'belga', 'gable', 'gleba'], 'glebal': ['begall', 'glebal'], 'glede': ['glede', 'gleed', 'ledge'], 'gledy': ['gledy', 'ledgy'], 'gleed': ['glede', 'gleed', 'ledge'], 'gleeman': ['gleeman', 'melange'], 'glia': ['gail', 'gali', 'gila', 'glia'], 'gliadin': ['dialing', 'gliadin'], 'glial': ['galli', 'glial'], 'glibness': ['beslings', 'blessing', 'glibness'], 'glidder': ['glidder', 'griddle'], 'glide': ['gelid', 'glide'], 'glideness': ['gelidness', 'glideness'], 'glider': ['gilder', 'girdle', 'glider', 'regild', 'ridgel'], 'gliding': ['gilding', 'gliding'], 'glime': ['gimel', 'glime'], 'glink': ['glink', 'kling'], 'glires': ['girsle', 'gisler', 'glires', 'grilse'], 'glisten': ['glisten', 'singlet'], 'glister': ['glister', 'gristle'], 'glitnir': ['glitnir', 'ritling'], 'glitter': ['glitter', 'grittle'], 'gloater': ['argolet', 'gloater', 'legator'], 'gloating': ['gloating', 'goatling'], 'globate': ['boltage', 'globate'], 'globe': ['bogle', 'globe'], 'globin': ['globin', 'goblin', 'lobing'], 'gloea': ['gloea', 'legoa'], 'glome': ['glome', 'golem', 'molge'], 'glomerate': ['algometer', 'glomerate'], 'glore': ['glore', 'ogler'], 'gloria': ['gloria', 'larigo', 'logria'], 'gloriana': ['argolian', 'gloriana'], 'gloriette': ['gloriette', 'rigolette'], 'glorifiable': ['frigolabile', 'glorifiable'], 'glossed': ['dogless', 'glossed', 'godless'], 'glosser': ['glosser', 'regloss'], 'glossitic': ['glossitic', 'logistics'], 'glossohyal': ['glossohyal', 'hyoglossal'], 'glossolabial': ['glossolabial', 'labioglossal'], 'glossolabiolaryngeal': ['glossolabiolaryngeal', 'labioglossolaryngeal'], 'glossolabiopharyngeal': ['glossolabiopharyngeal', 'labioglossopharyngeal'], 'glottid': ['glottid', 'goldtit'], 'glover': ['glover', 'grovel'], 'gloveress': ['gloveress', 'groveless'], 'glow': ['glow', 'gowl'], 'glower': ['glower', 'reglow'], 'gloy': ['gloy', 'logy'], 'glucemia': ['glucemia', 'mucilage'], 'glucina': ['glaucin', 'glucina'], 'glucine': ['glucine', 'lucigen'], 'glucinum': ['cingulum', 'glucinum'], 'glucosane': ['consulage', 'glucosane'], 'glue': ['glue', 'gule', 'luge'], 'gluer': ['gluer', 'gruel', 'luger'], 'gluma': ['algum', 'almug', 'glaum', 'gluma', 'mulga'], 'glume': ['gemul', 'glume'], 'glumose': ['glumose', 'lugsome'], 'gluten': ['englut', 'gluten', 'ungelt'], 'glutin': ['glutin', 'luting', 'ungilt'], 'glutter': ['glutter', 'guttler'], 'glycerate': ['electragy', 'glycerate'], 'glycerinize': ['glycerinize', 'glycerizine'], 'glycerizine': ['glycerinize', 'glycerizine'], 'glycerophosphate': ['glycerophosphate', 'phosphoglycerate'], 'glycocin': ['glycocin', 'glyconic'], 'glyconic': ['glycocin', 'glyconic'], 'glycosine': ['glycosine', 'lysogenic'], 'glycosuria': ['glycosuria', 'graciously'], 'gnaeus': ['gnaeus', 'unsage'], 'gnaphalium': ['gnaphalium', 'phalangium'], 'gnar': ['garn', 'gnar', 'rang'], 'gnarled': ['dangler', 'gnarled'], 'gnash': ['gnash', 'shang'], 'gnat': ['gant', 'gnat', 'tang'], 'gnatho': ['gnatho', 'thonga'], 'gnathotheca': ['chaetognath', 'gnathotheca'], 'gnatling': ['gnatling', 'tangling'], 'gnatter': ['garnett', 'gnatter', 'gratten', 'tergant'], 'gnaw': ['gawn', 'gnaw', 'wang'], 'gnetum': ['gnetum', 'nutmeg'], 'gnome': ['genom', 'gnome'], 'gnomic': ['coming', 'gnomic'], 'gnomist': ['gnomist', 'mosting'], 'gnomonic': ['gnomonic', 'oncoming'], 'gnomonical': ['cognominal', 'gnomonical'], 'gnostic': ['costing', 'gnostic'], 'gnostical': ['gnostical', 'nostalgic'], 'gnu': ['gnu', 'gun'], 'go': ['go', 'og'], 'goa': ['ago', 'goa'], 'goad': ['dago', 'goad'], 'goal': ['gaol', 'goal', 'gola', 'olga'], 'goan': ['agon', 'ango', 'gaon', 'goan', 'gona'], 'goat': ['goat', 'toag', 'toga'], 'goatee': ['goatee', 'goetae'], 'goatlike': ['goatlike', 'togalike'], 'goatling': ['gloating', 'goatling'], 'goatly': ['goatly', 'otalgy'], 'gob': ['bog', 'gob'], 'goban': ['bogan', 'goban'], 'gobbe': ['bebog', 'begob', 'gobbe'], 'gobbin': ['gibbon', 'gobbin'], 'gobelin': ['gobelin', 'gobline', 'ignoble', 'inglobe'], 'gobian': ['bagnio', 'gabion', 'gobian'], 'goblet': ['boglet', 'goblet'], 'goblin': ['globin', 'goblin', 'lobing'], 'gobline': ['gobelin', 'gobline', 'ignoble', 'inglobe'], 'goblinry': ['boringly', 'goblinry'], 'gobo': ['bogo', 'gobo'], 'goby': ['bogy', 'bygo', 'goby'], 'goclenian': ['congenial', 'goclenian'], 'god': ['dog', 'god'], 'goddam': ['goddam', 'mogdad'], 'gode': ['doeg', 'doge', 'gode'], 'godhead': ['doghead', 'godhead'], 'godhood': ['doghood', 'godhood'], 'godless': ['dogless', 'glossed', 'godless'], 'godlike': ['doglike', 'godlike'], 'godling': ['godling', 'lodging'], 'godly': ['dogly', 'godly', 'goldy'], 'godship': ['dogship', 'godship'], 'godwinian': ['downingia', 'godwinian'], 'goeduck': ['geoduck', 'goeduck'], 'goel': ['egol', 'goel', 'loge', 'ogle', 'oleg'], 'goer': ['goer', 'gore', 'ogre'], 'goes': ['goes', 'sego'], 'goetae': ['goatee', 'goetae'], 'goetic': ['geotic', 'goetic'], 'goetical': ['ectoglia', 'geotical', 'goetical'], 'goety': ['geoty', 'goety'], 'goglet': ['goglet', 'toggel', 'toggle'], 'goi': ['gio', 'goi'], 'goidel': ['goidel', 'goldie'], 'goitral': ['goitral', 'larigot', 'ligator'], 'gol': ['gol', 'log'], 'gola': ['gaol', 'goal', 'gola', 'olga'], 'golden': ['engold', 'golden'], 'goldenmouth': ['goldenmouth', 'longmouthed'], 'golder': ['golder', 'lodger'], 'goldie': ['goidel', 'goldie'], 'goldtit': ['glottid', 'goldtit'], 'goldy': ['dogly', 'godly', 'goldy'], 'golee': ['eloge', 'golee'], 'golem': ['glome', 'golem', 'molge'], 'golf': ['flog', 'golf'], 'golfer': ['golfer', 'reflog'], 'goli': ['gilo', 'goli'], 'goliard': ['argolid', 'goliard'], 'golo': ['golo', 'gool'], 'goma': ['goma', 'ogam'], 'gomari': ['gamori', 'gomari', 'gromia'], 'gomart': ['gomart', 'margot'], 'gomphrena': ['gomphrena', 'nephogram'], 'gon': ['gon', 'nog'], 'gona': ['agon', 'ango', 'gaon', 'goan', 'gona'], 'gonad': ['donga', 'gonad'], 'gonadial': ['diagonal', 'ganoidal', 'gonadial'], 'gonal': ['along', 'gonal', 'lango', 'longa', 'nogal'], 'gond': ['dong', 'gond'], 'gondi': ['dingo', 'doing', 'gondi', 'gonid'], 'gondola': ['dongola', 'gondola'], 'gondolier': ['gondolier', 'negroloid'], 'gone': ['geon', 'gone'], 'goner': ['ergon', 'genro', 'goner', 'negro'], 'gonesome': ['gonesome', 'osmogene'], 'gongoresque': ['gongoresque', 'gorgonesque'], 'gonia': ['gonia', 'ngaio', 'nogai'], 'goniac': ['agonic', 'angico', 'gaonic', 'goniac'], 'goniale': ['goniale', 'noilage'], 'goniaster': ['goniaster', 'orangeist'], 'goniatitid': ['digitation', 'goniatitid'], 'gonid': ['dingo', 'doing', 'gondi', 'gonid'], 'gonidia': ['angioid', 'gonidia'], 'gonidiferous': ['gonidiferous', 'indigoferous'], 'goniometer': ['geronomite', 'goniometer'], 'gonomery': ['gonomery', 'merogony'], 'gonosome': ['gonosome', 'mongoose'], 'gonyocele': ['coelogyne', 'gonyocele'], 'gonys': ['gonys', 'songy'], 'goober': ['booger', 'goober'], 'goodyear': ['goodyear', 'goodyera'], 'goodyera': ['goodyear', 'goodyera'], 'goof': ['fogo', 'goof'], 'goofer': ['forego', 'goofer'], 'gool': ['golo', 'gool'], 'gools': ['gools', 'logos'], 'goop': ['goop', 'pogo'], 'gor': ['gor', 'rog'], 'gora': ['argo', 'garo', 'gora'], 'goral': ['algor', 'argol', 'goral', 'largo'], 'goran': ['angor', 'argon', 'goran', 'grano', 'groan', 'nagor', 'orang', 'organ', 'rogan', 'ronga'], 'gorb': ['borg', 'brog', 'gorb'], 'gorbal': ['brolga', 'gorbal'], 'gorce': ['corge', 'gorce'], 'gordian': ['gordian', 'idorgan', 'roading'], 'gordon': ['drongo', 'gordon'], 'gordonia': ['gordonia', 'organoid', 'rigadoon'], 'gore': ['goer', 'gore', 'ogre'], 'gorer': ['gorer', 'roger'], 'gorge': ['gorge', 'grego'], 'gorged': ['dogger', 'gorged'], 'gorger': ['gorger', 'gregor'], 'gorgerin': ['gorgerin', 'ringgoer'], 'gorgonesque': ['gongoresque', 'gorgonesque'], 'goric': ['corgi', 'goric', 'orgic'], 'goring': ['goring', 'gringo'], 'gorse': ['gorse', 'soger'], 'gortonian': ['gortonian', 'organotin'], 'gory': ['gory', 'gyro', 'orgy'], 'gos': ['gos', 'sog'], 'gosain': ['gosain', 'isagon', 'sagoin'], 'gosh': ['gosh', 'shog'], 'gospel': ['gospel', 'spogel'], 'gossipry': ['gossipry', 'gryposis'], 'got': ['got', 'tog'], 'gotra': ['argot', 'gator', 'gotra', 'groat'], 'goup': ['goup', 'ogpu', 'upgo'], 'gourde': ['drogue', 'gourde'], 'gout': ['gout', 'toug'], 'goutish': ['goutish', 'outsigh'], 'gowan': ['gowan', 'wagon', 'wonga'], 'gowdnie': ['gowdnie', 'widgeon'], 'gowl': ['glow', 'gowl'], 'gown': ['gown', 'wong'], 'goyin': ['goyin', 'yogin'], 'gra': ['gar', 'gra', 'rag'], 'grab': ['brag', 'garb', 'grab'], 'grabble': ['gabbler', 'grabble'], 'graben': ['banger', 'engarb', 'graben'], 'grace': ['cager', 'garce', 'grace'], 'gracile': ['glacier', 'gracile'], 'graciously': ['glycosuria', 'graciously'], 'grad': ['darg', 'drag', 'grad'], 'gradation': ['gradation', 'indagator', 'tanagroid'], 'grade': ['edgar', 'grade'], 'graded': ['gadder', 'graded'], 'grader': ['darger', 'gerard', 'grader', 'redrag', 'regard'], 'gradient': ['gradient', 'treading'], 'gradienter': ['gradienter', 'intergrade'], 'gradientia': ['gradientia', 'grantiidae'], 'gradin': ['daring', 'dingar', 'gradin'], 'gradine': ['degrain', 'deraign', 'deringa', 'gradine', 'grained', 'reading'], 'grading': ['grading', 'niggard'], 'graeae': ['aerage', 'graeae'], 'graeme': ['graeme', 'meager', 'meagre'], 'grafter': ['grafter', 'regraft'], 'graian': ['graian', 'nagari'], 'grail': ['argil', 'glair', 'grail'], 'grailer': ['grailer', 'reglair'], 'grain': ['agrin', 'grain'], 'grained': ['degrain', 'deraign', 'deringa', 'gradine', 'grained', 'reading'], 'grainer': ['earring', 'grainer'], 'grainless': ['glariness', 'grainless'], 'graith': ['aright', 'graith'], 'grallina': ['grallina', 'granilla'], 'gralline': ['allergin', 'gralline'], 'grame': ['grame', 'marge', 'regma'], 'gramenite': ['germanite', 'germinate', 'gramenite', 'mangerite'], 'gramineous': ['germanious', 'gramineous', 'marigenous'], 'graminiform': ['graminiform', 'marginiform'], 'graminous': ['graminous', 'ignoramus'], 'gramme': ['gammer', 'gramme'], 'gramophonic': ['gramophonic', 'monographic', 'nomographic', 'phonogramic'], 'gramophonical': ['gramophonical', 'monographical', 'nomographical'], 'gramophonically': ['gramophonically', 'monographically', 'nomographically', 'phonogramically'], 'gramophonist': ['gramophonist', 'monographist'], 'granadine': ['granadine', 'grenadian'], 'granate': ['argante', 'granate', 'tanager'], 'granatum': ['armgaunt', 'granatum'], 'grand': ['drang', 'grand'], 'grandam': ['dragman', 'grandam', 'grandma'], 'grandee': ['derange', 'enraged', 'gardeen', 'gerenda', 'grandee', 'grenade'], 'grandeeism': ['grandeeism', 'renegadism'], 'grandeur': ['grandeur', 'unregard'], 'grandeval': ['grandeval', 'landgrave'], 'grandiose': ['grandiose', 'sargonide'], 'grandma': ['dragman', 'grandam', 'grandma'], 'grandparental': ['grandparental', 'grandpaternal'], 'grandpaternal': ['grandparental', 'grandpaternal'], 'grane': ['anger', 'areng', 'grane', 'range'], 'grange': ['ganger', 'grange', 'nagger'], 'grangousier': ['grangousier', 'gregarinous'], 'granilla': ['grallina', 'granilla'], 'granite': ['angrite', 'granite', 'ingrate', 'tangier', 'tearing', 'tigrean'], 'granivore': ['granivore', 'overgrain'], 'grano': ['angor', 'argon', 'goran', 'grano', 'groan', 'nagor', 'orang', 'organ', 'rogan', 'ronga'], 'granophyre': ['granophyre', 'renography'], 'grantee': ['grantee', 'greaten', 'reagent', 'rentage'], 'granter': ['granter', 'regrant'], 'granth': ['granth', 'thrang'], 'grantiidae': ['gradientia', 'grantiidae'], 'granula': ['angular', 'granula'], 'granule': ['granule', 'unlarge', 'unregal'], 'granulite': ['granulite', 'traguline'], 'grape': ['gaper', 'grape', 'pager', 'parge'], 'graperoot': ['graperoot', 'prorogate'], 'graphical': ['algraphic', 'graphical'], 'graphically': ['calligraphy', 'graphically'], 'graphologic': ['graphologic', 'logographic'], 'graphological': ['graphological', 'logographical'], 'graphology': ['graphology', 'logography'], 'graphometer': ['graphometer', 'meteorgraph'], 'graphophonic': ['graphophonic', 'phonographic'], 'graphostatic': ['gastropathic', 'graphostatic'], 'graphotypic': ['graphotypic', 'pictography', 'typographic'], 'grapsidae': ['disparage', 'grapsidae'], 'grasp': ['grasp', 'sprag'], 'grasper': ['grasper', 'regrasp', 'sparger'], 'grasser': ['grasser', 'regrass'], 'grasshopper': ['grasshopper', 'hoppergrass'], 'grassman': ['grassman', 'mangrass'], 'grat': ['grat', 'trag'], 'grate': ['gater', 'grate', 'great', 'greta', 'retag', 'targe'], 'grateman': ['grateman', 'mangrate', 'mentagra', 'targeman'], 'grater': ['garret', 'garter', 'grater', 'targer'], 'gratiano': ['giornata', 'gratiano'], 'graticule': ['curtilage', 'cutigeral', 'graticule'], 'gratiolin': ['gratiolin', 'largition', 'tailoring'], 'gratis': ['gratis', 'striga'], 'gratten': ['garnett', 'gnatter', 'gratten', 'tergant'], 'graupel': ['earplug', 'graupel', 'plaguer'], 'gravamen': ['gravamen', 'graveman'], 'gravel': ['glaver', 'gravel'], 'graveman': ['gravamen', 'graveman'], 'graves': ['gervas', 'graves'], 'gravure': ['gravure', 'verruga'], 'gray': ['gary', 'gray'], 'grayling': ['grayling', 'ragingly'], 'graze': ['gazer', 'graze'], 'greaser': ['argeers', 'greaser', 'serrage'], 'great': ['gater', 'grate', 'great', 'greta', 'retag', 'targe'], 'greaten': ['grantee', 'greaten', 'reagent', 'rentage'], 'greater': ['greater', 'regrate', 'terrage'], 'greaves': ['gervase', 'greaves', 'servage'], 'grebe': ['gerbe', 'grebe', 'rebeg'], 'grecian': ['anergic', 'garnice', 'garniec', 'geranic', 'grecian'], 'grecomania': ['ergomaniac', 'grecomania'], 'greed': ['edger', 'greed'], 'green': ['genre', 'green', 'neger', 'reneg'], 'greenable': ['generable', 'greenable'], 'greener': ['greener', 'regreen', 'reneger'], 'greenish': ['greenish', 'sheering'], 'greenland': ['englander', 'greenland'], 'greenuk': ['gerenuk', 'greenuk'], 'greeny': ['energy', 'greeny', 'gyrene'], 'greet': ['egret', 'greet', 'reget'], 'greeter': ['greeter', 'regreet'], 'gregal': ['gargle', 'gregal', 'lagger', 'raggle'], 'gregarian': ['gregarian', 'gregarina'], 'gregarina': ['gregarian', 'gregarina'], 'gregarinous': ['grangousier', 'gregarinous'], 'grege': ['egger', 'grege'], 'gregge': ['gegger', 'gregge'], 'grego': ['gorge', 'grego'], 'gregor': ['gorger', 'gregor'], 'greige': ['greige', 'reggie'], 'grein': ['grein', 'inger', 'nigre', 'regin', 'reign', 'ringe'], 'gremial': ['gremial', 'lamiger'], 'gremlin': ['gremlin', 'mingler'], 'grenade': ['derange', 'enraged', 'gardeen', 'gerenda', 'grandee', 'grenade'], 'grenadian': ['granadine', 'grenadian'], 'grenadier': ['earringed', 'grenadier'], 'grenadin': ['gardenin', 'grenadin'], 'grenadine': ['endearing', 'engrained', 'grenadine'], 'greta': ['gater', 'grate', 'great', 'greta', 'retag', 'targe'], 'gretel': ['gretel', 'reglet'], 'greund': ['dunger', 'gerund', 'greund', 'nudger'], 'grewia': ['earwig', 'grewia'], 'grey': ['grey', 'gyre'], 'grid': ['gird', 'grid'], 'griddle': ['glidder', 'griddle'], 'gride': ['dirge', 'gride', 'redig', 'ridge'], 'gridelin': ['dreiling', 'gridelin'], 'grieve': ['grieve', 'regive'], 'grieved': ['diverge', 'grieved'], 'grille': ['giller', 'grille', 'regill'], 'grilse': ['girsle', 'gisler', 'glires', 'grilse'], 'grimace': ['gemaric', 'grimace', 'megaric'], 'grime': ['gerim', 'grime'], 'grimme': ['gimmer', 'grimme', 'megrim'], 'grin': ['girn', 'grin', 'ring'], 'grinder': ['grinder', 'regrind'], 'grindle': ['dringle', 'grindle'], 'gringo': ['goring', 'gringo'], 'grip': ['grip', 'prig'], 'gripe': ['gerip', 'gripe'], 'gripeful': ['fireplug', 'gripeful'], 'griper': ['griper', 'regrip'], 'gripman': ['gripman', 'prigman', 'ramping'], 'grippe': ['gipper', 'grippe'], 'grisounite': ['grisounite', 'grisoutine', 'integrious'], 'grisoutine': ['grisounite', 'grisoutine', 'integrious'], 'grist': ['grist', 'grits', 'strig'], 'gristle': ['glister', 'gristle'], 'grit': ['girt', 'grit', 'trig'], 'grith': ['girth', 'grith', 'right'], 'grits': ['grist', 'grits', 'strig'], 'gritten': ['gittern', 'gritten', 'retting'], 'grittle': ['glitter', 'grittle'], 'grivna': ['grivna', 'raving'], 'grizzel': ['grizzel', 'grizzle'], 'grizzle': ['grizzel', 'grizzle'], 'groan': ['angor', 'argon', 'goran', 'grano', 'groan', 'nagor', 'orang', 'organ', 'rogan', 'ronga'], 'groaner': ['groaner', 'oranger', 'organer'], 'groaning': ['groaning', 'organing'], 'groat': ['argot', 'gator', 'gotra', 'groat'], 'grobian': ['biorgan', 'grobian'], 'groined': ['groined', 'negroid'], 'gromia': ['gamori', 'gomari', 'gromia'], 'groove': ['groove', 'overgo'], 'grope': ['grope', 'porge'], 'groper': ['groper', 'porger'], 'groset': ['groset', 'storge'], 'grossen': ['engross', 'grossen'], 'grot': ['grot', 'trog'], 'grotian': ['grotian', 'trigona'], 'grotto': ['grotto', 'torgot'], 'grounded': ['grounded', 'underdog', 'undergod'], 'grouper': ['grouper', 'regroup'], 'grouse': ['grouse', 'rugose'], 'grousy': ['grousy', 'gyrous'], 'grovel': ['glover', 'grovel'], 'groveless': ['gloveress', 'groveless'], 'growan': ['awrong', 'growan'], 'grower': ['grower', 'regrow'], 'grown': ['grown', 'wrong'], 'grub': ['burg', 'grub'], 'grudge': ['grudge', 'rugged'], 'grudger': ['drugger', 'grudger'], 'grudgery': ['druggery', 'grudgery'], 'grue': ['grue', 'urge'], 'gruel': ['gluer', 'gruel', 'luger'], 'gruelly': ['gruelly', 'gullery'], 'grues': ['grues', 'surge'], 'grun': ['grun', 'rung'], 'grush': ['grush', 'shrug'], 'grusinian': ['grusinian', 'unarising'], 'grutten': ['grutten', 'turgent'], 'gryposis': ['gossipry', 'gryposis'], 'guacho': ['gaucho', 'guacho'], 'guan': ['gaun', 'guan', 'guna', 'uang'], 'guanamine': ['guanamine', 'guineaman'], 'guanine': ['anguine', 'guanine', 'guinean'], 'guar': ['gaur', 'guar', 'ruga'], 'guara': ['gaura', 'guara'], 'guarani': ['anguria', 'gaurian', 'guarani'], 'guarantorship': ['guarantorship', 'uranographist'], 'guardeen': ['dungaree', 'guardeen', 'unagreed', 'underage', 'ungeared'], 'guarder': ['guarder', 'reguard'], 'guatusan': ['augustan', 'guatusan'], 'gud': ['dug', 'gud'], 'gude': ['degu', 'gude'], 'guenon': ['guenon', 'ungone'], 'guepard': ['guepard', 'upgrade'], 'guerdon': ['guerdon', 'undergo', 'ungored'], 'guerdoner': ['guerdoner', 'reundergo', 'undergoer', 'undergore'], 'guerinet': ['geniture', 'guerinet'], 'guester': ['gesture', 'guester'], 'guetar': ['argute', 'guetar', 'rugate', 'tuareg'], 'guetare': ['erugate', 'guetare'], 'guha': ['augh', 'guha'], 'guiana': ['guiana', 'iguana'], 'guib': ['bugi', 'guib'], 'guineaman': ['guanamine', 'guineaman'], 'guinean': ['anguine', 'guanine', 'guinean'], 'guiser': ['guiser', 'sergiu'], 'gul': ['gul', 'lug'], 'gula': ['gaul', 'gula'], 'gulae': ['gulae', 'legua'], 'gular': ['glaur', 'gular'], 'gularis': ['agrilus', 'gularis'], 'gulden': ['gulden', 'lunged'], 'gule': ['glue', 'gule', 'luge'], 'gules': ['gules', 'gusle'], 'gullery': ['gruelly', 'gullery'], 'gullible': ['bluegill', 'gullible'], 'gulonic': ['gulonic', 'unlogic'], 'gulp': ['gulp', 'plug'], 'gulpin': ['gulpin', 'puling'], 'gum': ['gum', 'mug'], 'gumbo': ['bogum', 'gumbo'], 'gumshoe': ['gumshoe', 'hugsome'], 'gumweed': ['gumweed', 'mugweed'], 'gun': ['gnu', 'gun'], 'guna': ['gaun', 'guan', 'guna', 'uang'], 'gunate': ['gunate', 'tangue'], 'gundi': ['gundi', 'undig'], 'gundy': ['dungy', 'gundy'], 'gunk': ['gunk', 'kung'], 'gunl': ['gunl', 'lung'], 'gunnership': ['gunnership', 'unsphering'], 'gunreach': ['gunreach', 'uncharge'], 'gunsel': ['gunsel', 'selung', 'slunge'], 'gunshot': ['gunshot', 'shotgun', 'uhtsong'], 'gunster': ['gunster', 'surgent'], 'gunter': ['gunter', 'gurnet', 'urgent'], 'gup': ['gup', 'pug'], 'gur': ['gur', 'rug'], 'gurgeon': ['gurgeon', 'ungorge'], 'gurgle': ['gurgle', 'lugger', 'ruggle'], 'gurian': ['gurian', 'ugrian'], 'guric': ['guric', 'ugric'], 'gurl': ['gurl', 'lurg'], 'gurnard': ['drungar', 'gurnard'], 'gurnet': ['gunter', 'gurnet', 'urgent'], 'gurt': ['gurt', 'trug'], 'gush': ['gush', 'shug', 'sugh'], 'gusher': ['gusher', 'regush'], 'gusle': ['gules', 'gusle'], 'gust': ['gust', 'stug'], 'gut': ['gut', 'tug'], 'gutless': ['gutless', 'tugless'], 'gutlike': ['gutlike', 'tuglike'], 'gutnish': ['gutnish', 'husting', 'unsight'], 'guttler': ['glutter', 'guttler'], 'guttular': ['guttular', 'guttural'], 'guttural': ['guttular', 'guttural'], 'gweed': ['gweed', 'wedge'], 'gymnasic': ['gymnasic', 'syngamic'], 'gymnastic': ['gymnastic', 'nystagmic'], 'gynandrous': ['androgynus', 'gynandrous'], 'gynerium': ['eryngium', 'gynerium'], 'gynospore': ['gynospore', 'sporogeny'], 'gypsine': ['gypsine', 'pigsney'], 'gyral': ['glary', 'gyral'], 'gyrant': ['gantry', 'gyrant'], 'gyrate': ['geraty', 'gyrate'], 'gyration': ['gyration', 'organity', 'ortygian'], 'gyre': ['grey', 'gyre'], 'gyrene': ['energy', 'greeny', 'gyrene'], 'gyro': ['gory', 'gyro', 'orgy'], 'gyroma': ['gyroma', 'morgay'], 'gyromitra': ['gyromitra', 'migratory'], 'gyrophora': ['gyrophora', 'orography'], 'gyrous': ['grousy', 'gyrous'], 'gyrus': ['gyrus', 'surgy'], 'ha': ['ah', 'ha'], 'haberdine': ['haberdine', 'hebridean'], 'habile': ['habile', 'halebi'], 'habiri': ['bihari', 'habiri'], 'habiru': ['brahui', 'habiru'], 'habit': ['baith', 'habit'], 'habitan': ['abthain', 'habitan'], 'habitat': ['habitat', 'tabitha'], 'habited': ['habited', 'thebaid'], 'habitus': ['habitus', 'ushabti'], 'habnab': ['babhan', 'habnab'], 'hacienda': ['chanidae', 'hacienda'], 'hackin': ['hackin', 'kachin'], 'hackle': ['hackle', 'lekach'], 'hackler': ['chalker', 'hackler'], 'hackly': ['chalky', 'hackly'], 'hacktree': ['eckehart', 'hacktree'], 'hackwood': ['hackwood', 'woodhack'], 'hacky': ['chyak', 'hacky'], 'had': ['dah', 'dha', 'had'], 'hadden': ['hadden', 'handed'], 'hade': ['hade', 'head'], 'hades': ['deash', 'hades', 'sadhe', 'shade'], 'hadji': ['hadji', 'jihad'], 'haec': ['ache', 'each', 'haec'], 'haem': ['ahem', 'haem', 'hame'], 'haet': ['ahet', 'haet', 'hate', 'heat', 'thea'], 'hafgan': ['afghan', 'hafgan'], 'hafter': ['father', 'freath', 'hafter'], 'hageen': ['hageen', 'hangee'], 'hailse': ['elisha', 'hailse', 'sheila'], 'hainan': ['hainan', 'nahani'], 'hair': ['ahir', 'hair'], 'hairband': ['bhandari', 'hairband'], 'haired': ['dehair', 'haired'], 'hairen': ['hairen', 'hernia'], 'hairlet': ['hairlet', 'therial'], 'hairstone': ['hairstone', 'hortensia'], 'hairup': ['hairup', 'rupiah'], 'hak': ['hak', 'kha'], 'hakam': ['hakam', 'makah'], 'hakea': ['ekaha', 'hakea'], 'hakim': ['hakim', 'khami'], 'haku': ['haku', 'kahu'], 'halal': ['allah', 'halal'], 'halbert': ['blather', 'halbert'], 'hale': ['hale', 'heal', 'leah'], 'halebi': ['habile', 'halebi'], 'halenia': ['ainaleh', 'halenia'], 'halesome': ['halesome', 'healsome'], 'halicore': ['halicore', 'heroical'], 'haliotidae': ['aethalioid', 'haliotidae'], 'hallan': ['hallan', 'nallah'], 'hallower': ['hallower', 'rehallow'], 'halma': ['halma', 'hamal'], 'halogeton': ['halogeton', 'theogonal'], 'haloid': ['dihalo', 'haloid'], 'halophile': ['halophile', 'philohela'], 'halophytism': ['halophytism', 'hylopathism'], 'hals': ['hals', 'lash'], 'halse': ['halse', 'leash', 'selah', 'shale', 'sheal', 'shela'], 'halsen': ['halsen', 'hansel', 'lanseh'], 'halt': ['halt', 'lath'], 'halter': ['arthel', 'halter', 'lather', 'thaler'], 'halterbreak': ['halterbreak', 'leatherbark'], 'halting': ['halting', 'lathing', 'thingal'], 'halve': ['halve', 'havel'], 'halver': ['halver', 'lavehr'], 'ham': ['ham', 'mah'], 'hamal': ['halma', 'hamal'], 'hame': ['ahem', 'haem', 'hame'], 'hameil': ['hameil', 'hiemal'], 'hamel': ['hamel', 'hemal'], 'hamfatter': ['aftermath', 'hamfatter'], 'hami': ['hami', 'hima', 'mahi'], 'hamital': ['hamital', 'thalami'], 'hamites': ['atheism', 'hamites'], 'hamlet': ['hamlet', 'malthe'], 'hammerer': ['hammerer', 'rehammer'], 'hamsa': ['hamsa', 'masha', 'shama'], 'hamulites': ['hamulites', 'shulamite'], 'hamus': ['hamus', 'musha'], 'hanaster': ['hanaster', 'sheratan'], 'hance': ['achen', 'chane', 'chena', 'hance'], 'hand': ['dhan', 'hand'], 'handbook': ['bandhook', 'handbook'], 'handed': ['hadden', 'handed'], 'hander': ['hander', 'harden'], 'handicapper': ['handicapper', 'prehandicap'], 'handscrape': ['handscrape', 'scaphander'], 'handstone': ['handstone', 'stonehand'], 'handwork': ['handwork', 'workhand'], 'hangar': ['arghan', 'hangar'], 'hangby': ['banghy', 'hangby'], 'hangee': ['hageen', 'hangee'], 'hanger': ['hanger', 'rehang'], 'hangie': ['gienah', 'hangie'], 'hangnail': ['hangnail', 'langhian'], 'hangout': ['hangout', 'tohunga'], 'hank': ['ankh', 'hank', 'khan'], 'hano': ['hano', 'noah'], 'hans': ['hans', 'nash', 'shan'], 'hansa': ['ahsan', 'hansa', 'hasan'], 'hanse': ['ashen', 'hanse', 'shane', 'shean'], 'hanseatic': ['anchistea', 'hanseatic'], 'hansel': ['halsen', 'hansel', 'lanseh'], 'hant': ['hant', 'tanh', 'than'], 'hantle': ['ethnal', 'hantle', 'lathen', 'thenal'], 'hao': ['aho', 'hao'], 'haole': ['eloah', 'haole'], 'haoma': ['haoma', 'omaha'], 'haori': ['haori', 'iroha'], 'hap': ['hap', 'pah'], 'hapalotis': ['hapalotis', 'sapotilha'], 'hapi': ['hapi', 'pahi'], 'haplodoci': ['chilopoda', 'haplodoci'], 'haplont': ['haplont', 'naphtol'], 'haplosis': ['alphosis', 'haplosis'], 'haply': ['haply', 'phyla'], 'happiest': ['happiest', 'peatship'], 'haptene': ['haptene', 'heptane', 'phenate'], 'haptenic': ['haptenic', 'pantheic', 'pithecan'], 'haptere': ['haptere', 'preheat'], 'haptic': ['haptic', 'pathic'], 'haptics': ['haptics', 'spathic'], 'haptometer': ['amphorette', 'haptometer'], 'haptophoric': ['haptophoric', 'pathophoric'], 'haptophorous': ['haptophorous', 'pathophorous'], 'haptotropic': ['haptotropic', 'protopathic'], 'hapu': ['hapu', 'hupa'], 'harass': ['harass', 'hassar'], 'harb': ['bhar', 'harb'], 'harborer': ['abhorrer', 'harborer'], 'harden': ['hander', 'harden'], 'hardener': ['hardener', 'reharden'], 'hardenite': ['hardenite', 'herniated'], 'hardtail': ['hardtail', 'thaliard'], 'hardy': ['hardy', 'hydra'], 'hare': ['hare', 'hear', 'rhea'], 'harebrain': ['harebrain', 'herbarian'], 'harem': ['harem', 'herma', 'rhema'], 'haremism': ['ashimmer', 'haremism'], 'harfang': ['fraghan', 'harfang'], 'haricot': ['chariot', 'haricot'], 'hark': ['hark', 'khar', 'rakh'], 'harka': ['harka', 'kahar'], 'harlot': ['harlot', 'orthal', 'thoral'], 'harmala': ['harmala', 'marhala'], 'harman': ['amhran', 'harman', 'mahran'], 'harmer': ['harmer', 'reharm'], 'harmine': ['harmine', 'hireman'], 'harmonic': ['choirman', 'harmonic', 'omniarch'], 'harmonical': ['harmonical', 'monarchial'], 'harmonics': ['anorchism', 'harmonics'], 'harmonistic': ['anchoritism', 'chiromantis', 'chrismation', 'harmonistic'], 'harnesser': ['harnesser', 'reharness'], 'harold': ['harold', 'holard'], 'harpa': ['aphra', 'harpa', 'parah'], 'harpings': ['harpings', 'phrasing'], 'harpist': ['harpist', 'traship'], 'harpless': ['harpless', 'splasher'], 'harris': ['arrish', 'harris', 'rarish', 'sirrah'], 'harrower': ['harrower', 'reharrow'], 'hart': ['hart', 'rath', 'tahr', 'thar', 'trah'], 'hartin': ['hartin', 'thrain'], 'hartite': ['hartite', 'rathite'], 'haruspices': ['chuprassie', 'haruspices'], 'harvester': ['harvester', 'reharvest'], 'hasan': ['ahsan', 'hansa', 'hasan'], 'hash': ['hash', 'sahh', 'shah'], 'hasher': ['hasher', 'rehash'], 'hasidic': ['hasidic', 'sahidic'], 'hasidim': ['hasidim', 'maidish'], 'hasky': ['hasky', 'shaky'], 'haslet': ['haslet', 'lesath', 'shelta'], 'hasp': ['hasp', 'pash', 'psha', 'shap'], 'hassar': ['harass', 'hassar'], 'hassel': ['hassel', 'hassle'], 'hassle': ['hassel', 'hassle'], 'haste': ['ashet', 'haste', 'sheat'], 'hasten': ['athens', 'hasten', 'snathe', 'sneath'], 'haster': ['haster', 'hearst', 'hearts'], 'hastilude': ['hastilude', 'lustihead'], 'hastler': ['hastler', 'slather'], 'hasty': ['hasty', 'yasht'], 'hat': ['aht', 'hat', 'tha'], 'hatchery': ['hatchery', 'thearchy'], 'hate': ['ahet', 'haet', 'hate', 'heat', 'thea'], 'hateable': ['hateable', 'heatable'], 'hateful': ['hateful', 'heatful'], 'hateless': ['hateless', 'heatless'], 'hater': ['earth', 'hater', 'heart', 'herat', 'rathe'], 'hati': ['hati', 'thai'], 'hatred': ['dearth', 'hatred', 'rathed', 'thread'], 'hatress': ['hatress', 'shaster'], 'hatt': ['hatt', 'tath', 'that'], 'hattemist': ['hattemist', 'thematist'], 'hatter': ['hatter', 'threat'], 'hattery': ['hattery', 'theatry'], 'hattic': ['chatti', 'hattic'], 'hattock': ['hattock', 'totchka'], 'hau': ['ahu', 'auh', 'hau'], 'hauerite': ['eutheria', 'hauerite'], 'haul': ['haul', 'hula'], 'hauler': ['hauler', 'rehaul'], 'haunt': ['ahunt', 'haunt', 'thuan', 'unhat'], 'haunter': ['haunter', 'nauther', 'unearth', 'unheart', 'urethan'], 'hauntingly': ['hauntingly', 'unhatingly'], 'haurient': ['haurient', 'huterian'], 'havel': ['halve', 'havel'], 'havers': ['havers', 'shaver', 'shrave'], 'haw': ['haw', 'hwa', 'wah', 'wha'], 'hawer': ['hawer', 'whare'], 'hawm': ['hawm', 'wham'], 'hawse': ['hawse', 'shewa', 'whase'], 'hawser': ['hawser', 'rewash', 'washer'], 'hay': ['hay', 'yah'], 'haya': ['ayah', 'haya'], 'hayz': ['hayz', 'hazy'], 'hazarder': ['hazarder', 'rehazard'], 'hazel': ['hazel', 'hazle'], 'hazle': ['hazel', 'hazle'], 'hazy': ['hayz', 'hazy'], 'he': ['eh', 'he'], 'head': ['hade', 'head'], 'headbander': ['barehanded', 'bradenhead', 'headbander'], 'headboard': ['broadhead', 'headboard'], 'header': ['adhere', 'header', 'hedera', 'rehead'], 'headily': ['headily', 'hylidae'], 'headlight': ['headlight', 'lighthead'], 'headlong': ['headlong', 'longhead'], 'headman': ['headman', 'manhead'], 'headmaster': ['headmaster', 'headstream', 'streamhead'], 'headnote': ['headnote', 'notehead'], 'headrail': ['headrail', 'railhead'], 'headrent': ['adherent', 'headrent', 'neatherd', 'threaden'], 'headring': ['headring', 'ringhead'], 'headset': ['headset', 'sethead'], 'headskin': ['headskin', 'nakedish', 'sinkhead'], 'headspring': ['headspring', 'springhead'], 'headstone': ['headstone', 'stonehead'], 'headstream': ['headmaster', 'headstream', 'streamhead'], 'headstrong': ['headstrong', 'stronghead'], 'headward': ['drawhead', 'headward'], 'headwater': ['headwater', 'waterhead'], 'heal': ['hale', 'heal', 'leah'], 'healer': ['healer', 'rehale', 'reheal'], 'healsome': ['halesome', 'healsome'], 'heap': ['epha', 'heap'], 'heaper': ['heaper', 'reheap'], 'heaps': ['heaps', 'pesah', 'phase', 'shape'], 'hear': ['hare', 'hear', 'rhea'], 'hearer': ['hearer', 'rehear'], 'hearken': ['hearken', 'kenareh'], 'hearst': ['haster', 'hearst', 'hearts'], 'heart': ['earth', 'hater', 'heart', 'herat', 'rathe'], 'heartdeep': ['heartdeep', 'preheated'], 'hearted': ['earthed', 'hearted'], 'heartedness': ['heartedness', 'neatherdess'], 'hearten': ['earthen', 'enheart', 'hearten', 'naether', 'teheran', 'traheen'], 'heartener': ['heartener', 'rehearten'], 'heartiness': ['earthiness', 'heartiness'], 'hearting': ['hearting', 'ingather'], 'heartless': ['earthless', 'heartless'], 'heartling': ['earthling', 'heartling'], 'heartly': ['earthly', 'heartly', 'lathery', 'rathely'], 'heartnut': ['earthnut', 'heartnut'], 'heartpea': ['earthpea', 'heartpea'], 'heartquake': ['earthquake', 'heartquake'], 'hearts': ['haster', 'hearst', 'hearts'], 'heartsome': ['heartsome', 'samothere'], 'heartward': ['earthward', 'heartward'], 'heartweed': ['heartweed', 'weathered'], 'hearty': ['earthy', 'hearty', 'yearth'], 'heat': ['ahet', 'haet', 'hate', 'heat', 'thea'], 'heatable': ['hateable', 'heatable'], 'heater': ['heater', 'hereat', 'reheat'], 'heatful': ['hateful', 'heatful'], 'heath': ['heath', 'theah'], 'heating': ['gahnite', 'heating'], 'heatless': ['hateless', 'heatless'], 'heatronic': ['anchorite', 'antechoir', 'heatronic', 'hectorian'], 'heave': ['heave', 'hevea'], 'hebraizer': ['hebraizer', 'herbarize'], 'hebridean': ['haberdine', 'hebridean'], 'hecate': ['achete', 'hecate', 'teache', 'thecae'], 'hecatine': ['echinate', 'hecatine'], 'heckle': ['heckle', 'kechel'], 'hectare': ['cheater', 'hectare', 'recheat', 'reteach', 'teacher'], 'hecte': ['cheet', 'hecte'], 'hector': ['hector', 'rochet', 'tocher', 'troche'], 'hectorian': ['anchorite', 'antechoir', 'heatronic', 'hectorian'], 'hectorship': ['christophe', 'hectorship'], 'hedera': ['adhere', 'header', 'hedera', 'rehead'], 'hedonical': ['chelodina', 'hedonical'], 'hedonism': ['demonish', 'hedonism'], 'heehaw': ['heehaw', 'wahehe'], 'heel': ['heel', 'hele'], 'heeler': ['heeler', 'reheel'], 'heelpost': ['heelpost', 'pesthole'], 'heer': ['heer', 'here'], 'hegari': ['hegari', 'hegira'], 'hegemonic': ['hegemonic', 'hemogenic'], 'hegira': ['hegari', 'hegira'], 'hei': ['hei', 'hie'], 'height': ['eighth', 'height'], 'heightener': ['heightener', 'reheighten'], 'heintzite': ['heintzite', 'hintzeite'], 'heinz': ['heinz', 'hienz'], 'heir': ['heir', 'hire'], 'heirdom': ['heirdom', 'homerid'], 'heirless': ['heirless', 'hireless'], 'hejazi': ['hejazi', 'jeziah'], 'helcosis': ['helcosis', 'ochlesis'], 'helcotic': ['helcotic', 'lochetic', 'ochletic'], 'hele': ['heel', 'hele'], 'heliacal': ['achillea', 'heliacal'], 'heliast': ['heliast', 'thesial'], 'helical': ['alichel', 'challie', 'helical'], 'heliced': ['chelide', 'heliced'], 'helicon': ['choline', 'helicon'], 'heling': ['heling', 'hingle'], 'heliophotography': ['heliophotography', 'photoheliography'], 'helios': ['helios', 'isohel'], 'heliostatic': ['chiastolite', 'heliostatic'], 'heliotactic': ['heliotactic', 'thiolacetic'], 'helium': ['helium', 'humlie'], 'hellcat': ['hellcat', 'tellach'], 'helleborein': ['helleborein', 'helleborine'], 'helleborine': ['helleborein', 'helleborine'], 'hellenic': ['chenille', 'hellenic'], 'helleri': ['helleri', 'hellier'], 'hellicat': ['hellicat', 'lecithal'], 'hellier': ['helleri', 'hellier'], 'helm': ['helm', 'heml'], 'heloderma': ['dreamhole', 'heloderma'], 'helot': ['helot', 'hotel', 'thole'], 'helotize': ['helotize', 'hotelize'], 'helpmeet': ['helpmeet', 'meethelp'], 'hemad': ['ahmed', 'hemad'], 'hemal': ['hamel', 'hemal'], 'hemapod': ['hemapod', 'mophead'], 'hematic': ['chamite', 'hematic'], 'hematin': ['ethanim', 'hematin'], 'hematinic': ['hematinic', 'minchiate'], 'hematolin': ['hematolin', 'maholtine'], 'hematonic': ['hematonic', 'methanoic'], 'hematosin': ['hematosin', 'thomasine'], 'hematoxic': ['hematoxic', 'hexatomic'], 'hematuric': ['hematuric', 'rheumatic'], 'hemiasci': ['hemiasci', 'ischemia'], 'hemiatrophy': ['hemiatrophy', 'hypothermia'], 'hemic': ['chime', 'hemic', 'miche'], 'hemicarp': ['camphire', 'hemicarp'], 'hemicatalepsy': ['hemicatalepsy', 'mesaticephaly'], 'hemiclastic': ['alchemistic', 'hemiclastic'], 'hemicrany': ['hemicrany', 'machinery'], 'hemiholohedral': ['hemiholohedral', 'holohemihedral'], 'hemiolic': ['elohimic', 'hemiolic'], 'hemiparesis': ['hemiparesis', 'phariseeism'], 'hemistater': ['amherstite', 'hemistater'], 'hemiterata': ['hemiterata', 'metatheria'], 'hemitype': ['epithyme', 'hemitype'], 'heml': ['helm', 'heml'], 'hemogenic': ['hegemonic', 'hemogenic'], 'hemol': ['hemol', 'mohel'], 'hemologist': ['hemologist', 'theologism'], 'hemopneumothorax': ['hemopneumothorax', 'pneumohemothorax'], 'henbit': ['behint', 'henbit'], 'hent': ['hent', 'neth', 'then'], 'henter': ['erthen', 'henter', 'nether', 'threne'], 'henyard': ['enhydra', 'henyard'], 'hepar': ['hepar', 'phare', 'raphe'], 'heparin': ['heparin', 'nephria'], 'hepatic': ['aphetic', 'caphite', 'hepatic'], 'hepatica': ['apachite', 'hepatica'], 'hepatical': ['caliphate', 'hepatical'], 'hepatize': ['aphetize', 'hepatize'], 'hepatocolic': ['hepatocolic', 'otocephalic'], 'hepatogastric': ['gastrohepatic', 'hepatogastric'], 'hepatoid': ['diaphote', 'hepatoid'], 'hepatomegalia': ['hepatomegalia', 'megalohepatia'], 'hepatonephric': ['hepatonephric', 'phrenohepatic'], 'hepatostomy': ['hepatostomy', 'somatophyte'], 'hepialid': ['hepialid', 'phialide'], 'heptace': ['heptace', 'tepache'], 'heptad': ['heptad', 'pathed'], 'heptagon': ['heptagon', 'pathogen'], 'heptameron': ['heptameron', 'promethean'], 'heptane': ['haptene', 'heptane', 'phenate'], 'heptaploidy': ['heptaploidy', 'typhlopidae'], 'hepteris': ['hepteris', 'treeship'], 'heptine': ['heptine', 'nephite'], 'heptite': ['epithet', 'heptite'], 'heptorite': ['heptorite', 'tephroite'], 'heptylic': ['heptylic', 'phyletic'], 'her': ['her', 'reh', 'rhe'], 'heraclid': ['heraclid', 'heraldic'], 'heraldic': ['heraclid', 'heraldic'], 'heraldist': ['heraldist', 'tehsildar'], 'herat': ['earth', 'hater', 'heart', 'herat', 'rathe'], 'herbage': ['breaghe', 'herbage'], 'herbarian': ['harebrain', 'herbarian'], 'herbarism': ['herbarism', 'shambrier'], 'herbarize': ['hebraizer', 'herbarize'], 'herbert': ['berther', 'herbert'], 'herbous': ['herbous', 'subhero'], 'herdic': ['chider', 'herdic'], 'here': ['heer', 'here'], 'hereafter': ['featherer', 'hereafter'], 'hereat': ['heater', 'hereat', 'reheat'], 'herein': ['herein', 'inhere'], 'hereinto': ['etherion', 'hereinto', 'heronite'], 'herem': ['herem', 'rheme'], 'heretic': ['erethic', 'etheric', 'heretic', 'heteric', 'teicher'], 'heretically': ['heretically', 'heterically'], 'heretication': ['heretication', 'theoretician'], 'hereto': ['hereto', 'hetero'], 'heritance': ['catherine', 'heritance'], 'herl': ['herl', 'hler', 'lehr'], 'herma': ['harem', 'herma', 'rhema'], 'hermaic': ['chimera', 'hermaic'], 'hermitage': ['geheimrat', 'hermitage'], 'hermo': ['hermo', 'homer', 'horme'], 'herne': ['herne', 'rheen'], 'hernia': ['hairen', 'hernia'], 'hernial': ['hernial', 'inhaler'], 'herniate': ['atherine', 'herniate'], 'herniated': ['hardenite', 'herniated'], 'hernioid': ['dinheiro', 'hernioid'], 'hero': ['hero', 'hoer'], 'herodian': ['herodian', 'ironhead'], 'heroic': ['coheir', 'heroic'], 'heroical': ['halicore', 'heroical'], 'heroin': ['heroin', 'hieron', 'hornie'], 'heroism': ['heroism', 'moreish'], 'heronite': ['etherion', 'hereinto', 'heronite'], 'herophile': ['herophile', 'rheophile'], 'herpes': ['herpes', 'hesper', 'sphere'], 'herpetism': ['herpetism', 'metership', 'metreship', 'temperish'], 'herpetological': ['herpetological', 'pretheological'], 'herpetomonad': ['dermatophone', 'herpetomonad'], 'hers': ['hers', 'resh', 'sher'], 'herse': ['herse', 'sereh', 'sheer', 'shree'], 'hersed': ['hersed', 'sheder'], 'herself': ['flesher', 'herself'], 'hersir': ['hersir', 'sherri'], 'herulian': ['herulian', 'inhauler'], 'hervati': ['athrive', 'hervati'], 'hesitater': ['hesitater', 'hetaerist'], 'hesper': ['herpes', 'hesper', 'sphere'], 'hespera': ['hespera', 'rephase', 'reshape'], 'hesperia': ['hesperia', 'pharisee'], 'hesperian': ['hesperian', 'phrenesia', 'seraphine'], 'hesperid': ['hesperid', 'perished'], 'hesperinon': ['hesperinon', 'prehension'], 'hesperis': ['hesperis', 'seership'], 'hest': ['esth', 'hest', 'seth'], 'hester': ['esther', 'hester', 'theres'], 'het': ['het', 'the'], 'hetaeric': ['cheatrie', 'hetaeric'], 'hetaerist': ['hesitater', 'hetaerist'], 'hetaery': ['erythea', 'hetaery', 'yeather'], 'heteratomic': ['heteratomic', 'theorematic'], 'heteraxial': ['exhilarate', 'heteraxial'], 'heteric': ['erethic', 'etheric', 'heretic', 'heteric', 'teicher'], 'heterically': ['heretically', 'heterically'], 'hetericism': ['erethismic', 'hetericism'], 'hetericist': ['erethistic', 'hetericist'], 'heterism': ['erethism', 'etherism', 'heterism'], 'heterization': ['etherization', 'heterization'], 'heterize': ['etherize', 'heterize'], 'hetero': ['hereto', 'hetero'], 'heterocarpus': ['heterocarpus', 'urethrascope'], 'heteroclite': ['heteroclite', 'heterotelic'], 'heterodromy': ['heterodromy', 'hydrometeor'], 'heteroecismal': ['cholesteremia', 'heteroecismal'], 'heterography': ['erythrophage', 'heterography'], 'heterogynous': ['heterogynous', 'thyreogenous'], 'heterology': ['heterology', 'thereology'], 'heteromeri': ['heteromeri', 'moerithere'], 'heteroousiast': ['autoheterosis', 'heteroousiast'], 'heteropathy': ['heteropathy', 'theotherapy'], 'heteropodal': ['heteropodal', 'prelatehood'], 'heterotelic': ['heteroclite', 'heterotelic'], 'heterotic': ['heterotic', 'theoretic'], 'hetman': ['anthem', 'hetman', 'mentha'], 'hetmanate': ['hetmanate', 'methanate'], 'hetter': ['hetter', 'tether'], 'hevea': ['heave', 'hevea'], 'hevi': ['hevi', 'hive'], 'hewel': ['hewel', 'wheel'], 'hewer': ['hewer', 'wheer', 'where'], 'hewn': ['hewn', 'when'], 'hewt': ['hewt', 'thew', 'whet'], 'hexacid': ['hexacid', 'hexadic'], 'hexadic': ['hexacid', 'hexadic'], 'hexakisoctahedron': ['hexakisoctahedron', 'octakishexahedron'], 'hexakistetrahedron': ['hexakistetrahedron', 'tetrakishexahedron'], 'hexatetrahedron': ['hexatetrahedron', 'tetrahexahedron'], 'hexatomic': ['hematoxic', 'hexatomic'], 'hexonic': ['choenix', 'hexonic'], 'hiant': ['ahint', 'hiant', 'tahin'], 'hiatal': ['hiatal', 'thalia'], 'hibernate': ['hibernate', 'inbreathe'], 'hic': ['chi', 'hic', 'ich'], 'hickwall': ['hickwall', 'wallhick'], 'hidage': ['adighe', 'hidage'], 'hider': ['dheri', 'hider', 'hired'], 'hidling': ['hidling', 'hilding'], 'hidlings': ['dishling', 'hidlings'], 'hidrotic': ['hidrotic', 'trichoid'], 'hie': ['hei', 'hie'], 'hield': ['delhi', 'hield'], 'hiemal': ['hameil', 'hiemal'], 'hienz': ['heinz', 'hienz'], 'hieron': ['heroin', 'hieron', 'hornie'], 'hieros': ['hieros', 'hosier'], 'hight': ['hight', 'thigh'], 'higuero': ['higuero', 'roughie'], 'hilasmic': ['chiliasm', 'hilasmic', 'machilis'], 'hilding': ['hidling', 'hilding'], 'hillside': ['hillside', 'sidehill'], 'hilsa': ['alish', 'hilsa'], 'hilt': ['hilt', 'lith'], 'hima': ['hami', 'hima', 'mahi'], 'himself': ['flemish', 'himself'], 'hinderest': ['disherent', 'hinderest', 'tenderish'], 'hindu': ['hindu', 'hundi', 'unhid'], 'hing': ['hing', 'nigh'], 'hinge': ['hinge', 'neigh'], 'hingle': ['heling', 'hingle'], 'hint': ['hint', 'thin'], 'hinter': ['hinter', 'nither', 'theirn'], 'hintproof': ['hintproof', 'hoofprint'], 'hintzeite': ['heintzite', 'hintzeite'], 'hip': ['hip', 'phi'], 'hipbone': ['hipbone', 'hopbine'], 'hippodamous': ['amphipodous', 'hippodamous'], 'hippolyte': ['hippolyte', 'typophile'], 'hippus': ['hippus', 'uppish'], 'hiram': ['hiram', 'ihram', 'mahri'], 'hircine': ['hircine', 'rheinic'], 'hire': ['heir', 'hire'], 'hired': ['dheri', 'hider', 'hired'], 'hireless': ['heirless', 'hireless'], 'hireman': ['harmine', 'hireman'], 'hiren': ['hiren', 'rhein', 'rhine'], 'hirmos': ['hirmos', 'romish'], 'hirse': ['hirse', 'shier', 'shire'], 'hirsel': ['hirsel', 'hirsle', 'relish'], 'hirsle': ['hirsel', 'hirsle', 'relish'], 'his': ['his', 'hsi', 'shi'], 'hish': ['hish', 'shih'], 'hisn': ['hisn', 'shin', 'sinh'], 'hispa': ['aphis', 'apish', 'hispa', 'saiph', 'spahi'], 'hispanist': ['hispanist', 'saintship'], 'hiss': ['hiss', 'sish'], 'hist': ['hist', 'sith', 'this', 'tshi'], 'histamine': ['histamine', 'semihiant'], 'histie': ['histie', 'shiite'], 'histioid': ['histioid', 'idiotish'], 'histon': ['histon', 'shinto', 'tonish'], 'histonal': ['histonal', 'toshnail'], 'historic': ['historic', 'orchitis'], 'historics': ['historics', 'trichosis'], 'history': ['history', 'toryish'], 'hittable': ['hittable', 'tithable'], 'hitter': ['hitter', 'tither'], 'hive': ['hevi', 'hive'], 'hives': ['hives', 'shive'], 'hler': ['herl', 'hler', 'lehr'], 'ho': ['ho', 'oh'], 'hoar': ['hoar', 'hora'], 'hoard': ['hoard', 'rhoda'], 'hoarse': ['ahorse', 'ashore', 'hoarse', 'shorea'], 'hoarstone': ['anorthose', 'hoarstone'], 'hoast': ['hoast', 'hosta', 'shoat'], 'hobbism': ['hobbism', 'mobbish'], 'hobo': ['boho', 'hobo'], 'hocco': ['choco', 'hocco'], 'hock': ['hock', 'koch'], 'hocker': ['choker', 'hocker'], 'hocky': ['choky', 'hocky'], 'hocus': ['chous', 'hocus'], 'hodiernal': ['hodiernal', 'rhodaline'], 'hoer': ['hero', 'hoer'], 'hogan': ['ahong', 'hogan'], 'hogget': ['egghot', 'hogget'], 'hogmanay': ['hogmanay', 'mahogany'], 'hognut': ['hognut', 'nought'], 'hogsty': ['ghosty', 'hogsty'], 'hoister': ['hoister', 'rehoist'], 'hoit': ['hoit', 'hoti', 'thio'], 'holard': ['harold', 'holard'], 'holconoti': ['holconoti', 'holotonic'], 'holcus': ['holcus', 'lochus', 'slouch'], 'holdfast': ['fasthold', 'holdfast'], 'holdout': ['holdout', 'outhold'], 'holdup': ['holdup', 'uphold'], 'holeman': ['holeman', 'manhole'], 'holey': ['holey', 'hoyle'], 'holiday': ['holiday', 'hyaloid', 'hyoidal'], 'hollandite': ['hollandite', 'hollantide'], 'hollantide': ['hollandite', 'hollantide'], 'hollower': ['hollower', 'rehollow'], 'holmia': ['holmia', 'maholi'], 'holocentrid': ['holocentrid', 'lechriodont'], 'holohemihedral': ['hemiholohedral', 'holohemihedral'], 'holosteric': ['holosteric', 'thiocresol'], 'holotonic': ['holconoti', 'holotonic'], 'holster': ['holster', 'hostler'], 'homage': ['homage', 'ohmage'], 'homarine': ['homarine', 'homerian'], 'homecroft': ['forthcome', 'homecroft'], 'homeogenous': ['homeogenous', 'homogeneous'], 'homeotypic': ['homeotypic', 'mythopoeic'], 'homeotypical': ['homeotypical', 'polymetochia'], 'homer': ['hermo', 'homer', 'horme'], 'homerian': ['homarine', 'homerian'], 'homeric': ['homeric', 'moriche'], 'homerical': ['chloremia', 'homerical'], 'homerid': ['heirdom', 'homerid'], 'homerist': ['homerist', 'isotherm', 'otherism', 'theorism'], 'homiletics': ['homiletics', 'mesolithic'], 'homo': ['homo', 'moho'], 'homocline': ['chemiloon', 'homocline'], 'homogeneous': ['homeogenous', 'homogeneous'], 'homopolic': ['homopolic', 'lophocomi'], 'homopteran': ['homopteran', 'trophonema'], 'homrai': ['homrai', 'mahori', 'mohair'], 'hondo': ['dhoon', 'hondo'], 'honest': ['ethnos', 'honest'], 'honeypod': ['dyophone', 'honeypod'], 'honeypot': ['eophyton', 'honeypot'], 'honorer': ['honorer', 'rehonor'], 'hontous': ['hontous', 'nothous'], 'hoodman': ['dhamnoo', 'hoodman', 'manhood'], 'hoofprint': ['hintproof', 'hoofprint'], 'hooker': ['hooker', 'rehook'], 'hookweed': ['hookweed', 'weedhook'], 'hoop': ['hoop', 'phoo', 'pooh'], 'hooper': ['hooper', 'rehoop'], 'hoot': ['hoot', 'thoo', 'toho'], 'hop': ['hop', 'pho', 'poh'], 'hopbine': ['hipbone', 'hopbine'], 'hopcalite': ['hopcalite', 'phacolite'], 'hope': ['hope', 'peho'], 'hoped': ['depoh', 'ephod', 'hoped'], 'hoper': ['ephor', 'hoper'], 'hoplite': ['hoplite', 'pithole'], 'hoppergrass': ['grasshopper', 'hoppergrass'], 'hoppers': ['hoppers', 'shopper'], 'hora': ['hoar', 'hora'], 'horal': ['horal', 'lohar'], 'hordarian': ['arianrhod', 'hordarian'], 'horizontal': ['horizontal', 'notorhizal'], 'horme': ['hermo', 'homer', 'horme'], 'horned': ['dehorn', 'horned'], 'hornet': ['hornet', 'nother', 'theron', 'throne'], 'hornie': ['heroin', 'hieron', 'hornie'], 'hornpipe': ['hornpipe', 'porphine'], 'horopteric': ['horopteric', 'rheotropic', 'trichopore'], 'horrent': ['horrent', 'norther'], 'horse': ['horse', 'shoer', 'shore'], 'horsecar': ['cosharer', 'horsecar'], 'horseless': ['horseless', 'shoreless'], 'horseman': ['horseman', 'rhamnose', 'shoreman'], 'horser': ['horser', 'shorer'], 'horsetail': ['horsetail', 'isotheral'], 'horseweed': ['horseweed', 'shoreweed'], 'horsewhip': ['horsewhip', 'whoreship'], 'horsewood': ['horsewood', 'woodhorse'], 'horsing': ['horsing', 'shoring'], 'horst': ['horst', 'short'], 'hortensia': ['hairstone', 'hortensia'], 'hortite': ['hortite', 'orthite', 'thorite'], 'hose': ['hose', 'shoe'], 'hosed': ['hosed', 'shode'], 'hosel': ['hosel', 'sheol', 'shole'], 'hoseless': ['hoseless', 'shoeless'], 'hoseman': ['hoseman', 'shoeman'], 'hosier': ['hieros', 'hosier'], 'hospitaler': ['hospitaler', 'trophesial'], 'host': ['host', 'shot', 'thos', 'tosh'], 'hosta': ['hoast', 'hosta', 'shoat'], 'hostager': ['hostager', 'shortage'], 'hoster': ['hoster', 'tosher'], 'hostile': ['elohist', 'hostile'], 'hosting': ['hosting', 'onsight'], 'hostler': ['holster', 'hostler'], 'hostless': ['hostless', 'shotless'], 'hostly': ['hostly', 'toshly'], 'hot': ['hot', 'tho'], 'hotel': ['helot', 'hotel', 'thole'], 'hotelize': ['helotize', 'hotelize'], 'hotfoot': ['foothot', 'hotfoot'], 'hoti': ['hoit', 'hoti', 'thio'], 'hotter': ['hotter', 'tother'], 'hounce': ['cohune', 'hounce'], 'houseboat': ['boathouse', 'houseboat'], 'housebug': ['bughouse', 'housebug'], 'housecraft': ['fratcheous', 'housecraft'], 'housetop': ['housetop', 'pothouse'], 'housewarm': ['housewarm', 'warmhouse'], 'housewear': ['housewear', 'warehouse'], 'housework': ['housework', 'workhouse'], 'hovering': ['hovering', 'overnigh'], 'how': ['how', 'who'], 'howel': ['howel', 'whole'], 'however': ['everwho', 'however', 'whoever'], 'howlet': ['howlet', 'thowel'], 'howso': ['howso', 'woosh'], 'howsomever': ['howsomever', 'whomsoever', 'whosomever'], 'hoya': ['ahoy', 'hoya'], 'hoyle': ['holey', 'hoyle'], 'hsi': ['his', 'hsi', 'shi'], 'huari': ['huari', 'uriah'], 'hubert': ['hubert', 'turbeh'], 'hud': ['dhu', 'hud'], 'hudsonite': ['hudsonite', 'unhoisted'], 'huer': ['huer', 'hure'], 'hug': ['hug', 'ugh'], 'hughes': ['hughes', 'sheugh'], 'hughoc': ['chough', 'hughoc'], 'hugo': ['hugo', 'ough'], 'hugsome': ['gumshoe', 'hugsome'], 'huk': ['huk', 'khu'], 'hula': ['haul', 'hula'], 'hulsean': ['hulsean', 'unleash'], 'hulster': ['hulster', 'hustler', 'sluther'], 'huma': ['ahum', 'huma'], 'human': ['human', 'nahum'], 'humane': ['humane', 'humean'], 'humanics': ['humanics', 'inasmuch'], 'humean': ['humane', 'humean'], 'humeroradial': ['humeroradial', 'radiohumeral'], 'humic': ['chimu', 'humic'], 'humidor': ['humidor', 'rhodium'], 'humlie': ['helium', 'humlie'], 'humor': ['humor', 'mohur'], 'humoralistic': ['humoralistic', 'humoristical'], 'humoristical': ['humoralistic', 'humoristical'], 'hump': ['hump', 'umph'], 'hundi': ['hindu', 'hundi', 'unhid'], 'hunger': ['hunger', 'rehung'], 'hunterian': ['hunterian', 'ruthenian'], 'hup': ['hup', 'phu'], 'hupa': ['hapu', 'hupa'], 'hurdis': ['hurdis', 'rudish'], 'hurdle': ['hurdle', 'hurled'], 'hure': ['huer', 'hure'], 'hurled': ['hurdle', 'hurled'], 'huron': ['huron', 'rohun'], 'hurst': ['hurst', 'trush'], 'hurt': ['hurt', 'ruth'], 'hurter': ['hurter', 'ruther'], 'hurtful': ['hurtful', 'ruthful'], 'hurtfully': ['hurtfully', 'ruthfully'], 'hurtfulness': ['hurtfulness', 'ruthfulness'], 'hurting': ['hurting', 'ungirth', 'unright'], 'hurtingest': ['hurtingest', 'shuttering'], 'hurtle': ['hurtle', 'luther'], 'hurtless': ['hurtless', 'ruthless'], 'hurtlessly': ['hurtlessly', 'ruthlessly'], 'hurtlessness': ['hurtlessness', 'ruthlessness'], 'husbander': ['husbander', 'shabunder'], 'husked': ['dehusk', 'husked'], 'huso': ['huso', 'shou'], 'huspil': ['huspil', 'pulish'], 'husting': ['gutnish', 'husting', 'unsight'], 'hustle': ['hustle', 'sleuth'], 'hustler': ['hulster', 'hustler', 'sluther'], 'huterian': ['haurient', 'huterian'], 'hwa': ['haw', 'hwa', 'wah', 'wha'], 'hyaloid': ['holiday', 'hyaloid', 'hyoidal'], 'hydra': ['hardy', 'hydra'], 'hydramnios': ['disharmony', 'hydramnios'], 'hydrate': ['hydrate', 'thready'], 'hydrazidine': ['anhydridize', 'hydrazidine'], 'hydrazine': ['anhydrize', 'hydrazine'], 'hydriodate': ['hydriodate', 'iodhydrate'], 'hydriodic': ['hydriodic', 'iodhydric'], 'hydriote': ['hydriote', 'thyreoid'], 'hydrobromate': ['bromohydrate', 'hydrobromate'], 'hydrocarbide': ['carbohydride', 'hydrocarbide'], 'hydrocharis': ['hydrocharis', 'hydrorachis'], 'hydroferricyanic': ['ferrihydrocyanic', 'hydroferricyanic'], 'hydroferrocyanic': ['ferrohydrocyanic', 'hydroferrocyanic'], 'hydrofluoboric': ['borofluohydric', 'hydrofluoboric'], 'hydrogeology': ['geohydrology', 'hydrogeology'], 'hydroiodic': ['hydroiodic', 'iodohydric'], 'hydrometeor': ['heterodromy', 'hydrometeor'], 'hydromotor': ['hydromotor', 'orthodromy'], 'hydronephrosis': ['hydronephrosis', 'nephrohydrosis'], 'hydropneumopericardium': ['hydropneumopericardium', 'pneumohydropericardium'], 'hydropneumothorax': ['hydropneumothorax', 'pneumohydrothorax'], 'hydrorachis': ['hydrocharis', 'hydrorachis'], 'hydrosulphate': ['hydrosulphate', 'sulphohydrate'], 'hydrotical': ['dacryolith', 'hydrotical'], 'hydrous': ['hydrous', 'shroudy'], 'hyetograph': ['ethography', 'hyetograph'], 'hylidae': ['headily', 'hylidae'], 'hylist': ['hylist', 'slithy'], 'hyllus': ['hyllus', 'lushly'], 'hylopathism': ['halophytism', 'hylopathism'], 'hymenic': ['chimney', 'hymenic'], 'hymettic': ['hymettic', 'thymetic'], 'hymnologist': ['hymnologist', 'smoothingly'], 'hyoglossal': ['glossohyal', 'hyoglossal'], 'hyoidal': ['holiday', 'hyaloid', 'hyoidal'], 'hyothyreoid': ['hyothyreoid', 'thyreohyoid'], 'hyothyroid': ['hyothyroid', 'thyrohyoid'], 'hypaethron': ['hypaethron', 'hypothenar'], 'hypercone': ['coryphene', 'hypercone'], 'hypergamous': ['hypergamous', 'museography'], 'hypertoxic': ['hypertoxic', 'xerophytic'], 'hypnobate': ['batyphone', 'hypnobate'], 'hypnoetic': ['hypnoetic', 'neophytic'], 'hypnotic': ['hypnotic', 'phytonic', 'pythonic', 'typhonic'], 'hypnotism': ['hypnotism', 'pythonism'], 'hypnotist': ['hypnotist', 'pythonist'], 'hypnotize': ['hypnotize', 'pythonize'], 'hypnotoid': ['hypnotoid', 'pythonoid'], 'hypobole': ['hypobole', 'lyophobe'], 'hypocarp': ['apocryph', 'hypocarp'], 'hypocrite': ['chirotype', 'hypocrite'], 'hypodorian': ['hypodorian', 'radiophony'], 'hypoglottis': ['hypoglottis', 'phytologist'], 'hypomanic': ['amphicyon', 'hypomanic'], 'hypopteron': ['hypopteron', 'phonotyper'], 'hyporadius': ['hyporadius', 'suprahyoid'], 'hyposcleral': ['hyposcleral', 'phylloceras'], 'hyposmia': ['hyposmia', 'phymosia'], 'hypostomatic': ['hypostomatic', 'somatophytic'], 'hypothec': ['hypothec', 'photechy'], 'hypothenar': ['hypaethron', 'hypothenar'], 'hypothermia': ['hemiatrophy', 'hypothermia'], 'hypsiloid': ['hypsiloid', 'syphiloid'], 'hyracid': ['diarchy', 'hyracid'], 'hyssop': ['hyssop', 'phossy', 'sposhy'], 'hysteresial': ['hysteresial', 'hysteriales'], 'hysteria': ['hysteria', 'sheriyat'], 'hysteriales': ['hysteresial', 'hysteriales'], 'hysterolaparotomy': ['hysterolaparotomy', 'laparohysterotomy'], 'hysteromyomectomy': ['hysteromyomectomy', 'myomohysterectomy'], 'hysteropathy': ['hysteropathy', 'hysterophyta'], 'hysterophyta': ['hysteropathy', 'hysterophyta'], 'iamb': ['iamb', 'mabi'], 'iambelegus': ['elegiambus', 'iambelegus'], 'iambic': ['cimbia', 'iambic'], 'ian': ['ani', 'ian'], 'ianus': ['ianus', 'suina'], 'iatraliptics': ['iatraliptics', 'partialistic'], 'iatric': ['iatric', 'tricia'], 'ibad': ['adib', 'ibad'], 'iban': ['bain', 'bani', 'iban'], 'ibanag': ['bagani', 'bangia', 'ibanag'], 'iberian': ['aribine', 'bairnie', 'iberian'], 'ibo': ['ibo', 'obi'], 'ibota': ['biota', 'ibota'], 'icacorea': ['coraciae', 'icacorea'], 'icarian': ['arician', 'icarian'], 'icecap': ['icecap', 'ipecac'], 'iced': ['dice', 'iced'], 'iceland': ['cladine', 'decalin', 'iceland'], 'icelandic': ['cicindela', 'cinclidae', 'icelandic'], 'iceman': ['anemic', 'cinema', 'iceman'], 'ich': ['chi', 'hic', 'ich'], 'ichnolite': ['ichnolite', 'neolithic'], 'ichor': ['chiro', 'choir', 'ichor'], 'icicle': ['cilice', 'icicle'], 'icon': ['cion', 'coin', 'icon'], 'iconian': ['anionic', 'iconian'], 'iconism': ['iconism', 'imsonic', 'miscoin'], 'iconolater': ['iconolater', 'relocation'], 'iconomania': ['iconomania', 'oniomaniac'], 'iconometrical': ['iconometrical', 'intracoelomic'], 'icteridae': ['diaeretic', 'icteridae'], 'icterine': ['icterine', 'reincite'], 'icterus': ['curtise', 'icterus'], 'ictonyx': ['ictonyx', 'oxyntic'], 'ictus': ['cutis', 'ictus'], 'id': ['di', 'id'], 'ida': ['aid', 'ida'], 'idaean': ['adenia', 'idaean'], 'ide': ['die', 'ide'], 'idea': ['aide', 'idea'], 'ideal': ['adiel', 'delia', 'ideal'], 'idealism': ['idealism', 'lamiides'], 'idealistic': ['disilicate', 'idealistic'], 'ideality': ['aedility', 'ideality'], 'idealness': ['idealness', 'leadiness'], 'idean': ['diane', 'idean'], 'ideation': ['ideation', 'iodinate', 'taenioid'], 'identical': ['ctenidial', 'identical'], 'ideograph': ['eidograph', 'ideograph'], 'ideology': ['eidology', 'ideology'], 'ideoplasty': ['ideoplasty', 'stylopidae'], 'ides': ['desi', 'ides', 'seid', 'side'], 'idiasm': ['idiasm', 'simiad'], 'idioblast': ['diabolist', 'idioblast'], 'idiomology': ['idiomology', 'oligomyoid'], 'idioretinal': ['idioretinal', 'litorinidae'], 'idiotish': ['histioid', 'idiotish'], 'idle': ['idle', 'lide', 'lied'], 'idleman': ['idleman', 'melinda'], 'idleset': ['idleset', 'isleted'], 'idlety': ['idlety', 'lydite', 'tidely', 'tidley'], 'idly': ['idly', 'idyl'], 'idocrase': ['idocrase', 'radicose'], 'idoism': ['idoism', 'iodism'], 'idol': ['dilo', 'diol', 'doli', 'idol', 'olid'], 'idola': ['aloid', 'dolia', 'idola'], 'idolaster': ['estradiol', 'idolaster'], 'idolatry': ['adroitly', 'dilatory', 'idolatry'], 'idolum': ['dolium', 'idolum'], 'idoneal': ['adinole', 'idoneal'], 'idorgan': ['gordian', 'idorgan', 'roading'], 'idose': ['diose', 'idose', 'oside'], 'idotea': ['idotea', 'iodate', 'otidae'], 'idryl': ['idryl', 'lyrid'], 'idyl': ['idly', 'idyl'], 'idyler': ['direly', 'idyler'], 'ierne': ['ernie', 'ierne', 'irene'], 'if': ['fi', 'if'], 'ife': ['fei', 'fie', 'ife'], 'igara': ['agria', 'igara'], 'igdyr': ['igdyr', 'ridgy'], 'igloo': ['igloo', 'logoi'], 'ignatius': ['giustina', 'ignatius'], 'igneoaqueous': ['aqueoigneous', 'igneoaqueous'], 'ignicolist': ['ignicolist', 'soliciting'], 'igniter': ['igniter', 'ringite', 'tigrine'], 'ignitor': ['ignitor', 'rioting'], 'ignoble': ['gobelin', 'gobline', 'ignoble', 'inglobe'], 'ignoramus': ['graminous', 'ignoramus'], 'ignorance': ['enorganic', 'ignorance'], 'ignorant': ['ignorant', 'tongrian'], 'ignore': ['ignore', 'region'], 'ignorement': ['ignorement', 'omnigerent'], 'iguana': ['guiana', 'iguana'], 'ihlat': ['ihlat', 'tahil'], 'ihram': ['hiram', 'ihram', 'mahri'], 'ijma': ['ijma', 'jami'], 'ikat': ['atik', 'ikat'], 'ikona': ['ikona', 'konia'], 'ikra': ['ikra', 'kari', 'raki'], 'ila': ['ail', 'ila', 'lai'], 'ileac': ['alice', 'celia', 'ileac'], 'ileon': ['enoil', 'ileon', 'olein'], 'iliac': ['cilia', 'iliac'], 'iliacus': ['acilius', 'iliacus'], 'ilian': ['ilian', 'inial'], 'ilicaceae': ['caeciliae', 'ilicaceae'], 'ilioischiac': ['ilioischiac', 'ischioiliac'], 'iliosacral': ['iliosacral', 'oscillaria'], 'ilk': ['ilk', 'kil'], 'ilka': ['ilka', 'kail', 'kali'], 'ilkane': ['alkine', 'ilkane', 'inlake', 'inleak'], 'illative': ['illative', 'veiltail'], 'illaudatory': ['illaudatory', 'laudatorily'], 'illeck': ['ellick', 'illeck'], 'illinois': ['illinois', 'illision'], 'illision': ['illinois', 'illision'], 'illium': ['illium', 'lilium'], 'illoricated': ['illoricated', 'lacertiloid'], 'illth': ['illth', 'thill'], 'illude': ['dillue', 'illude'], 'illuder': ['dilluer', 'illuder'], 'illy': ['illy', 'lily', 'yill'], 'ilmenite': ['ilmenite', 'melinite', 'menilite'], 'ilongot': ['ilongot', 'tooling'], 'ilot': ['ilot', 'toil'], 'ilya': ['ilya', 'yali'], 'ima': ['aim', 'ami', 'ima'], 'imager': ['imager', 'maigre', 'margie', 'mirage'], 'imaginant': ['animating', 'imaginant'], 'imaginer': ['imaginer', 'migraine'], 'imagist': ['imagist', 'stigmai'], 'imago': ['amigo', 'imago'], 'imam': ['ammi', 'imam', 'maim', 'mima'], 'imaret': ['imaret', 'metria', 'mirate', 'rimate'], 'imbarge': ['gambier', 'imbarge'], 'imbark': ['bikram', 'imbark'], 'imbat': ['ambit', 'imbat'], 'imbed': ['bedim', 'imbed'], 'imbrue': ['erbium', 'imbrue'], 'imbrute': ['burmite', 'imbrute', 'terbium'], 'imer': ['emir', 'imer', 'mire', 'reim', 'remi', 'riem', 'rime'], 'imerina': ['imerina', 'inermia'], 'imitancy': ['imitancy', 'intimacy', 'minacity'], 'immane': ['ammine', 'immane'], 'immanes': ['amenism', 'immanes', 'misname'], 'immaterials': ['immaterials', 'materialism'], 'immerd': ['dimmer', 'immerd', 'rimmed'], 'immersible': ['immersible', 'semilimber'], 'immersion': ['immersion', 'semiminor'], 'immi': ['immi', 'mimi'], 'imogen': ['geonim', 'imogen'], 'imolinda': ['dominial', 'imolinda', 'limoniad'], 'imp': ['imp', 'pim'], 'impaction': ['impaction', 'ptomainic'], 'impages': ['impages', 'mispage'], 'impaint': ['impaint', 'timpani'], 'impair': ['impair', 'pamiri'], 'impala': ['impala', 'malapi'], 'impaler': ['impaler', 'impearl', 'lempira', 'premial'], 'impalsy': ['impalsy', 'misplay'], 'impane': ['impane', 'pieman'], 'impanel': ['impanel', 'maniple'], 'impar': ['impar', 'pamir', 'prima'], 'imparalleled': ['demiparallel', 'imparalleled'], 'imparl': ['imparl', 'primal'], 'impart': ['armpit', 'impart'], 'imparter': ['imparter', 'reimpart'], 'impartial': ['impartial', 'primatial'], 'impaste': ['impaste', 'pastime'], 'impasture': ['impasture', 'septarium'], 'impeach': ['aphemic', 'impeach'], 'impearl': ['impaler', 'impearl', 'lempira', 'premial'], 'impeder': ['demirep', 'epiderm', 'impeder', 'remiped'], 'impedient': ['impedient', 'mendipite'], 'impenetrable': ['impenetrable', 'intemperable'], 'impenetrably': ['impenetrably', 'intemperably'], 'impenetrate': ['impenetrate', 'intemperate'], 'imperant': ['imperant', 'pairment', 'partimen', 'premiant', 'tripeman'], 'imperate': ['imperate', 'premiate'], 'imperish': ['emirship', 'imperish'], 'imperscriptible': ['imperscriptible', 'imprescriptible'], 'impersonate': ['impersonate', 'proseminate'], 'impersonation': ['impersonation', 'prosemination', 'semipronation'], 'impeticos': ['impeticos', 'poeticism'], 'impetre': ['emptier', 'impetre'], 'impetus': ['impetus', 'upsmite'], 'imphee': ['imphee', 'phemie'], 'implacental': ['capillament', 'implacental'], 'implanter': ['implanter', 'reimplant'], 'implate': ['implate', 'palmite'], 'impleader': ['epidermal', 'impleader', 'premedial'], 'implicate': ['ampelitic', 'implicate'], 'impling': ['impling', 'limping'], 'imply': ['imply', 'limpy', 'pilmy'], 'impollute': ['impollute', 'multipole'], 'imponderous': ['endosporium', 'imponderous'], 'imponent': ['imponent', 'pimenton'], 'importable': ['bitemporal', 'importable'], 'importancy': ['importancy', 'patronymic', 'pyromantic'], 'importer': ['importer', 'promerit', 'reimport'], 'importunance': ['importunance', 'unimportance'], 'importunate': ['importunate', 'permutation'], 'importune': ['entropium', 'importune'], 'imposal': ['imposal', 'spiloma'], 'imposer': ['imposer', 'promise', 'semipro'], 'imposter': ['imposter', 'tripsome'], 'imposure': ['imposure', 'premious'], 'imprecatory': ['cryptomeria', 'imprecatory'], 'impreg': ['gimper', 'impreg'], 'imprescriptible': ['imperscriptible', 'imprescriptible'], 'imprese': ['emprise', 'imprese', 'premise', 'spireme'], 'impress': ['impress', 'persism', 'premiss'], 'impresser': ['impresser', 'reimpress'], 'impressibility': ['impressibility', 'permissibility'], 'impressible': ['impressible', 'permissible'], 'impressibleness': ['impressibleness', 'permissibleness'], 'impressibly': ['impressibly', 'permissibly'], 'impression': ['impression', 'permission'], 'impressionism': ['impressionism', 'misimpression'], 'impressive': ['impressive', 'permissive'], 'impressively': ['impressively', 'permissively'], 'impressiveness': ['impressiveness', 'permissiveness'], 'impressure': ['impressure', 'presurmise'], 'imprinter': ['imprinter', 'reimprint'], 'imprisoner': ['imprisoner', 'reimprison'], 'improcreant': ['improcreant', 'preromantic'], 'impship': ['impship', 'pimpish'], 'impuberal': ['epilabrum', 'impuberal'], 'impugnable': ['impugnable', 'plumbagine'], 'impure': ['impure', 'umpire'], 'impuritan': ['impuritan', 'partinium'], 'imputer': ['imputer', 'trumpie'], 'imsonic': ['iconism', 'imsonic', 'miscoin'], 'in': ['in', 'ni'], 'inaction': ['aconitin', 'inaction', 'nicotian'], 'inactivate': ['inactivate', 'vaticinate'], 'inactivation': ['inactivation', 'vaticination'], 'inactive': ['antivice', 'inactive', 'vineatic'], 'inadept': ['depaint', 'inadept', 'painted', 'patined'], 'inaja': ['inaja', 'jaina'], 'inalimental': ['antimallein', 'inalimental'], 'inamorata': ['amatorian', 'inamorata'], 'inane': ['annie', 'inane'], 'inanga': ['angina', 'inanga'], 'inanimate': ['amanitine', 'inanimate'], 'inanimated': ['diamantine', 'inanimated'], 'inapt': ['inapt', 'paint', 'pinta'], 'inaptly': ['inaptly', 'planity', 'ptyalin'], 'inarch': ['chinar', 'inarch'], 'inarm': ['inarm', 'minar'], 'inasmuch': ['humanics', 'inasmuch'], 'inaurate': ['inaurate', 'ituraean'], 'inbe': ['beni', 'bien', 'bine', 'inbe'], 'inbreak': ['brankie', 'inbreak'], 'inbreathe': ['hibernate', 'inbreathe'], 'inbred': ['binder', 'inbred', 'rebind'], 'inbreed': ['birdeen', 'inbreed'], 'inca': ['cain', 'inca'], 'incaic': ['acinic', 'incaic'], 'incarnate': ['cratinean', 'incarnate', 'nectarian'], 'incase': ['casein', 'incase'], 'incast': ['incast', 'nastic'], 'incensation': ['incensation', 'inscenation'], 'incept': ['incept', 'pectin'], 'inceptor': ['inceptor', 'pretonic'], 'inceration': ['cineration', 'inceration'], 'incessant': ['anticness', 'cantiness', 'incessant'], 'incest': ['encist', 'incest', 'insect', 'scient'], 'inch': ['chin', 'inch'], 'inched': ['chined', 'inched'], 'inchoate': ['inchoate', 'noachite'], 'incide': ['cindie', 'incide'], 'incinerate': ['creatinine', 'incinerate'], 'incisal': ['incisal', 'salicin'], 'incision': ['incision', 'inosinic'], 'incisure': ['incisure', 'sciurine'], 'inciter': ['citrine', 'crinite', 'inciter', 'neritic'], 'inclinatorium': ['anticlinorium', 'inclinatorium'], 'inclosure': ['cornelius', 'inclosure', 'reclusion'], 'include': ['include', 'nuclide'], 'incluse': ['esculin', 'incluse'], 'incog': ['coign', 'incog'], 'incognito': ['cognition', 'incognito'], 'incoherence': ['coinherence', 'incoherence'], 'incoherent': ['coinherent', 'incoherent'], 'incomeless': ['comeliness', 'incomeless'], 'incomer': ['incomer', 'moneric'], 'incomputable': ['incomputable', 'uncompatible'], 'incondite': ['incondite', 'nicotined'], 'inconglomerate': ['inconglomerate', 'nongeometrical'], 'inconsistent': ['inconsistent', 'nonscientist'], 'inconsonant': ['inconsonant', 'nonsanction'], 'incontrovertibility': ['incontrovertibility', 'introconvertibility'], 'incontrovertible': ['incontrovertible', 'introconvertible'], 'incorporate': ['incorporate', 'procreation'], 'incorporated': ['adrenotropic', 'incorporated'], 'incorpse': ['conspire', 'incorpse'], 'incrash': ['archsin', 'incrash'], 'increase': ['cerasein', 'increase'], 'increate': ['aneretic', 'centiare', 'creatine', 'increate', 'iterance'], 'incredited': ['incredited', 'indirected'], 'increep': ['crepine', 'increep'], 'increpate': ['anticreep', 'apenteric', 'increpate'], 'increst': ['cistern', 'increst'], 'incruental': ['incruental', 'unicentral'], 'incrustant': ['incrustant', 'scrutinant'], 'incrustate': ['incrustate', 'scaturient', 'scrutinate'], 'incubate': ['cubanite', 'incubate'], 'incudal': ['dulcian', 'incudal', 'lucanid', 'lucinda'], 'incudomalleal': ['incudomalleal', 'malleoincudal'], 'inculcation': ['anticouncil', 'inculcation'], 'inculture': ['culturine', 'inculture'], 'incuneation': ['enunciation', 'incuneation'], 'incur': ['curin', 'incur', 'runic'], 'incurable': ['binuclear', 'incurable'], 'incus': ['incus', 'usnic'], 'incut': ['cutin', 'incut', 'tunic'], 'ind': ['din', 'ind', 'nid'], 'indaba': ['badian', 'indaba'], 'indagator': ['gradation', 'indagator', 'tanagroid'], 'indan': ['indan', 'nandi'], 'indane': ['aidenn', 'andine', 'dannie', 'indane'], 'inde': ['dine', 'enid', 'inde', 'nide'], 'indebt': ['bident', 'indebt'], 'indebted': ['bidented', 'indebted'], 'indefinitude': ['indefinitude', 'unidentified'], 'indent': ['dentin', 'indent', 'intend', 'tinned'], 'indented': ['indented', 'intended'], 'indentedly': ['indentedly', 'intendedly'], 'indenter': ['indenter', 'intender', 'reintend'], 'indentment': ['indentment', 'intendment'], 'indentured': ['indentured', 'underntide'], 'indentwise': ['disentwine', 'indentwise'], 'indeprivable': ['indeprivable', 'predivinable'], 'indesert': ['indesert', 'inserted', 'resident'], 'indiana': ['anidian', 'indiana'], 'indic': ['dinic', 'indic'], 'indican': ['cnidian', 'indican'], 'indicate': ['diacetin', 'indicate'], 'indicatory': ['dictionary', 'indicatory'], 'indicial': ['anilidic', 'indicial'], 'indicter': ['indicter', 'indirect', 'reindict'], 'indies': ['indies', 'inside'], 'indigena': ['gadinine', 'indigena'], 'indigitate': ['indigitate', 'tingitidae'], 'indign': ['dining', 'indign', 'niding'], 'indigoferous': ['gonidiferous', 'indigoferous'], 'indigotin': ['digitonin', 'indigotin'], 'indirect': ['indicter', 'indirect', 'reindict'], 'indirected': ['incredited', 'indirected'], 'indirectly': ['cylindrite', 'indirectly'], 'indiscreet': ['indiscreet', 'indiscrete', 'iridescent'], 'indiscreetly': ['indiscreetly', 'indiscretely', 'iridescently'], 'indiscrete': ['indiscreet', 'indiscrete', 'iridescent'], 'indiscretely': ['indiscreetly', 'indiscretely', 'iridescently'], 'indissolute': ['delusionist', 'indissolute'], 'indite': ['indite', 'tineid'], 'inditer': ['inditer', 'nitride'], 'indogaean': ['ganoidean', 'indogaean'], 'indole': ['doline', 'indole', 'leonid', 'loined', 'olenid'], 'indolence': ['endocline', 'indolence'], 'indoles': ['indoles', 'sondeli'], 'indologist': ['indologist', 'nidologist'], 'indology': ['indology', 'nidology'], 'indone': ['donnie', 'indone', 'ondine'], 'indoors': ['indoors', 'sordino'], 'indorse': ['indorse', 'ordines', 'siredon', 'sordine'], 'indra': ['darin', 'dinar', 'drain', 'indra', 'nadir', 'ranid'], 'indrawn': ['indrawn', 'winnard'], 'induce': ['induce', 'uniced'], 'inducer': ['inducer', 'uncried'], 'indulge': ['dueling', 'indulge'], 'indulgential': ['dentilingual', 'indulgential', 'linguidental'], 'indulger': ['indulger', 'ungirdle'], 'indument': ['indument', 'unminted'], 'indurable': ['indurable', 'unbrailed', 'unridable'], 'indurate': ['indurate', 'turdinae'], 'induration': ['diurnation', 'induration'], 'indus': ['dinus', 'indus', 'nidus'], 'indusiform': ['disuniform', 'indusiform'], 'induviae': ['induviae', 'viduinae'], 'induvial': ['diluvian', 'induvial'], 'inearth': ['anither', 'inearth', 'naither'], 'inelastic': ['elasticin', 'inelastic', 'sciential'], 'inelegant': ['eglantine', 'inelegant', 'legantine'], 'ineludible': ['ineludible', 'unelidible'], 'inept': ['inept', 'pinte'], 'inequity': ['equinity', 'inequity'], 'inerm': ['inerm', 'miner'], 'inermes': ['ermines', 'inermes'], 'inermia': ['imerina', 'inermia'], 'inermous': ['inermous', 'monsieur'], 'inert': ['inert', 'inter', 'niter', 'retin', 'trine'], 'inertance': ['inertance', 'nectarine'], 'inertial': ['inertial', 'linarite'], 'inertly': ['elytrin', 'inertly', 'trinely'], 'inethical': ['echinital', 'inethical'], 'ineunt': ['ineunt', 'untine'], 'inez': ['inez', 'zein'], 'inface': ['fiance', 'inface'], 'infame': ['famine', 'infame'], 'infamy': ['infamy', 'manify'], 'infarct': ['frantic', 'infarct', 'infract'], 'infarction': ['infarction', 'infraction'], 'infaust': ['faunist', 'fustian', 'infaust'], 'infecter': ['frenetic', 'infecter', 'reinfect'], 'infeed': ['define', 'infeed'], 'infelt': ['finlet', 'infelt'], 'infer': ['finer', 'infer'], 'inferable': ['inferable', 'refinable'], 'infern': ['finner', 'infern'], 'inferoanterior': ['anteroinferior', 'inferoanterior'], 'inferoposterior': ['inferoposterior', 'posteroinferior'], 'infestation': ['festination', 'infestation', 'sinfonietta'], 'infester': ['infester', 'reinfest'], 'infidel': ['infidel', 'infield'], 'infield': ['infidel', 'infield'], 'inflame': ['feminal', 'inflame'], 'inflamed': ['fieldman', 'inflamed'], 'inflamer': ['inflamer', 'rifleman'], 'inflatus': ['inflatus', 'stainful'], 'inflicter': ['inflicter', 'reinflict'], 'inform': ['formin', 'inform'], 'informal': ['formalin', 'informal', 'laniform'], 'informer': ['informer', 'reinform', 'reniform'], 'infra': ['infra', 'irfan'], 'infract': ['frantic', 'infarct', 'infract'], 'infraction': ['infarction', 'infraction'], 'infringe': ['infringe', 'refining'], 'ing': ['gin', 'ing', 'nig'], 'inga': ['gain', 'inga', 'naig', 'ngai'], 'ingaevones': ['avignonese', 'ingaevones'], 'ingate': ['eating', 'ingate', 'tangie'], 'ingather': ['hearting', 'ingather'], 'ingenue': ['genuine', 'ingenue'], 'ingenuous': ['ingenuous', 'unigenous'], 'inger': ['grein', 'inger', 'nigre', 'regin', 'reign', 'ringe'], 'ingest': ['ingest', 'signet', 'stinge'], 'ingesta': ['easting', 'gainset', 'genista', 'ingesta', 'seating', 'signate', 'teasing'], 'ingle': ['ingle', 'ligne', 'linge', 'nigel'], 'inglobe': ['gobelin', 'gobline', 'ignoble', 'inglobe'], 'ingomar': ['ingomar', 'moringa', 'roaming'], 'ingram': ['arming', 'ingram', 'margin'], 'ingrate': ['angrite', 'granite', 'ingrate', 'tangier', 'tearing', 'tigrean'], 'ingrow': ['ingrow', 'rowing'], 'ingrowth': ['ingrowth', 'throwing'], 'inguinal': ['inguinal', 'unailing'], 'inguinocrural': ['cruroinguinal', 'inguinocrural'], 'inhabiter': ['inhabiter', 'reinhabit'], 'inhaler': ['hernial', 'inhaler'], 'inhauler': ['herulian', 'inhauler'], 'inhaust': ['auntish', 'inhaust'], 'inhere': ['herein', 'inhere'], 'inhumer': ['inhumer', 'rhenium'], 'inial': ['ilian', 'inial'], 'ink': ['ink', 'kin'], 'inkle': ['inkle', 'liken'], 'inkless': ['inkless', 'kinless'], 'inkling': ['inkling', 'linking'], 'inknot': ['inknot', 'tonkin'], 'inkra': ['inkra', 'krina', 'nakir', 'rinka'], 'inks': ['inks', 'sink', 'skin'], 'inlaid': ['anilid', 'dialin', 'dianil', 'inlaid'], 'inlake': ['alkine', 'ilkane', 'inlake', 'inleak'], 'inlaut': ['inlaut', 'unital'], 'inlaw': ['inlaw', 'liwan'], 'inlay': ['inlay', 'naily'], 'inlayer': ['inlayer', 'nailery'], 'inleak': ['alkine', 'ilkane', 'inlake', 'inleak'], 'inlet': ['inlet', 'linet'], 'inlook': ['inlook', 'koilon'], 'inly': ['inly', 'liny'], 'inmate': ['etamin', 'inmate', 'taimen', 'tamein'], 'inmeats': ['atenism', 'inmeats', 'insteam', 'samnite'], 'inmost': ['inmost', 'monist', 'omnist'], 'innate': ['annite', 'innate', 'tinean'], 'innative': ['innative', 'invinate'], 'innatural': ['innatural', 'triannual'], 'inner': ['inner', 'renin'], 'innerve': ['innerve', 'nervine', 'vernine'], 'innest': ['innest', 'sennit', 'sinnet', 'tennis'], 'innet': ['innet', 'tinne'], 'innominata': ['antinomian', 'innominata'], 'innovate': ['innovate', 'venation'], 'innovationist': ['innovationist', 'nonvisitation'], 'ino': ['ino', 'ion'], 'inobtainable': ['inobtainable', 'nonbilabiate'], 'inocarpus': ['inocarpus', 'unprosaic'], 'inoculant': ['continual', 'inoculant', 'unctional'], 'inocystoma': ['actomyosin', 'inocystoma'], 'inodes': ['deinos', 'donsie', 'inodes', 'onside'], 'inogen': ['genion', 'inogen'], 'inoma': ['amino', 'inoma', 'naomi', 'omani', 'omina'], 'inomyxoma': ['inomyxoma', 'myxoinoma'], 'inone': ['inone', 'oenin'], 'inoperculata': ['inoperculata', 'precautional'], 'inorb': ['biron', 'inorb', 'robin'], 'inorganic': ['conringia', 'inorganic'], 'inorganical': ['carolingian', 'inorganical'], 'inornate': ['anointer', 'inornate', 'nonirate', 'reanoint'], 'inosic': ['inosic', 'sinico'], 'inosinic': ['incision', 'inosinic'], 'inosite': ['inosite', 'sionite'], 'inphase': ['inphase', 'phineas'], 'inpush': ['inpush', 'punish', 'unship'], 'input': ['input', 'punti'], 'inquiet': ['inquiet', 'quinite'], 'inreality': ['inreality', 'linearity'], 'inro': ['inro', 'iron', 'noir', 'nori'], 'inroad': ['dorian', 'inroad', 'ordain'], 'inroader': ['inroader', 'ordainer', 'reordain'], 'inrub': ['bruin', 'burin', 'inrub'], 'inrun': ['inrun', 'inurn'], 'insane': ['insane', 'sienna'], 'insatiably': ['insatiably', 'sanability'], 'inscenation': ['incensation', 'inscenation'], 'inscient': ['inscient', 'nicenist'], 'insculp': ['insculp', 'sculpin'], 'insea': ['anise', 'insea', 'siena', 'sinae'], 'inseam': ['asimen', 'inseam', 'mesian'], 'insect': ['encist', 'incest', 'insect', 'scient'], 'insectan': ['insectan', 'instance'], 'insectile': ['insectile', 'selenitic'], 'insectivora': ['insectivora', 'visceration'], 'insecure': ['insecure', 'sinecure'], 'insee': ['insee', 'seine'], 'inseer': ['inseer', 'nereis', 'seiner', 'serine', 'sirene'], 'insert': ['estrin', 'insert', 'sinter', 'sterin', 'triens'], 'inserted': ['indesert', 'inserted', 'resident'], 'inserter': ['inserter', 'reinsert'], 'insessor': ['insessor', 'rosiness'], 'inset': ['inset', 'neist', 'snite', 'stein', 'stine', 'tsine'], 'insetter': ['insetter', 'interest', 'interset', 'sternite'], 'inshave': ['evanish', 'inshave'], 'inshoot': ['inshoot', 'insooth'], 'inside': ['indies', 'inside'], 'insider': ['insider', 'siderin'], 'insistent': ['insistent', 'tintiness'], 'insister': ['insister', 'reinsist', 'sinister', 'sisterin'], 'insole': ['insole', 'leonis', 'lesion', 'selion'], 'insomnia': ['insomnia', 'simonian'], 'insomniac': ['aniconism', 'insomniac'], 'insooth': ['inshoot', 'insooth'], 'insorb': ['insorb', 'sorbin'], 'insoul': ['insoul', 'linous', 'nilous', 'unsoil'], 'inspection': ['cispontine', 'inspection'], 'inspiriter': ['inspiriter', 'reinspirit'], 'inspissate': ['antisepsis', 'inspissate'], 'inspreith': ['inspreith', 'nephritis', 'phrenitis'], 'installer': ['installer', 'reinstall'], 'instance': ['insectan', 'instance'], 'instanter': ['instanter', 'transient'], 'instar': ['instar', 'santir', 'strain'], 'instate': ['atenist', 'instate', 'satient', 'steatin'], 'instead': ['destain', 'instead', 'sainted', 'satined'], 'insteam': ['atenism', 'inmeats', 'insteam', 'samnite'], 'instep': ['instep', 'spinet'], 'instiller': ['instiller', 'reinstill'], 'instructer': ['instructer', 'intercrust', 'reinstruct'], 'instructional': ['instructional', 'nonaltruistic'], 'insula': ['insula', 'lanius', 'lusian'], 'insulant': ['insulant', 'sultanin'], 'insulse': ['insulse', 'silenus'], 'insult': ['insult', 'sunlit', 'unlist', 'unslit'], 'insulter': ['insulter', 'lustrine', 'reinsult'], 'insunk': ['insunk', 'unskin'], 'insurable': ['insurable', 'sublinear'], 'insurance': ['insurance', 'nuisancer'], 'insurant': ['insurant', 'unstrain'], 'insure': ['insure', 'rusine', 'ursine'], 'insurge': ['insurge', 'resuing'], 'insurgent': ['insurgent', 'unresting'], 'intactile': ['catlinite', 'intactile'], 'intaglio': ['intaglio', 'ligation'], 'intake': ['intake', 'kentia'], 'intaker': ['intaker', 'katrine', 'keratin'], 'intarsia': ['antiaris', 'intarsia'], 'intarsiate': ['intarsiate', 'nestiatria'], 'integral': ['integral', 'teraglin', 'triangle'], 'integralize': ['gelatinizer', 'integralize'], 'integrate': ['argentite', 'integrate'], 'integrative': ['integrative', 'vertiginate', 'vinaigrette'], 'integrious': ['grisounite', 'grisoutine', 'integrious'], 'intemperable': ['impenetrable', 'intemperable'], 'intemperably': ['impenetrably', 'intemperably'], 'intemperate': ['impenetrate', 'intemperate'], 'intemporal': ['intemporal', 'trampoline'], 'intend': ['dentin', 'indent', 'intend', 'tinned'], 'intended': ['indented', 'intended'], 'intendedly': ['indentedly', 'intendedly'], 'intender': ['indenter', 'intender', 'reintend'], 'intendment': ['indentment', 'intendment'], 'intense': ['intense', 'sennite'], 'intent': ['intent', 'tinnet'], 'intently': ['intently', 'nitently'], 'inter': ['inert', 'inter', 'niter', 'retin', 'trine'], 'interactional': ['interactional', 'intercalation'], 'interagent': ['entreating', 'interagent'], 'interally': ['interally', 'reliantly'], 'interastral': ['interastral', 'intertarsal'], 'intercalation': ['interactional', 'intercalation'], 'intercale': ['intercale', 'interlace', 'lacertine', 'reclinate'], 'intercede': ['intercede', 'tridecene'], 'interceder': ['crednerite', 'interceder'], 'intercession': ['intercession', 'recensionist'], 'intercome': ['entomeric', 'intercome', 'morencite'], 'interconal': ['interconal', 'nonrecital'], 'intercrust': ['instructer', 'intercrust', 'reinstruct'], 'interdome': ['interdome', 'mordenite', 'nemertoid'], 'intereat': ['intereat', 'tinetare'], 'interest': ['insetter', 'interest', 'interset', 'sternite'], 'interester': ['interester', 'reinterest'], 'interfering': ['interfering', 'interfinger'], 'interfinger': ['interfering', 'interfinger'], 'intergrade': ['gradienter', 'intergrade'], 'interim': ['interim', 'termini'], 'interimistic': ['interimistic', 'trimesitinic'], 'interlace': ['intercale', 'interlace', 'lacertine', 'reclinate'], 'interlaced': ['credential', 'interlaced', 'reclinated'], 'interlaid': ['deliriant', 'draintile', 'interlaid'], 'interlap': ['interlap', 'repliant', 'triplane'], 'interlapse': ['alpestrine', 'episternal', 'interlapse', 'presential'], 'interlay': ['interlay', 'lyterian'], 'interleaf': ['interleaf', 'reinflate'], 'interleaver': ['interleaver', 'reverential'], 'interlocal': ['citronella', 'interlocal'], 'interlope': ['interlope', 'interpole', 'repletion', 'terpineol'], 'interlot': ['interlot', 'trotline'], 'intermat': ['intermat', 'martinet', 'tetramin'], 'intermatch': ['intermatch', 'thermantic'], 'intermine': ['intermine', 'nemertini', 'terminine'], 'intermorainic': ['intermorainic', 'recrimination'], 'intermutual': ['intermutual', 'ultraminute'], 'intern': ['intern', 'tinner'], 'internality': ['internality', 'itinerantly'], 'internecive': ['internecive', 'reincentive'], 'internee': ['internee', 'retinene'], 'interoceptor': ['interoceptor', 'reprotection'], 'interpause': ['interpause', 'resupinate'], 'interpave': ['interpave', 'prenative'], 'interpeal': ['interpeal', 'interplea'], 'interpellate': ['interpellate', 'pantellerite'], 'interpellation': ['interpellation', 'interpollinate'], 'interphone': ['interphone', 'pinnothere'], 'interplay': ['interplay', 'painterly'], 'interplea': ['interpeal', 'interplea'], 'interplead': ['interplead', 'peridental'], 'interpolar': ['interpolar', 'reniportal'], 'interpolate': ['interpolate', 'triantelope'], 'interpole': ['interlope', 'interpole', 'repletion', 'terpineol'], 'interpollinate': ['interpellation', 'interpollinate'], 'interpone': ['interpone', 'peritenon', 'pinnotere', 'preintone'], 'interposal': ['interposal', 'psalterion'], 'interposure': ['interposure', 'neuropteris'], 'interpreter': ['interpreter', 'reinterpret'], 'interproduce': ['interproduce', 'prereduction'], 'interroom': ['interroom', 'remontoir'], 'interrupter': ['interrupter', 'reinterrupt'], 'intersale': ['intersale', 'larsenite'], 'intersectional': ['intersectional', 'intraselection'], 'interset': ['insetter', 'interest', 'interset', 'sternite'], 'intershade': ['dishearten', 'intershade'], 'intersituate': ['intersituate', 'tenuistriate'], 'intersocial': ['intersocial', 'orleanistic', 'sclerotinia'], 'interspace': ['esperantic', 'interspace'], 'interspecific': ['interspecific', 'prescientific'], 'interspiration': ['interspiration', 'repristination'], 'intersporal': ['intersporal', 'tripersonal'], 'interstation': ['interstation', 'strontianite'], 'intertalk': ['intertalk', 'latterkin'], 'intertarsal': ['interastral', 'intertarsal'], 'interteam': ['antimeter', 'attermine', 'interteam', 'terminate', 'tetramine'], 'intertie': ['intertie', 'retinite'], 'intertone': ['intertone', 'retention'], 'intervascular': ['intervascular', 'vernacularist'], 'intervention': ['intervention', 'introvenient'], 'interverbal': ['interverbal', 'invertebral'], 'interviewer': ['interviewer', 'reinterview'], 'interwed': ['interwed', 'wintered'], 'interwish': ['interwish', 'winterish'], 'interwork': ['interwork', 'tinworker'], 'interwove': ['interwove', 'overtwine'], 'intestate': ['enstatite', 'intestate', 'satinette'], 'intestinovesical': ['intestinovesical', 'vesicointestinal'], 'inthrong': ['inthrong', 'northing'], 'intima': ['intima', 'timani'], 'intimacy': ['imitancy', 'intimacy', 'minacity'], 'intimater': ['intimater', 'traintime'], 'into': ['into', 'nito', 'oint', 'tino'], 'intoed': ['ditone', 'intoed'], 'intolerance': ['crenelation', 'intolerance'], 'intolerating': ['intolerating', 'nitrogelatin'], 'intonate': ['intonate', 'totanine'], 'intonator': ['intonator', 'tortonian'], 'intone': ['intone', 'tenino'], 'intonement': ['intonement', 'omnitenent'], 'intoner': ['intoner', 'ternion'], 'intort': ['intort', 'tornit', 'triton'], 'intoxicate': ['excitation', 'intoxicate'], 'intracoelomic': ['iconometrical', 'intracoelomic'], 'intracosmic': ['intracosmic', 'narcoticism'], 'intracostal': ['intracostal', 'stratonical'], 'intractile': ['intractile', 'triclinate'], 'intrada': ['intrada', 'radiant'], 'intraselection': ['intersectional', 'intraselection'], 'intraseptal': ['intraseptal', 'paternalist', 'prenatalist'], 'intraspinal': ['intraspinal', 'pinnitarsal'], 'intreat': ['intreat', 'iterant', 'nitrate', 'tertian'], 'intrencher': ['intrencher', 'reintrench'], 'intricate': ['intricate', 'triactine'], 'intrication': ['citrination', 'intrication'], 'intrigue': ['intrigue', 'tigurine'], 'introconvertibility': ['incontrovertibility', 'introconvertibility'], 'introconvertible': ['incontrovertible', 'introconvertible'], 'introduce': ['introduce', 'reduction'], 'introit': ['introit', 'nitriot'], 'introitus': ['introitus', 'routinist'], 'introvenient': ['intervention', 'introvenient'], 'intrude': ['intrude', 'turdine', 'untired', 'untried'], 'intruse': ['intruse', 'sturine'], 'intrust': ['intrust', 'sturtin'], 'intube': ['butein', 'butine', 'intube'], 'intue': ['intue', 'unite', 'untie'], 'inula': ['inula', 'luian', 'uinal'], 'inurbane': ['eburnian', 'inurbane'], 'inure': ['inure', 'urine'], 'inured': ['diurne', 'inured', 'ruined', 'unride'], 'inurn': ['inrun', 'inurn'], 'inustion': ['inustion', 'unionist'], 'invader': ['invader', 'ravined', 'viander'], 'invaluable': ['invaluable', 'unvailable'], 'invar': ['invar', 'ravin', 'vanir'], 'invector': ['contrive', 'invector'], 'inveigler': ['inveigler', 'relieving'], 'inventer': ['inventer', 'reinvent', 'ventrine', 'vintener'], 'inventress': ['inventress', 'vintneress'], 'inverness': ['inverness', 'nerviness'], 'inversatile': ['inversatile', 'serviential'], 'inverse': ['inverse', 'versine'], 'invert': ['invert', 'virent'], 'invertase': ['invertase', 'servetian'], 'invertebral': ['interverbal', 'invertebral'], 'inverter': ['inverter', 'reinvert', 'trinerve'], 'investigation': ['investigation', 'tenovaginitis'], 'invinate': ['innative', 'invinate'], 'inviter': ['inviter', 'vitrine'], 'invocate': ['conative', 'invocate'], 'invoker': ['invoker', 'overink'], 'involucrate': ['countervail', 'involucrate'], 'involucre': ['involucre', 'volucrine'], 'inwards': ['inwards', 'sinward'], 'inwith': ['inwith', 'within'], 'iodate': ['idotea', 'iodate', 'otidae'], 'iodhydrate': ['hydriodate', 'iodhydrate'], 'iodhydric': ['hydriodic', 'iodhydric'], 'iodinate': ['ideation', 'iodinate', 'taenioid'], 'iodinium': ['iodinium', 'ionidium'], 'iodism': ['idoism', 'iodism'], 'iodite': ['iodite', 'teioid'], 'iodo': ['iodo', 'ooid'], 'iodocasein': ['iodocasein', 'oniscoidea'], 'iodochloride': ['chloroiodide', 'iodochloride'], 'iodohydric': ['hydroiodic', 'iodohydric'], 'iodol': ['dooli', 'iodol'], 'iodothyrin': ['iodothyrin', 'thyroiodin'], 'iodous': ['iodous', 'odious'], 'ion': ['ino', 'ion'], 'ionidium': ['iodinium', 'ionidium'], 'ionizer': ['ionizer', 'ironize'], 'iota': ['iota', 'tiao'], 'iotacist': ['iotacist', 'taoistic'], 'ipecac': ['icecap', 'ipecac'], 'ipil': ['ipil', 'pili'], 'ipseand': ['ipseand', 'panside', 'pansied'], 'ira': ['air', 'ira', 'ria'], 'iracund': ['candiru', 'iracund'], 'irade': ['aider', 'deair', 'irade', 'redia'], 'iran': ['arni', 'iran', 'nair', 'rain', 'rani'], 'irani': ['irani', 'irian'], 'iranism': ['iranism', 'sirmian'], 'iranist': ['iranist', 'istrian'], 'irascent': ['canister', 'cestrian', 'cisterna', 'irascent'], 'irate': ['arite', 'artie', 'irate', 'retia', 'tarie'], 'irately': ['irately', 'reality'], 'ire': ['ire', 'rie'], 'irena': ['erian', 'irena', 'reina'], 'irene': ['ernie', 'ierne', 'irene'], 'irenic': ['irenic', 'ricine'], 'irenics': ['irenics', 'resinic', 'sericin', 'sirenic'], 'irenicum': ['irenicum', 'muricine'], 'iresine': ['iresine', 'iserine'], 'irfan': ['infra', 'irfan'], 'irgun': ['irgun', 'ruing', 'unrig'], 'irian': ['irani', 'irian'], 'iridal': ['iridal', 'lariid'], 'iridate': ['arietid', 'iridate'], 'iridectomy': ['iridectomy', 'mediocrity'], 'irides': ['irides', 'irised'], 'iridescent': ['indiscreet', 'indiscrete', 'iridescent'], 'iridescently': ['indiscreetly', 'indiscretely', 'iridescently'], 'iridosmium': ['iridosmium', 'osmiridium'], 'irised': ['irides', 'irised'], 'irish': ['irish', 'rishi', 'sirih'], 'irk': ['irk', 'rik'], 'irma': ['amir', 'irma', 'mari', 'mira', 'rami', 'rima'], 'iroha': ['haori', 'iroha'], 'irok': ['irok', 'kori'], 'iron': ['inro', 'iron', 'noir', 'nori'], 'ironclad': ['ironclad', 'rolandic'], 'irone': ['irone', 'norie'], 'ironhead': ['herodian', 'ironhead'], 'ironice': ['ironice', 'oneiric'], 'ironize': ['ionizer', 'ironize'], 'ironshod': ['dishonor', 'ironshod'], 'ironside': ['derision', 'ironside', 'resinoid', 'sirenoid'], 'irradiant': ['irradiant', 'triandria'], 'irrationable': ['irrationable', 'orbitelarian'], 'irredenta': ['irredenta', 'retainder'], 'irrelate': ['irrelate', 'retailer'], 'irrepentance': ['irrepentance', 'pretercanine'], 'irving': ['irving', 'riving', 'virgin'], 'irvingiana': ['irvingiana', 'viraginian'], 'is': ['is', 'si'], 'isabel': ['isabel', 'lesbia'], 'isabella': ['isabella', 'sailable'], 'isagogical': ['isagogical', 'sialagogic'], 'isagon': ['gosain', 'isagon', 'sagoin'], 'isander': ['andries', 'isander', 'sardine'], 'isanthous': ['anhistous', 'isanthous'], 'isatate': ['isatate', 'satiate', 'taetsia'], 'isatic': ['isatic', 'saitic'], 'isatin': ['antisi', 'isatin'], 'isatinic': ['isatinic', 'sinaitic'], 'isaurian': ['anisuria', 'isaurian'], 'isawa': ['isawa', 'waasi'], 'isba': ['absi', 'bais', 'bias', 'isba'], 'iscariot': ['aoristic', 'iscariot'], 'ischemia': ['hemiasci', 'ischemia'], 'ischioiliac': ['ilioischiac', 'ischioiliac'], 'ischiorectal': ['ischiorectal', 'sciotherical'], 'iserine': ['iresine', 'iserine'], 'iseum': ['iseum', 'musie'], 'isiac': ['ascii', 'isiac'], 'isidore': ['isidore', 'osiride'], 'isis': ['isis', 'sisi'], 'islam': ['islam', 'ismal', 'simal'], 'islamic': ['islamic', 'laicism', 'silicam'], 'islamitic': ['islamitic', 'italicism'], 'islandy': ['islandy', 'lindsay'], 'islay': ['islay', 'saily'], 'isle': ['isle', 'lise', 'sile'], 'islet': ['islet', 'istle', 'slite', 'stile'], 'isleta': ['isleta', 'litsea', 'salite', 'stelai'], 'isleted': ['idleset', 'isleted'], 'ism': ['ism', 'sim'], 'ismal': ['islam', 'ismal', 'simal'], 'ismatic': ['ismatic', 'itacism'], 'ismatical': ['ismatical', 'lamaistic'], 'isocamphor': ['chromopsia', 'isocamphor'], 'isoclinal': ['collinsia', 'isoclinal'], 'isocline': ['isocline', 'silicone'], 'isocoumarin': ['acrimonious', 'isocoumarin'], 'isodulcite': ['isodulcite', 'solicitude'], 'isogen': ['geison', 'isogen'], 'isogeotherm': ['geoisotherm', 'isogeotherm'], 'isogon': ['isogon', 'songoi'], 'isogram': ['isogram', 'orgiasm'], 'isohel': ['helios', 'isohel'], 'isoheptane': ['apothesine', 'isoheptane'], 'isolate': ['aeolist', 'isolate'], 'isolated': ['diastole', 'isolated', 'sodalite', 'solidate'], 'isolative': ['isolative', 'soliative'], 'isolde': ['isolde', 'soiled'], 'isomer': ['isomer', 'rimose'], 'isometric': ['eroticism', 'isometric', 'meroistic', 'trioecism'], 'isomorph': ['isomorph', 'moorship'], 'isonitrile': ['isonitrile', 'resilition'], 'isonym': ['isonym', 'myosin', 'simony'], 'isophthalyl': ['isophthalyl', 'lithophysal'], 'isopodan': ['anisopod', 'isopodan'], 'isoptera': ['isoptera', 'septoria'], 'isosaccharic': ['isosaccharic', 'sacroischiac'], 'isostere': ['erotesis', 'isostere'], 'isotac': ['isotac', 'scotia'], 'isotheral': ['horsetail', 'isotheral'], 'isotherm': ['homerist', 'isotherm', 'otherism', 'theorism'], 'isotria': ['isotria', 'oaritis'], 'isotron': ['isotron', 'torsion'], 'isotrope': ['isotrope', 'portoise'], 'isotropism': ['isotropism', 'promitosis'], 'isotropy': ['isotropy', 'porosity'], 'israel': ['israel', 'relais', 'resail', 'sailer', 'serail', 'serial'], 'israeli': ['alisier', 'israeli'], 'israelite': ['israelite', 'resiliate'], 'issuable': ['basileus', 'issuable', 'suasible'], 'issuant': ['issuant', 'sustain'], 'issue': ['issue', 'susie'], 'issuer': ['issuer', 'uresis'], 'ist': ['ist', 'its', 'sit'], 'isthmi': ['isthmi', 'timish'], 'isthmian': ['isthmian', 'smithian'], 'isthmoid': ['isthmoid', 'thomisid'], 'istle': ['islet', 'istle', 'slite', 'stile'], 'istrian': ['iranist', 'istrian'], 'isuret': ['isuret', 'resuit'], 'it': ['it', 'ti'], 'ita': ['ait', 'ati', 'ita', 'tai'], 'itacism': ['ismatic', 'itacism'], 'itaconate': ['acetation', 'itaconate'], 'itaconic': ['aconitic', 'cationic', 'itaconic'], 'itali': ['itali', 'tilia'], 'italian': ['antilia', 'italian'], 'italic': ['clitia', 'italic'], 'italicism': ['islamitic', 'italicism'], 'italite': ['italite', 'letitia', 'tilaite'], 'italon': ['italon', 'lation', 'talion'], 'itaves': ['itaves', 'stevia'], 'itch': ['chit', 'itch', 'tchi'], 'item': ['emit', 'item', 'mite', 'time'], 'iten': ['iten', 'neti', 'tien', 'tine'], 'itenean': ['aniente', 'itenean'], 'iter': ['iter', 'reit', 'rite', 'teri', 'tier', 'tire'], 'iterable': ['iterable', 'liberate'], 'iterance': ['aneretic', 'centiare', 'creatine', 'increate', 'iterance'], 'iterant': ['intreat', 'iterant', 'nitrate', 'tertian'], 'ithaca': ['cahita', 'ithaca'], 'ithacan': ['ithacan', 'tachina'], 'ither': ['ither', 'their'], 'itinerant': ['itinerant', 'nitratine'], 'itinerantly': ['internality', 'itinerantly'], 'itmo': ['itmo', 'moit', 'omit', 'timo'], 'ito': ['ito', 'toi'], 'itoism': ['itoism', 'omitis'], 'itoist': ['itoist', 'otitis'], 'itoland': ['itoland', 'talonid', 'tindalo'], 'itonama': ['amniota', 'itonama'], 'itonia': ['aition', 'itonia'], 'its': ['ist', 'its', 'sit'], 'itself': ['itself', 'stifle'], 'ituraean': ['inaurate', 'ituraean'], 'itza': ['itza', 'tiza', 'zati'], 'iva': ['iva', 'vai', 'via'], 'ivan': ['ivan', 'vain', 'vina'], 'ivorist': ['ivorist', 'visitor'], 'iwaiwa': ['iwaiwa', 'waiwai'], 'ixiama': ['amixia', 'ixiama'], 'ixodic': ['ixodic', 'oxidic'], 'iyo': ['iyo', 'yoi'], 'izar': ['izar', 'zira'], 'jacami': ['jacami', 'jicama'], 'jacobian': ['bajocian', 'jacobian'], 'jag': ['gaj', 'jag'], 'jagir': ['jagir', 'jirga'], 'jagua': ['ajuga', 'jagua'], 'jail': ['jail', 'lija'], 'jailer': ['jailer', 'rejail'], 'jaime': ['jaime', 'jamie'], 'jain': ['jain', 'jina'], 'jaina': ['inaja', 'jaina'], 'jalouse': ['jalouse', 'jealous'], 'jama': ['jama', 'maja'], 'jamesian': ['jamesian', 'jamesina'], 'jamesina': ['jamesian', 'jamesina'], 'jami': ['ijma', 'jami'], 'jamie': ['jaime', 'jamie'], 'jane': ['jane', 'jean'], 'janos': ['janos', 'jason', 'jonas', 'sonja'], 'jantu': ['jantu', 'jaunt', 'junta'], 'januslike': ['januslike', 'seljukian'], 'japonism': ['japonism', 'pajonism'], 'jar': ['jar', 'raj'], 'jara': ['ajar', 'jara', 'raja'], 'jarmo': ['jarmo', 'major'], 'jarnut': ['jarnut', 'jurant'], 'jason': ['janos', 'jason', 'jonas', 'sonja'], 'jat': ['jat', 'taj'], 'jatki': ['jatki', 'tajik'], 'jato': ['jato', 'jota'], 'jaun': ['jaun', 'juan'], 'jaunt': ['jantu', 'jaunt', 'junta'], 'jaup': ['jaup', 'puja'], 'jealous': ['jalouse', 'jealous'], 'jean': ['jane', 'jean'], 'jebusitical': ['jebusitical', 'justiciable'], 'jecoral': ['cajoler', 'jecoral'], 'jeffery': ['jeffery', 'jeffrey'], 'jeffrey': ['jeffery', 'jeffrey'], 'jejunoduodenal': ['duodenojejunal', 'jejunoduodenal'], 'jenine': ['jenine', 'jennie'], 'jennie': ['jenine', 'jennie'], 'jerker': ['jerker', 'rejerk'], 'jerkin': ['jerkin', 'jinker'], 'jeziah': ['hejazi', 'jeziah'], 'jicama': ['jacami', 'jicama'], 'jihad': ['hadji', 'jihad'], 'jina': ['jain', 'jina'], 'jingoist': ['jingoist', 'joisting'], 'jinker': ['jerkin', 'jinker'], 'jirga': ['jagir', 'jirga'], 'jobo': ['bojo', 'jobo'], 'johan': ['johan', 'jonah'], 'join': ['join', 'joni'], 'joinant': ['joinant', 'jotnian'], 'joiner': ['joiner', 'rejoin'], 'jointless': ['jointless', 'joltiness'], 'joisting': ['jingoist', 'joisting'], 'jolter': ['jolter', 'rejolt'], 'joltiness': ['jointless', 'joltiness'], 'jonah': ['johan', 'jonah'], 'jonas': ['janos', 'jason', 'jonas', 'sonja'], 'joni': ['join', 'joni'], 'joom': ['joom', 'mojo'], 'joshi': ['joshi', 'shoji'], 'jota': ['jato', 'jota'], 'jotnian': ['joinant', 'jotnian'], 'journeyer': ['journeyer', 'rejourney'], 'joust': ['joust', 'justo'], 'juan': ['jaun', 'juan'], 'judaic': ['judaic', 'judica'], 'judica': ['judaic', 'judica'], 'jujitsu': ['jujitsu', 'jujuist'], 'jujuist': ['jujitsu', 'jujuist'], 'junta': ['jantu', 'jaunt', 'junta'], 'jurant': ['jarnut', 'jurant'], 'justiciable': ['jebusitical', 'justiciable'], 'justo': ['joust', 'justo'], 'jute': ['jute', 'teju'], 'ka': ['ak', 'ka'], 'kabel': ['blake', 'bleak', 'kabel'], 'kaberu': ['kaberu', 'kubera'], 'kabuli': ['kabuli', 'kiluba'], 'kabyle': ['bleaky', 'kabyle'], 'kachari': ['chakari', 'chikara', 'kachari'], 'kachin': ['hackin', 'kachin'], 'kafir': ['fakir', 'fraik', 'kafir', 'rafik'], 'kaha': ['akha', 'kaha'], 'kahar': ['harka', 'kahar'], 'kahu': ['haku', 'kahu'], 'kaid': ['dika', 'kaid'], 'kaik': ['kaik', 'kaki'], 'kail': ['ilka', 'kail', 'kali'], 'kainga': ['kainga', 'kanagi'], 'kaiwi': ['kaiwi', 'kiwai'], 'kaka': ['akka', 'kaka'], 'kaki': ['kaik', 'kaki'], 'kala': ['akal', 'kala'], 'kalamian': ['kalamian', 'malikana'], 'kaldani': ['danakil', 'dankali', 'kaldani', 'ladakin'], 'kale': ['kale', 'lake', 'leak'], 'kali': ['ilka', 'kail', 'kali'], 'kalo': ['kalo', 'kola', 'loka'], 'kamansi': ['kamansi', 'kamasin'], 'kamares': ['kamares', 'seamark'], 'kamasin': ['kamansi', 'kamasin'], 'kame': ['kame', 'make', 'meak'], 'kamel': ['kamel', 'kemal'], 'kamiya': ['kamiya', 'yakima'], 'kan': ['kan', 'nak'], 'kana': ['akan', 'kana'], 'kanagi': ['kainga', 'kanagi'], 'kanap': ['kanap', 'panak'], 'kanat': ['kanat', 'tanak', 'tanka'], 'kande': ['kande', 'knead', 'naked'], 'kang': ['kang', 'knag'], 'kanga': ['angka', 'kanga'], 'kangani': ['kangani', 'kiangan'], 'kangli': ['kangli', 'laking'], 'kanred': ['darken', 'kanred', 'ranked'], 'kans': ['kans', 'sank'], 'kaolin': ['ankoli', 'kaolin'], 'karch': ['chark', 'karch'], 'karel': ['karel', 'laker'], 'karen': ['anker', 'karen', 'naker'], 'kari': ['ikra', 'kari', 'raki'], 'karite': ['arkite', 'karite'], 'karl': ['karl', 'kral', 'lark'], 'karling': ['karling', 'larking'], 'karma': ['karma', 'krama', 'marka'], 'karo': ['karo', 'kora', 'okra', 'roka'], 'karree': ['karree', 'rerake'], 'karst': ['karst', 'skart', 'stark'], 'karstenite': ['karstenite', 'kersantite'], 'kartel': ['kartel', 'retalk', 'talker'], 'kasa': ['asak', 'kasa', 'saka'], 'kasbah': ['abkhas', 'kasbah'], 'kasha': ['kasha', 'khasa', 'sakha', 'shaka'], 'kashan': ['kashan', 'sankha'], 'kasher': ['kasher', 'shaker'], 'kashi': ['kashi', 'khasi'], 'kasm': ['kasm', 'mask'], 'katar': ['katar', 'takar'], 'kate': ['kate', 'keta', 'take', 'teak'], 'kath': ['kath', 'khat'], 'katharsis': ['katharsis', 'shastraik'], 'katie': ['katie', 'keita'], 'katik': ['katik', 'tikka'], 'katrine': ['intaker', 'katrine', 'keratin'], 'katy': ['katy', 'kyat', 'taky'], 'kavass': ['kavass', 'vakass'], 'kavi': ['kavi', 'kiva'], 'kay': ['kay', 'yak'], 'kayak': ['kayak', 'yakka'], 'kayan': ['kayan', 'yakan'], 'kayo': ['kayo', 'oaky'], 'kea': ['ake', 'kea'], 'keach': ['cheka', 'keach'], 'keawe': ['aweek', 'keawe'], 'kechel': ['heckle', 'kechel'], 'kedar': ['daker', 'drake', 'kedar', 'radek'], 'kee': ['eke', 'kee'], 'keech': ['cheek', 'cheke', 'keech'], 'keel': ['keel', 'kele', 'leek'], 'keen': ['keen', 'knee'], 'keena': ['aknee', 'ankee', 'keena'], 'keep': ['keep', 'peek'], 'keepership': ['keepership', 'shipkeeper'], 'kees': ['kees', 'seek', 'skee'], 'keest': ['keest', 'skeet', 'skete', 'steek'], 'kefir': ['frike', 'kefir'], 'keid': ['dike', 'keid'], 'keita': ['katie', 'keita'], 'keith': ['keith', 'kithe'], 'keitloa': ['keitloa', 'oatlike'], 'kelchin': ['chinkle', 'kelchin'], 'kele': ['keel', 'kele', 'leek'], 'kelima': ['kelima', 'mikael'], 'kelpie': ['kelpie', 'pelike'], 'kelty': ['kelty', 'ketyl'], 'kemal': ['kamel', 'kemal'], 'kemalist': ['kemalist', 'mastlike'], 'kenareh': ['hearken', 'kenareh'], 'kennel': ['kennel', 'nelken'], 'kenotic': ['kenotic', 'ketonic'], 'kent': ['kent', 'knet'], 'kentia': ['intake', 'kentia'], 'kenton': ['kenton', 'nekton'], 'kepi': ['kepi', 'kipe', 'pike'], 'keralite': ['keralite', 'tearlike'], 'kerasin': ['kerasin', 'sarkine'], 'kerat': ['kerat', 'taker'], 'keratin': ['intaker', 'katrine', 'keratin'], 'keratoangioma': ['angiokeratoma', 'keratoangioma'], 'keratosis': ['asterikos', 'keratosis'], 'keres': ['esker', 'keres', 'reesk', 'seker', 'skeer', 'skere'], 'keresan': ['keresan', 'sneaker'], 'kerewa': ['kerewa', 'rewake'], 'kerf': ['ferk', 'kerf'], 'kern': ['kern', 'renk'], 'kersantite': ['karstenite', 'kersantite'], 'kersey': ['kersey', 'skeery'], 'kestrel': ['kestrel', 'skelter'], 'keta': ['kate', 'keta', 'take', 'teak'], 'ketene': ['ektene', 'ketene'], 'keto': ['keto', 'oket', 'toke'], 'ketol': ['ketol', 'loket'], 'ketonic': ['kenotic', 'ketonic'], 'ketu': ['ketu', 'teuk', 'tuke'], 'ketupa': ['ketupa', 'uptake'], 'ketyl': ['kelty', 'ketyl'], 'keup': ['keup', 'puke'], 'keuper': ['keuper', 'peruke'], 'kevan': ['kevan', 'knave'], 'kha': ['hak', 'kha'], 'khami': ['hakim', 'khami'], 'khan': ['ankh', 'hank', 'khan'], 'khar': ['hark', 'khar', 'rakh'], 'khasa': ['kasha', 'khasa', 'sakha', 'shaka'], 'khasi': ['kashi', 'khasi'], 'khat': ['kath', 'khat'], 'khatib': ['bhakti', 'khatib'], 'khila': ['khila', 'kilah'], 'khu': ['huk', 'khu'], 'khula': ['khula', 'kulah'], 'kiangan': ['kangani', 'kiangan'], 'kibe': ['bike', 'kibe'], 'kicker': ['kicker', 'rekick'], 'kickout': ['kickout', 'outkick'], 'kidney': ['dinkey', 'kidney'], 'kids': ['disk', 'kids', 'skid'], 'kiel': ['kiel', 'like'], 'kier': ['erik', 'kier', 'reki'], 'kiku': ['kiku', 'kuki'], 'kikumon': ['kikumon', 'kokumin'], 'kil': ['ilk', 'kil'], 'kilah': ['khila', 'kilah'], 'kiliare': ['airlike', 'kiliare'], 'killcalf': ['calfkill', 'killcalf'], 'killer': ['killer', 'rekill'], 'kiln': ['kiln', 'link'], 'kilnman': ['kilnman', 'linkman'], 'kilo': ['kilo', 'koil', 'koli'], 'kilp': ['kilp', 'klip'], 'kilter': ['kilter', 'kirtle'], 'kilting': ['kilting', 'kitling'], 'kiluba': ['kabuli', 'kiluba'], 'kimberlite': ['kimberlite', 'timberlike'], 'kimnel': ['kimnel', 'milken'], 'kin': ['ink', 'kin'], 'kina': ['akin', 'kina', 'naik'], 'kinase': ['kinase', 'sekani'], 'kinch': ['chink', 'kinch'], 'kind': ['dink', 'kind'], 'kindle': ['kindle', 'linked'], 'kinetomer': ['kinetomer', 'konimeter'], 'king': ['gink', 'king'], 'kingcob': ['bocking', 'kingcob'], 'kingpin': ['kingpin', 'pinking'], 'kingrow': ['kingrow', 'working'], 'kinless': ['inkless', 'kinless'], 'kinship': ['kinship', 'pinkish'], 'kioko': ['kioko', 'kokio'], 'kip': ['kip', 'pik'], 'kipe': ['kepi', 'kipe', 'pike'], 'kirk': ['kirk', 'rikk'], 'kirktown': ['kirktown', 'knitwork'], 'kirn': ['kirn', 'rink'], 'kirsten': ['kirsten', 'kristen', 'stinker'], 'kirsty': ['kirsty', 'skirty'], 'kirtle': ['kilter', 'kirtle'], 'kirve': ['kirve', 'kiver'], 'kish': ['kish', 'shik', 'sikh'], 'kishen': ['kishen', 'neskhi'], 'kisra': ['kisra', 'sikar', 'skair'], 'kissar': ['kissar', 'krasis'], 'kisser': ['kisser', 'rekiss'], 'kist': ['kist', 'skit'], 'kistful': ['kistful', 'lutfisk'], 'kitab': ['batik', 'kitab'], 'kitan': ['kitan', 'takin'], 'kitar': ['kitar', 'krait', 'rakit', 'traik'], 'kitchen': ['kitchen', 'thicken'], 'kitchener': ['kitchener', 'rethicken', 'thickener'], 'kithe': ['keith', 'kithe'], 'kitling': ['kilting', 'kitling'], 'kitlope': ['kitlope', 'potlike', 'toplike'], 'kittel': ['kittel', 'kittle'], 'kittle': ['kittel', 'kittle'], 'kittles': ['kittles', 'skittle'], 'kiva': ['kavi', 'kiva'], 'kiver': ['kirve', 'kiver'], 'kiwai': ['kaiwi', 'kiwai'], 'klan': ['klan', 'lank'], 'klanism': ['klanism', 'silkman'], 'klaus': ['klaus', 'lukas', 'sulka'], 'kleistian': ['kleistian', 'saintlike', 'satinlike'], 'klendusic': ['klendusic', 'unsickled'], 'kling': ['glink', 'kling'], 'klip': ['kilp', 'klip'], 'klop': ['klop', 'polk'], 'knab': ['bank', 'knab', 'nabk'], 'knag': ['kang', 'knag'], 'knap': ['knap', 'pank'], 'knape': ['knape', 'pekan'], 'knar': ['knar', 'kran', 'nark', 'rank'], 'knave': ['kevan', 'knave'], 'knawel': ['knawel', 'wankle'], 'knead': ['kande', 'knead', 'naked'], 'knee': ['keen', 'knee'], 'knet': ['kent', 'knet'], 'knit': ['knit', 'tink'], 'knitter': ['knitter', 'trinket'], 'knitwork': ['kirktown', 'knitwork'], 'knob': ['bonk', 'knob'], 'knot': ['knot', 'tonk'], 'knottiness': ['knottiness', 'stinkstone'], 'knower': ['knower', 'reknow', 'wroken'], 'knub': ['bunk', 'knub'], 'knurly': ['knurly', 'runkly'], 'knut': ['knut', 'tunk'], 'knute': ['knute', 'unket'], 'ko': ['ko', 'ok'], 'koa': ['ako', 'koa', 'oak', 'oka'], 'koali': ['koali', 'koila'], 'kobu': ['bouk', 'kobu'], 'koch': ['hock', 'koch'], 'kochia': ['choiak', 'kochia'], 'koel': ['koel', 'loke'], 'koi': ['koi', 'oki'], 'koil': ['kilo', 'koil', 'koli'], 'koila': ['koali', 'koila'], 'koilon': ['inlook', 'koilon'], 'kokan': ['kokan', 'konak'], 'kokio': ['kioko', 'kokio'], 'kokumin': ['kikumon', 'kokumin'], 'kola': ['kalo', 'kola', 'loka'], 'koli': ['kilo', 'koil', 'koli'], 'kolo': ['kolo', 'look'], 'kome': ['kome', 'moke'], 'komi': ['komi', 'moki'], 'kona': ['kona', 'nako'], 'konak': ['kokan', 'konak'], 'kongo': ['kongo', 'ngoko'], 'kongoni': ['kongoni', 'nooking'], 'konia': ['ikona', 'konia'], 'konimeter': ['kinetomer', 'konimeter'], 'kor': ['kor', 'rok'], 'kora': ['karo', 'kora', 'okra', 'roka'], 'korait': ['korait', 'troika'], 'koran': ['koran', 'krona'], 'korana': ['anorak', 'korana'], 'kore': ['kore', 'roke'], 'korec': ['coker', 'corke', 'korec'], 'korero': ['korero', 'rooker'], 'kori': ['irok', 'kori'], 'korimako': ['korimako', 'koromika'], 'koromika': ['korimako', 'koromika'], 'korwa': ['awork', 'korwa'], 'kory': ['kory', 'roky', 'york'], 'kos': ['kos', 'sok'], 'koso': ['koso', 'skoo', 'sook'], 'kotar': ['kotar', 'tarok'], 'koto': ['koto', 'toko', 'took'], 'kra': ['ark', 'kra'], 'krait': ['kitar', 'krait', 'rakit', 'traik'], 'kraken': ['kraken', 'nekkar'], 'kral': ['karl', 'kral', 'lark'], 'krama': ['karma', 'krama', 'marka'], 'kran': ['knar', 'kran', 'nark', 'rank'], 'kras': ['askr', 'kras', 'sark'], 'krasis': ['kissar', 'krasis'], 'kraut': ['kraut', 'tukra'], 'kreis': ['kreis', 'skier'], 'kreistle': ['kreistle', 'triskele'], 'krepi': ['krepi', 'piker'], 'krina': ['inkra', 'krina', 'nakir', 'rinka'], 'kris': ['kris', 'risk'], 'krishna': ['krishna', 'rankish'], 'kristen': ['kirsten', 'kristen', 'stinker'], 'krona': ['koran', 'krona'], 'krone': ['ekron', 'krone'], 'kroo': ['kroo', 'rook'], 'krosa': ['krosa', 'oskar'], 'kua': ['aku', 'auk', 'kua'], 'kuar': ['kuar', 'raku', 'rauk'], 'kuba': ['baku', 'kuba'], 'kubera': ['kaberu', 'kubera'], 'kuki': ['kiku', 'kuki'], 'kulah': ['khula', 'kulah'], 'kulimit': ['kulimit', 'tilikum'], 'kulm': ['kulm', 'mulk'], 'kuman': ['kuman', 'naumk'], 'kumhar': ['kumhar', 'kumrah'], 'kumrah': ['kumhar', 'kumrah'], 'kunai': ['kunai', 'nikau'], 'kuneste': ['kuneste', 'netsuke'], 'kung': ['gunk', 'kung'], 'kurmi': ['kurmi', 'mukri'], 'kurt': ['kurt', 'turk'], 'kurus': ['kurus', 'ursuk'], 'kusa': ['kusa', 'skua'], 'kusam': ['kusam', 'sumak'], 'kusan': ['ankus', 'kusan'], 'kusha': ['kusha', 'shaku', 'ushak'], 'kutchin': ['kutchin', 'unthick'], 'kutenai': ['kutenai', 'unakite'], 'kyar': ['kyar', 'yark'], 'kyat': ['katy', 'kyat', 'taky'], 'kyle': ['kyle', 'yelk'], 'kylo': ['kylo', 'yolk'], 'kyte': ['kyte', 'tyke'], 'la': ['al', 'la'], 'laager': ['aglare', 'alegar', 'galera', 'laager'], 'laang': ['laang', 'lagan', 'lagna'], 'lab': ['alb', 'bal', 'lab'], 'laban': ['alban', 'balan', 'banal', 'laban', 'nabal', 'nabla'], 'labber': ['barbel', 'labber', 'rabble'], 'labefact': ['factable', 'labefact'], 'label': ['bella', 'label'], 'labeler': ['labeler', 'relabel'], 'labia': ['balai', 'labia'], 'labial': ['abilla', 'labial'], 'labially': ['alliably', 'labially'], 'labiate': ['baalite', 'bialate', 'labiate'], 'labiella': ['alliable', 'labiella'], 'labile': ['alible', 'belial', 'labile', 'liable'], 'labiocervical': ['cervicolabial', 'labiocervical'], 'labiodental': ['dentolabial', 'labiodental'], 'labioglossal': ['glossolabial', 'labioglossal'], 'labioglossolaryngeal': ['glossolabiolaryngeal', 'labioglossolaryngeal'], 'labioglossopharyngeal': ['glossolabiopharyngeal', 'labioglossopharyngeal'], 'labiomental': ['labiomental', 'mentolabial'], 'labionasal': ['labionasal', 'nasolabial'], 'labiovelar': ['bialveolar', 'labiovelar'], 'labis': ['basil', 'labis'], 'labor': ['balor', 'bolar', 'boral', 'labor', 'lobar'], 'laborant': ['balatron', 'laborant'], 'laborism': ['laborism', 'mislabor'], 'laborist': ['laborist', 'strobila'], 'laborite': ['betailor', 'laborite', 'orbitale'], 'labrador': ['labrador', 'larboard'], 'labret': ['albert', 'balter', 'labret', 'tabler'], 'labridae': ['labridae', 'radiable'], 'labrose': ['borlase', 'labrose', 'rosabel'], 'labrum': ['brumal', 'labrum', 'lumbar', 'umbral'], 'labrus': ['bursal', 'labrus'], 'laburnum': ['alburnum', 'laburnum'], 'lac': ['cal', 'lac'], 'lace': ['acle', 'alec', 'lace'], 'laced': ['clead', 'decal', 'laced'], 'laceman': ['laceman', 'manacle'], 'lacepod': ['lacepod', 'pedocal', 'placode'], 'lacer': ['ceral', 'clare', 'clear', 'lacer'], 'lacerable': ['clearable', 'lacerable'], 'lacerate': ['lacerate', 'lacertae'], 'laceration': ['creational', 'crotalinae', 'laceration', 'reactional'], 'lacerative': ['calaverite', 'lacerative'], 'lacertae': ['lacerate', 'lacertae'], 'lacertian': ['carnalite', 'claretian', 'lacertian', 'nectarial'], 'lacertid': ['articled', 'lacertid'], 'lacertidae': ['dilacerate', 'lacertidae'], 'lacertiloid': ['illoricated', 'lacertiloid'], 'lacertine': ['intercale', 'interlace', 'lacertine', 'reclinate'], 'lacertoid': ['dialector', 'lacertoid'], 'lacery': ['clayer', 'lacery'], 'lacet': ['cleat', 'eclat', 'ectal', 'lacet', 'tecla'], 'lache': ['chela', 'lache', 'leach'], 'laches': ['cashel', 'laches', 'sealch'], 'lachrymonasal': ['lachrymonasal', 'nasolachrymal'], 'lachsa': ['calash', 'lachsa'], 'laciness': ['laciness', 'sensical'], 'lacing': ['anglic', 'lacing'], 'lacinia': ['lacinia', 'licania'], 'laciniated': ['acetanilid', 'laciniated', 'teniacidal'], 'lacis': ['lacis', 'salic'], 'lack': ['calk', 'lack'], 'lacker': ['calker', 'lacker', 'rackle', 'recalk', 'reckla'], 'lacmoid': ['domical', 'lacmoid'], 'laconic': ['conical', 'laconic'], 'laconica': ['canicola', 'laconica'], 'laconizer': ['laconizer', 'locarnize'], 'lacquer': ['claquer', 'lacquer'], 'lacquerer': ['lacquerer', 'relacquer'], 'lactarene': ['lactarene', 'nectareal'], 'lactarious': ['alacritous', 'lactarious', 'lactosuria'], 'lactarium': ['lactarium', 'matricula'], 'lactarius': ['australic', 'lactarius'], 'lacteal': ['catella', 'lacteal'], 'lacteous': ['lacteous', 'osculate'], 'lactide': ['citadel', 'deltaic', 'dialect', 'edictal', 'lactide'], 'lactinate': ['cantalite', 'lactinate', 'tetanical'], 'lacto': ['lacto', 'tlaco'], 'lactoid': ['cotidal', 'lactoid', 'talcoid'], 'lactoprotein': ['lactoprotein', 'protectional'], 'lactose': ['alecost', 'lactose', 'scotale', 'talcose'], 'lactoside': ['dislocate', 'lactoside'], 'lactosuria': ['alacritous', 'lactarious', 'lactosuria'], 'lacunal': ['calluna', 'lacunal'], 'lacune': ['auncel', 'cuneal', 'lacune', 'launce', 'unlace'], 'lacustral': ['claustral', 'lacustral'], 'lacwork': ['lacwork', 'warlock'], 'lacy': ['acyl', 'clay', 'lacy'], 'lad': ['dal', 'lad'], 'ladakin': ['danakil', 'dankali', 'kaldani', 'ladakin'], 'ladanum': ['ladanum', 'udalman'], 'ladder': ['ladder', 'raddle'], 'laddery': ['dreadly', 'laddery'], 'laddie': ['daidle', 'laddie'], 'lade': ['dale', 'deal', 'lade', 'lead', 'leda'], 'lademan': ['daleman', 'lademan', 'leadman'], 'laden': ['eland', 'laden', 'lenad'], 'lader': ['alder', 'daler', 'lader'], 'ladies': ['aisled', 'deasil', 'ladies', 'sailed'], 'ladin': ['danli', 'ladin', 'linda', 'nidal'], 'lading': ['angild', 'lading'], 'ladino': ['dolina', 'ladino'], 'ladle': ['dalle', 'della', 'ladle'], 'ladrone': ['endoral', 'ladrone', 'leonard'], 'ladyfy': ['dayfly', 'ladyfy'], 'ladyish': ['ladyish', 'shadily'], 'ladyling': ['dallying', 'ladyling'], 'laet': ['atle', 'laet', 'late', 'leat', 'tael', 'tale', 'teal'], 'laeti': ['alite', 'laeti'], 'laetic': ['calite', 'laetic', 'tecali'], 'lafite': ['fetial', 'filate', 'lafite', 'leafit'], 'lag': ['gal', 'lag'], 'lagan': ['laang', 'lagan', 'lagna'], 'lagen': ['agnel', 'angel', 'angle', 'galen', 'genal', 'glean', 'lagen'], 'lagena': ['alnage', 'angela', 'galena', 'lagena'], 'lagend': ['angled', 'dangle', 'englad', 'lagend'], 'lager': ['argel', 'ergal', 'garle', 'glare', 'lager', 'large', 'regal'], 'lagetto': ['lagetto', 'tagetol'], 'lagged': ['daggle', 'lagged'], 'laggen': ['laggen', 'naggle'], 'lagger': ['gargle', 'gregal', 'lagger', 'raggle'], 'lagna': ['laang', 'lagan', 'lagna'], 'lagniappe': ['appealing', 'lagniappe', 'panplegia'], 'lagonite': ['gelation', 'lagonite', 'legation'], 'lagunero': ['lagunero', 'organule', 'uroglena'], 'lagurus': ['argulus', 'lagurus'], 'lai': ['ail', 'ila', 'lai'], 'laicism': ['islamic', 'laicism', 'silicam'], 'laid': ['dail', 'dali', 'dial', 'laid', 'lida'], 'lain': ['alin', 'anil', 'lain', 'lina', 'nail'], 'laine': ['alien', 'aline', 'anile', 'elain', 'elian', 'laine', 'linea'], 'laiose': ['aeolis', 'laiose'], 'lair': ['aril', 'lair', 'lari', 'liar', 'lira', 'rail', 'rial'], 'lairage': ['lairage', 'railage', 'regalia'], 'laird': ['drail', 'laird', 'larid', 'liard'], 'lairless': ['lairless', 'railless'], 'lairman': ['lairman', 'laminar', 'malarin', 'railman'], 'lairstone': ['lairstone', 'orleanist', 'serotinal'], 'lairy': ['lairy', 'riyal'], 'laitance': ['analcite', 'anticlea', 'laitance'], 'laity': ['laity', 'taily'], 'lak': ['alk', 'lak'], 'lake': ['kale', 'lake', 'leak'], 'lakeless': ['lakeless', 'leakless'], 'laker': ['karel', 'laker'], 'lakie': ['alike', 'lakie'], 'laking': ['kangli', 'laking'], 'lakish': ['lakish', 'shakil'], 'lakota': ['atokal', 'lakota'], 'laky': ['alky', 'laky'], 'lalo': ['lalo', 'lola', 'olla'], 'lalopathy': ['allopathy', 'lalopathy'], 'lam': ['lam', 'mal'], 'lama': ['alma', 'amla', 'lama', 'mala'], 'lamaic': ['amical', 'camail', 'lamaic'], 'lamaism': ['lamaism', 'miasmal'], 'lamaist': ['lamaist', 'lamista'], 'lamaistic': ['ismatical', 'lamaistic'], 'lamanite': ['lamanite', 'laminate'], 'lamany': ['amylan', 'lamany', 'layman'], 'lamb': ['balm', 'lamb'], 'lambaste': ['blastema', 'lambaste'], 'lambent': ['beltman', 'lambent'], 'lamber': ['ambler', 'blamer', 'lamber', 'marble', 'ramble'], 'lambie': ['bemail', 'lambie'], 'lambiness': ['balminess', 'lambiness'], 'lamblike': ['balmlike', 'lamblike'], 'lamby': ['balmy', 'lamby'], 'lame': ['alem', 'alme', 'lame', 'leam', 'male', 'meal', 'mela'], 'lamella': ['lamella', 'malella', 'malleal'], 'lamellose': ['lamellose', 'semolella'], 'lamely': ['lamely', 'mellay'], 'lameness': ['lameness', 'maleness', 'maneless', 'nameless'], 'lament': ['lament', 'manlet', 'mantel', 'mantle', 'mental'], 'lamenter': ['lamenter', 'relament', 'remantle'], 'lamenting': ['alignment', 'lamenting'], 'lameter': ['lameter', 'metaler', 'remetal'], 'lamia': ['alima', 'lamia'], 'lamiger': ['gremial', 'lamiger'], 'lamiides': ['idealism', 'lamiides'], 'lamin': ['lamin', 'liman', 'milan'], 'lamina': ['almain', 'animal', 'lamina', 'manila'], 'laminae': ['laminae', 'melania'], 'laminar': ['lairman', 'laminar', 'malarin', 'railman'], 'laminarin': ['laminarin', 'linamarin'], 'laminarite': ['laminarite', 'terminalia'], 'laminate': ['lamanite', 'laminate'], 'laminated': ['almandite', 'laminated'], 'lamination': ['antimonial', 'lamination'], 'laminboard': ['laminboard', 'lombardian'], 'laminectomy': ['laminectomy', 'metonymical'], 'laminose': ['laminose', 'lemonias', 'semolina'], 'lamish': ['lamish', 'shimal'], 'lamista': ['lamaist', 'lamista'], 'lamiter': ['lamiter', 'marlite'], 'lammer': ['lammer', 'rammel'], 'lammy': ['lammy', 'malmy'], 'lamna': ['alman', 'lamna', 'manal'], 'lamnid': ['lamnid', 'mandil'], 'lamnidae': ['aldamine', 'lamnidae'], 'lamp': ['lamp', 'palm'], 'lampad': ['lampad', 'palmad'], 'lampas': ['lampas', 'plasma'], 'lamper': ['lamper', 'palmer', 'relamp'], 'lampers': ['lampers', 'sampler'], 'lampful': ['lampful', 'palmful'], 'lampist': ['lampist', 'palmist'], 'lampistry': ['lampistry', 'palmistry'], 'lampoon': ['lampoon', 'pomonal'], 'lamprey': ['lamprey', 'palmery'], 'lampyridae': ['lampyridae', 'pyramidale'], 'lamus': ['lamus', 'malus', 'musal', 'slaum'], 'lamut': ['lamut', 'tamul'], 'lan': ['aln', 'lan'], 'lana': ['alan', 'anal', 'lana'], 'lanas': ['alans', 'lanas', 'nasal'], 'lanate': ['anteal', 'lanate', 'teanal'], 'lancaster': ['ancestral', 'lancaster'], 'lancasterian': ['alcantarines', 'lancasterian'], 'lance': ['canel', 'clean', 'lance', 'lenca'], 'lanced': ['calden', 'candle', 'lanced'], 'lancely': ['cleanly', 'lancely'], 'lanceolar': ['lanceolar', 'olecranal'], 'lancer': ['lancer', 'rancel'], 'lances': ['lances', 'senlac'], 'lancet': ['cantle', 'cental', 'lancet', 'tancel'], 'lanceteer': ['crenelate', 'lanceteer'], 'lancinate': ['cantilena', 'lancinate'], 'landbook': ['bookland', 'landbook'], 'landed': ['dandle', 'landed'], 'lander': ['aldern', 'darnel', 'enlard', 'lander', 'lenard', 'randle', 'reland'], 'landfast': ['fastland', 'landfast'], 'landgrave': ['grandeval', 'landgrave'], 'landimere': ['landimere', 'madrilene'], 'landing': ['danglin', 'landing'], 'landlubber': ['landlubber', 'lubberland'], 'landreeve': ['landreeve', 'reeveland'], 'landstorm': ['landstorm', 'transmold'], 'landwash': ['landwash', 'washland'], 'lane': ['alen', 'lane', 'lean', 'lena', 'nael', 'neal'], 'lanete': ['elanet', 'lanete', 'lateen'], 'laney': ['laney', 'layne'], 'langhian': ['hangnail', 'langhian'], 'langi': ['algin', 'align', 'langi', 'liang', 'linga'], 'langite': ['atingle', 'gelatin', 'genital', 'langite', 'telinga'], 'lango': ['along', 'gonal', 'lango', 'longa', 'nogal'], 'langobard': ['bandarlog', 'langobard'], 'language': ['ganguela', 'language'], 'laniate': ['laniate', 'natalie', 'taenial'], 'lanific': ['finical', 'lanific'], 'laniform': ['formalin', 'informal', 'laniform'], 'laniidae': ['aedilian', 'laniidae'], 'lanista': ['lanista', 'santali'], 'lanius': ['insula', 'lanius', 'lusian'], 'lank': ['klan', 'lank'], 'lanket': ['anklet', 'lanket', 'tankle'], 'lanner': ['lanner', 'rannel'], 'lansat': ['aslant', 'lansat', 'natals', 'santal'], 'lanseh': ['halsen', 'hansel', 'lanseh'], 'lantaca': ['cantala', 'catalan', 'lantaca'], 'lanum': ['lanum', 'manul'], 'lao': ['alo', 'lao', 'loa'], 'laodicean': ['caledonia', 'laodicean'], 'laotian': ['ailanto', 'alation', 'laotian', 'notalia'], 'lap': ['alp', 'lap', 'pal'], 'laparohysterotomy': ['hysterolaparotomy', 'laparohysterotomy'], 'laparosplenotomy': ['laparosplenotomy', 'splenolaparotomy'], 'lapidarist': ['lapidarist', 'triapsidal'], 'lapidate': ['lapidate', 'talpidae'], 'lapideon': ['lapideon', 'palinode', 'pedalion'], 'lapidose': ['episodal', 'lapidose', 'sepaloid'], 'lapith': ['lapith', 'tilpah'], 'lapon': ['lapon', 'nopal'], 'lapp': ['lapp', 'palp', 'plap'], 'lappa': ['lappa', 'papal'], 'lapped': ['dapple', 'lapped', 'palped'], 'lapper': ['lapper', 'rappel'], 'lappish': ['lappish', 'shiplap'], 'lapsation': ['apolistan', 'lapsation'], 'lapse': ['elaps', 'lapse', 'lepas', 'pales', 'salep', 'saple', 'sepal', 'slape', 'spale', 'speal'], 'lapsi': ['alisp', 'lapsi'], 'lapsing': ['lapsing', 'sapling'], 'lapstone': ['lapstone', 'pleonast'], 'larboard': ['labrador', 'larboard'], 'larcenic': ['calciner', 'larcenic'], 'larcenist': ['cisternal', 'larcenist'], 'larcenous': ['larcenous', 'senocular'], 'larchen': ['charnel', 'larchen'], 'lardacein': ['ecardinal', 'lardacein'], 'lardite': ['dilater', 'lardite', 'redtail'], 'lardon': ['androl', 'arnold', 'lardon', 'roland', 'ronald'], 'lardy': ['daryl', 'lardy', 'lyard'], 'large': ['argel', 'ergal', 'garle', 'glare', 'lager', 'large', 'regal'], 'largely': ['allergy', 'gallery', 'largely', 'regally'], 'largen': ['angler', 'arleng', 'garnel', 'largen', 'rangle', 'regnal'], 'largeness': ['largeness', 'rangeless', 'regalness'], 'largess': ['glasser', 'largess'], 'largition': ['gratiolin', 'largition', 'tailoring'], 'largo': ['algor', 'argol', 'goral', 'largo'], 'lari': ['aril', 'lair', 'lari', 'liar', 'lira', 'rail', 'rial'], 'lariat': ['altair', 'atrail', 'atrial', 'lariat', 'latria', 'talari'], 'larid': ['drail', 'laird', 'larid', 'liard'], 'laridae': ['ardelia', 'laridae', 'radiale'], 'larigo': ['gloria', 'larigo', 'logria'], 'larigot': ['goitral', 'larigot', 'ligator'], 'lariid': ['iridal', 'lariid'], 'larine': ['arline', 'larine', 'linear', 'nailer', 'renail'], 'lark': ['karl', 'kral', 'lark'], 'larking': ['karling', 'larking'], 'larsenite': ['intersale', 'larsenite'], 'larus': ['larus', 'sural', 'ursal'], 'larva': ['alvar', 'arval', 'larva'], 'larval': ['larval', 'vallar'], 'larvate': ['larvate', 'lavaret', 'travale'], 'larve': ['arvel', 'larve', 'laver', 'ravel', 'velar'], 'larvicide': ['larvicide', 'veridical'], 'laryngopharyngeal': ['laryngopharyngeal', 'pharyngolaryngeal'], 'laryngopharyngitis': ['laryngopharyngitis', 'pharyngolaryngitis'], 'laryngotome': ['laryngotome', 'maternology'], 'laryngotracheotomy': ['laryngotracheotomy', 'tracheolaryngotomy'], 'las': ['las', 'sal', 'sla'], 'lasa': ['alas', 'lasa'], 'lascar': ['lascar', 'rascal', 'sacral', 'scalar'], 'laser': ['arles', 'arsle', 'laser', 'seral', 'slare'], 'lash': ['hals', 'lash'], 'lasi': ['lasi', 'lias', 'lisa', 'sail', 'sial'], 'lasius': ['asilus', 'lasius'], 'lask': ['lask', 'skal'], 'lasket': ['lasket', 'sklate'], 'laspring': ['laspring', 'sparling', 'springal'], 'lasque': ['lasque', 'squeal'], 'lasset': ['lasset', 'tassel'], 'lassie': ['elissa', 'lassie'], 'lasso': ['lasso', 'ossal'], 'lassoer': ['lassoer', 'oarless', 'rosales'], 'last': ['last', 'salt', 'slat'], 'laster': ['laster', 'lastre', 'rastle', 'relast', 'resalt', 'salter', 'slater', 'stelar'], 'lasting': ['anglist', 'lasting', 'salting', 'slating', 'staling'], 'lastly': ['lastly', 'saltly'], 'lastness': ['lastness', 'saltness'], 'lastre': ['laster', 'lastre', 'rastle', 'relast', 'resalt', 'salter', 'slater', 'stelar'], 'lasty': ['lasty', 'salty', 'slaty'], 'lat': ['alt', 'lat', 'tal'], 'lata': ['lata', 'taal', 'tala'], 'latania': ['altaian', 'latania', 'natalia'], 'latcher': ['clethra', 'latcher', 'ratchel', 'relatch', 'talcher', 'trachle'], 'latchet': ['chattel', 'latchet'], 'late': ['atle', 'laet', 'late', 'leat', 'tael', 'tale', 'teal'], 'latebra': ['alberta', 'latebra', 'ratable'], 'lated': ['adlet', 'dealt', 'delta', 'lated', 'taled'], 'lateen': ['elanet', 'lanete', 'lateen'], 'lately': ['lately', 'lealty'], 'laten': ['ental', 'laten', 'leant'], 'latent': ['latent', 'latten', 'nattle', 'talent', 'tantle'], 'latentness': ['latentness', 'tenantless'], 'later': ['alert', 'alter', 'artel', 'later', 'ratel', 'taler', 'telar'], 'latera': ['latera', 'relata'], 'laterad': ['altared', 'laterad'], 'lateralis': ['lateralis', 'stellaria'], 'lateran': ['alatern', 'lateran'], 'laterite': ['laterite', 'literate', 'teretial'], 'laterocaudal': ['caudolateral', 'laterocaudal'], 'laterodorsal': ['dorsolateral', 'laterodorsal'], 'lateroventral': ['lateroventral', 'ventrolateral'], 'latest': ['latest', 'sattle', 'taslet'], 'latex': ['exalt', 'latex'], 'lath': ['halt', 'lath'], 'lathe': ['ethal', 'lathe', 'leath'], 'latheman': ['latheman', 'methanal'], 'lathen': ['ethnal', 'hantle', 'lathen', 'thenal'], 'lather': ['arthel', 'halter', 'lather', 'thaler'], 'lathery': ['earthly', 'heartly', 'lathery', 'rathely'], 'lathing': ['halting', 'lathing', 'thingal'], 'latian': ['antlia', 'latian', 'nalita'], 'latibulize': ['latibulize', 'utilizable'], 'latices': ['astelic', 'elastic', 'latices'], 'laticlave': ['laticlave', 'vacillate'], 'latigo': ['galiot', 'latigo'], 'latimeria': ['latimeria', 'marialite'], 'latin': ['altin', 'latin'], 'latinate': ['antliate', 'latinate'], 'latiner': ['entrail', 'latiner', 'latrine', 'ratline', 'reliant', 'retinal', 'trenail'], 'latinesque': ['latinesque', 'sequential'], 'latinian': ['antinial', 'latinian'], 'latinizer': ['latinizer', 'trinalize'], 'latinus': ['latinus', 'tulisan', 'unalist'], 'lation': ['italon', 'lation', 'talion'], 'latirostres': ['latirostres', 'setirostral'], 'latirus': ['latirus', 'trisula'], 'latish': ['latish', 'tahsil'], 'latite': ['latite', 'tailet', 'tailte', 'talite'], 'latitude': ['altitude', 'latitude'], 'latitudinal': ['altitudinal', 'latitudinal'], 'latitudinarian': ['altitudinarian', 'latitudinarian'], 'latomy': ['latomy', 'tyloma'], 'latona': ['atonal', 'latona'], 'latonian': ['latonian', 'nataloin', 'national'], 'latria': ['altair', 'atrail', 'atrial', 'lariat', 'latria', 'talari'], 'latrine': ['entrail', 'latiner', 'latrine', 'ratline', 'reliant', 'retinal', 'trenail'], 'latris': ['latris', 'strial'], 'latro': ['latro', 'rotal', 'toral'], 'latrobe': ['alberto', 'bloater', 'latrobe'], 'latrobite': ['latrobite', 'trilobate'], 'latrocinium': ['latrocinium', 'tourmalinic'], 'latron': ['latron', 'lontar', 'tornal'], 'latten': ['latent', 'latten', 'nattle', 'talent', 'tantle'], 'latter': ['artlet', 'latter', 'rattle', 'tartle', 'tatler'], 'latterkin': ['intertalk', 'latterkin'], 'lattice': ['lattice', 'tactile'], 'latticinio': ['latticinio', 'licitation'], 'latuka': ['latuka', 'taluka'], 'latus': ['latus', 'sault', 'talus'], 'latvian': ['latvian', 'valiant'], 'laubanite': ['laubanite', 'unlabiate'], 'laud': ['auld', 'dual', 'laud', 'udal'], 'laudation': ['adulation', 'laudation'], 'laudator': ['adulator', 'laudator'], 'laudatorily': ['illaudatory', 'laudatorily'], 'laudatory': ['adulatory', 'laudatory'], 'lauder': ['lauder', 'udaler'], 'laudism': ['dualism', 'laudism'], 'laudist': ['dualist', 'laudist'], 'laumonite': ['emulation', 'laumonite'], 'laun': ['laun', 'luna', 'ulna', 'unal'], 'launce': ['auncel', 'cuneal', 'lacune', 'launce', 'unlace'], 'launch': ['chulan', 'launch', 'nuchal'], 'launcher': ['launcher', 'relaunch'], 'laund': ['dunal', 'laund', 'lunda', 'ulnad'], 'launder': ['launder', 'rundale'], 'laur': ['alur', 'laur', 'lura', 'raul', 'ural'], 'laura': ['aural', 'laura'], 'laurel': ['allure', 'laurel'], 'laureled': ['laureled', 'reallude'], 'laurence': ['cerulean', 'laurence'], 'laurent': ['laurent', 'neutral', 'unalert'], 'laurentide': ['adulterine', 'laurentide'], 'lauric': ['curial', 'lauric', 'uracil', 'uralic'], 'laurin': ['laurin', 'urinal'], 'laurite': ['laurite', 'uralite'], 'laurus': ['laurus', 'ursula'], 'lava': ['aval', 'lava'], 'lavacre': ['caravel', 'lavacre'], 'lavaret': ['larvate', 'lavaret', 'travale'], 'lave': ['lave', 'vale', 'veal', 'vela'], 'laveer': ['laveer', 'leaver', 'reveal', 'vealer'], 'lavehr': ['halver', 'lavehr'], 'lavenite': ['elvanite', 'lavenite'], 'laver': ['arvel', 'larve', 'laver', 'ravel', 'velar'], 'laverania': ['laverania', 'valeriana'], 'lavic': ['cavil', 'lavic'], 'lavinia': ['lavinia', 'vinalia'], 'lavish': ['lavish', 'vishal'], 'lavisher': ['lavisher', 'shrieval'], 'lavolta': ['lavolta', 'vallota'], 'law': ['awl', 'law'], 'lawing': ['lawing', 'waling'], 'lawk': ['lawk', 'walk'], 'lawmonger': ['angleworm', 'lawmonger'], 'lawned': ['delawn', 'lawned', 'wandle'], 'lawner': ['lawner', 'warnel'], 'lawny': ['lawny', 'wanly'], 'lawrie': ['lawrie', 'wailer'], 'lawter': ['lawter', 'walter'], 'lawyer': ['lawyer', 'yawler'], 'laxism': ['laxism', 'smilax'], 'lay': ['aly', 'lay'], 'layer': ['early', 'layer', 'relay'], 'layered': ['delayer', 'layered', 'redelay'], 'layery': ['layery', 'yearly'], 'laying': ['gainly', 'laying'], 'layman': ['amylan', 'lamany', 'layman'], 'layne': ['laney', 'layne'], 'layout': ['layout', 'lutayo', 'outlay'], 'layover': ['layover', 'overlay'], 'layship': ['apishly', 'layship'], 'lazarlike': ['alkalizer', 'lazarlike'], 'laze': ['laze', 'zeal'], 'lea': ['ale', 'lea'], 'leach': ['chela', 'lache', 'leach'], 'leachman': ['leachman', 'mechanal'], 'lead': ['dale', 'deal', 'lade', 'lead', 'leda'], 'leadable': ['dealable', 'leadable'], 'leaded': ['delead', 'leaded'], 'leader': ['dealer', 'leader', 'redeal', 'relade', 'relead'], 'leadership': ['dealership', 'leadership'], 'leadin': ['aldine', 'daniel', 'delian', 'denial', 'enalid', 'leadin'], 'leadiness': ['idealness', 'leadiness'], 'leading': ['adeling', 'dealing', 'leading'], 'leadman': ['daleman', 'lademan', 'leadman'], 'leads': ['leads', 'slade'], 'leadsman': ['dalesman', 'leadsman'], 'leadstone': ['endosteal', 'leadstone'], 'leady': ['delay', 'leady'], 'leaf': ['alef', 'feal', 'flea', 'leaf'], 'leafen': ['enleaf', 'leafen'], 'leafit': ['fetial', 'filate', 'lafite', 'leafit'], 'leafy': ['fleay', 'leafy'], 'leah': ['hale', 'heal', 'leah'], 'leak': ['kale', 'lake', 'leak'], 'leakiness': ['alikeness', 'leakiness'], 'leakless': ['lakeless', 'leakless'], 'leal': ['alle', 'ella', 'leal'], 'lealty': ['lately', 'lealty'], 'leam': ['alem', 'alme', 'lame', 'leam', 'male', 'meal', 'mela'], 'leamer': ['leamer', 'mealer'], 'lean': ['alen', 'lane', 'lean', 'lena', 'nael', 'neal'], 'leander': ['leander', 'learned', 'reladen'], 'leaner': ['arlene', 'leaner'], 'leaning': ['angelin', 'leaning'], 'leant': ['ental', 'laten', 'leant'], 'leap': ['leap', 'lepa', 'pale', 'peal', 'plea'], 'leaper': ['leaper', 'releap', 'repale', 'repeal'], 'leaping': ['apeling', 'leaping'], 'leapt': ['leapt', 'palet', 'patel', 'pelta', 'petal', 'plate', 'pleat', 'tepal'], 'lear': ['earl', 'eral', 'lear', 'real'], 'learn': ['learn', 'renal'], 'learned': ['leander', 'learned', 'reladen'], 'learnedly': ['ellenyard', 'learnedly'], 'learner': ['learner', 'relearn'], 'learnt': ['altern', 'antler', 'learnt', 'rental', 'ternal'], 'leasable': ['leasable', 'sealable'], 'lease': ['easel', 'lease'], 'leaser': ['alerse', 'leaser', 'reales', 'resale', 'reseal', 'sealer'], 'leash': ['halse', 'leash', 'selah', 'shale', 'sheal', 'shela'], 'leasing': ['leasing', 'sealing'], 'least': ['least', 'setal', 'slate', 'stale', 'steal', 'stela', 'tales'], 'leat': ['atle', 'laet', 'late', 'leat', 'tael', 'tale', 'teal'], 'leath': ['ethal', 'lathe', 'leath'], 'leather': ['leather', 'tarheel'], 'leatherbark': ['halterbreak', 'leatherbark'], 'leatherer': ['leatherer', 'releather', 'tarheeler'], 'leatman': ['amental', 'leatman'], 'leaver': ['laveer', 'leaver', 'reveal', 'vealer'], 'leaves': ['leaves', 'sleave'], 'leaving': ['leaving', 'vangeli'], 'leavy': ['leavy', 'vealy'], 'leban': ['leban', 'nable'], 'lebanese': ['ebenales', 'lebanese'], 'lebensraum': ['lebensraum', 'mensurable'], 'lecaniid': ['alcidine', 'danielic', 'lecaniid'], 'lecanora': ['carolean', 'lecanora'], 'lecanoroid': ['lecanoroid', 'olecranoid'], 'lechery': ['cheerly', 'lechery'], 'lechriodont': ['holocentrid', 'lechriodont'], 'lecithal': ['hellicat', 'lecithal'], 'lecontite': ['lecontite', 'nicolette'], 'lector': ['colter', 'lector', 'torcel'], 'lectorial': ['corallite', 'lectorial'], 'lectorship': ['lectorship', 'leptorchis'], 'lectrice': ['electric', 'lectrice'], 'lecturess': ['cutleress', 'lecturess', 'truceless'], 'lecyth': ['lecyth', 'letchy'], 'lecythis': ['chestily', 'lecythis'], 'led': ['del', 'eld', 'led'], 'leda': ['dale', 'deal', 'lade', 'lead', 'leda'], 'lede': ['dele', 'lede', 'leed'], 'leden': ['leden', 'neeld'], 'ledge': ['glede', 'gleed', 'ledge'], 'ledger': ['gelder', 'ledger', 'redleg'], 'ledging': ['gelding', 'ledging'], 'ledgy': ['gledy', 'ledgy'], 'lee': ['eel', 'lee'], 'leed': ['dele', 'lede', 'leed'], 'leek': ['keel', 'kele', 'leek'], 'leep': ['leep', 'peel', 'pele'], 'leepit': ['leepit', 'pelite', 'pielet'], 'leer': ['leer', 'reel'], 'leeringly': ['leeringly', 'reelingly'], 'leerness': ['leerness', 'lessener'], 'lees': ['else', 'lees', 'seel', 'sele', 'slee'], 'leet': ['leet', 'lete', 'teel', 'tele'], 'leetman': ['entelam', 'leetman'], 'leewan': ['leewan', 'weanel'], 'left': ['felt', 'flet', 'left'], 'leftish': ['fishlet', 'leftish'], 'leftness': ['feltness', 'leftness'], 'leg': ['gel', 'leg'], 'legalist': ['legalist', 'stillage'], 'legantine': ['eglantine', 'inelegant', 'legantine'], 'legate': ['eaglet', 'legate', 'teagle', 'telega'], 'legatine': ['galenite', 'legatine'], 'legation': ['gelation', 'lagonite', 'legation'], 'legative': ['legative', 'levigate'], 'legator': ['argolet', 'gloater', 'legator'], 'legendary': ['enragedly', 'legendary'], 'leger': ['leger', 'regle'], 'legger': ['eggler', 'legger'], 'legion': ['eloign', 'gileno', 'legion'], 'legioner': ['eloigner', 'legioner'], 'legionry': ['legionry', 'yeorling'], 'legislator': ['allegorist', 'legislator'], 'legman': ['legman', 'mangel', 'mangle'], 'legoa': ['gloea', 'legoa'], 'legua': ['gulae', 'legua'], 'leguan': ['genual', 'leguan'], 'lehr': ['herl', 'hler', 'lehr'], 'lei': ['eli', 'lei', 'lie'], 'leif': ['feil', 'file', 'leif', 'lief', 'life'], 'leila': ['allie', 'leila', 'lelia'], 'leipoa': ['apiole', 'leipoa'], 'leisten': ['leisten', 'setline', 'tensile'], 'leister': ['leister', 'sterile'], 'leith': ['leith', 'lithe'], 'leitneria': ['leitneria', 'lienteria'], 'lek': ['elk', 'lek'], 'lekach': ['hackle', 'lekach'], 'lekane': ['alkene', 'lekane'], 'lelia': ['allie', 'leila', 'lelia'], 'leman': ['leman', 'lemna'], 'lemma': ['lemma', 'melam'], 'lemna': ['leman', 'lemna'], 'lemnad': ['lemnad', 'menald'], 'lemnian': ['lemnian', 'lineman', 'melanin'], 'lemniscate': ['centesimal', 'lemniscate'], 'lemon': ['lemon', 'melon', 'monel'], 'lemonias': ['laminose', 'lemonias', 'semolina'], 'lemonlike': ['lemonlike', 'melonlike'], 'lemony': ['lemony', 'myelon'], 'lemosi': ['lemosi', 'limose', 'moiles'], 'lempira': ['impaler', 'impearl', 'lempira', 'premial'], 'lemuria': ['lemuria', 'miauler'], 'lemurian': ['lemurian', 'malurine', 'rumelian'], 'lemurinae': ['lemurinae', 'neurilema'], 'lemurine': ['lemurine', 'meruline', 'relumine'], 'lena': ['alen', 'lane', 'lean', 'lena', 'nael', 'neal'], 'lenad': ['eland', 'laden', 'lenad'], 'lenape': ['alpeen', 'lenape', 'pelean'], 'lenard': ['aldern', 'darnel', 'enlard', 'lander', 'lenard', 'randle', 'reland'], 'lenca': ['canel', 'clean', 'lance', 'lenca'], 'lencan': ['cannel', 'lencan'], 'lendee': ['lendee', 'needle'], 'lender': ['lender', 'relend'], 'lendu': ['lendu', 'unled'], 'lengthy': ['lengthy', 'thegnly'], 'lenient': ['lenient', 'tenline'], 'lenify': ['finely', 'lenify'], 'lenis': ['elsin', 'lenis', 'niels', 'silen', 'sline'], 'lenity': ['lenity', 'yetlin'], 'lenny': ['lenny', 'lynne'], 'leno': ['elon', 'enol', 'leno', 'leon', 'lone', 'noel'], 'lenora': ['lenora', 'loaner', 'orlean', 'reloan'], 'lenticel': ['lenticel', 'lenticle'], 'lenticle': ['lenticel', 'lenticle'], 'lentil': ['lentil', 'lintel'], 'lentisc': ['lentisc', 'scintle', 'stencil'], 'lentisco': ['lentisco', 'telsonic'], 'lentiscus': ['lentiscus', 'tunicless'], 'lento': ['lento', 'olent'], 'lentous': ['lentous', 'sultone'], 'lenvoy': ['lenvoy', 'ovenly'], 'leo': ['leo', 'ole'], 'leon': ['elon', 'enol', 'leno', 'leon', 'lone', 'noel'], 'leonard': ['endoral', 'ladrone', 'leonard'], 'leonhardite': ['leonhardite', 'lionhearted'], 'leonid': ['doline', 'indole', 'leonid', 'loined', 'olenid'], 'leonines': ['leonines', 'selenion'], 'leonis': ['insole', 'leonis', 'lesion', 'selion'], 'leonist': ['leonist', 'onliest'], 'leonite': ['elonite', 'leonite'], 'leonotis': ['leonotis', 'oilstone'], 'leoparde': ['leoparde', 'reapdole'], 'leopardite': ['leopardite', 'protelidae'], 'leotard': ['delator', 'leotard'], 'lepa': ['leap', 'lepa', 'pale', 'peal', 'plea'], 'lepanto': ['lepanto', 'nepotal', 'petalon', 'polenta'], 'lepas': ['elaps', 'lapse', 'lepas', 'pales', 'salep', 'saple', 'sepal', 'slape', 'spale', 'speal'], 'lepcha': ['chapel', 'lepcha', 'pleach'], 'leper': ['leper', 'perle', 'repel'], 'leperdom': ['leperdom', 'premodel'], 'lepidopter': ['dopplerite', 'lepidopter'], 'lepidosauria': ['lepidosauria', 'pliosauridae'], 'lepidote': ['lepidote', 'petioled'], 'lepidotic': ['diploetic', 'lepidotic'], 'lepisma': ['ampelis', 'lepisma'], 'leporid': ['leporid', 'leproid'], 'leporis': ['leporis', 'spoiler'], 'lepra': ['lepra', 'paler', 'parel', 'parle', 'pearl', 'perla', 'relap'], 'leproid': ['leporid', 'leproid'], 'leproma': ['leproma', 'palermo', 'pleroma', 'polearm'], 'leprosied': ['despoiler', 'leprosied'], 'leprosis': ['leprosis', 'plerosis'], 'leprous': ['leprous', 'pelorus', 'sporule'], 'leptandra': ['leptandra', 'peltandra'], 'leptidae': ['depilate', 'leptidae', 'pileated'], 'leptiform': ['leptiform', 'peltiform'], 'leptodora': ['doorplate', 'leptodora'], 'leptome': ['leptome', 'poemlet'], 'lepton': ['lepton', 'pentol'], 'leptonema': ['leptonema', 'ptolemean'], 'leptorchis': ['lectorship', 'leptorchis'], 'lepus': ['lepus', 'pulse'], 'ler': ['ler', 'rel'], 'lernaean': ['annealer', 'lernaean', 'reanneal'], 'lerot': ['lerot', 'orlet', 'relot'], 'lerwa': ['lerwa', 'waler'], 'les': ['els', 'les'], 'lesath': ['haslet', 'lesath', 'shelta'], 'lesbia': ['isabel', 'lesbia'], 'lesche': ['lesche', 'sleech'], 'lesion': ['insole', 'leonis', 'lesion', 'selion'], 'lesional': ['lesional', 'solenial'], 'leslie': ['leslie', 'sellie'], 'lessener': ['leerness', 'lessener'], 'lest': ['lest', 'selt'], 'lester': ['lester', 'selter', 'streel'], 'let': ['elt', 'let'], 'letchy': ['lecyth', 'letchy'], 'lete': ['leet', 'lete', 'teel', 'tele'], 'lethargus': ['lethargus', 'slaughter'], 'lethe': ['ethel', 'lethe'], 'lethean': ['entheal', 'lethean'], 'lethologica': ['ethological', 'lethologica', 'theological'], 'letitia': ['italite', 'letitia', 'tilaite'], 'leto': ['leto', 'lote', 'tole'], 'letoff': ['letoff', 'offlet'], 'lett': ['lett', 'telt'], 'letten': ['letten', 'nettle'], 'letterer': ['letterer', 'reletter'], 'lettish': ['lettish', 'thistle'], 'lettrin': ['lettrin', 'trintle'], 'leu': ['leu', 'lue', 'ule'], 'leucadian': ['leucadian', 'lucanidae'], 'leucocism': ['leucocism', 'muscicole'], 'leucoma': ['caulome', 'leucoma'], 'leucosis': ['coulisse', 'leucosis', 'ossicule'], 'leud': ['deul', 'duel', 'leud'], 'leuk': ['leuk', 'luke'], 'leuma': ['amelu', 'leuma', 'ulema'], 'leung': ['leung', 'lunge'], 'levance': ['enclave', 'levance', 'valence'], 'levant': ['levant', 'valent'], 'levanter': ['levanter', 'relevant', 'revelant'], 'levantine': ['levantine', 'valentine'], 'leveler': ['leveler', 'relevel'], 'lever': ['elver', 'lever', 'revel'], 'leverer': ['leverer', 'reveler'], 'levi': ['evil', 'levi', 'live', 'veil', 'vile', 'vlei'], 'levier': ['levier', 'relive', 'reveil', 'revile', 'veiler'], 'levigate': ['legative', 'levigate'], 'levin': ['levin', 'liven'], 'levining': ['levining', 'nievling'], 'levir': ['levir', 'liver', 'livre', 'rivel'], 'levirate': ['levirate', 'relative'], 'levis': ['elvis', 'levis', 'slive'], 'levitation': ['levitation', 'tonalitive', 'velitation'], 'levo': ['levo', 'love', 'velo', 'vole'], 'levyist': ['levyist', 'sylvite'], 'lewd': ['lewd', 'weld'], 'lewis': ['lewis', 'swile'], 'lexia': ['axile', 'lexia'], 'ley': ['ley', 'lye'], 'lhota': ['altho', 'lhota', 'loath'], 'liability': ['alibility', 'liability'], 'liable': ['alible', 'belial', 'labile', 'liable'], 'liana': ['alain', 'alani', 'liana'], 'liang': ['algin', 'align', 'langi', 'liang', 'linga'], 'liar': ['aril', 'lair', 'lari', 'liar', 'lira', 'rail', 'rial'], 'liard': ['drail', 'laird', 'larid', 'liard'], 'lias': ['lasi', 'lias', 'lisa', 'sail', 'sial'], 'liatris': ['liatris', 'trilisa'], 'libament': ['bailment', 'libament'], 'libate': ['albeit', 'albite', 'baltei', 'belait', 'betail', 'bletia', 'libate'], 'libationer': ['libationer', 'liberation'], 'libber': ['libber', 'ribble'], 'libby': ['bilby', 'libby'], 'libellary': ['libellary', 'liberally'], 'liber': ['birle', 'liber'], 'liberal': ['braille', 'liberal'], 'liberally': ['libellary', 'liberally'], 'liberate': ['iterable', 'liberate'], 'liberation': ['libationer', 'liberation'], 'liberator': ['liberator', 'orbitelar'], 'liberian': ['bilinear', 'liberian'], 'libertas': ['abristle', 'libertas'], 'libertine': ['berlinite', 'libertine'], 'libra': ['blair', 'brail', 'libra'], 'librate': ['betrail', 'librate', 'triable', 'trilabe'], 'licania': ['lacinia', 'licania'], 'license': ['license', 'selenic', 'silence'], 'licensed': ['licensed', 'silenced'], 'licenser': ['licenser', 'silencer'], 'licensor': ['cresolin', 'licensor'], 'lich': ['chil', 'lich'], 'lichanos': ['lichanos', 'nicholas'], 'lichenoid': ['cheloniid', 'lichenoid'], 'lichi': ['chili', 'lichi'], 'licitation': ['latticinio', 'licitation'], 'licker': ['licker', 'relick', 'rickle'], 'lickspit': ['lickspit', 'lipstick'], 'licorne': ['creolin', 'licorne', 'locrine'], 'lida': ['dail', 'dali', 'dial', 'laid', 'lida'], 'lidded': ['diddle', 'lidded'], 'lidder': ['lidder', 'riddel', 'riddle'], 'lide': ['idle', 'lide', 'lied'], 'lie': ['eli', 'lei', 'lie'], 'lied': ['idle', 'lide', 'lied'], 'lief': ['feil', 'file', 'leif', 'lief', 'life'], 'lien': ['lien', 'line', 'neil', 'nile'], 'lienal': ['lienal', 'lineal'], 'lienee': ['eileen', 'lienee'], 'lienor': ['elinor', 'lienor', 'lorien', 'noiler'], 'lienteria': ['leitneria', 'lienteria'], 'lientery': ['entirely', 'lientery'], 'lier': ['lier', 'lire', 'rile'], 'lierne': ['lierne', 'reline'], 'lierre': ['lierre', 'relier'], 'liesh': ['liesh', 'shiel'], 'lievaart': ['lievaart', 'varietal'], 'life': ['feil', 'file', 'leif', 'lief', 'life'], 'lifelike': ['filelike', 'lifelike'], 'lifer': ['filer', 'flier', 'lifer', 'rifle'], 'lifeward': ['drawfile', 'lifeward'], 'lifo': ['filo', 'foil', 'lifo'], 'lift': ['flit', 'lift'], 'lifter': ['fertil', 'filter', 'lifter', 'relift', 'trifle'], 'lifting': ['fliting', 'lifting'], 'ligament': ['ligament', 'metaling', 'tegminal'], 'ligas': ['gisla', 'ligas', 'sigla'], 'ligate': ['aiglet', 'ligate', 'taigle', 'tailge'], 'ligation': ['intaglio', 'ligation'], 'ligator': ['goitral', 'larigot', 'ligator'], 'ligature': ['alurgite', 'ligature'], 'lighten': ['enlight', 'lighten'], 'lightener': ['lightener', 'relighten', 'threeling'], 'lighter': ['lighter', 'relight', 'rightle'], 'lighthead': ['headlight', 'lighthead'], 'lightness': ['lightness', 'nightless', 'thingless'], 'ligne': ['ingle', 'ligne', 'linge', 'nigel'], 'lignin': ['lignin', 'lining'], 'lignitic': ['lignitic', 'tiglinic'], 'lignose': ['gelosin', 'lignose'], 'ligroine': ['ligroine', 'religion'], 'ligure': ['ligure', 'reguli'], 'lija': ['jail', 'lija'], 'like': ['kiel', 'like'], 'liken': ['inkle', 'liken'], 'likewise': ['likewise', 'wiselike'], 'lilac': ['calli', 'lilac'], 'lilacky': ['alkylic', 'lilacky'], 'lilium': ['illium', 'lilium'], 'lilt': ['lilt', 'till'], 'lily': ['illy', 'lily', 'yill'], 'lim': ['lim', 'mil'], 'lima': ['amil', 'amli', 'lima', 'mail', 'mali', 'mila'], 'limacina': ['animalic', 'limacina'], 'limacon': ['limacon', 'malonic'], 'liman': ['lamin', 'liman', 'milan'], 'limation': ['limation', 'miltonia'], 'limbat': ['limbat', 'timbal'], 'limbate': ['limbate', 'timable', 'timbale'], 'limbed': ['dimble', 'limbed'], 'limbus': ['bluism', 'limbus'], 'limby': ['blimy', 'limby'], 'lime': ['emil', 'lime', 'mile'], 'limean': ['limean', 'maline', 'melian', 'menial'], 'limeman': ['ammelin', 'limeman'], 'limer': ['limer', 'meril', 'miler'], 'limes': ['limes', 'miles', 'slime', 'smile'], 'limestone': ['limestone', 'melonites', 'milestone'], 'limey': ['elymi', 'emily', 'limey'], 'liminess': ['liminess', 'senilism'], 'limitary': ['limitary', 'military'], 'limitate': ['limitate', 'militate'], 'limitation': ['limitation', 'militation'], 'limited': ['delimit', 'limited'], 'limiter': ['limiter', 'relimit'], 'limitless': ['limitless', 'semistill'], 'limner': ['limner', 'merlin', 'milner'], 'limnetic': ['limnetic', 'milicent'], 'limoniad': ['dominial', 'imolinda', 'limoniad'], 'limosa': ['limosa', 'somali'], 'limose': ['lemosi', 'limose', 'moiles'], 'limp': ['limp', 'pilm', 'plim'], 'limper': ['limper', 'prelim', 'rimple'], 'limping': ['impling', 'limping'], 'limpsy': ['limpsy', 'simply'], 'limpy': ['imply', 'limpy', 'pilmy'], 'limsy': ['limsy', 'slimy', 'smily'], 'lin': ['lin', 'nil'], 'lina': ['alin', 'anil', 'lain', 'lina', 'nail'], 'linaga': ['agnail', 'linaga'], 'linage': ['algine', 'genial', 'linage'], 'linamarin': ['laminarin', 'linamarin'], 'linarite': ['inertial', 'linarite'], 'linchet': ['linchet', 'tinchel'], 'linctus': ['clunist', 'linctus'], 'linda': ['danli', 'ladin', 'linda', 'nidal'], 'lindane': ['annelid', 'lindane'], 'linder': ['linder', 'rindle'], 'lindoite': ['lindoite', 'tolidine'], 'lindsay': ['islandy', 'lindsay'], 'line': ['lien', 'line', 'neil', 'nile'], 'linea': ['alien', 'aline', 'anile', 'elain', 'elian', 'laine', 'linea'], 'lineal': ['lienal', 'lineal'], 'lineament': ['lineament', 'manteline'], 'linear': ['arline', 'larine', 'linear', 'nailer', 'renail'], 'linearity': ['inreality', 'linearity'], 'lineate': ['elatine', 'lineate'], 'lineature': ['lineature', 'rutelinae'], 'linecut': ['linecut', 'tunicle'], 'lined': ['eldin', 'lined'], 'lineman': ['lemnian', 'lineman', 'melanin'], 'linen': ['linen', 'linne'], 'linesman': ['annelism', 'linesman'], 'linet': ['inlet', 'linet'], 'linga': ['algin', 'align', 'langi', 'liang', 'linga'], 'lingbird': ['birdling', 'bridling', 'lingbird'], 'linge': ['ingle', 'ligne', 'linge', 'nigel'], 'linger': ['linger', 'ringle'], 'lingo': ['lingo', 'login'], 'lingtow': ['lingtow', 'twoling'], 'lingua': ['gaulin', 'lingua'], 'lingual': ['lingual', 'lingula'], 'linguidental': ['dentilingual', 'indulgential', 'linguidental'], 'lingula': ['lingual', 'lingula'], 'linguodental': ['dentolingual', 'linguodental'], 'lingy': ['lingy', 'lying'], 'linha': ['linha', 'nihal'], 'lining': ['lignin', 'lining'], 'link': ['kiln', 'link'], 'linked': ['kindle', 'linked'], 'linker': ['linker', 'relink'], 'linking': ['inkling', 'linking'], 'linkman': ['kilnman', 'linkman'], 'links': ['links', 'slink'], 'linnaea': ['alanine', 'linnaea'], 'linnaean': ['annaline', 'linnaean'], 'linne': ['linen', 'linne'], 'linnet': ['linnet', 'linten'], 'lino': ['lino', 'lion', 'loin', 'noil'], 'linolenic': ['encinillo', 'linolenic'], 'linometer': ['linometer', 'nilometer'], 'linopteris': ['linopteris', 'prosilient'], 'linous': ['insoul', 'linous', 'nilous', 'unsoil'], 'linsey': ['linsey', 'lysine'], 'linstock': ['coltskin', 'linstock'], 'lintel': ['lentil', 'lintel'], 'linten': ['linnet', 'linten'], 'lintseed': ['enlisted', 'lintseed'], 'linum': ['linum', 'ulmin'], 'linus': ['linus', 'sunil'], 'liny': ['inly', 'liny'], 'lion': ['lino', 'lion', 'loin', 'noil'], 'lioncel': ['colline', 'lioncel'], 'lionel': ['lionel', 'niello'], 'lionet': ['entoil', 'lionet'], 'lionhearted': ['leonhardite', 'lionhearted'], 'lipa': ['lipa', 'pail', 'pali', 'pial'], 'lipan': ['lipan', 'pinal', 'plain'], 'liparis': ['aprilis', 'liparis'], 'liparite': ['liparite', 'reptilia'], 'liparous': ['liparous', 'pliosaur'], 'lipase': ['espial', 'lipase', 'pelias'], 'lipin': ['lipin', 'pilin'], 'liplet': ['liplet', 'pillet'], 'lipochondroma': ['chondrolipoma', 'lipochondroma'], 'lipoclasis': ['calliopsis', 'lipoclasis'], 'lipocyte': ['epicotyl', 'lipocyte'], 'lipofibroma': ['fibrolipoma', 'lipofibroma'], 'lipolytic': ['lipolytic', 'politicly'], 'lipoma': ['lipoma', 'pimola', 'ploima'], 'lipomyoma': ['lipomyoma', 'myolipoma'], 'lipomyxoma': ['lipomyxoma', 'myxolipoma'], 'liposis': ['liposis', 'pilosis'], 'lipotype': ['lipotype', 'polypite'], 'lippen': ['lippen', 'nipple'], 'lipper': ['lipper', 'ripple'], 'lippia': ['lippia', 'pilpai'], 'lipsanotheca': ['lipsanotheca', 'sphacelation'], 'lipstick': ['lickspit', 'lipstick'], 'liquate': ['liquate', 'tequila'], 'liquidate': ['liquidate', 'qualitied'], 'lira': ['aril', 'lair', 'lari', 'liar', 'lira', 'rail', 'rial'], 'lirate': ['lirate', 'retail', 'retial', 'tailer'], 'liration': ['liration', 'litorina'], 'lire': ['lier', 'lire', 'rile'], 'lis': ['lis', 'sil'], 'lisa': ['lasi', 'lias', 'lisa', 'sail', 'sial'], 'lise': ['isle', 'lise', 'sile'], 'lisere': ['lisere', 'resile'], 'lisk': ['lisk', 'silk', 'skil'], 'lisle': ['lisle', 'selli'], 'lisp': ['lisp', 'slip'], 'lisper': ['lisper', 'pliers', 'sirple', 'spiler'], 'list': ['list', 'silt', 'slit'], 'listable': ['bastille', 'listable'], 'listen': ['enlist', 'listen', 'silent', 'tinsel'], 'listener': ['enlister', 'esterlin', 'listener', 'relisten'], 'lister': ['lister', 'relist'], 'listera': ['aletris', 'alister', 'listera', 'realist', 'saltier'], 'listerian': ['listerian', 'trisilane'], 'listerine': ['listerine', 'resilient'], 'listerize': ['listerize', 'sterilize'], 'listing': ['listing', 'silting'], 'listless': ['listless', 'slitless'], 'lisuarte': ['auletris', 'lisuarte'], 'lit': ['lit', 'til'], 'litas': ['alist', 'litas', 'slait', 'talis'], 'litchi': ['litchi', 'lithic'], 'lite': ['lite', 'teil', 'teli', 'tile'], 'liter': ['liter', 'tiler'], 'literal': ['literal', 'tallier'], 'literary': ['literary', 'trailery'], 'literate': ['laterite', 'literate', 'teretial'], 'literose': ['literose', 'roselite', 'tirolese'], 'lith': ['hilt', 'lith'], 'litharge': ['litharge', 'thirlage'], 'lithe': ['leith', 'lithe'], 'lithectomy': ['lithectomy', 'methylotic'], 'lithic': ['litchi', 'lithic'], 'litho': ['litho', 'thiol', 'tholi'], 'lithochromography': ['chromolithography', 'lithochromography'], 'lithocyst': ['cystolith', 'lithocyst'], 'lithonephria': ['lithonephria', 'philotherian'], 'lithonephrotomy': ['lithonephrotomy', 'nephrolithotomy'], 'lithophane': ['anthophile', 'lithophane'], 'lithophone': ['lithophone', 'thiophenol'], 'lithophotography': ['lithophotography', 'photolithography'], 'lithophysal': ['isophthalyl', 'lithophysal'], 'lithopone': ['lithopone', 'phonolite'], 'lithous': ['lithous', 'loutish'], 'litigate': ['litigate', 'tagilite'], 'litmus': ['litmus', 'tilmus'], 'litorina': ['liration', 'litorina'], 'litorinidae': ['idioretinal', 'litorinidae'], 'litra': ['litra', 'trail', 'trial'], 'litsea': ['isleta', 'litsea', 'salite', 'stelai'], 'litster': ['litster', 'slitter', 'stilter', 'testril'], 'litten': ['litten', 'tinlet'], 'litter': ['litter', 'tilter', 'titler'], 'littery': ['littery', 'tritely'], 'littoral': ['littoral', 'tortilla'], 'lituiform': ['lituiform', 'trifolium'], 'litus': ['litus', 'sluit', 'tulsi'], 'live': ['evil', 'levi', 'live', 'veil', 'vile', 'vlei'], 'lived': ['devil', 'divel', 'lived'], 'livedo': ['livedo', 'olived'], 'liveliness': ['liveliness', 'villeiness'], 'livelong': ['livelong', 'loveling'], 'lively': ['evilly', 'lively', 'vilely'], 'liven': ['levin', 'liven'], 'liveness': ['evilness', 'liveness', 'veinless', 'vileness', 'vineless'], 'liver': ['levir', 'liver', 'livre', 'rivel'], 'livered': ['deliver', 'deviler', 'livered'], 'livery': ['livery', 'verily'], 'livier': ['livier', 'virile'], 'livonian': ['livonian', 'violanin'], 'livre': ['levir', 'liver', 'livre', 'rivel'], 'liwan': ['inlaw', 'liwan'], 'llandeilo': ['diallelon', 'llandeilo'], 'llew': ['llew', 'well'], 'lloyd': ['dolly', 'lloyd'], 'loa': ['alo', 'lao', 'loa'], 'loach': ['chola', 'loach', 'olcha'], 'load': ['alod', 'dola', 'load', 'odal'], 'loaden': ['enodal', 'loaden'], 'loader': ['loader', 'ordeal', 'reload'], 'loading': ['angloid', 'loading'], 'loaf': ['foal', 'loaf', 'olaf'], 'loam': ['loam', 'loma', 'malo', 'mola', 'olam'], 'loaminess': ['loaminess', 'melanosis'], 'loaming': ['almoign', 'loaming'], 'loamy': ['amylo', 'loamy'], 'loaner': ['lenora', 'loaner', 'orlean', 'reloan'], 'loasa': ['alosa', 'loasa', 'oasal'], 'loath': ['altho', 'lhota', 'loath'], 'loather': ['loather', 'rathole'], 'loathly': ['loathly', 'tallyho'], 'lob': ['blo', 'lob'], 'lobar': ['balor', 'bolar', 'boral', 'labor', 'lobar'], 'lobate': ['lobate', 'oblate'], 'lobated': ['bloated', 'lobated'], 'lobately': ['lobately', 'oblately'], 'lobation': ['boltonia', 'lobation', 'oblation'], 'lobe': ['bleo', 'bole', 'lobe'], 'lobed': ['bodle', 'boled', 'lobed'], 'lobelet': ['bellote', 'lobelet'], 'lobelia': ['bolelia', 'lobelia', 'obelial'], 'lobing': ['globin', 'goblin', 'lobing'], 'lobo': ['bolo', 'bool', 'lobo', 'obol'], 'lobola': ['balolo', 'lobola'], 'lobscourse': ['lobscourse', 'lobscouser'], 'lobscouser': ['lobscourse', 'lobscouser'], 'lobster': ['bolster', 'lobster'], 'loca': ['alco', 'coal', 'cola', 'loca'], 'local': ['callo', 'colla', 'local'], 'locanda': ['acnodal', 'canadol', 'locanda'], 'locarnite': ['alectrion', 'clarionet', 'crotaline', 'locarnite'], 'locarnize': ['laconizer', 'locarnize'], 'locarno': ['coronal', 'locarno'], 'locate': ['acetol', 'colate', 'locate'], 'location': ['colation', 'coontail', 'location'], 'locational': ['allocation', 'locational'], 'locator': ['crotalo', 'locator'], 'loch': ['chol', 'loch'], 'lochan': ['chalon', 'lochan'], 'lochetic': ['helcotic', 'lochetic', 'ochletic'], 'lochus': ['holcus', 'lochus', 'slouch'], 'loci': ['clio', 'coil', 'coli', 'loci'], 'lociation': ['coalition', 'lociation'], 'lock': ['colk', 'lock'], 'locker': ['locker', 'relock'], 'lockpin': ['lockpin', 'pinlock'], 'lockram': ['lockram', 'marlock'], 'lockspit': ['lockspit', 'lopstick'], 'lockup': ['lockup', 'uplock'], 'loco': ['cool', 'loco'], 'locoweed': ['coolweed', 'locoweed'], 'locrian': ['carolin', 'clarion', 'colarin', 'locrian'], 'locrine': ['creolin', 'licorne', 'locrine'], 'loculate': ['allocute', 'loculate'], 'loculation': ['allocution', 'loculation'], 'locum': ['cumol', 'locum'], 'locusta': ['costula', 'locusta', 'talcous'], 'lod': ['dol', 'lod', 'old'], 'lode': ['dole', 'elod', 'lode', 'odel'], 'lodesman': ['dolesman', 'lodesman'], 'lodgeman': ['angeldom', 'lodgeman'], 'lodger': ['golder', 'lodger'], 'lodging': ['godling', 'lodging'], 'loess': ['loess', 'soles'], 'loessic': ['loessic', 'ossicle'], 'lof': ['flo', 'lof'], 'loft': ['flot', 'loft'], 'lofter': ['floret', 'forlet', 'lofter', 'torfel'], 'lofty': ['lofty', 'oftly'], 'log': ['gol', 'log'], 'logania': ['alogian', 'logania'], 'logarithm': ['algorithm', 'logarithm'], 'logarithmic': ['algorithmic', 'logarithmic'], 'loge': ['egol', 'goel', 'loge', 'ogle', 'oleg'], 'logger': ['logger', 'roggle'], 'logicalist': ['logicalist', 'logistical'], 'logicist': ['logicist', 'logistic'], 'login': ['lingo', 'login'], 'logistic': ['logicist', 'logistic'], 'logistical': ['logicalist', 'logistical'], 'logistics': ['glossitic', 'logistics'], 'logman': ['amlong', 'logman'], 'logographic': ['graphologic', 'logographic'], 'logographical': ['graphological', 'logographical'], 'logography': ['graphology', 'logography'], 'logoi': ['igloo', 'logoi'], 'logometrical': ['logometrical', 'metrological'], 'logos': ['gools', 'logos'], 'logotypy': ['logotypy', 'typology'], 'logria': ['gloria', 'larigo', 'logria'], 'logy': ['gloy', 'logy'], 'lohar': ['horal', 'lohar'], 'loin': ['lino', 'lion', 'loin', 'noil'], 'loined': ['doline', 'indole', 'leonid', 'loined', 'olenid'], 'loir': ['loir', 'lori', 'roil'], 'lois': ['lois', 'silo', 'siol', 'soil', 'soli'], 'loiter': ['loiter', 'toiler', 'triole'], 'loka': ['kalo', 'kola', 'loka'], 'lokao': ['lokao', 'oolak'], 'loke': ['koel', 'loke'], 'loket': ['ketol', 'loket'], 'lola': ['lalo', 'lola', 'olla'], 'loma': ['loam', 'loma', 'malo', 'mola', 'olam'], 'lomatine': ['lomatine', 'tolamine'], 'lombardian': ['laminboard', 'lombardian'], 'lomboy': ['bloomy', 'lomboy'], 'loment': ['loment', 'melton', 'molten'], 'lomentaria': ['ameliorant', 'lomentaria'], 'lomita': ['lomita', 'tomial'], 'lone': ['elon', 'enol', 'leno', 'leon', 'lone', 'noel'], 'longa': ['along', 'gonal', 'lango', 'longa', 'nogal'], 'longanimous': ['longanimous', 'longimanous'], 'longbeard': ['boglander', 'longbeard'], 'longear': ['argenol', 'longear'], 'longhead': ['headlong', 'longhead'], 'longimanous': ['longanimous', 'longimanous'], 'longimetry': ['longimetry', 'mongrelity'], 'longmouthed': ['goldenmouth', 'longmouthed'], 'longue': ['longue', 'lounge'], 'lonicera': ['acrolein', 'arecolin', 'caroline', 'colinear', 'cornelia', 'creolian', 'lonicera'], 'lontar': ['latron', 'lontar', 'tornal'], 'looby': ['booly', 'looby'], 'lood': ['dool', 'lood'], 'loof': ['fool', 'loof', 'olof'], 'look': ['kolo', 'look'], 'looker': ['looker', 'relook'], 'lookout': ['lookout', 'outlook'], 'loom': ['loom', 'mool'], 'loon': ['loon', 'nolo'], 'loop': ['loop', 'polo', 'pool'], 'looper': ['looper', 'pooler'], 'loopist': ['loopist', 'poloist', 'topsoil'], 'loopy': ['loopy', 'pooly'], 'loosing': ['loosing', 'sinolog'], 'loot': ['loot', 'tool'], 'looter': ['looter', 'retool', 'rootle', 'tooler'], 'lootie': ['lootie', 'oolite'], 'lop': ['lop', 'pol'], 'lope': ['lope', 'olpe', 'pole'], 'loper': ['loper', 'poler'], 'lopezia': ['epizoal', 'lopezia', 'opalize'], 'lophine': ['lophine', 'pinhole'], 'lophocomi': ['homopolic', 'lophocomi'], 'loppet': ['loppet', 'topple'], 'loppy': ['loppy', 'polyp'], 'lopstick': ['lockspit', 'lopstick'], 'loquacious': ['aquicolous', 'loquacious'], 'lora': ['lora', 'oral'], 'lorandite': ['lorandite', 'rodential'], 'lorate': ['elator', 'lorate'], 'lorcha': ['choral', 'lorcha'], 'lordly': ['drolly', 'lordly'], 'lore': ['lore', 'orle', 'role'], 'lored': ['lored', 'older'], 'loren': ['enrol', 'loren'], 'lori': ['loir', 'lori', 'roil'], 'lorica': ['caroli', 'corial', 'lorica'], 'loricate': ['calorite', 'erotical', 'loricate'], 'loricati': ['clitoria', 'loricati'], 'lorien': ['elinor', 'lienor', 'lorien', 'noiler'], 'loro': ['loro', 'olor', 'orlo', 'rool'], 'lose': ['lose', 'sloe', 'sole'], 'loser': ['loser', 'orsel', 'rosel', 'soler'], 'lost': ['lost', 'lots', 'slot'], 'lot': ['lot', 'tol'], 'lota': ['alto', 'lota'], 'lotase': ['lotase', 'osteal', 'solate', 'stolae', 'talose'], 'lote': ['leto', 'lote', 'tole'], 'lotic': ['cloit', 'lotic'], 'lotrite': ['lotrite', 'tortile', 'triolet'], 'lots': ['lost', 'lots', 'slot'], 'lotta': ['lotta', 'total'], 'lotter': ['lotter', 'rottle', 'tolter'], 'lottie': ['lottie', 'toilet', 'tolite'], 'lou': ['lou', 'luo'], 'loud': ['loud', 'ludo'], 'louden': ['louden', 'nodule'], 'lough': ['ghoul', 'lough'], 'lounder': ['durenol', 'lounder', 'roundel'], 'lounge': ['longue', 'lounge'], 'loupe': ['epulo', 'loupe'], 'lourdy': ['dourly', 'lourdy'], 'louse': ['eusol', 'louse'], 'lousy': ['lousy', 'souly'], 'lout': ['lout', 'tolu'], 'louter': ['elutor', 'louter', 'outler'], 'loutish': ['lithous', 'loutish'], 'louty': ['louty', 'outly'], 'louvar': ['louvar', 'ovular'], 'louver': ['louver', 'louvre'], 'louvre': ['louver', 'louvre'], 'lovable': ['lovable', 'volable'], 'lovage': ['lovage', 'volage'], 'love': ['levo', 'love', 'velo', 'vole'], 'loveling': ['livelong', 'loveling'], 'lovely': ['lovely', 'volley'], 'lovering': ['lovering', 'overling'], 'low': ['low', 'lwo', 'owl'], 'lowa': ['alow', 'awol', 'lowa'], 'lowder': ['lowder', 'weldor', 'wordle'], 'lower': ['lower', 'owler', 'rowel'], 'lowerer': ['lowerer', 'relower'], 'lowery': ['lowery', 'owlery', 'rowley', 'yowler'], 'lowish': ['lowish', 'owlish'], 'lowishly': ['lowishly', 'owlishly', 'sillyhow'], 'lowishness': ['lowishness', 'owlishness'], 'lowy': ['lowy', 'owly', 'yowl'], 'loyal': ['alloy', 'loyal'], 'loyalism': ['loyalism', 'lysiloma'], 'loyd': ['loyd', 'odyl'], 'luba': ['balu', 'baul', 'bual', 'luba'], 'lubber': ['burble', 'lubber', 'rubble'], 'lubberland': ['landlubber', 'lubberland'], 'lube': ['blue', 'lube'], 'lucan': ['lucan', 'nucal'], 'lucania': ['lucania', 'luciana'], 'lucanid': ['dulcian', 'incudal', 'lucanid', 'lucinda'], 'lucanidae': ['leucadian', 'lucanidae'], 'lucarne': ['crenula', 'lucarne', 'nuclear', 'unclear'], 'lucban': ['buncal', 'lucban'], 'luce': ['clue', 'luce'], 'luceres': ['luceres', 'recluse'], 'lucern': ['encurl', 'lucern'], 'lucernal': ['lucernal', 'nucellar', 'uncellar'], 'lucet': ['culet', 'lucet'], 'lucia': ['aulic', 'lucia'], 'lucian': ['cunila', 'lucian', 'lucina', 'uncial'], 'luciana': ['lucania', 'luciana'], 'lucifer': ['ferulic', 'lucifer'], 'lucigen': ['glucine', 'lucigen'], 'lucina': ['cunila', 'lucian', 'lucina', 'uncial'], 'lucinda': ['dulcian', 'incudal', 'lucanid', 'lucinda'], 'lucinoid': ['lucinoid', 'oculinid'], 'lucite': ['lucite', 'luetic', 'uletic'], 'lucrative': ['lucrative', 'revictual', 'victualer'], 'lucre': ['cruel', 'lucre', 'ulcer'], 'lucretia': ['arculite', 'cutleria', 'lucretia', 'reticula', 'treculia'], 'lucretian': ['centurial', 'lucretian', 'ultranice'], 'luctiferous': ['fruticulose', 'luctiferous'], 'lucubrate': ['lucubrate', 'tubercula'], 'ludden': ['ludden', 'nuddle'], 'luddite': ['diluted', 'luddite'], 'ludian': ['dualin', 'ludian', 'unlaid'], 'ludibry': ['buirdly', 'ludibry'], 'ludicroserious': ['ludicroserious', 'serioludicrous'], 'ludo': ['loud', 'ludo'], 'lue': ['leu', 'lue', 'ule'], 'lues': ['lues', 'slue'], 'luetic': ['lucite', 'luetic', 'uletic'], 'lug': ['gul', 'lug'], 'luge': ['glue', 'gule', 'luge'], 'luger': ['gluer', 'gruel', 'luger'], 'lugger': ['gurgle', 'lugger', 'ruggle'], 'lugnas': ['lugnas', 'salung'], 'lugsome': ['glumose', 'lugsome'], 'luian': ['inula', 'luian', 'uinal'], 'luiseno': ['elusion', 'luiseno'], 'luite': ['luite', 'utile'], 'lukas': ['klaus', 'lukas', 'sulka'], 'luke': ['leuk', 'luke'], 'lula': ['lula', 'ulla'], 'lulab': ['bulla', 'lulab'], 'lumbar': ['brumal', 'labrum', 'lumbar', 'umbral'], 'lumber': ['lumber', 'rumble', 'umbrel'], 'lumbosacral': ['lumbosacral', 'sacrolumbal'], 'lumine': ['lumine', 'unlime'], 'lump': ['lump', 'plum'], 'lumper': ['lumper', 'plumer', 'replum', 'rumple'], 'lumpet': ['lumpet', 'plumet'], 'lumpiness': ['lumpiness', 'pluminess'], 'lumpy': ['lumpy', 'plumy'], 'luna': ['laun', 'luna', 'ulna', 'unal'], 'lunacy': ['lunacy', 'unclay'], 'lunar': ['lunar', 'ulnar', 'urnal'], 'lunare': ['lunare', 'neural', 'ulnare', 'unreal'], 'lunaria': ['lunaria', 'ulnaria', 'uralian'], 'lunary': ['lunary', 'uranyl'], 'lunatic': ['calinut', 'lunatic'], 'lunation': ['lunation', 'ultonian'], 'lunda': ['dunal', 'laund', 'lunda', 'ulnad'], 'lung': ['gunl', 'lung'], 'lunge': ['leung', 'lunge'], 'lunged': ['gulden', 'lunged'], 'lungfish': ['flushing', 'lungfish'], 'lungsick': ['lungsick', 'suckling'], 'lunisolar': ['lunisolar', 'solilunar'], 'luo': ['lou', 'luo'], 'lupe': ['lupe', 'pelu', 'peul', 'pule'], 'luperci': ['luperci', 'pleuric'], 'lupicide': ['lupicide', 'pediculi', 'pulicide'], 'lupinaster': ['lupinaster', 'palustrine'], 'lupine': ['lupine', 'unpile', 'upline'], 'lupinus': ['lupinus', 'pinulus'], 'lupis': ['lupis', 'pilus'], 'lupous': ['lupous', 'opulus'], 'lura': ['alur', 'laur', 'lura', 'raul', 'ural'], 'lurch': ['churl', 'lurch'], 'lure': ['lure', 'rule'], 'lurer': ['lurer', 'ruler'], 'lurg': ['gurl', 'lurg'], 'luringly': ['luringly', 'rulingly'], 'luscinia': ['luscinia', 'siculian'], 'lush': ['lush', 'shlu', 'shul'], 'lusher': ['lusher', 'shuler'], 'lushly': ['hyllus', 'lushly'], 'lushness': ['lushness', 'shunless'], 'lusian': ['insula', 'lanius', 'lusian'], 'lusk': ['lusk', 'sulk'], 'lusky': ['lusky', 'sulky'], 'lusory': ['lusory', 'sourly'], 'lust': ['lust', 'slut'], 'luster': ['luster', 'result', 'rustle', 'sutler', 'ulster'], 'lusterless': ['lusterless', 'lustreless', 'resultless'], 'lustihead': ['hastilude', 'lustihead'], 'lustreless': ['lusterless', 'lustreless', 'resultless'], 'lustrine': ['insulter', 'lustrine', 'reinsult'], 'lustring': ['lustring', 'rustling'], 'lusty': ['lusty', 'tylus'], 'lutaceous': ['cautelous', 'lutaceous'], 'lutany': ['auntly', 'lutany'], 'lutayo': ['layout', 'lutayo', 'outlay'], 'lute': ['lute', 'tule'], 'luteal': ['alulet', 'luteal'], 'lutecia': ['aleutic', 'auletic', 'caulite', 'lutecia'], 'lutecium': ['cumulite', 'lutecium'], 'lutein': ['lutein', 'untile'], 'lutfisk': ['kistful', 'lutfisk'], 'luther': ['hurtle', 'luther'], 'lutheran': ['lutheran', 'unhalter'], 'lutianoid': ['lutianoid', 'nautiloid'], 'lutianus': ['lutianus', 'nautilus', 'ustulina'], 'luting': ['glutin', 'luting', 'ungilt'], 'lutose': ['lutose', 'solute', 'tousle'], 'lutra': ['lutra', 'ultra'], 'lutrinae': ['lutrinae', 'retinula', 'rutelian', 'tenurial'], 'luxe': ['luxe', 'ulex'], 'lwo': ['low', 'lwo', 'owl'], 'lyam': ['amyl', 'lyam', 'myal'], 'lyard': ['daryl', 'lardy', 'lyard'], 'lyas': ['lyas', 'slay'], 'lycaenid': ['adenylic', 'lycaenid'], 'lyceum': ['cymule', 'lyceum'], 'lycopodium': ['lycopodium', 'polycodium'], 'lyctidae': ['diacetyl', 'lyctidae'], 'lyddite': ['lyddite', 'tiddley'], 'lydia': ['daily', 'lydia'], 'lydite': ['idlety', 'lydite', 'tidely', 'tidley'], 'lye': ['ley', 'lye'], 'lying': ['lingy', 'lying'], 'lymnaeid': ['lymnaeid', 'maidenly', 'medianly'], 'lymphadenia': ['lymphadenia', 'nymphalidae'], 'lymphectasia': ['lymphectasia', 'metaphysical'], 'lymphopenia': ['lymphopenia', 'polyphemian'], 'lynne': ['lenny', 'lynne'], 'lyon': ['lyon', 'only'], 'lyophobe': ['hypobole', 'lyophobe'], 'lyra': ['aryl', 'lyra', 'ryal', 'yarl'], 'lyraid': ['aridly', 'lyraid'], 'lyrate': ['lyrate', 'raylet', 'realty', 'telary'], 'lyre': ['lyre', 'rely'], 'lyric': ['cyril', 'lyric'], 'lyrical': ['cyrilla', 'lyrical'], 'lyrid': ['idryl', 'lyrid'], 'lys': ['lys', 'sly'], 'lysander': ['lysander', 'synedral'], 'lysate': ['alytes', 'astely', 'lysate', 'stealy'], 'lyse': ['lyse', 'sley'], 'lysiloma': ['loyalism', 'lysiloma'], 'lysine': ['linsey', 'lysine'], 'lysogenetic': ['cleistogeny', 'lysogenetic'], 'lysogenic': ['glycosine', 'lysogenic'], 'lyssic': ['clysis', 'lyssic'], 'lyterian': ['interlay', 'lyterian'], 'lyxose': ['lyxose', 'xylose'], 'ma': ['am', 'ma'], 'maam': ['amma', 'maam'], 'mab': ['bam', 'mab'], 'maba': ['amba', 'maba'], 'mabel': ['amble', 'belam', 'blame', 'mabel'], 'mabi': ['iamb', 'mabi'], 'mabolo': ['abloom', 'mabolo'], 'mac': ['cam', 'mac'], 'macaca': ['camaca', 'macaca'], 'macaco': ['cocama', 'macaco'], 'macaglia': ['almaciga', 'macaglia'], 'macan': ['caman', 'macan'], 'macanese': ['macanese', 'maecenas'], 'macao': ['acoma', 'macao'], 'macarism': ['macarism', 'marasmic'], 'macaroni': ['armonica', 'macaroni', 'marocain'], 'macaronic': ['carcinoma', 'macaronic'], 'mace': ['acme', 'came', 'mace'], 'macedon': ['conamed', 'macedon'], 'macedonian': ['caedmonian', 'macedonian'], 'macedonic': ['caedmonic', 'macedonic'], 'macer': ['cream', 'macer'], 'macerate': ['camerate', 'macerate', 'racemate'], 'maceration': ['aeromantic', 'cameration', 'maceration', 'racemation'], 'machar': ['chamar', 'machar'], 'machi': ['chiam', 'machi', 'micah'], 'machilis': ['chiliasm', 'hilasmic', 'machilis'], 'machinator': ['achromatin', 'chariotman', 'machinator'], 'machine': ['chimane', 'machine'], 'machinery': ['hemicrany', 'machinery'], 'macies': ['camise', 'macies'], 'macigno': ['coaming', 'macigno'], 'macilency': ['cyclamine', 'macilency'], 'macle': ['camel', 'clame', 'cleam', 'macle'], 'maclura': ['maclura', 'macular'], 'maco': ['coma', 'maco'], 'macon': ['coman', 'macon', 'manoc'], 'maconite': ['coinmate', 'maconite'], 'macro': ['carom', 'coram', 'macro', 'marco'], 'macrobian': ['carbamino', 'macrobian'], 'macromazia': ['macromazia', 'macrozamia'], 'macrophage': ['cameograph', 'macrophage'], 'macrophotograph': ['macrophotograph', 'photomacrograph'], 'macrotia': ['aromatic', 'macrotia'], 'macrotin': ['macrotin', 'romantic'], 'macrourid': ['macrourid', 'macruroid'], 'macrourus': ['macrourus', 'macrurous'], 'macrozamia': ['macromazia', 'macrozamia'], 'macruroid': ['macrourid', 'macruroid'], 'macrurous': ['macrourus', 'macrurous'], 'mactra': ['mactra', 'tarmac'], 'macular': ['maclura', 'macular'], 'macule': ['almuce', 'caelum', 'macule'], 'maculose': ['maculose', 'somacule'], 'mad': ['dam', 'mad'], 'madden': ['damned', 'demand', 'madden'], 'maddening': ['demanding', 'maddening'], 'maddeningly': ['demandingly', 'maddeningly'], 'madder': ['dermad', 'madder'], 'made': ['dame', 'made', 'mead'], 'madeira': ['adermia', 'madeira'], 'madeiran': ['madeiran', 'marinade'], 'madeline': ['endemial', 'madeline'], 'madi': ['admi', 'amid', 'madi', 'maid'], 'madia': ['amadi', 'damia', 'madia', 'maida'], 'madiga': ['agamid', 'madiga'], 'madman': ['madman', 'nammad'], 'madnep': ['dampen', 'madnep'], 'madrid': ['madrid', 'riddam'], 'madrier': ['admirer', 'madrier', 'married'], 'madrilene': ['landimere', 'madrilene'], 'madrona': ['anadrom', 'madrona', 'mandora', 'monarda', 'roadman'], 'madship': ['dampish', 'madship', 'phasmid'], 'madurese': ['madurese', 'measured'], 'mae': ['ame', 'mae'], 'maecenas': ['macanese', 'maecenas'], 'maenad': ['anadem', 'maenad'], 'maenadism': ['maenadism', 'mandaeism'], 'maeonian': ['enomania', 'maeonian'], 'maestri': ['artemis', 'maestri', 'misrate'], 'maestro': ['maestro', 'tarsome'], 'mag': ['gam', 'mag'], 'magadis': ['gamasid', 'magadis'], 'magani': ['angami', 'magani', 'magian'], 'magas': ['agsam', 'magas'], 'mage': ['egma', 'game', 'mage'], 'magenta': ['gateman', 'magenta', 'magnate', 'magneta'], 'magian': ['angami', 'magani', 'magian'], 'magic': ['gamic', 'magic'], 'magister': ['gemarist', 'magister', 'sterigma'], 'magistrate': ['magistrate', 'sterigmata'], 'magma': ['gamma', 'magma'], 'magnate': ['gateman', 'magenta', 'magnate', 'magneta'], 'magnes': ['magnes', 'semang'], 'magneta': ['gateman', 'magenta', 'magnate', 'magneta'], 'magnetist': ['agistment', 'magnetist'], 'magneto': ['geomant', 'magneto', 'megaton', 'montage'], 'magnetod': ['magnetod', 'megadont'], 'magnetoelectric': ['electromagnetic', 'magnetoelectric'], 'magnetoelectrical': ['electromagnetical', 'magnetoelectrical'], 'magnolia': ['algomian', 'magnolia'], 'magnus': ['magnus', 'musang'], 'magpie': ['magpie', 'piemag'], 'magyar': ['magyar', 'margay'], 'mah': ['ham', 'mah'], 'maha': ['amah', 'maha'], 'mahar': ['amhar', 'mahar', 'mahra'], 'maharani': ['amiranha', 'maharani'], 'mahdism': ['dammish', 'mahdism'], 'mahdist': ['adsmith', 'mahdist'], 'mahi': ['hami', 'hima', 'mahi'], 'mahican': ['chamian', 'mahican'], 'mahogany': ['hogmanay', 'mahogany'], 'maholi': ['holmia', 'maholi'], 'maholtine': ['hematolin', 'maholtine'], 'mahori': ['homrai', 'mahori', 'mohair'], 'mahra': ['amhar', 'mahar', 'mahra'], 'mahran': ['amhran', 'harman', 'mahran'], 'mahri': ['hiram', 'ihram', 'mahri'], 'maia': ['amia', 'maia'], 'maid': ['admi', 'amid', 'madi', 'maid'], 'maida': ['amadi', 'damia', 'madia', 'maida'], 'maiden': ['daimen', 'damine', 'maiden', 'median', 'medina'], 'maidenism': ['maidenism', 'medianism'], 'maidenly': ['lymnaeid', 'maidenly', 'medianly'], 'maidish': ['hasidim', 'maidish'], 'maidism': ['amidism', 'maidism'], 'maigre': ['imager', 'maigre', 'margie', 'mirage'], 'maiidae': ['amiidae', 'maiidae'], 'mail': ['amil', 'amli', 'lima', 'mail', 'mali', 'mila'], 'mailed': ['aldime', 'mailed', 'medial'], 'mailer': ['mailer', 'remail'], 'mailie': ['emilia', 'mailie'], 'maim': ['ammi', 'imam', 'maim', 'mima'], 'main': ['amin', 'main', 'mani', 'mian', 'mina', 'naim'], 'maine': ['amine', 'anime', 'maine', 'manei'], 'mainly': ['amylin', 'mainly'], 'mainour': ['mainour', 'uramino'], 'mainpast': ['mainpast', 'mantispa', 'panamist', 'stampian'], 'mainprise': ['mainprise', 'presimian'], 'mains': ['mains', 'manis'], 'maint': ['maint', 'matin'], 'maintain': ['amanitin', 'maintain'], 'maintainer': ['antimerina', 'maintainer', 'remaintain'], 'maintop': ['maintop', 'ptomain', 'tampion', 'timpano'], 'maioid': ['daimio', 'maioid'], 'maioidean': ['anomiidae', 'maioidean'], 'maire': ['aimer', 'maire', 'marie', 'ramie'], 'maja': ['jama', 'maja'], 'majoon': ['majoon', 'moonja'], 'major': ['jarmo', 'major'], 'makah': ['hakam', 'makah'], 'makassar': ['makassar', 'samskara'], 'make': ['kame', 'make', 'meak'], 'maker': ['maker', 'marek', 'merak'], 'maki': ['akim', 'maki'], 'mako': ['amok', 'mako'], 'mal': ['lam', 'mal'], 'mala': ['alma', 'amla', 'lama', 'mala'], 'malacologist': ['malacologist', 'mastological'], 'malaga': ['agalma', 'malaga'], 'malagma': ['amalgam', 'malagma'], 'malakin': ['alkamin', 'malakin'], 'malanga': ['malanga', 'nagmaal'], 'malapert': ['armplate', 'malapert'], 'malapi': ['impala', 'malapi'], 'malar': ['alarm', 'malar', 'maral', 'marla', 'ramal'], 'malarin': ['lairman', 'laminar', 'malarin', 'railman'], 'malate': ['malate', 'meatal', 'tamale'], 'malcreated': ['cradlemate', 'malcreated'], 'maldonite': ['antimodel', 'maldonite', 'monilated'], 'male': ['alem', 'alme', 'lame', 'leam', 'male', 'meal', 'mela'], 'maleficiation': ['amelification', 'maleficiation'], 'maleic': ['maleic', 'malice', 'melica'], 'maleinoid': ['alimonied', 'maleinoid'], 'malella': ['lamella', 'malella', 'malleal'], 'maleness': ['lameness', 'maleness', 'maneless', 'nameless'], 'malengine': ['enameling', 'malengine', 'meningeal'], 'maleo': ['amole', 'maleo'], 'malfed': ['flamed', 'malfed'], 'malhonest': ['malhonest', 'mashelton'], 'mali': ['amil', 'amli', 'lima', 'mail', 'mali', 'mila'], 'malic': ['claim', 'clima', 'malic'], 'malice': ['maleic', 'malice', 'melica'], 'malicho': ['chiloma', 'malicho'], 'maligner': ['germinal', 'maligner', 'malinger'], 'malikana': ['kalamian', 'malikana'], 'maline': ['limean', 'maline', 'melian', 'menial'], 'malines': ['malines', 'salmine', 'selamin', 'seminal'], 'malinger': ['germinal', 'maligner', 'malinger'], 'malison': ['malison', 'manolis', 'osmanli', 'somnial'], 'malladrite': ['armillated', 'malladrite', 'mallardite'], 'mallardite': ['armillated', 'malladrite', 'mallardite'], 'malleal': ['lamella', 'malella', 'malleal'], 'mallein': ['mallein', 'manille'], 'malleoincudal': ['incudomalleal', 'malleoincudal'], 'malleus': ['amellus', 'malleus'], 'malmaison': ['anomalism', 'malmaison'], 'malmy': ['lammy', 'malmy'], 'malo': ['loam', 'loma', 'malo', 'mola', 'olam'], 'malonic': ['limacon', 'malonic'], 'malonyl': ['allonym', 'malonyl'], 'malope': ['aplome', 'malope'], 'malpoise': ['malpoise', 'semiopal'], 'malposed': ['malposed', 'plasmode'], 'maltase': ['asmalte', 'maltase'], 'malter': ['armlet', 'malter', 'martel'], 'maltese': ['maltese', 'seamlet'], 'malthe': ['hamlet', 'malthe'], 'malurinae': ['malurinae', 'melanuria'], 'malurine': ['lemurian', 'malurine', 'rumelian'], 'malurus': ['malurus', 'ramulus'], 'malus': ['lamus', 'malus', 'musal', 'slaum'], 'mamers': ['mamers', 'sammer'], 'mamo': ['ammo', 'mamo'], 'man': ['man', 'nam'], 'mana': ['anam', 'mana', 'naam', 'nama'], 'manacle': ['laceman', 'manacle'], 'manacus': ['manacus', 'samucan'], 'manage': ['agname', 'manage'], 'manager': ['gearman', 'manager'], 'manal': ['alman', 'lamna', 'manal'], 'manas': ['manas', 'saman'], 'manatee': ['emanate', 'manatee'], 'manatine': ['annamite', 'manatine'], 'manbird': ['birdman', 'manbird'], 'manchester': ['manchester', 'searchment'], 'mand': ['damn', 'mand'], 'mandaeism': ['maenadism', 'mandaeism'], 'mandaite': ['animated', 'mandaite', 'mantidae'], 'mandarin': ['drainman', 'mandarin'], 'mandation': ['damnation', 'mandation'], 'mandatory': ['damnatory', 'mandatory'], 'mande': ['amend', 'mande', 'maned'], 'mandelate': ['aldeament', 'mandelate'], 'mandil': ['lamnid', 'mandil'], 'mandola': ['mandola', 'odalman'], 'mandora': ['anadrom', 'madrona', 'mandora', 'monarda', 'roadman'], 'mandra': ['mandra', 'radman'], 'mandrill': ['drillman', 'mandrill'], 'mandyas': ['daysman', 'mandyas'], 'mane': ['amen', 'enam', 'mane', 'mean', 'name', 'nema'], 'maned': ['amend', 'mande', 'maned'], 'manege': ['gamene', 'manege', 'menage'], 'manei': ['amine', 'anime', 'maine', 'manei'], 'maneless': ['lameness', 'maleness', 'maneless', 'nameless'], 'manent': ['manent', 'netman'], 'manerial': ['almerian', 'manerial'], 'manes': ['manes', 'manse', 'mensa', 'samen', 'senam'], 'maness': ['enmass', 'maness', 'messan'], 'manettia': ['antietam', 'manettia'], 'maney': ['maney', 'yamen'], 'manga': ['amang', 'ganam', 'manga'], 'mangar': ['amgarn', 'mangar', 'marang', 'ragman'], 'mangel': ['legman', 'mangel', 'mangle'], 'mangelin': ['mangelin', 'nameling'], 'manger': ['engram', 'german', 'manger'], 'mangerite': ['germanite', 'germinate', 'gramenite', 'mangerite'], 'mangi': ['gamin', 'mangi'], 'mangle': ['legman', 'mangel', 'mangle'], 'mango': ['among', 'mango'], 'mangrass': ['grassman', 'mangrass'], 'mangrate': ['grateman', 'mangrate', 'mentagra', 'targeman'], 'mangue': ['mangue', 'maunge'], 'manhead': ['headman', 'manhead'], 'manhole': ['holeman', 'manhole'], 'manhood': ['dhamnoo', 'hoodman', 'manhood'], 'mani': ['amin', 'main', 'mani', 'mian', 'mina', 'naim'], 'mania': ['amain', 'amani', 'amnia', 'anima', 'mania'], 'maniable': ['animable', 'maniable'], 'maniac': ['amniac', 'caiman', 'maniac'], 'manic': ['amnic', 'manic'], 'manid': ['dimna', 'manid'], 'manidae': ['adamine', 'manidae'], 'manify': ['infamy', 'manify'], 'manila': ['almain', 'animal', 'lamina', 'manila'], 'manilla': ['alnilam', 'manilla'], 'manille': ['mallein', 'manille'], 'manioc': ['camion', 'conima', 'manioc', 'monica'], 'maniple': ['impanel', 'maniple'], 'manipuri': ['manipuri', 'unimpair'], 'manis': ['mains', 'manis'], 'manist': ['manist', 'mantis', 'matins', 'stamin'], 'manistic': ['actinism', 'manistic'], 'manito': ['atimon', 'manito', 'montia'], 'maniu': ['maniu', 'munia', 'unami'], 'manius': ['animus', 'anisum', 'anusim', 'manius'], 'maniva': ['maniva', 'vimana'], 'manlet': ['lament', 'manlet', 'mantel', 'mantle', 'mental'], 'manna': ['annam', 'manna'], 'mannite': ['mannite', 'tineman'], 'mannonic': ['cinnamon', 'mannonic'], 'mano': ['mano', 'moan', 'mona', 'noam', 'noma', 'oman'], 'manoc': ['coman', 'macon', 'manoc'], 'manolis': ['malison', 'manolis', 'osmanli', 'somnial'], 'manometrical': ['commentarial', 'manometrical'], 'manometry': ['manometry', 'momentary'], 'manor': ['manor', 'moran', 'norma', 'ramon', 'roman'], 'manorial': ['manorial', 'morainal'], 'manorship': ['manorship', 'orphanism'], 'manoscope': ['manoscope', 'moonscape'], 'manred': ['damner', 'manred', 'randem', 'remand'], 'manrent': ['manrent', 'remnant'], 'manrope': ['manrope', 'ropeman'], 'manse': ['manes', 'manse', 'mensa', 'samen', 'senam'], 'manship': ['manship', 'shipman'], 'mansion': ['mansion', 'onanism'], 'mansioneer': ['emersonian', 'mansioneer'], 'manslaughter': ['manslaughter', 'slaughterman'], 'manso': ['manso', 'mason', 'monas'], 'manta': ['atman', 'manta'], 'mantel': ['lament', 'manlet', 'mantel', 'mantle', 'mental'], 'manteline': ['lineament', 'manteline'], 'manter': ['manter', 'marten', 'rament'], 'mantes': ['mantes', 'stamen'], 'manticore': ['cremation', 'manticore'], 'mantidae': ['animated', 'mandaite', 'mantidae'], 'mantis': ['manist', 'mantis', 'matins', 'stamin'], 'mantispa': ['mainpast', 'mantispa', 'panamist', 'stampian'], 'mantissa': ['mantissa', 'satanism'], 'mantle': ['lament', 'manlet', 'mantel', 'mantle', 'mental'], 'manto': ['manto', 'toman'], 'mantodea': ['mantodea', 'nematoda'], 'mantoidea': ['diatomean', 'mantoidea'], 'mantra': ['mantra', 'tarman'], 'mantrap': ['mantrap', 'rampant'], 'mantua': ['anatum', 'mantua', 'tamanu'], 'manual': ['alumna', 'manual'], 'manualism': ['manualism', 'musalmani'], 'manualiter': ['manualiter', 'unmaterial'], 'manuel': ['manuel', 'unlame'], 'manul': ['lanum', 'manul'], 'manuma': ['amunam', 'manuma'], 'manure': ['manure', 'menura'], 'manward': ['manward', 'wardman'], 'manwards': ['manwards', 'wardsman'], 'manway': ['manway', 'wayman'], 'manwise': ['manwise', 'wiseman'], 'many': ['many', 'myna'], 'mao': ['mao', 'oam'], 'maori': ['maori', 'mario', 'moira'], 'map': ['map', 'pam'], 'mapach': ['champa', 'mapach'], 'maple': ['ample', 'maple'], 'mapper': ['mapper', 'pamper', 'pampre'], 'mar': ['arm', 'mar', 'ram'], 'mara': ['amar', 'amra', 'mara', 'rama'], 'marabout': ['marabout', 'marabuto', 'tamboura'], 'marabuto': ['marabout', 'marabuto', 'tamboura'], 'maraca': ['acamar', 'camara', 'maraca'], 'maral': ['alarm', 'malar', 'maral', 'marla', 'ramal'], 'marang': ['amgarn', 'mangar', 'marang', 'ragman'], 'mararie': ['armeria', 'mararie'], 'marasca': ['marasca', 'mascara'], 'maraschino': ['anachorism', 'chorasmian', 'maraschino'], 'marasmic': ['macarism', 'marasmic'], 'marbelize': ['marbelize', 'marbleize'], 'marble': ['ambler', 'blamer', 'lamber', 'marble', 'ramble'], 'marbleize': ['marbelize', 'marbleize'], 'marbler': ['marbler', 'rambler'], 'marbling': ['marbling', 'rambling'], 'marc': ['cram', 'marc'], 'marcan': ['carman', 'marcan'], 'marcel': ['calmer', 'carmel', 'clamer', 'marcel', 'mercal'], 'marcescent': ['marcescent', 'scarcement'], 'march': ['charm', 'march'], 'marcher': ['charmer', 'marcher', 'remarch'], 'marchite': ['athermic', 'marchite', 'rhematic'], 'marchpane': ['marchpane', 'preachman'], 'marci': ['marci', 'mirac'], 'marcionist': ['marcionist', 'romanistic'], 'marcionite': ['marcionite', 'microtinae', 'remication'], 'marco': ['carom', 'coram', 'macro', 'marco'], 'marconi': ['amicron', 'marconi', 'minorca', 'romanic'], 'mare': ['erma', 'mare', 'rame', 'ream'], 'mareca': ['acream', 'camera', 'mareca'], 'marek': ['maker', 'marek', 'merak'], 'marengo': ['marengo', 'megaron'], 'mareotid': ['mareotid', 'mediator'], 'marfik': ['marfik', 'mirfak'], 'marfire': ['firearm', 'marfire'], 'margay': ['magyar', 'margay'], 'marge': ['grame', 'marge', 'regma'], 'margeline': ['margeline', 'regimenal'], 'margent': ['garment', 'margent'], 'margie': ['imager', 'maigre', 'margie', 'mirage'], 'margin': ['arming', 'ingram', 'margin'], 'marginal': ['alarming', 'marginal'], 'marginally': ['alarmingly', 'marginally'], 'marginate': ['armangite', 'marginate'], 'marginated': ['argentamid', 'marginated'], 'margined': ['dirgeman', 'margined', 'midrange'], 'marginiform': ['graminiform', 'marginiform'], 'margot': ['gomart', 'margot'], 'marhala': ['harmala', 'marhala'], 'mari': ['amir', 'irma', 'mari', 'mira', 'rami', 'rima'], 'marialite': ['latimeria', 'marialite'], 'marian': ['airman', 'amarin', 'marian', 'marina', 'mirana'], 'mariana': ['aramina', 'mariana'], 'marianne': ['armenian', 'marianne'], 'marie': ['aimer', 'maire', 'marie', 'ramie'], 'marigenous': ['germanious', 'gramineous', 'marigenous'], 'marilla': ['armilla', 'marilla'], 'marina': ['airman', 'amarin', 'marian', 'marina', 'mirana'], 'marinade': ['madeiran', 'marinade'], 'marinate': ['animater', 'marinate'], 'marine': ['ermani', 'marine', 'remain'], 'marinist': ['marinist', 'mistrain'], 'mario': ['maori', 'mario', 'moira'], 'marion': ['marion', 'romain'], 'mariou': ['mariou', 'oarium'], 'maris': ['maris', 'marsi', 'samir', 'simar'], 'marish': ['marish', 'shamir'], 'marishness': ['marishness', 'marshiness'], 'marist': ['marist', 'matris', 'ramist'], 'maritage': ['gematria', 'maritage'], 'marital': ['marital', 'martial'], 'maritality': ['maritality', 'martiality'], 'maritally': ['maritally', 'martially'], 'marka': ['karma', 'krama', 'marka'], 'markeb': ['embark', 'markeb'], 'marked': ['demark', 'marked'], 'marker': ['marker', 'remark'], 'marketable': ['marketable', 'tablemaker'], 'marketeer': ['marketeer', 'treemaker'], 'marketer': ['marketer', 'remarket'], 'marko': ['marko', 'marok'], 'marla': ['alarm', 'malar', 'maral', 'marla', 'ramal'], 'marled': ['dermal', 'marled', 'medlar'], 'marli': ['armil', 'marli', 'rimal'], 'marline': ['marline', 'mineral', 'ramline'], 'marlite': ['lamiter', 'marlite'], 'marlock': ['lockram', 'marlock'], 'maro': ['amor', 'maro', 'mora', 'omar', 'roam'], 'marocain': ['armonica', 'macaroni', 'marocain'], 'marok': ['marko', 'marok'], 'maronian': ['maronian', 'romanian'], 'maronist': ['maronist', 'romanist'], 'maronite': ['maronite', 'martinoe', 'minorate', 'morenita', 'romanite'], 'marquesan': ['marquesan', 'squareman'], 'marquis': ['asquirm', 'marquis'], 'marree': ['marree', 'reamer'], 'married': ['admirer', 'madrier', 'married'], 'marrot': ['marrot', 'mortar'], 'marrowed': ['marrowed', 'romeward'], 'marryer': ['marryer', 'remarry'], 'mars': ['arms', 'mars'], 'marsh': ['marsh', 'shram'], 'marshaler': ['marshaler', 'remarshal'], 'marshiness': ['marishness', 'marshiness'], 'marshite': ['arthemis', 'marshite', 'meharist'], 'marsi': ['maris', 'marsi', 'samir', 'simar'], 'marsipobranchiata': ['basiparachromatin', 'marsipobranchiata'], 'mart': ['mart', 'tram'], 'martel': ['armlet', 'malter', 'martel'], 'marteline': ['alimenter', 'marteline'], 'marten': ['manter', 'marten', 'rament'], 'martes': ['martes', 'master', 'remast', 'stream'], 'martha': ['amarth', 'martha'], 'martial': ['marital', 'martial'], 'martiality': ['maritality', 'martiality'], 'martially': ['maritally', 'martially'], 'martian': ['martian', 'tamarin'], 'martinet': ['intermat', 'martinet', 'tetramin'], 'martinico': ['martinico', 'mortician'], 'martinoe': ['maronite', 'martinoe', 'minorate', 'morenita', 'romanite'], 'martite': ['martite', 'mitrate'], 'martius': ['martius', 'matsuri', 'maurist'], 'martu': ['martu', 'murat', 'turma'], 'marty': ['marty', 'tryma'], 'maru': ['arum', 'maru', 'mura'], 'mary': ['army', 'mary', 'myra', 'yarm'], 'marylander': ['aldermanry', 'marylander'], 'marysole': ['marysole', 'ramosely'], 'mas': ['mas', 'sam', 'sma'], 'mascara': ['marasca', 'mascara'], 'mascotry': ['arctomys', 'costmary', 'mascotry'], 'masculine': ['masculine', 'semuncial', 'simulance'], 'masculist': ['masculist', 'simulcast'], 'masdeu': ['amused', 'masdeu', 'medusa'], 'mash': ['mash', 'samh', 'sham'], 'masha': ['hamsa', 'masha', 'shama'], 'mashal': ['mashal', 'shamal'], 'mashelton': ['malhonest', 'mashelton'], 'masher': ['masher', 'ramesh', 'shamer'], 'mashy': ['mashy', 'shyam'], 'mask': ['kasm', 'mask'], 'masker': ['masker', 'remask'], 'mason': ['manso', 'mason', 'monas'], 'masoner': ['masoner', 'romanes'], 'masonic': ['anosmic', 'masonic'], 'masonite': ['masonite', 'misatone'], 'maspiter': ['maspiter', 'pastimer', 'primates'], 'masque': ['masque', 'squame', 'squeam'], 'massa': ['amass', 'assam', 'massa', 'samas'], 'masse': ['masse', 'sesma'], 'masser': ['masser', 'remass'], 'masseter': ['masseter', 'seamster'], 'masseur': ['assumer', 'erasmus', 'masseur'], 'massicot': ['acosmist', 'massicot', 'somatics'], 'massiness': ['amissness', 'massiness'], 'masskanne': ['masskanne', 'sneaksman'], 'mast': ['mast', 'mats', 'stam'], 'masted': ['demast', 'masted'], 'master': ['martes', 'master', 'remast', 'stream'], 'masterate': ['masterate', 'metatarse'], 'masterer': ['masterer', 'restream', 'streamer'], 'masterful': ['masterful', 'streamful'], 'masterless': ['masterless', 'streamless'], 'masterlike': ['masterlike', 'streamlike'], 'masterling': ['masterling', 'streamling'], 'masterly': ['masterly', 'myrtales'], 'mastership': ['mastership', 'shipmaster'], 'masterwork': ['masterwork', 'workmaster'], 'masterwort': ['masterwort', 'streamwort'], 'mastery': ['mastery', 'streamy'], 'mastic': ['mastic', 'misact'], 'masticable': ['ablastemic', 'masticable'], 'mastiche': ['mastiche', 'misteach'], 'mastlike': ['kemalist', 'mastlike'], 'mastoid': ['distoma', 'mastoid'], 'mastoidale': ['diatomales', 'mastoidale', 'mastoideal'], 'mastoideal': ['diatomales', 'mastoidale', 'mastoideal'], 'mastological': ['malacologist', 'mastological'], 'mastomenia': ['mastomenia', 'seminomata'], 'mastotomy': ['mastotomy', 'stomatomy'], 'masu': ['masu', 'musa', 'saum'], 'mat': ['amt', 'mat', 'tam'], 'matacan': ['matacan', 'tamanac'], 'matai': ['amati', 'amita', 'matai'], 'matar': ['matar', 'matra', 'trama'], 'matara': ['armata', 'matara', 'tamara'], 'matcher': ['matcher', 'rematch'], 'mate': ['mate', 'meat', 'meta', 'tame', 'team', 'tema'], 'mateless': ['mateless', 'meatless', 'tameless', 'teamless'], 'matelessness': ['matelessness', 'tamelessness'], 'mately': ['mately', 'tamely'], 'mater': ['armet', 'mater', 'merat', 'metra', 'ramet', 'tamer', 'terma', 'trame', 'trema'], 'materialism': ['immaterials', 'materialism'], 'materiel': ['eremital', 'materiel'], 'maternal': ['maternal', 'ramental'], 'maternology': ['laryngotome', 'maternology'], 'mateship': ['aphetism', 'mateship', 'shipmate', 'spithame'], 'matey': ['matey', 'meaty'], 'mathesis': ['mathesis', 'thamesis'], 'mathetic': ['mathetic', 'thematic'], 'matico': ['atomic', 'matico'], 'matin': ['maint', 'matin'], 'matinee': ['amenite', 'etamine', 'matinee'], 'matins': ['manist', 'mantis', 'matins', 'stamin'], 'matra': ['matar', 'matra', 'trama'], 'matral': ['matral', 'tramal'], 'matralia': ['altamira', 'matralia'], 'matrices': ['camerist', 'ceramist', 'matrices'], 'matricide': ['citramide', 'diametric', 'matricide'], 'matricula': ['lactarium', 'matricula'], 'matricular': ['matricular', 'trimacular'], 'matris': ['marist', 'matris', 'ramist'], 'matrocliny': ['matrocliny', 'romanticly'], 'matronism': ['matronism', 'romantism'], 'mats': ['mast', 'mats', 'stam'], 'matsu': ['matsu', 'tamus', 'tsuma'], 'matsuri': ['martius', 'matsuri', 'maurist'], 'matter': ['matter', 'mettar'], 'mattoir': ['mattoir', 'tritoma'], 'maturable': ['maturable', 'metabular'], 'maturation': ['maturation', 'natatorium'], 'maturer': ['erratum', 'maturer'], 'mau': ['aum', 'mau'], 'maud': ['duma', 'maud'], 'maudle': ['almude', 'maudle'], 'mauger': ['mauger', 'murage'], 'maul': ['alum', 'maul'], 'mauler': ['mauler', 'merula', 'ramule'], 'maun': ['maun', 'numa'], 'maund': ['maund', 'munda', 'numda', 'undam', 'unmad'], 'maunder': ['duramen', 'maunder', 'unarmed'], 'maunderer': ['maunderer', 'underream'], 'maunge': ['mangue', 'maunge'], 'maureen': ['maureen', 'menurae'], 'maurice': ['maurice', 'uraemic'], 'maurist': ['martius', 'matsuri', 'maurist'], 'mauser': ['amuser', 'mauser'], 'mavis': ['amvis', 'mavis'], 'maw': ['maw', 'mwa'], 'mawp': ['mawp', 'wamp'], 'may': ['amy', 'may', 'mya', 'yam'], 'maybe': ['beamy', 'embay', 'maybe'], 'mayer': ['mayer', 'reamy'], 'maylike': ['maylike', 'yamilke'], 'mayo': ['amoy', 'mayo'], 'mayor': ['mayor', 'moray'], 'maypoling': ['maypoling', 'pygmalion'], 'maysin': ['maysin', 'minyas', 'mysian'], 'maytide': ['daytime', 'maytide'], 'mazer': ['mazer', 'zerma'], 'mazur': ['mazur', 'murza'], 'mbaya': ['ambay', 'mbaya'], 'me': ['em', 'me'], 'meable': ['bemeal', 'meable'], 'mead': ['dame', 'made', 'mead'], 'meader': ['meader', 'remade'], 'meager': ['graeme', 'meager', 'meagre'], 'meagre': ['graeme', 'meager', 'meagre'], 'meak': ['kame', 'make', 'meak'], 'meal': ['alem', 'alme', 'lame', 'leam', 'male', 'meal', 'mela'], 'mealer': ['leamer', 'mealer'], 'mealiness': ['mealiness', 'messaline'], 'mealy': ['mealy', 'yamel'], 'mean': ['amen', 'enam', 'mane', 'mean', 'name', 'nema'], 'meander': ['amender', 'meander', 'reamend', 'reedman'], 'meandrite': ['demetrian', 'dermatine', 'meandrite', 'minareted'], 'meandrous': ['meandrous', 'roundseam'], 'meaned': ['amende', 'demean', 'meaned', 'nadeem'], 'meaner': ['enarme', 'meaner', 'rename'], 'meanly': ['meanly', 'namely'], 'meant': ['ament', 'meant', 'teman'], 'mease': ['emesa', 'mease'], 'measly': ['measly', 'samely'], 'measuration': ['aeronautism', 'measuration'], 'measure': ['measure', 'reamuse'], 'measured': ['madurese', 'measured'], 'meat': ['mate', 'meat', 'meta', 'tame', 'team', 'tema'], 'meatal': ['malate', 'meatal', 'tamale'], 'meatless': ['mateless', 'meatless', 'tameless', 'teamless'], 'meatman': ['meatman', 'teamman'], 'meatus': ['meatus', 'mutase'], 'meaty': ['matey', 'meaty'], 'mechanal': ['leachman', 'mechanal'], 'mechanicochemical': ['chemicomechanical', 'mechanicochemical'], 'mechanics': ['mechanics', 'mischance'], 'mechir': ['chimer', 'mechir', 'micher'], 'mecometry': ['cymometer', 'mecometry'], 'meconic': ['comenic', 'encomic', 'meconic'], 'meconin': ['ennomic', 'meconin'], 'meconioid': ['meconioid', 'monoeidic'], 'meconium': ['encomium', 'meconium'], 'mecopteron': ['mecopteron', 'protocneme'], 'medal': ['demal', 'medal'], 'medallary': ['alarmedly', 'medallary'], 'mede': ['deem', 'deme', 'mede', 'meed'], 'media': ['amide', 'damie', 'media'], 'mediacy': ['dicyema', 'mediacy'], 'mediad': ['diadem', 'mediad'], 'medial': ['aldime', 'mailed', 'medial'], 'median': ['daimen', 'damine', 'maiden', 'median', 'medina'], 'medianism': ['maidenism', 'medianism'], 'medianly': ['lymnaeid', 'maidenly', 'medianly'], 'mediator': ['mareotid', 'mediator'], 'mediatress': ['mediatress', 'streamside'], 'mediatrice': ['acidimeter', 'mediatrice'], 'medical': ['camelid', 'decimal', 'declaim', 'medical'], 'medically': ['decimally', 'medically'], 'medicate': ['decimate', 'medicate'], 'medication': ['decimation', 'medication'], 'medicator': ['decimator', 'medicator', 'mordicate'], 'medicatory': ['acidometry', 'medicatory', 'radiectomy'], 'medicinal': ['adminicle', 'medicinal'], 'medicophysical': ['medicophysical', 'physicomedical'], 'medimnos': ['demonism', 'medimnos', 'misnomed'], 'medina': ['daimen', 'damine', 'maiden', 'median', 'medina'], 'medino': ['domine', 'domnei', 'emodin', 'medino'], 'mediocrist': ['dosimetric', 'mediocrist'], 'mediocrity': ['iridectomy', 'mediocrity'], 'mediodorsal': ['dorsomedial', 'mediodorsal'], 'medioventral': ['medioventral', 'ventromedial'], 'meditate': ['admittee', 'meditate'], 'meditator': ['meditator', 'trematoid'], 'medlar': ['dermal', 'marled', 'medlar'], 'medusa': ['amused', 'masdeu', 'medusa'], 'medusan': ['medusan', 'sudamen'], 'meece': ['emcee', 'meece'], 'meed': ['deem', 'deme', 'mede', 'meed'], 'meeks': ['meeks', 'smeek'], 'meered': ['deemer', 'meered', 'redeem', 'remede'], 'meet': ['meet', 'mete', 'teem'], 'meeter': ['meeter', 'remeet', 'teemer'], 'meethelp': ['helpmeet', 'meethelp'], 'meeting': ['meeting', 'teeming', 'tegmine'], 'meg': ['gem', 'meg'], 'megabar': ['bergama', 'megabar'], 'megachiropteran': ['cinematographer', 'megachiropteran'], 'megadont': ['magnetod', 'megadont'], 'megadyne': ['ganymede', 'megadyne'], 'megaera': ['megaera', 'reamage'], 'megalodon': ['megalodon', 'moonglade'], 'megalohepatia': ['hepatomegalia', 'megalohepatia'], 'megalophonous': ['megalophonous', 'omphalogenous'], 'megalosplenia': ['megalosplenia', 'splenomegalia'], 'megapod': ['megapod', 'pagedom'], 'megapodius': ['megapodius', 'pseudimago'], 'megarian': ['germania', 'megarian'], 'megaric': ['gemaric', 'grimace', 'megaric'], 'megaron': ['marengo', 'megaron'], 'megaton': ['geomant', 'magneto', 'megaton', 'montage'], 'megmho': ['megmho', 'megohm'], 'megohm': ['megmho', 'megohm'], 'megrim': ['gimmer', 'grimme', 'megrim'], 'mehari': ['mehari', 'meriah'], 'meharist': ['arthemis', 'marshite', 'meharist'], 'meile': ['elemi', 'meile'], 'mein': ['mein', 'mien', 'mine'], 'meio': ['meio', 'oime'], 'mel': ['elm', 'mel'], 'mela': ['alem', 'alme', 'lame', 'leam', 'male', 'meal', 'mela'], 'melaconite': ['colemanite', 'melaconite'], 'melalgia': ['gamaliel', 'melalgia'], 'melam': ['lemma', 'melam'], 'melamine': ['ammeline', 'melamine'], 'melange': ['gleeman', 'melange'], 'melania': ['laminae', 'melania'], 'melanian': ['alemanni', 'melanian'], 'melanic': ['cnemial', 'melanic'], 'melanilin': ['melanilin', 'millennia'], 'melanin': ['lemnian', 'lineman', 'melanin'], 'melanism': ['melanism', 'slimeman'], 'melanite': ['melanite', 'meletian', 'metaline', 'nemalite'], 'melanitic': ['alimentic', 'antilemic', 'melanitic', 'metanilic'], 'melanochroi': ['chloroamine', 'melanochroi'], 'melanogen': ['melanogen', 'melongena'], 'melanoid': ['demonial', 'melanoid'], 'melanorrhea': ['amenorrheal', 'melanorrhea'], 'melanosis': ['loaminess', 'melanosis'], 'melanotic': ['entomical', 'melanotic'], 'melanuria': ['malurinae', 'melanuria'], 'melanuric': ['ceruminal', 'melanuric', 'numerical'], 'melas': ['amsel', 'melas', 'mesal', 'samel'], 'melastoma': ['melastoma', 'metasomal'], 'meldrop': ['meldrop', 'premold'], 'melena': ['enamel', 'melena'], 'melenic': ['celemin', 'melenic'], 'meletian': ['melanite', 'meletian', 'metaline', 'nemalite'], 'meletski': ['meletski', 'stemlike'], 'melian': ['limean', 'maline', 'melian', 'menial'], 'meliatin': ['meliatin', 'timaline'], 'melic': ['clime', 'melic'], 'melica': ['maleic', 'malice', 'melica'], 'melicerta': ['carmelite', 'melicerta'], 'melicraton': ['centimolar', 'melicraton'], 'melinda': ['idleman', 'melinda'], 'meline': ['elemin', 'meline'], 'melinite': ['ilmenite', 'melinite', 'menilite'], 'meliorant': ['meliorant', 'mentorial'], 'melissa': ['aimless', 'melissa', 'seismal'], 'melitose': ['melitose', 'mesolite'], 'mellay': ['lamely', 'mellay'], 'mellit': ['mellit', 'millet'], 'melodia': ['melodia', 'molidae'], 'melodica': ['cameloid', 'comedial', 'melodica'], 'melodicon': ['clinodome', 'melodicon', 'monocleid'], 'melodist': ['melodist', 'modelist'], 'melomanic': ['commelina', 'melomanic'], 'melon': ['lemon', 'melon', 'monel'], 'melongena': ['melanogen', 'melongena'], 'melonist': ['melonist', 'telonism'], 'melonites': ['limestone', 'melonites', 'milestone'], 'melonlike': ['lemonlike', 'melonlike'], 'meloplasty': ['meloplasty', 'myeloplast'], 'melosa': ['melosa', 'salome', 'semola'], 'melotragic': ['algometric', 'melotragic'], 'melotrope': ['melotrope', 'metropole'], 'melter': ['melter', 'remelt'], 'melters': ['melters', 'resmelt', 'smelter'], 'melton': ['loment', 'melton', 'molten'], 'melungeon': ['melungeon', 'nonlegume'], 'mem': ['emm', 'mem'], 'memnon': ['memnon', 'mennom'], 'memo': ['memo', 'mome'], 'memorandist': ['memorandist', 'moderantism', 'semidormant'], 'menage': ['gamene', 'manege', 'menage'], 'menald': ['lemnad', 'menald'], 'menaspis': ['menaspis', 'semispan'], 'mendaite': ['dementia', 'mendaite'], 'mende': ['emend', 'mende'], 'mender': ['mender', 'remend'], 'mendi': ['denim', 'mendi'], 'mendipite': ['impedient', 'mendipite'], 'menial': ['limean', 'maline', 'melian', 'menial'], 'menic': ['menic', 'mince'], 'menilite': ['ilmenite', 'melinite', 'menilite'], 'meningeal': ['enameling', 'malengine', 'meningeal'], 'meningocephalitis': ['cephalomeningitis', 'meningocephalitis'], 'meningocerebritis': ['cerebromeningitis', 'meningocerebritis'], 'meningoencephalitis': ['encephalomeningitis', 'meningoencephalitis'], 'meningoencephalocele': ['encephalomeningocele', 'meningoencephalocele'], 'meningomyelitis': ['meningomyelitis', 'myelomeningitis'], 'meningomyelocele': ['meningomyelocele', 'myelomeningocele'], 'mennom': ['memnon', 'mennom'], 'menostasia': ['anematosis', 'menostasia'], 'mensa': ['manes', 'manse', 'mensa', 'samen', 'senam'], 'mensal': ['anselm', 'mensal'], 'mense': ['mense', 'mesne', 'semen'], 'menstrual': ['menstrual', 'ulsterman'], 'mensurable': ['lebensraum', 'mensurable'], 'mentagra': ['grateman', 'mangrate', 'mentagra', 'targeman'], 'mental': ['lament', 'manlet', 'mantel', 'mantle', 'mental'], 'mentalis': ['mentalis', 'smaltine', 'stileman'], 'mentalize': ['mentalize', 'mentzelia'], 'mentation': ['mentation', 'montanite'], 'mentha': ['anthem', 'hetman', 'mentha'], 'menthane': ['enanthem', 'menthane'], 'mentigerous': ['mentigerous', 'tergeminous'], 'mentolabial': ['labiomental', 'mentolabial'], 'mentor': ['mentor', 'merton', 'termon', 'tormen'], 'mentorial': ['meliorant', 'mentorial'], 'mentzelia': ['mentalize', 'mentzelia'], 'menura': ['manure', 'menura'], 'menurae': ['maureen', 'menurae'], 'menyie': ['menyie', 'yemeni'], 'meo': ['meo', 'moe'], 'mephisto': ['mephisto', 'pithsome'], 'merak': ['maker', 'marek', 'merak'], 'merat': ['armet', 'mater', 'merat', 'metra', 'ramet', 'tamer', 'terma', 'trame', 'trema'], 'meratia': ['ametria', 'artemia', 'meratia', 'ramaite'], 'mercal': ['calmer', 'carmel', 'clamer', 'marcel', 'mercal'], 'mercator': ['cremator', 'mercator'], 'mercatorial': ['crematorial', 'mercatorial'], 'mercian': ['armenic', 'carmine', 'ceriman', 'crimean', 'mercian'], 'merciful': ['crimeful', 'merciful'], 'merciless': ['crimeless', 'merciless'], 'mercilessness': ['crimelessness', 'mercilessness'], 'mere': ['mere', 'reem'], 'merel': ['elmer', 'merel', 'merle'], 'merely': ['merely', 'yelmer'], 'merginae': ['ergamine', 'merginae'], 'mergus': ['gersum', 'mergus'], 'meriah': ['mehari', 'meriah'], 'merice': ['eremic', 'merice'], 'merida': ['admire', 'armied', 'damier', 'dimera', 'merida'], 'meril': ['limer', 'meril', 'miler'], 'meriones': ['emersion', 'meriones'], 'merism': ['merism', 'mermis', 'simmer'], 'merist': ['merist', 'mister', 'smiter'], 'meristem': ['meristem', 'mimester'], 'meristic': ['meristic', 'trimesic', 'trisemic'], 'merit': ['merit', 'miter', 'mitre', 'remit', 'timer'], 'merited': ['demerit', 'dimeter', 'merited', 'mitered'], 'meriter': ['meriter', 'miterer', 'trireme'], 'merle': ['elmer', 'merel', 'merle'], 'merlin': ['limner', 'merlin', 'milner'], 'mermaid': ['demiram', 'mermaid'], 'mermis': ['merism', 'mermis', 'simmer'], 'mero': ['mero', 'more', 'omer', 'rome'], 'meroblastic': ['blastomeric', 'meroblastic'], 'merocyte': ['cytomere', 'merocyte'], 'merogony': ['gonomery', 'merogony'], 'meroistic': ['eroticism', 'isometric', 'meroistic', 'trioecism'], 'merop': ['merop', 'moper', 'proem', 'remop'], 'meropia': ['emporia', 'meropia'], 'meros': ['meros', 'mores', 'morse', 'sermo', 'smore'], 'merosthenic': ['merosthenic', 'microsthene'], 'merostome': ['merostome', 'osmometer'], 'merrow': ['merrow', 'wormer'], 'merse': ['merse', 'smeer'], 'merton': ['mentor', 'merton', 'termon', 'tormen'], 'merula': ['mauler', 'merula', 'ramule'], 'meruline': ['lemurine', 'meruline', 'relumine'], 'mesa': ['asem', 'mesa', 'same', 'seam'], 'mesad': ['desma', 'mesad'], 'mesadenia': ['deaminase', 'mesadenia'], 'mesail': ['amiles', 'asmile', 'mesail', 'mesial', 'samiel'], 'mesal': ['amsel', 'melas', 'mesal', 'samel'], 'mesalike': ['mesalike', 'seamlike'], 'mesaraic': ['cramasie', 'mesaraic'], 'mesaticephaly': ['hemicatalepsy', 'mesaticephaly'], 'mese': ['mese', 'seem', 'seme', 'smee'], 'meshech': ['meshech', 'shechem'], 'mesial': ['amiles', 'asmile', 'mesail', 'mesial', 'samiel'], 'mesian': ['asimen', 'inseam', 'mesian'], 'mesic': ['mesic', 'semic'], 'mesion': ['eonism', 'mesion', 'oneism', 'simeon'], 'mesitae': ['amesite', 'mesitae', 'semitae'], 'mesne': ['mense', 'mesne', 'semen'], 'meso': ['meso', 'mose', 'some'], 'mesobar': ['ambrose', 'mesobar'], 'mesocephaly': ['elaphomyces', 'mesocephaly'], 'mesognathic': ['asthmogenic', 'mesognathic'], 'mesohepar': ['mesohepar', 'semaphore'], 'mesolite': ['melitose', 'mesolite'], 'mesolithic': ['homiletics', 'mesolithic'], 'mesological': ['mesological', 'semological'], 'mesology': ['mesology', 'semology'], 'mesomeric': ['mesomeric', 'microseme', 'semicrome'], 'mesonotum': ['mesonotum', 'momentous'], 'mesorectal': ['calotermes', 'mesorectal', 'metacresol'], 'mesotonic': ['economist', 'mesotonic'], 'mesoventral': ['mesoventral', 'ventromesal'], 'mespil': ['mespil', 'simple'], 'mesropian': ['mesropian', 'promnesia', 'spironema'], 'messalian': ['messalian', 'seminasal'], 'messaline': ['mealiness', 'messaline'], 'messan': ['enmass', 'maness', 'messan'], 'messelite': ['messelite', 'semisteel', 'teleseism'], 'messines': ['essenism', 'messines'], 'messor': ['messor', 'mosser', 'somers'], 'mestee': ['esteem', 'mestee'], 'mester': ['mester', 'restem', 'temser', 'termes'], 'mesua': ['amuse', 'mesua'], 'meta': ['mate', 'meat', 'meta', 'tame', 'team', 'tema'], 'metabular': ['maturable', 'metabular'], 'metaconid': ['comediant', 'metaconid'], 'metacresol': ['calotermes', 'mesorectal', 'metacresol'], 'metage': ['gamete', 'metage'], 'metaler': ['lameter', 'metaler', 'remetal'], 'metaline': ['melanite', 'meletian', 'metaline', 'nemalite'], 'metaling': ['ligament', 'metaling', 'tegminal'], 'metalist': ['metalist', 'smaltite'], 'metallism': ['metallism', 'smalltime'], 'metamer': ['ammeter', 'metamer'], 'metanilic': ['alimentic', 'antilemic', 'melanitic', 'metanilic'], 'metaphor': ['metaphor', 'trophema'], 'metaphoric': ['amphoteric', 'metaphoric'], 'metaphorical': ['metaphorical', 'pharmacolite'], 'metaphysical': ['lymphectasia', 'metaphysical'], 'metaplastic': ['metaplastic', 'palmatisect'], 'metapore': ['ametrope', 'metapore'], 'metasomal': ['melastoma', 'metasomal'], 'metatarse': ['masterate', 'metatarse'], 'metatheria': ['hemiterata', 'metatheria'], 'metatrophic': ['metatrophic', 'metropathic'], 'metaxenia': ['examinate', 'exanimate', 'metaxenia'], 'mete': ['meet', 'mete', 'teem'], 'meteor': ['meteor', 'remote'], 'meteorgraph': ['graphometer', 'meteorgraph'], 'meteorical': ['carmeloite', 'ectromelia', 'meteorical'], 'meteoristic': ['meteoristic', 'meteoritics'], 'meteoritics': ['meteoristic', 'meteoritics'], 'meteoroid': ['meteoroid', 'odiometer'], 'meter': ['meter', 'retem'], 'meterless': ['meterless', 'metreless'], 'metership': ['herpetism', 'metership', 'metreship', 'temperish'], 'methanal': ['latheman', 'methanal'], 'methanate': ['hetmanate', 'methanate'], 'methanoic': ['hematonic', 'methanoic'], 'mether': ['mether', 'themer'], 'method': ['method', 'mothed'], 'methylacetanilide': ['acetmethylanilide', 'methylacetanilide'], 'methylic': ['methylic', 'thymelic'], 'methylotic': ['lithectomy', 'methylotic'], 'metier': ['metier', 'retime', 'tremie'], 'metin': ['metin', 'temin', 'timne'], 'metis': ['metis', 'smite', 'stime', 'times'], 'metoac': ['comate', 'metoac', 'tecoma'], 'metol': ['metol', 'motel'], 'metonymical': ['laminectomy', 'metonymical'], 'metope': ['metope', 'poemet'], 'metopias': ['epistoma', 'metopias'], 'metosteon': ['metosteon', 'tomentose'], 'metra': ['armet', 'mater', 'merat', 'metra', 'ramet', 'tamer', 'terma', 'trame', 'trema'], 'metrectasia': ['metrectasia', 'remasticate'], 'metreless': ['meterless', 'metreless'], 'metreship': ['herpetism', 'metership', 'metreship', 'temperish'], 'metria': ['imaret', 'metria', 'mirate', 'rimate'], 'metrician': ['antimeric', 'carminite', 'criminate', 'metrician'], 'metrics': ['cretism', 'metrics'], 'metrocratic': ['cratometric', 'metrocratic'], 'metrological': ['logometrical', 'metrological'], 'metronome': ['metronome', 'monometer', 'monotreme'], 'metronomic': ['commorient', 'metronomic', 'monometric'], 'metronomical': ['metronomical', 'monometrical'], 'metropathic': ['metatrophic', 'metropathic'], 'metrophlebitis': ['metrophlebitis', 'phlebometritis'], 'metropole': ['melotrope', 'metropole'], 'metroptosia': ['metroptosia', 'prostomiate'], 'metrorrhea': ['arthromere', 'metrorrhea'], 'metrostyle': ['metrostyle', 'stylometer'], 'mettar': ['matter', 'mettar'], 'metusia': ['metusia', 'suimate', 'timaeus'], 'mew': ['mew', 'wem'], 'meward': ['meward', 'warmed'], 'mho': ['mho', 'ohm'], 'mhometer': ['mhometer', 'ohmmeter'], 'miamia': ['amimia', 'miamia'], 'mian': ['amin', 'main', 'mani', 'mian', 'mina', 'naim'], 'miaotse': ['miaotse', 'ostemia'], 'miaotze': ['atomize', 'miaotze'], 'mias': ['mias', 'saim', 'siam', 'sima'], 'miasmal': ['lamaism', 'miasmal'], 'miastor': ['amorist', 'aortism', 'miastor'], 'miaul': ['aumil', 'miaul'], 'miauler': ['lemuria', 'miauler'], 'mib': ['bim', 'mib'], 'mica': ['amic', 'mica'], 'micah': ['chiam', 'machi', 'micah'], 'micate': ['acmite', 'micate'], 'mication': ['amniotic', 'mication'], 'micellar': ['micellar', 'millrace'], 'michael': ['michael', 'micheal'], 'miche': ['chime', 'hemic', 'miche'], 'micheal': ['michael', 'micheal'], 'micher': ['chimer', 'mechir', 'micher'], 'micht': ['micht', 'mitch'], 'micranthropos': ['micranthropos', 'promonarchist'], 'micro': ['micro', 'moric', 'romic'], 'microcephal': ['microcephal', 'prochemical'], 'microcephaly': ['microcephaly', 'pyrochemical'], 'microcinema': ['microcinema', 'microcnemia'], 'microcnemia': ['microcinema', 'microcnemia'], 'microcrith': ['microcrith', 'trichromic'], 'micropetalous': ['micropetalous', 'somatopleuric'], 'microphagy': ['microphagy', 'myographic'], 'microphone': ['microphone', 'neomorphic'], 'microphot': ['microphot', 'morphotic'], 'microphotograph': ['microphotograph', 'photomicrograph'], 'microphotographic': ['microphotographic', 'photomicrographic'], 'microphotography': ['microphotography', 'photomicrography'], 'microphotoscope': ['microphotoscope', 'photomicroscope'], 'micropterous': ['micropterous', 'prosectorium'], 'micropyle': ['micropyle', 'polymeric'], 'microradiometer': ['microradiometer', 'radiomicrometer'], 'microseme': ['mesomeric', 'microseme', 'semicrome'], 'microspectroscope': ['microspectroscope', 'spectromicroscope'], 'microstat': ['microstat', 'stromatic'], 'microsthene': ['merosthenic', 'microsthene'], 'microstome': ['microstome', 'osmometric'], 'microtia': ['amoritic', 'microtia'], 'microtinae': ['marcionite', 'microtinae', 'remication'], 'mid': ['dim', 'mid'], 'midden': ['midden', 'minded'], 'middler': ['middler', 'mildred'], 'middy': ['didym', 'middy'], 'mide': ['demi', 'diem', 'dime', 'mide'], 'mider': ['dimer', 'mider'], 'mididae': ['amidide', 'diamide', 'mididae'], 'midrange': ['dirgeman', 'margined', 'midrange'], 'midstory': ['midstory', 'modistry'], 'miek': ['miek', 'mike'], 'mien': ['mein', 'mien', 'mine'], 'mig': ['gim', 'mig'], 'migraine': ['imaginer', 'migraine'], 'migrate': ['migrate', 'ragtime'], 'migratory': ['gyromitra', 'migratory'], 'mihrab': ['brahmi', 'mihrab'], 'mikael': ['kelima', 'mikael'], 'mike': ['miek', 'mike'], 'mil': ['lim', 'mil'], 'mila': ['amil', 'amli', 'lima', 'mail', 'mali', 'mila'], 'milan': ['lamin', 'liman', 'milan'], 'milden': ['milden', 'mindel'], 'mildness': ['mildness', 'mindless'], 'mildred': ['middler', 'mildred'], 'mile': ['emil', 'lime', 'mile'], 'milepost': ['milepost', 'polemist'], 'miler': ['limer', 'meril', 'miler'], 'miles': ['limes', 'miles', 'slime', 'smile'], 'milesian': ['alienism', 'milesian'], 'milestone': ['limestone', 'melonites', 'milestone'], 'milicent': ['limnetic', 'milicent'], 'military': ['limitary', 'military'], 'militate': ['limitate', 'militate'], 'militation': ['limitation', 'militation'], 'milken': ['kimnel', 'milken'], 'millennia': ['melanilin', 'millennia'], 'miller': ['miller', 'remill'], 'millet': ['mellit', 'millet'], 'milliare': ['milliare', 'ramillie'], 'millrace': ['micellar', 'millrace'], 'milner': ['limner', 'merlin', 'milner'], 'milo': ['milo', 'moil'], 'milsie': ['milsie', 'simile'], 'miltonia': ['limation', 'miltonia'], 'mima': ['ammi', 'imam', 'maim', 'mima'], 'mime': ['emim', 'mime'], 'mimester': ['meristem', 'mimester'], 'mimi': ['immi', 'mimi'], 'mimidae': ['amimide', 'mimidae'], 'mimosa': ['amomis', 'mimosa'], 'min': ['min', 'nim'], 'mina': ['amin', 'main', 'mani', 'mian', 'mina', 'naim'], 'minacity': ['imitancy', 'intimacy', 'minacity'], 'minar': ['inarm', 'minar'], 'minaret': ['minaret', 'raiment', 'tireman'], 'minareted': ['demetrian', 'dermatine', 'meandrite', 'minareted'], 'minargent': ['germinant', 'minargent'], 'minatory': ['minatory', 'romanity'], 'mince': ['menic', 'mince'], 'minchiate': ['hematinic', 'minchiate'], 'mincopie': ['mincopie', 'poimenic'], 'minded': ['midden', 'minded'], 'mindel': ['milden', 'mindel'], 'mindelian': ['eliminand', 'mindelian'], 'minder': ['minder', 'remind'], 'mindless': ['mildness', 'mindless'], 'mine': ['mein', 'mien', 'mine'], 'miner': ['inerm', 'miner'], 'mineral': ['marline', 'mineral', 'ramline'], 'minerva': ['minerva', 'vermian'], 'minerval': ['minerval', 'verminal'], 'mingler': ['gremlin', 'mingler'], 'miniator': ['miniator', 'triamino'], 'minish': ['minish', 'nimshi'], 'minister': ['minister', 'misinter'], 'ministry': ['ministry', 'myristin'], 'minkish': ['minkish', 'nimkish'], 'minnetaree': ['minnetaree', 'nemertinea'], 'minoan': ['amnion', 'minoan', 'nomina'], 'minometer': ['minometer', 'omnimeter'], 'minor': ['minor', 'morin'], 'minorate': ['maronite', 'martinoe', 'minorate', 'morenita', 'romanite'], 'minorca': ['amicron', 'marconi', 'minorca', 'romanic'], 'minos': ['minos', 'osmin', 'simon'], 'minot': ['minot', 'timon', 'tomin'], 'mintage': ['mintage', 'teaming', 'tegmina'], 'minter': ['minter', 'remint', 'termin'], 'minuend': ['minuend', 'unmined'], 'minuet': ['minuet', 'minute'], 'minute': ['minuet', 'minute'], 'minutely': ['minutely', 'untimely'], 'minuter': ['minuter', 'unmiter'], 'minyas': ['maysin', 'minyas', 'mysian'], 'mir': ['mir', 'rim'], 'mira': ['amir', 'irma', 'mari', 'mira', 'rami', 'rima'], 'mirabel': ['embrail', 'mirabel'], 'mirac': ['marci', 'mirac'], 'miracle': ['claimer', 'miracle', 'reclaim'], 'mirage': ['imager', 'maigre', 'margie', 'mirage'], 'mirana': ['airman', 'amarin', 'marian', 'marina', 'mirana'], 'miranha': ['ahriman', 'miranha'], 'mirate': ['imaret', 'metria', 'mirate', 'rimate'], 'mirbane': ['ambrein', 'mirbane'], 'mire': ['emir', 'imer', 'mire', 'reim', 'remi', 'riem', 'rime'], 'mirfak': ['marfik', 'mirfak'], 'mirounga': ['mirounga', 'moringua', 'origanum'], 'miry': ['miry', 'rimy', 'yirm'], 'mirza': ['mirza', 'mizar'], 'misact': ['mastic', 'misact'], 'misadvise': ['admissive', 'misadvise'], 'misagent': ['misagent', 'steaming'], 'misaim': ['misaim', 'misima'], 'misandry': ['misandry', 'myrsinad'], 'misassociation': ['associationism', 'misassociation'], 'misatone': ['masonite', 'misatone'], 'misattend': ['misattend', 'tandemist'], 'misaunter': ['antiserum', 'misaunter'], 'misbehavior': ['behaviorism', 'misbehavior'], 'mischance': ['mechanics', 'mischance'], 'misclass': ['classism', 'misclass'], 'miscoin': ['iconism', 'imsonic', 'miscoin'], 'misconfiguration': ['configurationism', 'misconfiguration'], 'misconstitutional': ['constitutionalism', 'misconstitutional'], 'misconstruction': ['constructionism', 'misconstruction'], 'miscreant': ['encratism', 'miscreant'], 'miscreation': ['anisometric', 'creationism', 'miscreation', 'ramisection', 'reactionism'], 'miscue': ['cesium', 'miscue'], 'misdate': ['diastem', 'misdate'], 'misdaub': ['misdaub', 'submaid'], 'misdeal': ['misdeal', 'mislead'], 'misdealer': ['misdealer', 'misleader', 'misleared'], 'misdeclare': ['creedalism', 'misdeclare'], 'misdiet': ['misdiet', 'misedit', 'mistide'], 'misdivision': ['divisionism', 'misdivision'], 'misdread': ['disarmed', 'misdread'], 'mise': ['mise', 'semi', 'sime'], 'misease': ['misease', 'siamese'], 'misecclesiastic': ['ecclesiasticism', 'misecclesiastic'], 'misedit': ['misdiet', 'misedit', 'mistide'], 'misexpression': ['expressionism', 'misexpression'], 'mishmash': ['mishmash', 'shammish'], 'misima': ['misaim', 'misima'], 'misimpression': ['impressionism', 'misimpression'], 'misinter': ['minister', 'misinter'], 'mislabel': ['mislabel', 'semiball'], 'mislabor': ['laborism', 'mislabor'], 'mislead': ['misdeal', 'mislead'], 'misleader': ['misdealer', 'misleader', 'misleared'], 'mislear': ['mislear', 'realism'], 'misleared': ['misdealer', 'misleader', 'misleared'], 'misname': ['amenism', 'immanes', 'misname'], 'misniac': ['cainism', 'misniac'], 'misnomed': ['demonism', 'medimnos', 'misnomed'], 'misoneism': ['misoneism', 'simeonism'], 'mispage': ['impages', 'mispage'], 'misperception': ['misperception', 'perceptionism'], 'misperform': ['misperform', 'preformism'], 'misphrase': ['misphrase', 'seraphism'], 'misplay': ['impalsy', 'misplay'], 'misplead': ['misplead', 'pedalism'], 'misprisal': ['misprisal', 'spiralism'], 'misproud': ['disporum', 'misproud'], 'misprovide': ['disimprove', 'misprovide'], 'misput': ['misput', 'sumpit'], 'misquotation': ['antimosquito', 'misquotation'], 'misrate': ['artemis', 'maestri', 'misrate'], 'misread': ['misread', 'sidearm'], 'misreform': ['misreform', 'reformism'], 'misrelate': ['misrelate', 'salimeter'], 'misrelation': ['misrelation', 'orientalism', 'relationism'], 'misreliance': ['criminalese', 'misreliance'], 'misreporter': ['misreporter', 'reporterism'], 'misrepresentation': ['misrepresentation', 'representationism'], 'misrepresenter': ['misrepresenter', 'remisrepresent'], 'misrepute': ['misrepute', 'septerium'], 'misrhyme': ['misrhyme', 'shimmery'], 'misrule': ['misrule', 'simuler'], 'missal': ['missal', 'salmis'], 'missayer': ['emissary', 'missayer'], 'misset': ['misset', 'tmesis'], 'misshape': ['emphasis', 'misshape'], 'missioner': ['missioner', 'remission'], 'misspell': ['misspell', 'psellism'], 'missuggestion': ['missuggestion', 'suggestionism'], 'missy': ['missy', 'mysis'], 'mist': ['mist', 'smit', 'stim'], 'misteach': ['mastiche', 'misteach'], 'mister': ['merist', 'mister', 'smiter'], 'mistide': ['misdiet', 'misedit', 'mistide'], 'mistle': ['mistle', 'smilet'], 'mistone': ['mistone', 'moisten'], 'mistradition': ['mistradition', 'traditionism'], 'mistrain': ['marinist', 'mistrain'], 'mistreat': ['mistreat', 'teratism'], 'mistrial': ['mistrial', 'trialism'], 'mistutor': ['mistutor', 'tutorism'], 'misty': ['misty', 'stimy'], 'misunderstander': ['misunderstander', 'remisunderstand'], 'misura': ['misura', 'ramusi'], 'misuser': ['misuser', 'surmise'], 'mitannish': ['mitannish', 'sminthian'], 'mitch': ['micht', 'mitch'], 'mite': ['emit', 'item', 'mite', 'time'], 'mitella': ['mitella', 'tellima'], 'miteproof': ['miteproof', 'timeproof'], 'miter': ['merit', 'miter', 'mitre', 'remit', 'timer'], 'mitered': ['demerit', 'dimeter', 'merited', 'mitered'], 'miterer': ['meriter', 'miterer', 'trireme'], 'mithraic': ['arithmic', 'mithraic', 'mithriac'], 'mithraicist': ['mithraicist', 'mithraistic'], 'mithraistic': ['mithraicist', 'mithraistic'], 'mithriac': ['arithmic', 'mithraic', 'mithriac'], 'mitra': ['mitra', 'tarmi', 'timar', 'tirma'], 'mitral': ['mitral', 'ramtil'], 'mitrate': ['martite', 'mitrate'], 'mitre': ['merit', 'miter', 'mitre', 'remit', 'timer'], 'mitrer': ['mitrer', 'retrim', 'trimer'], 'mitridae': ['dimetria', 'mitridae', 'tiremaid', 'triamide'], 'mixer': ['mixer', 'remix'], 'mizar': ['mirza', 'mizar'], 'mnesic': ['cnemis', 'mnesic'], 'mniaceous': ['acuminose', 'mniaceous'], 'mniotiltidae': ['delimitation', 'mniotiltidae'], 'mnium': ['mnium', 'nummi'], 'mo': ['mo', 'om'], 'moabitic': ['biatomic', 'moabitic'], 'moan': ['mano', 'moan', 'mona', 'noam', 'noma', 'oman'], 'moarian': ['amanori', 'moarian'], 'moat': ['atmo', 'atom', 'moat', 'toma'], 'mob': ['bom', 'mob'], 'mobbable': ['bombable', 'mobbable'], 'mobber': ['bomber', 'mobber'], 'mobbish': ['hobbism', 'mobbish'], 'mobed': ['demob', 'mobed'], 'mobile': ['bemoil', 'mobile'], 'mobilian': ['binomial', 'mobilian'], 'mobocrat': ['mobocrat', 'motorcab'], 'mobship': ['mobship', 'phobism'], 'mobster': ['bestorm', 'mobster'], 'mocker': ['mocker', 'remock'], 'mocmain': ['ammonic', 'mocmain'], 'mod': ['dom', 'mod'], 'modal': ['domal', 'modal'], 'mode': ['dome', 'mode', 'moed'], 'modeler': ['demerol', 'modeler', 'remodel'], 'modelist': ['melodist', 'modelist'], 'modena': ['daemon', 'damone', 'modena'], 'modenese': ['modenese', 'needsome'], 'moderant': ['moderant', 'normated'], 'moderantism': ['memorandist', 'moderantism', 'semidormant'], 'modern': ['modern', 'morned'], 'modernistic': ['modernistic', 'monstricide'], 'modestly': ['modestly', 'styledom'], 'modesty': ['dystome', 'modesty'], 'modiste': ['distome', 'modiste'], 'modistry': ['midstory', 'modistry'], 'modius': ['modius', 'sodium'], 'moe': ['meo', 'moe'], 'moed': ['dome', 'mode', 'moed'], 'moerithere': ['heteromeri', 'moerithere'], 'mogdad': ['goddam', 'mogdad'], 'moha': ['ahom', 'moha'], 'mohair': ['homrai', 'mahori', 'mohair'], 'mohel': ['hemol', 'mohel'], 'mohican': ['mohican', 'monachi'], 'moho': ['homo', 'moho'], 'mohur': ['humor', 'mohur'], 'moider': ['dormie', 'moider'], 'moieter': ['moieter', 'romeite'], 'moiety': ['moiety', 'moyite'], 'moil': ['milo', 'moil'], 'moiles': ['lemosi', 'limose', 'moiles'], 'moineau': ['eunomia', 'moineau'], 'moira': ['maori', 'mario', 'moira'], 'moisten': ['mistone', 'moisten'], 'moistener': ['moistener', 'neoterism'], 'moisture': ['moisture', 'semitour'], 'moit': ['itmo', 'moit', 'omit', 'timo'], 'mojo': ['joom', 'mojo'], 'moke': ['kome', 'moke'], 'moki': ['komi', 'moki'], 'mola': ['loam', 'loma', 'malo', 'mola', 'olam'], 'molar': ['molar', 'moral', 'romal'], 'molarity': ['molarity', 'morality'], 'molary': ['amyrol', 'molary'], 'molder': ['dermol', 'molder', 'remold'], 'moler': ['moler', 'morel'], 'molge': ['glome', 'golem', 'molge'], 'molidae': ['melodia', 'molidae'], 'molinia': ['molinia', 'monilia'], 'mollusca': ['callosum', 'mollusca'], 'moloid': ['moloid', 'oildom'], 'molten': ['loment', 'melton', 'molten'], 'molybdena': ['baldmoney', 'molybdena'], 'molybdenic': ['combinedly', 'molybdenic'], 'mome': ['memo', 'mome'], 'moment': ['moment', 'montem'], 'momentary': ['manometry', 'momentary'], 'momentous': ['mesonotum', 'momentous'], 'momotinae': ['amniotome', 'momotinae'], 'mona': ['mano', 'moan', 'mona', 'noam', 'noma', 'oman'], 'monachi': ['mohican', 'monachi'], 'monactin': ['monactin', 'montanic'], 'monad': ['damon', 'monad', 'nomad'], 'monadic': ['monadic', 'nomadic'], 'monadical': ['monadical', 'nomadical'], 'monadically': ['monadically', 'nomadically'], 'monadina': ['monadina', 'nomadian'], 'monadism': ['monadism', 'nomadism'], 'monaene': ['anemone', 'monaene'], 'monal': ['almon', 'monal'], 'monamniotic': ['commination', 'monamniotic'], 'monanthous': ['anthonomus', 'monanthous'], 'monarch': ['monarch', 'nomarch', 'onmarch'], 'monarchial': ['harmonical', 'monarchial'], 'monarchian': ['anharmonic', 'monarchian'], 'monarchistic': ['chiromancist', 'monarchistic'], 'monarchy': ['monarchy', 'nomarchy'], 'monarda': ['anadrom', 'madrona', 'mandora', 'monarda', 'roadman'], 'monas': ['manso', 'mason', 'monas'], 'monasa': ['monasa', 'samoan'], 'monase': ['monase', 'nosema'], 'monaster': ['monaster', 'monstera', 'nearmost', 'storeman'], 'monastery': ['monastery', 'oysterman'], 'monastic': ['catonism', 'monastic'], 'monastical': ['catmalison', 'monastical'], 'monatomic': ['commation', 'monatomic'], 'monaural': ['anomural', 'monaural'], 'monday': ['dynamo', 'monday'], 'mone': ['mone', 'nome', 'omen'], 'monel': ['lemon', 'melon', 'monel'], 'moner': ['enorm', 'moner', 'morne'], 'monera': ['enamor', 'monera', 'oreman', 'romane'], 'moneral': ['almoner', 'moneral', 'nemoral'], 'monergist': ['gerontism', 'monergist'], 'moneric': ['incomer', 'moneric'], 'monesia': ['monesia', 'osamine', 'osmanie'], 'monetary': ['monetary', 'myronate', 'naometry'], 'money': ['money', 'moyen'], 'moneybag': ['bogeyman', 'moneybag'], 'moneyless': ['moneyless', 'moyenless'], 'monger': ['germon', 'monger', 'morgen'], 'mongler': ['mongler', 'mongrel'], 'mongoose': ['gonosome', 'mongoose'], 'mongrel': ['mongler', 'mongrel'], 'mongrelity': ['longimetry', 'mongrelity'], 'monial': ['monial', 'nomial', 'oilman'], 'monias': ['monias', 'osamin', 'osmina'], 'monica': ['camion', 'conima', 'manioc', 'monica'], 'monilated': ['antimodel', 'maldonite', 'monilated'], 'monilia': ['molinia', 'monilia'], 'monism': ['monism', 'nomism', 'simmon'], 'monist': ['inmost', 'monist', 'omnist'], 'monistic': ['monistic', 'nicotism', 'nomistic'], 'monitory': ['monitory', 'moronity'], 'monitress': ['monitress', 'sermonist'], 'mono': ['mono', 'moon'], 'monoacid': ['damonico', 'monoacid'], 'monoazo': ['monoazo', 'monozoa'], 'monocleid': ['clinodome', 'melodicon', 'monocleid'], 'monoclinous': ['monoclinous', 'monoclonius'], 'monoclonius': ['monoclinous', 'monoclonius'], 'monocracy': ['monocracy', 'nomocracy'], 'monocystidae': ['monocystidae', 'monocystidea'], 'monocystidea': ['monocystidae', 'monocystidea'], 'monodactylous': ['condylomatous', 'monodactylous'], 'monodactyly': ['dactylonomy', 'monodactyly'], 'monodelphia': ['amidophenol', 'monodelphia'], 'monodonta': ['anomodont', 'monodonta'], 'monodram': ['monodram', 'romandom'], 'monoecian': ['monoecian', 'neocomian'], 'monoecism': ['economism', 'monoecism', 'monosemic'], 'monoeidic': ['meconioid', 'monoeidic'], 'monogastric': ['gastronomic', 'monogastric'], 'monogenist': ['monogenist', 'nomogenist'], 'monogenous': ['monogenous', 'nomogenous'], 'monogeny': ['monogeny', 'nomogeny'], 'monogram': ['monogram', 'nomogram'], 'monograph': ['monograph', 'nomograph', 'phonogram'], 'monographer': ['geranomorph', 'monographer', 'nomographer'], 'monographic': ['gramophonic', 'monographic', 'nomographic', 'phonogramic'], 'monographical': ['gramophonical', 'monographical', 'nomographical'], 'monographically': ['gramophonically', 'monographically', 'nomographically', 'phonogramically'], 'monographist': ['gramophonist', 'monographist'], 'monography': ['monography', 'nomography'], 'monoid': ['domino', 'monoid'], 'monological': ['monological', 'nomological'], 'monologist': ['monologist', 'nomologist', 'ontologism'], 'monology': ['monology', 'nomology'], 'monometer': ['metronome', 'monometer', 'monotreme'], 'monometric': ['commorient', 'metronomic', 'monometric'], 'monometrical': ['metronomical', 'monometrical'], 'monomorphic': ['monomorphic', 'morphonomic'], 'monont': ['monont', 'monton'], 'monopathy': ['monopathy', 'pathonomy'], 'monopersulphuric': ['monopersulphuric', 'permonosulphuric'], 'monophote': ['monophote', 'motophone'], 'monophylite': ['entomophily', 'monophylite'], 'monophyllous': ['monophyllous', 'nomophyllous'], 'monoplanist': ['monoplanist', 'postnominal'], 'monopsychism': ['monopsychism', 'psychomonism'], 'monopteral': ['monopteral', 'protonemal'], 'monosemic': ['economism', 'monoecism', 'monosemic'], 'monosodium': ['monosodium', 'omnimodous', 'onosmodium'], 'monotheism': ['monotheism', 'nomotheism'], 'monotheist': ['monotheist', 'thomsonite'], 'monothetic': ['monothetic', 'nomothetic'], 'monotreme': ['metronome', 'monometer', 'monotreme'], 'monotypal': ['monotypal', 'toponymal'], 'monotypic': ['monotypic', 'toponymic'], 'monotypical': ['monotypical', 'toponymical'], 'monozoa': ['monoazo', 'monozoa'], 'monozoic': ['monozoic', 'zoonomic'], 'monroeism': ['monroeism', 'semimoron'], 'monsieur': ['inermous', 'monsieur'], 'monstera': ['monaster', 'monstera', 'nearmost', 'storeman'], 'monstricide': ['modernistic', 'monstricide'], 'montage': ['geomant', 'magneto', 'megaton', 'montage'], 'montagnais': ['antagonism', 'montagnais'], 'montanic': ['monactin', 'montanic'], 'montanite': ['mentation', 'montanite'], 'montem': ['moment', 'montem'], 'montes': ['montes', 'ostmen'], 'montia': ['atimon', 'manito', 'montia'], 'monticule': ['ctenolium', 'monticule'], 'monton': ['monont', 'monton'], 'montu': ['montu', 'mount', 'notum'], 'monture': ['monture', 'mounter', 'remount'], 'monumentary': ['monumentary', 'unmomentary'], 'mood': ['doom', 'mood'], 'mooder': ['doomer', 'mooder', 'redoom', 'roomed'], 'mool': ['loom', 'mool'], 'mools': ['mools', 'sloom'], 'moon': ['mono', 'moon'], 'moonglade': ['megalodon', 'moonglade'], 'moonite': ['emotion', 'moonite'], 'moonja': ['majoon', 'moonja'], 'moonscape': ['manoscope', 'moonscape'], 'moonseed': ['endosome', 'moonseed'], 'moontide': ['demotion', 'entomoid', 'moontide'], 'moop': ['moop', 'pomo'], 'moor': ['moor', 'moro', 'room'], 'moorage': ['moorage', 'roomage'], 'moorball': ['ballroom', 'moorball'], 'moore': ['moore', 'romeo'], 'moorn': ['moorn', 'moron'], 'moorship': ['isomorph', 'moorship'], 'moorup': ['moorup', 'uproom'], 'moorwort': ['moorwort', 'rootworm', 'tomorrow', 'wormroot'], 'moory': ['moory', 'roomy'], 'moost': ['moost', 'smoot'], 'moot': ['moot', 'toom'], 'mooth': ['mooth', 'thoom'], 'mootstead': ['mootstead', 'stomatode'], 'mop': ['mop', 'pom'], 'mopane': ['mopane', 'pomane'], 'mope': ['mope', 'poem', 'pome'], 'moper': ['merop', 'moper', 'proem', 'remop'], 'mophead': ['hemapod', 'mophead'], 'mopish': ['mopish', 'ophism'], 'mopla': ['mopla', 'palmo'], 'mopsy': ['mopsy', 'myops'], 'mora': ['amor', 'maro', 'mora', 'omar', 'roam'], 'morainal': ['manorial', 'morainal'], 'moraine': ['moraine', 'romaine'], 'moral': ['molar', 'moral', 'romal'], 'morality': ['molarity', 'morality'], 'morals': ['morals', 'morsal'], 'moran': ['manor', 'moran', 'norma', 'ramon', 'roman'], 'morat': ['amort', 'morat', 'torma'], 'morate': ['amoret', 'morate'], 'moray': ['mayor', 'moray'], 'morbid': ['dibrom', 'morbid'], 'mordancy': ['dormancy', 'mordancy'], 'mordant': ['dormant', 'mordant'], 'mordenite': ['interdome', 'mordenite', 'nemertoid'], 'mordicate': ['decimator', 'medicator', 'mordicate'], 'more': ['mero', 'more', 'omer', 'rome'], 'moreish': ['heroism', 'moreish'], 'morel': ['moler', 'morel'], 'morencite': ['entomeric', 'intercome', 'morencite'], 'morenita': ['maronite', 'martinoe', 'minorate', 'morenita', 'romanite'], 'moreote': ['moreote', 'oometer'], 'mores': ['meros', 'mores', 'morse', 'sermo', 'smore'], 'morga': ['agrom', 'morga'], 'morganatic': ['actinogram', 'morganatic'], 'morgay': ['gyroma', 'morgay'], 'morgen': ['germon', 'monger', 'morgen'], 'moribund': ['moribund', 'unmorbid'], 'moric': ['micro', 'moric', 'romic'], 'moriche': ['homeric', 'moriche'], 'morin': ['minor', 'morin'], 'moringa': ['ingomar', 'moringa', 'roaming'], 'moringua': ['mirounga', 'moringua', 'origanum'], 'morn': ['morn', 'norm'], 'morne': ['enorm', 'moner', 'morne'], 'morned': ['modern', 'morned'], 'mornless': ['mornless', 'normless'], 'moro': ['moor', 'moro', 'room'], 'morocota': ['coatroom', 'morocota'], 'moron': ['moorn', 'moron'], 'moronic': ['moronic', 'omicron'], 'moronity': ['monitory', 'moronity'], 'morphea': ['amphore', 'morphea'], 'morphonomic': ['monomorphic', 'morphonomic'], 'morphotic': ['microphot', 'morphotic'], 'morphotropic': ['morphotropic', 'protomorphic'], 'morrisean': ['morrisean', 'rosmarine'], 'morsal': ['morals', 'morsal'], 'morse': ['meros', 'mores', 'morse', 'sermo', 'smore'], 'mortacious': ['mortacious', 'urosomatic'], 'mortar': ['marrot', 'mortar'], 'mortician': ['martinico', 'mortician'], 'mortise': ['erotism', 'mortise', 'trisome'], 'morton': ['morton', 'tomorn'], 'mortuarian': ['mortuarian', 'muratorian'], 'mortuary': ['mortuary', 'outmarry'], 'mortuous': ['mortuous', 'tumorous'], 'morus': ['morus', 'mosur'], 'mosaic': ['aosmic', 'mosaic'], 'mosandrite': ['mosandrite', 'tarsonemid'], 'mosasauri': ['amaurosis', 'mosasauri'], 'moschate': ['chatsome', 'moschate'], 'mose': ['meso', 'mose', 'some'], 'mosker': ['mosker', 'smoker'], 'mosser': ['messor', 'mosser', 'somers'], 'moste': ['moste', 'smote'], 'mosting': ['gnomist', 'mosting'], 'mosul': ['mosul', 'mouls', 'solum'], 'mosur': ['morus', 'mosur'], 'mot': ['mot', 'tom'], 'mote': ['mote', 'tome'], 'motel': ['metol', 'motel'], 'motet': ['motet', 'motte', 'totem'], 'mothed': ['method', 'mothed'], 'mother': ['mother', 'thermo'], 'motherland': ['enthraldom', 'motherland'], 'motherward': ['motherward', 'threadworm'], 'motograph': ['motograph', 'photogram'], 'motographic': ['motographic', 'tomographic'], 'motophone': ['monophote', 'motophone'], 'motorcab': ['mobocrat', 'motorcab'], 'motte': ['motet', 'motte', 'totem'], 'moud': ['doum', 'moud', 'odum'], 'moudy': ['moudy', 'yomud'], 'moul': ['moul', 'ulmo'], 'mouls': ['mosul', 'mouls', 'solum'], 'mound': ['donum', 'mound'], 'mount': ['montu', 'mount', 'notum'], 'mountained': ['emundation', 'mountained'], 'mountaineer': ['enumeration', 'mountaineer'], 'mounted': ['demount', 'mounted'], 'mounter': ['monture', 'mounter', 'remount'], 'mousery': ['mousery', 'seymour'], 'mousoni': ['mousoni', 'ominous'], 'mousse': ['mousse', 'smouse'], 'moutan': ['amount', 'moutan', 'outman'], 'mouther': ['mouther', 'theorum'], 'mover': ['mover', 'vomer'], 'moy': ['moy', 'yom'], 'moyen': ['money', 'moyen'], 'moyenless': ['moneyless', 'moyenless'], 'moyite': ['moiety', 'moyite'], 'mru': ['mru', 'rum'], 'mu': ['mu', 'um'], 'muang': ['muang', 'munga'], 'much': ['chum', 'much'], 'mucic': ['cumic', 'mucic'], 'mucilage': ['glucemia', 'mucilage'], 'mucin': ['cumin', 'mucin'], 'mucinoid': ['conidium', 'mucinoid', 'oncidium'], 'mucofibrous': ['fibromucous', 'mucofibrous'], 'mucoid': ['codium', 'mucoid'], 'muconic': ['muconic', 'uncomic'], 'mucor': ['mucor', 'mucro'], 'mucoserous': ['mucoserous', 'seromucous'], 'mucro': ['mucor', 'mucro'], 'mucrones': ['consumer', 'mucrones'], 'mud': ['dum', 'mud'], 'mudar': ['mudar', 'mudra'], 'mudden': ['edmund', 'mudden'], 'mudir': ['mudir', 'murid'], 'mudra': ['mudar', 'mudra'], 'mudstone': ['mudstone', 'unmodest'], 'mug': ['gum', 'mug'], 'muga': ['gaum', 'muga'], 'muggles': ['muggles', 'smuggle'], 'mugweed': ['gumweed', 'mugweed'], 'muid': ['duim', 'muid'], 'muilla': ['allium', 'alulim', 'muilla'], 'muir': ['muir', 'rimu'], 'muishond': ['muishond', 'unmodish'], 'muist': ['muist', 'tuism'], 'mukri': ['kurmi', 'mukri'], 'muleta': ['amulet', 'muleta'], 'mulga': ['algum', 'almug', 'glaum', 'gluma', 'mulga'], 'mulier': ['mulier', 'muriel'], 'mulita': ['mulita', 'ultima'], 'mulk': ['kulm', 'mulk'], 'multani': ['multani', 'talinum'], 'multinervose': ['multinervose', 'volunteerism'], 'multipole': ['impollute', 'multipole'], 'mumbler': ['bummler', 'mumbler'], 'munda': ['maund', 'munda', 'numda', 'undam', 'unmad'], 'mundane': ['mundane', 'unamend', 'unmaned', 'unnamed'], 'munga': ['muang', 'munga'], 'mungo': ['mungo', 'muong'], 'munia': ['maniu', 'munia', 'unami'], 'munity': ['munity', 'mutiny'], 'muong': ['mungo', 'muong'], 'mura': ['arum', 'maru', 'mura'], 'murage': ['mauger', 'murage'], 'mural': ['mural', 'rumal'], 'muralist': ['altruism', 'muralist', 'traulism', 'ultraism'], 'muran': ['muran', 'ruman', 'unarm', 'unram', 'urman'], 'murat': ['martu', 'murat', 'turma'], 'muratorian': ['mortuarian', 'muratorian'], 'murderer': ['demurrer', 'murderer'], 'murdering': ['demurring', 'murdering'], 'murderingly': ['demurringly', 'murderingly'], 'murex': ['murex', 'rumex'], 'murga': ['garum', 'murga'], 'muricate': ['ceratium', 'muricate'], 'muricine': ['irenicum', 'muricine'], 'murid': ['mudir', 'murid'], 'muriel': ['mulier', 'muriel'], 'murine': ['murine', 'nerium'], 'murly': ['murly', 'rumly'], 'murmurer': ['murmurer', 'remurmur'], 'murrain': ['murrain', 'murrina'], 'murrina': ['murrain', 'murrina'], 'murut': ['murut', 'utrum'], 'murza': ['mazur', 'murza'], 'mus': ['mus', 'sum'], 'musa': ['masu', 'musa', 'saum'], 'musal': ['lamus', 'malus', 'musal', 'slaum'], 'musalmani': ['manualism', 'musalmani'], 'musang': ['magnus', 'musang'], 'musar': ['musar', 'ramus', 'rusma', 'surma'], 'musca': ['camus', 'musca', 'scaum', 'sumac'], 'muscade': ['camused', 'muscade'], 'muscarine': ['muscarine', 'sucramine'], 'musci': ['musci', 'music'], 'muscicole': ['leucocism', 'muscicole'], 'muscinae': ['muscinae', 'semuncia'], 'muscle': ['clumse', 'muscle'], 'muscly': ['clumsy', 'muscly'], 'muscone': ['consume', 'muscone'], 'muscot': ['custom', 'muscot'], 'mused': ['mused', 'sedum'], 'museography': ['hypergamous', 'museography'], 'muser': ['muser', 'remus', 'serum'], 'musha': ['hamus', 'musha'], 'music': ['musci', 'music'], 'musicate': ['autecism', 'musicate'], 'musico': ['musico', 'suomic'], 'musie': ['iseum', 'musie'], 'musing': ['musing', 'signum'], 'muslined': ['muslined', 'unmisled', 'unsmiled'], 'musophagine': ['amphigenous', 'musophagine'], 'mussaenda': ['mussaenda', 'unamassed'], 'must': ['must', 'smut', 'stum'], 'mustang': ['mustang', 'stagnum'], 'mustard': ['durmast', 'mustard'], 'muster': ['muster', 'sertum', 'stumer'], 'musterer': ['musterer', 'remuster'], 'mustily': ['mustily', 'mytilus'], 'muta': ['muta', 'taum'], 'mutable': ['atumble', 'mutable'], 'mutant': ['mutant', 'tantum', 'tutman'], 'mutase': ['meatus', 'mutase'], 'mute': ['mute', 'tume'], 'muteness': ['muteness', 'tenesmus'], 'mutescence': ['mutescence', 'tumescence'], 'mutilate': ['mutilate', 'ultimate'], 'mutilation': ['mutilation', 'ultimation'], 'mutiny': ['munity', 'mutiny'], 'mutism': ['mutism', 'summit'], 'mutual': ['mutual', 'umlaut'], 'mutulary': ['mutulary', 'tumulary'], 'muysca': ['cyamus', 'muysca'], 'mwa': ['maw', 'mwa'], 'my': ['my', 'ym'], 'mya': ['amy', 'may', 'mya', 'yam'], 'myal': ['amyl', 'lyam', 'myal'], 'myaria': ['amiray', 'myaria'], 'myatonic': ['cymation', 'myatonic', 'onymatic'], 'mycelia': ['amyelic', 'mycelia'], 'mycelian': ['clymenia', 'mycelian'], 'mycoid': ['cymoid', 'mycoid'], 'mycophagist': ['mycophagist', 'phagocytism'], 'mycose': ['cymose', 'mycose'], 'mycosterol': ['mycosterol', 'sclerotomy'], 'mycotrophic': ['chromotypic', 'cormophytic', 'mycotrophic'], 'mycterism': ['mycterism', 'symmetric'], 'myctodera': ['myctodera', 'radectomy'], 'mydaleine': ['amylidene', 'mydaleine'], 'myeloencephalitis': ['encephalomyelitis', 'myeloencephalitis'], 'myelomeningitis': ['meningomyelitis', 'myelomeningitis'], 'myelomeningocele': ['meningomyelocele', 'myelomeningocele'], 'myelon': ['lemony', 'myelon'], 'myelonal': ['amylenol', 'myelonal'], 'myeloneuritis': ['myeloneuritis', 'neuromyelitis'], 'myeloplast': ['meloplasty', 'myeloplast'], 'mygale': ['gamely', 'gleamy', 'mygale'], 'myitis': ['myitis', 'simity'], 'myliobatid': ['bimodality', 'myliobatid'], 'mymar': ['mymar', 'rammy'], 'myna': ['many', 'myna'], 'myoatrophy': ['amyotrophy', 'myoatrophy'], 'myocolpitis': ['myocolpitis', 'polysomitic'], 'myofibroma': ['fibromyoma', 'myofibroma'], 'myoglobin': ['boomingly', 'myoglobin'], 'myographic': ['microphagy', 'myographic'], 'myographist': ['myographist', 'pythagorism'], 'myolipoma': ['lipomyoma', 'myolipoma'], 'myomohysterectomy': ['hysteromyomectomy', 'myomohysterectomy'], 'myope': ['myope', 'pomey'], 'myoplastic': ['myoplastic', 'polymastic'], 'myoplasty': ['myoplasty', 'polymasty'], 'myopolar': ['myopolar', 'playroom'], 'myops': ['mopsy', 'myops'], 'myosin': ['isonym', 'myosin', 'simony'], 'myosote': ['myosote', 'toysome'], 'myotenotomy': ['myotenotomy', 'tenomyotomy'], 'myotic': ['comity', 'myotic'], 'myra': ['army', 'mary', 'myra', 'yarm'], 'myrcia': ['myrcia', 'myrica'], 'myrialiter': ['myrialiter', 'myrialitre'], 'myrialitre': ['myrialiter', 'myrialitre'], 'myriameter': ['myriameter', 'myriametre'], 'myriametre': ['myriameter', 'myriametre'], 'myrianida': ['dimyarian', 'myrianida'], 'myrica': ['myrcia', 'myrica'], 'myristate': ['myristate', 'tasimetry'], 'myristin': ['ministry', 'myristin'], 'myristone': ['myristone', 'smyrniote'], 'myronate': ['monetary', 'myronate', 'naometry'], 'myrsinad': ['misandry', 'myrsinad'], 'myrtales': ['masterly', 'myrtales'], 'myrtle': ['myrtle', 'termly'], 'mysell': ['mysell', 'smelly'], 'mysian': ['maysin', 'minyas', 'mysian'], 'mysis': ['missy', 'mysis'], 'mysterial': ['mysterial', 'salimetry'], 'mystes': ['mystes', 'system'], 'mythographer': ['mythographer', 'thermography'], 'mythogreen': ['mythogreen', 'thermogeny'], 'mythologer': ['mythologer', 'thermology'], 'mythopoeic': ['homeotypic', 'mythopoeic'], 'mythus': ['mythus', 'thymus'], 'mytilid': ['mytilid', 'timidly'], 'mytilus': ['mustily', 'mytilus'], 'myxochondroma': ['chondromyxoma', 'myxochondroma'], 'myxochondrosarcoma': ['chondromyxosarcoma', 'myxochondrosarcoma'], 'myxocystoma': ['cystomyxoma', 'myxocystoma'], 'myxofibroma': ['fibromyxoma', 'myxofibroma'], 'myxofibrosarcoma': ['fibromyxosarcoma', 'myxofibrosarcoma'], 'myxoinoma': ['inomyxoma', 'myxoinoma'], 'myxolipoma': ['lipomyxoma', 'myxolipoma'], 'myxotheca': ['chemotaxy', 'myxotheca'], 'na': ['an', 'na'], 'naa': ['ana', 'naa'], 'naam': ['anam', 'mana', 'naam', 'nama'], 'nab': ['ban', 'nab'], 'nabak': ['banak', 'nabak'], 'nabal': ['alban', 'balan', 'banal', 'laban', 'nabal', 'nabla'], 'nabalism': ['bailsman', 'balanism', 'nabalism'], 'nabalite': ['albanite', 'balanite', 'nabalite'], 'nabalus': ['balanus', 'nabalus', 'subanal'], 'nabk': ['bank', 'knab', 'nabk'], 'nabla': ['alban', 'balan', 'banal', 'laban', 'nabal', 'nabla'], 'nable': ['leban', 'nable'], 'nabobishly': ['babylonish', 'nabobishly'], 'nabothian': ['bathonian', 'nabothian'], 'nabs': ['nabs', 'snab'], 'nabu': ['baun', 'buna', 'nabu', 'nuba'], 'nacarat': ['cantara', 'nacarat'], 'nace': ['acne', 'cane', 'nace'], 'nachitoch': ['chanchito', 'nachitoch'], 'nacre': ['caner', 'crane', 'crena', 'nacre', 'rance'], 'nacred': ['cedarn', 'dancer', 'nacred'], 'nacreous': ['carneous', 'nacreous'], 'nacrite': ['centiar', 'certain', 'citrean', 'nacrite', 'nectria'], 'nacrous': ['carnous', 'nacrous', 'narcous'], 'nadder': ['dander', 'darned', 'nadder'], 'nadeem': ['amende', 'demean', 'meaned', 'nadeem'], 'nadir': ['darin', 'dinar', 'drain', 'indra', 'nadir', 'ranid'], 'nadorite': ['andorite', 'nadorite', 'ordinate', 'rodentia'], 'nae': ['ean', 'nae', 'nea'], 'nael': ['alen', 'lane', 'lean', 'lena', 'nael', 'neal'], 'naether': ['earthen', 'enheart', 'hearten', 'naether', 'teheran', 'traheen'], 'nag': ['gan', 'nag'], 'nagara': ['angara', 'aranga', 'nagara'], 'nagari': ['graian', 'nagari'], 'nagatelite': ['gelatinate', 'nagatelite'], 'nagger': ['ganger', 'grange', 'nagger'], 'nagging': ['ganging', 'nagging'], 'naggle': ['laggen', 'naggle'], 'naggly': ['gangly', 'naggly'], 'nagmaal': ['malanga', 'nagmaal'], 'nagnag': ['gangan', 'nagnag'], 'nagnail': ['alangin', 'anginal', 'anglian', 'nagnail'], 'nagor': ['angor', 'argon', 'goran', 'grano', 'groan', 'nagor', 'orang', 'organ', 'rogan', 'ronga'], 'nagster': ['angster', 'garnets', 'nagster', 'strange'], 'nagual': ['angula', 'nagual'], 'nahani': ['hainan', 'nahani'], 'nahor': ['nahor', 'norah', 'rohan'], 'nahum': ['human', 'nahum'], 'naiad': ['danai', 'diana', 'naiad'], 'naiant': ['naiant', 'tainan'], 'naias': ['asian', 'naias', 'sanai'], 'naid': ['adin', 'andi', 'dain', 'dani', 'dian', 'naid'], 'naif': ['fain', 'naif'], 'naifly': ['fainly', 'naifly'], 'naig': ['gain', 'inga', 'naig', 'ngai'], 'naik': ['akin', 'kina', 'naik'], 'nail': ['alin', 'anil', 'lain', 'lina', 'nail'], 'nailer': ['arline', 'larine', 'linear', 'nailer', 'renail'], 'naileress': ['earliness', 'naileress'], 'nailery': ['inlayer', 'nailery'], 'nailless': ['nailless', 'sensilla'], 'nailrod': ['nailrod', 'ordinal', 'rinaldo', 'rodinal'], 'nailshop': ['nailshop', 'siphonal'], 'naily': ['inlay', 'naily'], 'naim': ['amin', 'main', 'mani', 'mian', 'mina', 'naim'], 'nain': ['nain', 'nina'], 'naio': ['aion', 'naio'], 'nair': ['arni', 'iran', 'nair', 'rain', 'rani'], 'nairy': ['nairy', 'rainy'], 'nais': ['anis', 'nais', 'nasi', 'nias', 'sain', 'sina'], 'naish': ['naish', 'shina'], 'naither': ['anither', 'inearth', 'naither'], 'naive': ['avine', 'naive', 'vinea'], 'naivete': ['naivete', 'nieveta'], 'nak': ['kan', 'nak'], 'naked': ['kande', 'knead', 'naked'], 'nakedish': ['headskin', 'nakedish', 'sinkhead'], 'naker': ['anker', 'karen', 'naker'], 'nakir': ['inkra', 'krina', 'nakir', 'rinka'], 'nako': ['kona', 'nako'], 'nalita': ['antlia', 'latian', 'nalita'], 'nallah': ['hallan', 'nallah'], 'nam': ['man', 'nam'], 'nama': ['anam', 'mana', 'naam', 'nama'], 'namaz': ['namaz', 'zaman'], 'nambe': ['beman', 'nambe'], 'namda': ['adman', 'daman', 'namda'], 'name': ['amen', 'enam', 'mane', 'mean', 'name', 'nema'], 'nameability': ['amenability', 'nameability'], 'nameable': ['amenable', 'nameable'], 'nameless': ['lameness', 'maleness', 'maneless', 'nameless'], 'nameling': ['mangelin', 'nameling'], 'namely': ['meanly', 'namely'], 'namer': ['enarm', 'namer', 'reman'], 'nammad': ['madman', 'nammad'], 'nan': ['ann', 'nan'], 'nana': ['anan', 'anna', 'nana'], 'nanaimo': ['nanaimo', 'omniana'], 'nancy': ['canny', 'nancy'], 'nandi': ['indan', 'nandi'], 'nane': ['anne', 'nane'], 'nanes': ['nanes', 'senna'], 'nanoid': ['adonin', 'nanoid', 'nonaid'], 'nanosomia': ['nanosomia', 'nosomania'], 'nanpie': ['nanpie', 'pennia', 'pinnae'], 'naological': ['colonalgia', 'naological'], 'naometry': ['monetary', 'myronate', 'naometry'], 'naomi': ['amino', 'inoma', 'naomi', 'omani', 'omina'], 'naoto': ['naoto', 'toona'], 'nap': ['nap', 'pan'], 'napaean': ['anapnea', 'napaean'], 'nape': ['nape', 'neap', 'nepa', 'pane', 'pean'], 'napead': ['napead', 'panade'], 'napery': ['napery', 'pyrena'], 'naphthalize': ['naphthalize', 'phthalazine'], 'naphtol': ['haplont', 'naphtol'], 'napkin': ['napkin', 'pankin'], 'napped': ['append', 'napped'], 'napper': ['napper', 'papern'], 'napron': ['napron', 'nonpar'], 'napthionic': ['antiphonic', 'napthionic'], 'napu': ['napu', 'puan', 'puna'], 'nar': ['arn', 'nar', 'ran'], 'narcaciontes': ['narcaciontes', 'transoceanic'], 'narcose': ['carnose', 'coarsen', 'narcose'], 'narcotia': ['craniota', 'croatian', 'narcotia', 'raincoat'], 'narcoticism': ['intracosmic', 'narcoticism'], 'narcotina': ['anarcotin', 'cantorian', 'carnation', 'narcotina'], 'narcotine': ['connarite', 'container', 'cotarnine', 'crenation', 'narcotine'], 'narcotism': ['narcotism', 'romancist'], 'narcotist': ['narcotist', 'stratonic'], 'narcotize': ['narcotize', 'zirconate'], 'narcous': ['carnous', 'nacrous', 'narcous'], 'nard': ['darn', 'nard', 'rand'], 'nardine': ['adrenin', 'nardine'], 'nardus': ['nardus', 'sundar', 'sundra'], 'nares': ['anser', 'nares', 'rasen', 'snare'], 'nargil': ['nargil', 'raglin'], 'naric': ['cairn', 'crain', 'naric'], 'narica': ['acinar', 'arnica', 'canari', 'carian', 'carina', 'crania', 'narica'], 'nariform': ['nariform', 'raniform'], 'narine': ['narine', 'ranine'], 'nark': ['knar', 'kran', 'nark', 'rank'], 'narration': ['narration', 'tornarian'], 'narthecium': ['anthericum', 'narthecium'], 'nary': ['nary', 'yarn'], 'nasab': ['nasab', 'saban'], 'nasal': ['alans', 'lanas', 'nasal'], 'nasalism': ['nasalism', 'sailsman'], 'nasard': ['nasard', 'sandra'], 'nascapi': ['capsian', 'caspian', 'nascapi', 'panisca'], 'nash': ['hans', 'nash', 'shan'], 'nashgab': ['bangash', 'nashgab'], 'nasi': ['anis', 'nais', 'nasi', 'nias', 'sain', 'sina'], 'nasial': ['anisal', 'nasial', 'salian', 'salina'], 'nasitis': ['nasitis', 'sistani'], 'nasoantral': ['antronasal', 'nasoantral'], 'nasobuccal': ['bucconasal', 'nasobuccal'], 'nasofrontal': ['frontonasal', 'nasofrontal'], 'nasolabial': ['labionasal', 'nasolabial'], 'nasolachrymal': ['lachrymonasal', 'nasolachrymal'], 'nasonite': ['estonian', 'nasonite'], 'nasoorbital': ['nasoorbital', 'orbitonasal'], 'nasopalatal': ['nasopalatal', 'palatonasal'], 'nasoseptal': ['nasoseptal', 'septonasal'], 'nassa': ['nassa', 'sasan'], 'nassidae': ['assidean', 'nassidae'], 'nast': ['nast', 'sant', 'stan'], 'nastic': ['incast', 'nastic'], 'nastily': ['nastily', 'saintly', 'staynil'], 'nasturtion': ['antrustion', 'nasturtion'], 'nasty': ['nasty', 'styan', 'tansy'], 'nasua': ['nasua', 'sauna'], 'nasus': ['nasus', 'susan'], 'nasute': ['nasute', 'nauset', 'unseat'], 'nat': ['ant', 'nat', 'tan'], 'nataka': ['nataka', 'tanaka'], 'natal': ['antal', 'natal'], 'natalia': ['altaian', 'latania', 'natalia'], 'natalie': ['laniate', 'natalie', 'taenial'], 'nataloin': ['latonian', 'nataloin', 'national'], 'natals': ['aslant', 'lansat', 'natals', 'santal'], 'natator': ['arnotta', 'natator'], 'natatorium': ['maturation', 'natatorium'], 'natch': ['chant', 'natch'], 'nate': ['ante', 'aten', 'etna', 'nate', 'neat', 'taen', 'tane', 'tean'], 'nates': ['antes', 'nates', 'stane', 'stean'], 'nathan': ['nathan', 'thanan'], 'nathe': ['enhat', 'ethan', 'nathe', 'neath', 'thane'], 'nather': ['anther', 'nather', 'tharen', 'thenar'], 'natica': ['actian', 'natica', 'tanica'], 'naticiform': ['actiniform', 'naticiform'], 'naticine': ['actinine', 'naticine'], 'natick': ['catkin', 'natick'], 'naticoid': ['actinoid', 'diatonic', 'naticoid'], 'nation': ['anoint', 'nation'], 'national': ['latonian', 'nataloin', 'national'], 'native': ['native', 'navite'], 'natively': ['natively', 'venality'], 'nativist': ['nativist', 'visitant'], 'natr': ['natr', 'rant', 'tarn', 'tran'], 'natricinae': ['natricinae', 'nectarinia'], 'natricine': ['crinanite', 'natricine'], 'natrolite': ['natrolite', 'tentorial'], 'natter': ['attern', 'natter', 'ratten', 'tarten'], 'nattered': ['attender', 'nattered', 'reattend'], 'nattily': ['nattily', 'titanyl'], 'nattle': ['latent', 'latten', 'nattle', 'talent', 'tantle'], 'naturalistic': ['naturalistic', 'unartistical'], 'naturing': ['gainturn', 'naturing'], 'naturism': ['naturism', 'sturmian', 'turanism'], 'naturist': ['antirust', 'naturist'], 'naturistic': ['naturistic', 'unartistic'], 'naturistically': ['naturistically', 'unartistically'], 'nauger': ['nauger', 'raunge', 'ungear'], 'naumk': ['kuman', 'naumk'], 'naunt': ['naunt', 'tunna'], 'nauntle': ['annulet', 'nauntle'], 'nauplius': ['nauplius', 'paulinus'], 'nauset': ['nasute', 'nauset', 'unseat'], 'naut': ['antu', 'aunt', 'naut', 'taun', 'tuan', 'tuna'], 'nauther': ['haunter', 'nauther', 'unearth', 'unheart', 'urethan'], 'nautic': ['anicut', 'nautic', 'ticuna', 'tunica'], 'nautical': ['actinula', 'nautical'], 'nautiloid': ['lutianoid', 'nautiloid'], 'nautilus': ['lutianus', 'nautilus', 'ustulina'], 'naval': ['alvan', 'naval'], 'navalist': ['navalist', 'salivant'], 'navar': ['navar', 'varan', 'varna'], 'nave': ['evan', 'nave', 'vane'], 'navel': ['elvan', 'navel', 'venal'], 'naviculare': ['naviculare', 'uncavalier'], 'navigant': ['navigant', 'vaginant'], 'navigate': ['navigate', 'vaginate'], 'navite': ['native', 'navite'], 'naw': ['awn', 'naw', 'wan'], 'nawt': ['nawt', 'tawn', 'want'], 'nay': ['any', 'nay', 'yan'], 'nayar': ['aryan', 'nayar', 'rayan'], 'nazarite': ['nazarite', 'nazirate', 'triazane'], 'nazi': ['nazi', 'zain'], 'nazim': ['nazim', 'nizam'], 'nazirate': ['nazarite', 'nazirate', 'triazane'], 'nazirite': ['nazirite', 'triazine'], 'ne': ['en', 'ne'], 'nea': ['ean', 'nae', 'nea'], 'neal': ['alen', 'lane', 'lean', 'lena', 'nael', 'neal'], 'neanic': ['canine', 'encina', 'neanic'], 'neap': ['nape', 'neap', 'nepa', 'pane', 'pean'], 'neapolitan': ['antelopian', 'neapolitan', 'panelation'], 'nearby': ['barney', 'nearby'], 'nearctic': ['acentric', 'encratic', 'nearctic'], 'nearest': ['earnest', 'eastern', 'nearest'], 'nearish': ['arshine', 'nearish', 'rhesian', 'sherani'], 'nearly': ['anerly', 'nearly'], 'nearmost': ['monaster', 'monstera', 'nearmost', 'storeman'], 'nearthrosis': ['enarthrosis', 'nearthrosis'], 'neat': ['ante', 'aten', 'etna', 'nate', 'neat', 'taen', 'tane', 'tean'], 'neaten': ['etnean', 'neaten'], 'neath': ['enhat', 'ethan', 'nathe', 'neath', 'thane'], 'neatherd': ['adherent', 'headrent', 'neatherd', 'threaden'], 'neatherdess': ['heartedness', 'neatherdess'], 'neb': ['ben', 'neb'], 'neback': ['backen', 'neback'], 'nebaioth': ['boethian', 'nebaioth'], 'nebalia': ['abelian', 'nebalia'], 'nebelist': ['nebelist', 'stilbene', 'tensible'], 'nebula': ['nebula', 'unable', 'unbale'], 'nebulose': ['bluenose', 'nebulose'], 'necator': ['enactor', 'necator', 'orcanet'], 'necessarian': ['necessarian', 'renaissance'], 'neckar': ['canker', 'neckar'], 'necrogenic': ['congeneric', 'necrogenic'], 'necrogenous': ['congenerous', 'necrogenous'], 'necrology': ['crenology', 'necrology'], 'necropoles': ['necropoles', 'preconsole'], 'necropolis': ['clinospore', 'necropolis'], 'necrotic': ['crocetin', 'necrotic'], 'necrotomic': ['necrotomic', 'oncometric'], 'necrotomy': ['necrotomy', 'normocyte', 'oncometry'], 'nectar': ['canter', 'creant', 'cretan', 'nectar', 'recant', 'tanrec', 'trance'], 'nectareal': ['lactarene', 'nectareal'], 'nectared': ['crenated', 'decanter', 'nectared'], 'nectareous': ['countersea', 'nectareous'], 'nectarial': ['carnalite', 'claretian', 'lacertian', 'nectarial'], 'nectarian': ['cratinean', 'incarnate', 'nectarian'], 'nectaried': ['nectaried', 'tridecane'], 'nectarine': ['inertance', 'nectarine'], 'nectarinia': ['natricinae', 'nectarinia'], 'nectarious': ['nectarious', 'recusation'], 'nectarlike': ['nectarlike', 'trancelike'], 'nectarous': ['acentrous', 'courtesan', 'nectarous'], 'nectary': ['encraty', 'nectary'], 'nectophore': ['ctenophore', 'nectophore'], 'nectria': ['centiar', 'certain', 'citrean', 'nacrite', 'nectria'], 'ned': ['den', 'end', 'ned'], 'nedder': ['nedder', 'redden'], 'neebor': ['boreen', 'enrobe', 'neebor', 'rebone'], 'need': ['dene', 'eden', 'need'], 'needer': ['endere', 'needer', 'reeden'], 'needfire': ['needfire', 'redefine'], 'needily': ['needily', 'yielden'], 'needle': ['lendee', 'needle'], 'needless': ['needless', 'seldseen'], 'needs': ['dense', 'needs'], 'needsome': ['modenese', 'needsome'], 'neeger': ['neeger', 'reenge', 'renege'], 'neeld': ['leden', 'neeld'], 'neep': ['neep', 'peen'], 'neepour': ['neepour', 'neurope'], 'neer': ['erne', 'neer', 'reen'], 'neet': ['neet', 'nete', 'teen'], 'neetup': ['neetup', 'petune'], 'nef': ['fen', 'nef'], 'nefast': ['fasten', 'nefast', 'stefan'], 'neftgil': ['felting', 'neftgil'], 'negate': ['geneat', 'negate', 'tegean'], 'negation': ['antigone', 'negation'], 'negative': ['agentive', 'negative'], 'negativism': ['negativism', 'timesaving'], 'negator': ['negator', 'tronage'], 'negatron': ['argenton', 'negatron'], 'neger': ['genre', 'green', 'neger', 'reneg'], 'neglecter': ['neglecter', 'reneglect'], 'negritian': ['negritian', 'retaining'], 'negrito': ['ergotin', 'genitor', 'negrito', 'ogtiern', 'trigone'], 'negritoid': ['negritoid', 'rodingite'], 'negro': ['ergon', 'genro', 'goner', 'negro'], 'negroid': ['groined', 'negroid'], 'negroidal': ['girandole', 'negroidal'], 'negroize': ['genizero', 'negroize'], 'negroloid': ['gondolier', 'negroloid'], 'negrotic': ['gerontic', 'negrotic'], 'negundo': ['dungeon', 'negundo'], 'negus': ['genus', 'negus'], 'neif': ['enif', 'fine', 'neif', 'nife'], 'neigh': ['hinge', 'neigh'], 'neil': ['lien', 'line', 'neil', 'nile'], 'neiper': ['neiper', 'perine', 'pirene', 'repine'], 'neist': ['inset', 'neist', 'snite', 'stein', 'stine', 'tsine'], 'neither': ['enherit', 'etherin', 'neither', 'therein'], 'nekkar': ['kraken', 'nekkar'], 'nekton': ['kenton', 'nekton'], 'nelken': ['kennel', 'nelken'], 'nelsonite': ['nelsonite', 'solentine'], 'nelumbian': ['nelumbian', 'unminable'], 'nema': ['amen', 'enam', 'mane', 'mean', 'name', 'nema'], 'nemalite': ['melanite', 'meletian', 'metaline', 'nemalite'], 'nematoda': ['mantodea', 'nematoda'], 'nematoid': ['dominate', 'nematoid'], 'nematophyton': ['nematophyton', 'tenontophyma'], 'nemertinea': ['minnetaree', 'nemertinea'], 'nemertini': ['intermine', 'nemertini', 'terminine'], 'nemertoid': ['interdome', 'mordenite', 'nemertoid'], 'nemoral': ['almoner', 'moneral', 'nemoral'], 'nenta': ['anent', 'annet', 'nenta'], 'neo': ['eon', 'neo', 'one'], 'neoarctic': ['accretion', 'anorectic', 'neoarctic'], 'neocomian': ['monoecian', 'neocomian'], 'neocosmic': ['economics', 'neocosmic'], 'neocyte': ['enocyte', 'neocyte'], 'neogaea': ['eogaean', 'neogaea'], 'neogenesis': ['neogenesis', 'noegenesis'], 'neogenetic': ['neogenetic', 'noegenetic'], 'neognathous': ['anthogenous', 'neognathous'], 'neolatry': ['neolatry', 'ornately', 'tyrolean'], 'neolithic': ['ichnolite', 'neolithic'], 'neomiracle': ['ceremonial', 'neomiracle'], 'neomorphic': ['microphone', 'neomorphic'], 'neon': ['neon', 'none'], 'neophilism': ['neophilism', 'philoneism'], 'neophytic': ['hypnoetic', 'neophytic'], 'neoplasm': ['neoplasm', 'pleonasm', 'polesman', 'splenoma'], 'neoplastic': ['neoplastic', 'pleonastic'], 'neorama': ['neorama', 'romaean'], 'neornithes': ['neornithes', 'rhinestone'], 'neossin': ['neossin', 'sension'], 'neoteric': ['erection', 'neoteric', 'nocerite', 'renotice'], 'neoterism': ['moistener', 'neoterism'], 'neotragus': ['argentous', 'neotragus'], 'neotropic': ['ectropion', 'neotropic'], 'neotropical': ['neotropical', 'percolation'], 'neoza': ['neoza', 'ozena'], 'nep': ['nep', 'pen'], 'nepa': ['nape', 'neap', 'nepa', 'pane', 'pean'], 'nepal': ['alpen', 'nepal', 'panel', 'penal', 'plane'], 'nepali': ['alpine', 'nepali', 'penial', 'pineal'], 'neper': ['neper', 'preen', 'repen'], 'nepheloscope': ['nepheloscope', 'phonelescope'], 'nephite': ['heptine', 'nephite'], 'nephogram': ['gomphrena', 'nephogram'], 'nephological': ['nephological', 'phenological'], 'nephologist': ['nephologist', 'phenologist'], 'nephology': ['nephology', 'phenology'], 'nephria': ['heparin', 'nephria'], 'nephric': ['nephric', 'phrenic', 'pincher'], 'nephrite': ['nephrite', 'prehnite', 'trephine'], 'nephritic': ['nephritic', 'phrenitic', 'prehnitic'], 'nephritis': ['inspreith', 'nephritis', 'phrenitis'], 'nephrocardiac': ['nephrocardiac', 'phrenocardiac'], 'nephrocolic': ['nephrocolic', 'phrenocolic'], 'nephrocystosis': ['cystonephrosis', 'nephrocystosis'], 'nephrogastric': ['gastrophrenic', 'nephrogastric', 'phrenogastric'], 'nephrohydrosis': ['hydronephrosis', 'nephrohydrosis'], 'nephrolithotomy': ['lithonephrotomy', 'nephrolithotomy'], 'nephrologist': ['nephrologist', 'phrenologist'], 'nephrology': ['nephrology', 'phrenology'], 'nephropathic': ['nephropathic', 'phrenopathic'], 'nephropathy': ['nephropathy', 'phrenopathy'], 'nephropsidae': ['nephropsidae', 'praesphenoid'], 'nephroptosia': ['nephroptosia', 'prosiphonate'], 'nephropyelitis': ['nephropyelitis', 'pyelonephritis'], 'nephropyosis': ['nephropyosis', 'pyonephrosis'], 'nephrosis': ['nephrosis', 'phronesis'], 'nephrostoma': ['nephrostoma', 'strophomena'], 'nephrotome': ['nephrotome', 'phonometer'], 'nephrotomy': ['nephrotomy', 'phonometry'], 'nepman': ['nepman', 'penman'], 'nepotal': ['lepanto', 'nepotal', 'petalon', 'polenta'], 'nepote': ['nepote', 'pontee', 'poteen'], 'nepotic': ['entopic', 'nepotic', 'pentoic'], 'nereid': ['denier', 'nereid'], 'nereis': ['inseer', 'nereis', 'seiner', 'serine', 'sirene'], 'neri': ['neri', 'rein', 'rine'], 'nerita': ['nerita', 'ratine', 'retain', 'retina', 'tanier'], 'neritic': ['citrine', 'crinite', 'inciter', 'neritic'], 'neritina': ['neritina', 'retinian'], 'neritoid': ['neritoid', 'retinoid'], 'nerium': ['murine', 'nerium'], 'neroic': ['cerion', 'coiner', 'neroic', 'orcein', 'recoin'], 'neronic': ['corinne', 'cornein', 'neronic'], 'nerval': ['nerval', 'vernal'], 'nervate': ['nervate', 'veteran'], 'nervation': ['nervation', 'vernation'], 'nerve': ['nerve', 'never'], 'nervid': ['driven', 'nervid', 'verdin'], 'nervine': ['innerve', 'nervine', 'vernine'], 'nerviness': ['inverness', 'nerviness'], 'nervish': ['nervish', 'shriven'], 'nervulose': ['nervulose', 'unresolve', 'vulnerose'], 'nese': ['ense', 'esne', 'nese', 'seen', 'snee'], 'nesh': ['nesh', 'shen'], 'nesiot': ['nesiot', 'ostein'], 'neskhi': ['kishen', 'neskhi'], 'neslia': ['alsine', 'neslia', 'saline', 'selina', 'silane'], 'nest': ['nest', 'sent', 'sten'], 'nester': ['ernest', 'nester', 'resent', 'streen'], 'nestiatria': ['intarsiate', 'nestiatria'], 'nestlike': ['nestlike', 'skeletin'], 'nestor': ['nestor', 'sterno', 'stoner', 'strone', 'tensor'], 'net': ['net', 'ten'], 'netcha': ['entach', 'netcha'], 'nete': ['neet', 'nete', 'teen'], 'neter': ['enter', 'neter', 'renet', 'terne', 'treen'], 'netful': ['fluent', 'netful', 'unfelt', 'unleft'], 'neth': ['hent', 'neth', 'then'], 'nether': ['erthen', 'henter', 'nether', 'threne'], 'neti': ['iten', 'neti', 'tien', 'tine'], 'netman': ['manent', 'netman'], 'netsuke': ['kuneste', 'netsuke'], 'nettable': ['nettable', 'tentable'], 'nettapus': ['nettapus', 'stepaunt'], 'netted': ['detent', 'netted', 'tented'], 'netter': ['netter', 'retent', 'tenter'], 'nettion': ['nettion', 'tention', 'tontine'], 'nettle': ['letten', 'nettle'], 'nettler': ['nettler', 'ternlet'], 'netty': ['netty', 'tenty'], 'neurad': ['endura', 'neurad', 'undear', 'unread'], 'neural': ['lunare', 'neural', 'ulnare', 'unreal'], 'neuralgic': ['genicular', 'neuralgic'], 'neuralist': ['neuralist', 'ulsterian', 'unrealist'], 'neurectopia': ['eucatropine', 'neurectopia'], 'neuric': ['curine', 'erucin', 'neuric'], 'neurilema': ['lemurinae', 'neurilema'], 'neurin': ['enruin', 'neurin', 'unrein'], 'neurism': ['neurism', 'semiurn'], 'neurite': ['neurite', 'retinue', 'reunite', 'uterine'], 'neuroblast': ['neuroblast', 'unsortable'], 'neurodermatosis': ['dermatoneurosis', 'neurodermatosis'], 'neurofibroma': ['fibroneuroma', 'neurofibroma'], 'neurofil': ['fluorine', 'neurofil'], 'neuroganglion': ['ganglioneuron', 'neuroganglion'], 'neurogenic': ['encoignure', 'neurogenic'], 'neuroid': ['dourine', 'neuroid'], 'neurolysis': ['neurolysis', 'resinously'], 'neuromast': ['anoestrum', 'neuromast'], 'neuromyelitis': ['myeloneuritis', 'neuromyelitis'], 'neuronal': ['enaluron', 'neuronal'], 'neurope': ['neepour', 'neurope'], 'neuropsychological': ['neuropsychological', 'psychoneurological'], 'neuropsychosis': ['neuropsychosis', 'psychoneurosis'], 'neuropteris': ['interposure', 'neuropteris'], 'neurosis': ['neurosis', 'resinous'], 'neurotic': ['eruction', 'neurotic'], 'neurotripsy': ['neurotripsy', 'tripyrenous'], 'neustrian': ['neustrian', 'saturnine', 'sturninae'], 'neuter': ['neuter', 'retune', 'runtee', 'tenure', 'tureen'], 'neuterly': ['neuterly', 'rutylene'], 'neutral': ['laurent', 'neutral', 'unalert'], 'neutralism': ['neutralism', 'trimensual'], 'neutrally': ['neutrally', 'unalertly'], 'neutralness': ['neutralness', 'unalertness'], 'nevada': ['nevada', 'vedana', 'venada'], 'neve': ['even', 'neve', 'veen'], 'never': ['nerve', 'never'], 'nevo': ['nevo', 'oven'], 'nevoy': ['envoy', 'nevoy', 'yoven'], 'nevus': ['nevus', 'venus'], 'new': ['new', 'wen'], 'newar': ['awner', 'newar'], 'newari': ['newari', 'wainer'], 'news': ['news', 'sewn', 'snew'], 'newt': ['newt', 'went'], 'nexus': ['nexus', 'unsex'], 'ngai': ['gain', 'inga', 'naig', 'ngai'], 'ngaio': ['gonia', 'ngaio', 'nogai'], 'ngapi': ['aping', 'ngapi', 'pangi'], 'ngoko': ['kongo', 'ngoko'], 'ni': ['in', 'ni'], 'niagara': ['agrania', 'angaria', 'niagara'], 'nias': ['anis', 'nais', 'nasi', 'nias', 'sain', 'sina'], 'niata': ['anita', 'niata', 'tania'], 'nib': ['bin', 'nib'], 'nibs': ['nibs', 'snib'], 'nibsome': ['nibsome', 'nimbose'], 'nicarao': ['aaronic', 'nicarao', 'ocarina'], 'niccolous': ['niccolous', 'occlusion'], 'nice': ['cine', 'nice'], 'nicene': ['cinene', 'nicene'], 'nicenist': ['inscient', 'nicenist'], 'nicesome': ['nicesome', 'semicone'], 'nichael': ['chilean', 'echinal', 'nichael'], 'niche': ['chien', 'chine', 'niche'], 'nicher': ['enrich', 'nicher', 'richen'], 'nicholas': ['lichanos', 'nicholas'], 'nickel': ['nickel', 'nickle'], 'nickle': ['nickel', 'nickle'], 'nicol': ['colin', 'nicol'], 'nicolas': ['nicolas', 'scaloni'], 'nicolette': ['lecontite', 'nicolette'], 'nicotian': ['aconitin', 'inaction', 'nicotian'], 'nicotianin': ['nicotianin', 'nicotinian'], 'nicotined': ['incondite', 'nicotined'], 'nicotinian': ['nicotianin', 'nicotinian'], 'nicotism': ['monistic', 'nicotism', 'nomistic'], 'nicotize': ['nicotize', 'tonicize'], 'nictate': ['nictate', 'tetanic'], 'nictation': ['antitonic', 'nictation'], 'nid': ['din', 'ind', 'nid'], 'nidal': ['danli', 'ladin', 'linda', 'nidal'], 'nidana': ['andian', 'danian', 'nidana'], 'nidation': ['nidation', 'notidani'], 'niddle': ['dindle', 'niddle'], 'nide': ['dine', 'enid', 'inde', 'nide'], 'nidge': ['deign', 'dinge', 'nidge'], 'nidget': ['nidget', 'tinged'], 'niding': ['dining', 'indign', 'niding'], 'nidologist': ['indologist', 'nidologist'], 'nidology': ['indology', 'nidology'], 'nidularia': ['nidularia', 'uniradial'], 'nidulate': ['nidulate', 'untailed'], 'nidus': ['dinus', 'indus', 'nidus'], 'niello': ['lionel', 'niello'], 'niels': ['elsin', 'lenis', 'niels', 'silen', 'sline'], 'nieve': ['nieve', 'venie'], 'nieveta': ['naivete', 'nieveta'], 'nievling': ['levining', 'nievling'], 'nife': ['enif', 'fine', 'neif', 'nife'], 'nifle': ['elfin', 'nifle'], 'nig': ['gin', 'ing', 'nig'], 'nigel': ['ingle', 'ligne', 'linge', 'nigel'], 'nigella': ['gallein', 'galline', 'nigella'], 'nigerian': ['arginine', 'nigerian'], 'niggard': ['grading', 'niggard'], 'nigger': ['ginger', 'nigger'], 'niggery': ['gingery', 'niggery'], 'nigh': ['hing', 'nigh'], 'night': ['night', 'thing'], 'nightless': ['lightness', 'nightless', 'thingless'], 'nightlike': ['nightlike', 'thinglike'], 'nightly': ['nightly', 'thingly'], 'nightman': ['nightman', 'thingman'], 'nignye': ['ginney', 'nignye'], 'nigori': ['nigori', 'origin'], 'nigre': ['grein', 'inger', 'nigre', 'regin', 'reign', 'ringe'], 'nigrous': ['nigrous', 'rousing', 'souring'], 'nihal': ['linha', 'nihal'], 'nikau': ['kunai', 'nikau'], 'nil': ['lin', 'nil'], 'nile': ['lien', 'line', 'neil', 'nile'], 'nilgai': ['ailing', 'angili', 'nilgai'], 'nilometer': ['linometer', 'nilometer'], 'niloscope': ['niloscope', 'scopoline'], 'nilotic': ['clition', 'nilotic'], 'nilous': ['insoul', 'linous', 'nilous', 'unsoil'], 'nim': ['min', 'nim'], 'nimbed': ['embind', 'nimbed'], 'nimbose': ['nibsome', 'nimbose'], 'nimkish': ['minkish', 'nimkish'], 'nimshi': ['minish', 'nimshi'], 'nina': ['nain', 'nina'], 'ninescore': ['ninescore', 'recension'], 'nineted': ['dentine', 'nineted'], 'ninevite': ['ninevite', 'nivenite'], 'ningpo': ['ningpo', 'pignon'], 'nintu': ['nintu', 'ninut', 'untin'], 'ninut': ['nintu', 'ninut', 'untin'], 'niota': ['niota', 'taino'], 'nip': ['nip', 'pin'], 'nipa': ['nipa', 'pain', 'pani', 'pian', 'pina'], 'nippers': ['nippers', 'snipper'], 'nipple': ['lippen', 'nipple'], 'nipter': ['nipter', 'terpin'], 'nisaean': ['nisaean', 'sinaean'], 'nisqualli': ['nisqualli', 'squillian'], 'nisus': ['nisus', 'sinus'], 'nit': ['nit', 'tin'], 'nitch': ['chint', 'nitch'], 'nitella': ['nitella', 'tellina'], 'nitently': ['intently', 'nitently'], 'niter': ['inert', 'inter', 'niter', 'retin', 'trine'], 'nitered': ['nitered', 'redient', 'teinder'], 'nither': ['hinter', 'nither', 'theirn'], 'nito': ['into', 'nito', 'oint', 'tino'], 'niton': ['niton', 'noint'], 'nitrate': ['intreat', 'iterant', 'nitrate', 'tertian'], 'nitratine': ['itinerant', 'nitratine'], 'nitric': ['citrin', 'nitric'], 'nitride': ['inditer', 'nitride'], 'nitrifaction': ['antifriction', 'nitrifaction'], 'nitriot': ['introit', 'nitriot'], 'nitrobenzol': ['benzonitrol', 'nitrobenzol'], 'nitrogelatin': ['intolerating', 'nitrogelatin'], 'nitrosate': ['nitrosate', 'stationer'], 'nitrous': ['nitrous', 'trusion'], 'nitter': ['nitter', 'tinter'], 'nitty': ['nitty', 'tinty'], 'niue': ['niue', 'unie'], 'nival': ['alvin', 'anvil', 'nival', 'vinal'], 'nivenite': ['ninevite', 'nivenite'], 'niveous': ['envious', 'niveous', 'veinous'], 'nivosity': ['nivosity', 'vinosity'], 'nizam': ['nazim', 'nizam'], 'no': ['no', 'on'], 'noa': ['noa', 'ona'], 'noachite': ['inchoate', 'noachite'], 'noah': ['hano', 'noah'], 'noahic': ['chinoa', 'noahic'], 'noam': ['mano', 'moan', 'mona', 'noam', 'noma', 'oman'], 'nob': ['bon', 'nob'], 'nobleman': ['blennoma', 'nobleman'], 'noblesse': ['boneless', 'noblesse'], 'nobs': ['bosn', 'nobs', 'snob'], 'nocardia': ['nocardia', 'orcadian'], 'nocent': ['nocent', 'nocten'], 'nocerite': ['erection', 'neoteric', 'nocerite', 'renotice'], 'nock': ['conk', 'nock'], 'nocten': ['nocent', 'nocten'], 'noctiluca': ['ciclatoun', 'noctiluca'], 'noctuid': ['conduit', 'duction', 'noctuid'], 'noctuidae': ['coadunite', 'education', 'noctuidae'], 'nocturia': ['curation', 'nocturia'], 'nod': ['don', 'nod'], 'nodal': ['donal', 'nodal'], 'nodated': ['donated', 'nodated'], 'node': ['done', 'node'], 'nodi': ['dion', 'nodi', 'odin'], 'nodiak': ['daikon', 'nodiak'], 'nodical': ['dolcian', 'nodical'], 'nodicorn': ['corindon', 'nodicorn'], 'nodule': ['louden', 'nodule'], 'nodus': ['nodus', 'ounds', 'sound'], 'noegenesis': ['neogenesis', 'noegenesis'], 'noegenetic': ['neogenetic', 'noegenetic'], 'noel': ['elon', 'enol', 'leno', 'leon', 'lone', 'noel'], 'noetic': ['eciton', 'noetic', 'notice', 'octine'], 'noetics': ['contise', 'noetics', 'section'], 'nog': ['gon', 'nog'], 'nogai': ['gonia', 'ngaio', 'nogai'], 'nogal': ['along', 'gonal', 'lango', 'longa', 'nogal'], 'noil': ['lino', 'lion', 'loin', 'noil'], 'noilage': ['goniale', 'noilage'], 'noiler': ['elinor', 'lienor', 'lorien', 'noiler'], 'noint': ['niton', 'noint'], 'noir': ['inro', 'iron', 'noir', 'nori'], 'noise': ['eosin', 'noise'], 'noiseless': ['noiseless', 'selenosis'], 'noisette': ['noisette', 'teosinte'], 'nolo': ['loon', 'nolo'], 'noma': ['mano', 'moan', 'mona', 'noam', 'noma', 'oman'], 'nomad': ['damon', 'monad', 'nomad'], 'nomadian': ['monadina', 'nomadian'], 'nomadic': ['monadic', 'nomadic'], 'nomadical': ['monadical', 'nomadical'], 'nomadically': ['monadically', 'nomadically'], 'nomadism': ['monadism', 'nomadism'], 'nomarch': ['monarch', 'nomarch', 'onmarch'], 'nomarchy': ['monarchy', 'nomarchy'], 'nome': ['mone', 'nome', 'omen'], 'nomeus': ['nomeus', 'unsome'], 'nomial': ['monial', 'nomial', 'oilman'], 'nomina': ['amnion', 'minoan', 'nomina'], 'nominate': ['antinome', 'nominate'], 'nominated': ['dentinoma', 'nominated'], 'nominature': ['nominature', 'numeration'], 'nomism': ['monism', 'nomism', 'simmon'], 'nomismata': ['anatomism', 'nomismata'], 'nomistic': ['monistic', 'nicotism', 'nomistic'], 'nomocracy': ['monocracy', 'nomocracy'], 'nomogenist': ['monogenist', 'nomogenist'], 'nomogenous': ['monogenous', 'nomogenous'], 'nomogeny': ['monogeny', 'nomogeny'], 'nomogram': ['monogram', 'nomogram'], 'nomograph': ['monograph', 'nomograph', 'phonogram'], 'nomographer': ['geranomorph', 'monographer', 'nomographer'], 'nomographic': ['gramophonic', 'monographic', 'nomographic', 'phonogramic'], 'nomographical': ['gramophonical', 'monographical', 'nomographical'], 'nomographically': ['gramophonically', 'monographically', 'nomographically', 'phonogramically'], 'nomography': ['monography', 'nomography'], 'nomological': ['monological', 'nomological'], 'nomologist': ['monologist', 'nomologist', 'ontologism'], 'nomology': ['monology', 'nomology'], 'nomophyllous': ['monophyllous', 'nomophyllous'], 'nomotheism': ['monotheism', 'nomotheism'], 'nomothetic': ['monothetic', 'nomothetic'], 'nona': ['anon', 'nona', 'onan'], 'nonaccession': ['connoissance', 'nonaccession'], 'nonact': ['cannot', 'canton', 'conant', 'nonact'], 'nonaction': ['connation', 'nonaction'], 'nonagent': ['nonagent', 'tannogen'], 'nonaid': ['adonin', 'nanoid', 'nonaid'], 'nonaltruistic': ['instructional', 'nonaltruistic'], 'nonanimal': ['nonanimal', 'nonmanila'], 'nonbilabiate': ['inobtainable', 'nonbilabiate'], 'noncaste': ['noncaste', 'tsonecan'], 'noncereal': ['aleconner', 'noncereal'], 'noncertified': ['noncertified', 'nonrectified'], 'nonclaim': ['cinnamol', 'nonclaim'], 'noncreation': ['noncreation', 'nonreaction'], 'noncreative': ['noncreative', 'nonreactive'], 'noncurantist': ['noncurantist', 'unconstraint'], 'nonda': ['donna', 'nonda'], 'nondesecration': ['nondesecration', 'recondensation'], 'none': ['neon', 'none'], 'nonempirical': ['nonempirical', 'prenominical'], 'nonerudite': ['nonerudite', 'unoriented'], 'nonesuch': ['nonesuch', 'unchosen'], 'nonet': ['nonet', 'tenon'], 'nonfertile': ['florentine', 'nonfertile'], 'nongeometrical': ['inconglomerate', 'nongeometrical'], 'nonglare': ['algernon', 'nonglare'], 'nongod': ['dongon', 'nongod'], 'nonhepatic': ['nonhepatic', 'pantheonic'], 'nonic': ['conin', 'nonic', 'oncin'], 'nonideal': ['anneloid', 'nonideal'], 'nonidealist': ['alstonidine', 'nonidealist'], 'nonirate': ['anointer', 'inornate', 'nonirate', 'reanoint'], 'nonius': ['nonius', 'unison'], 'nonlegato': ['nonlegato', 'ontogenal'], 'nonlegume': ['melungeon', 'nonlegume'], 'nonliable': ['bellonian', 'nonliable'], 'nonlicet': ['contline', 'nonlicet'], 'nonly': ['nonly', 'nonyl', 'nylon'], 'nonmanila': ['nonanimal', 'nonmanila'], 'nonmarital': ['antinormal', 'nonmarital', 'nonmartial'], 'nonmartial': ['antinormal', 'nonmarital', 'nonmartial'], 'nonmatter': ['nonmatter', 'remontant'], 'nonmetric': ['comintern', 'nonmetric'], 'nonmetrical': ['centinormal', 'conterminal', 'nonmetrical'], 'nonmolar': ['nonmolar', 'nonmoral'], 'nonmoral': ['nonmolar', 'nonmoral'], 'nonnat': ['nonnat', 'nontan'], 'nonoriental': ['nonoriental', 'nonrelation'], 'nonpaid': ['dipnoan', 'nonpaid', 'pandion'], 'nonpar': ['napron', 'nonpar'], 'nonparental': ['nonparental', 'nonpaternal'], 'nonpaternal': ['nonparental', 'nonpaternal'], 'nonpearlitic': ['nonpearlitic', 'pratincoline'], 'nonpenal': ['nonpenal', 'nonplane'], 'nonplane': ['nonpenal', 'nonplane'], 'nonracial': ['carniolan', 'nonracial'], 'nonrated': ['nonrated', 'nontrade'], 'nonreaction': ['noncreation', 'nonreaction'], 'nonreactive': ['noncreative', 'nonreactive'], 'nonrebel': ['ennobler', 'nonrebel'], 'nonrecital': ['interconal', 'nonrecital'], 'nonrectified': ['noncertified', 'nonrectified'], 'nonrelation': ['nonoriental', 'nonrelation'], 'nonreserve': ['nonreserve', 'nonreverse'], 'nonreverse': ['nonreserve', 'nonreverse'], 'nonrigid': ['girondin', 'nonrigid'], 'nonsanction': ['inconsonant', 'nonsanction'], 'nonscientist': ['inconsistent', 'nonscientist'], 'nonsecret': ['consenter', 'nonsecret', 'reconsent'], 'nontan': ['nonnat', 'nontan'], 'nontrade': ['nonrated', 'nontrade'], 'nonunited': ['nonunited', 'unintoned'], 'nonuse': ['nonuse', 'unnose'], 'nonvaginal': ['nonvaginal', 'novanglian'], 'nonvisitation': ['innovationist', 'nonvisitation'], 'nonya': ['annoy', 'nonya'], 'nonyl': ['nonly', 'nonyl', 'nylon'], 'nooking': ['kongoni', 'nooking'], 'noontide': ['noontide', 'notioned'], 'noontime': ['entomion', 'noontime'], 'noop': ['noop', 'poon'], 'noose': ['noose', 'osone'], 'nooser': ['nooser', 'seroon', 'sooner'], 'nopal': ['lapon', 'nopal'], 'nope': ['nope', 'open', 'peon', 'pone'], 'nor': ['nor', 'ron'], 'nora': ['nora', 'orna', 'roan'], 'norah': ['nahor', 'norah', 'rohan'], 'norate': ['atoner', 'norate', 'ornate'], 'noration': ['noration', 'ornation', 'orotinan'], 'nordic': ['dornic', 'nordic'], 'nordicity': ['nordicity', 'tyrocidin'], 'noreast': ['noreast', 'rosetan', 'seatron', 'senator', 'treason'], 'nori': ['inro', 'iron', 'noir', 'nori'], 'noria': ['arion', 'noria'], 'noric': ['corin', 'noric', 'orcin'], 'norie': ['irone', 'norie'], 'norite': ['norite', 'orient'], 'norm': ['morn', 'norm'], 'norma': ['manor', 'moran', 'norma', 'ramon', 'roman'], 'normality': ['normality', 'trionymal'], 'normated': ['moderant', 'normated'], 'normless': ['mornless', 'normless'], 'normocyte': ['necrotomy', 'normocyte', 'oncometry'], 'norse': ['norse', 'noser', 'seron', 'snore'], 'norsk': ['norsk', 'snork'], 'north': ['north', 'thorn'], 'norther': ['horrent', 'norther'], 'northing': ['inthrong', 'northing'], 'nosairi': ['nosairi', 'osirian'], 'nose': ['enos', 'nose'], 'nosean': ['nosean', 'oannes'], 'noseless': ['noseless', 'soleness'], 'noselite': ['noselite', 'solenite'], 'nosema': ['monase', 'nosema'], 'noser': ['norse', 'noser', 'seron', 'snore'], 'nosesmart': ['nosesmart', 'storesman'], 'nosism': ['nosism', 'simson'], 'nosomania': ['nanosomia', 'nosomania'], 'nostalgia': ['analogist', 'nostalgia'], 'nostalgic': ['gnostical', 'nostalgic'], 'nostic': ['nostic', 'sintoc', 'tocsin'], 'nostoc': ['nostoc', 'oncost'], 'nosu': ['nosu', 'nous', 'onus'], 'not': ['not', 'ton'], 'notability': ['bitonality', 'notability'], 'notaeal': ['anatole', 'notaeal'], 'notaeum': ['notaeum', 'outname'], 'notal': ['notal', 'ontal', 'talon', 'tolan', 'tonal'], 'notalgia': ['galtonia', 'notalgia'], 'notalia': ['ailanto', 'alation', 'laotian', 'notalia'], 'notan': ['anton', 'notan', 'tonna'], 'notarial': ['notarial', 'rational', 'rotalian'], 'notarially': ['notarially', 'rationally'], 'notariate': ['notariate', 'rationate'], 'notation': ['notation', 'tonation'], 'notator': ['arnotto', 'notator'], 'notcher': ['chorten', 'notcher'], 'note': ['note', 'tone'], 'noted': ['donet', 'noted', 'toned'], 'notehead': ['headnote', 'notehead'], 'noteless': ['noteless', 'toneless'], 'notelessly': ['notelessly', 'tonelessly'], 'notelessness': ['notelessness', 'tonelessness'], 'noter': ['noter', 'tenor', 'toner', 'trone'], 'nother': ['hornet', 'nother', 'theron', 'throne'], 'nothous': ['hontous', 'nothous'], 'notice': ['eciton', 'noetic', 'notice', 'octine'], 'noticer': ['cerotin', 'cointer', 'cotrine', 'cretion', 'noticer', 'rection'], 'notidani': ['nidation', 'notidani'], 'notify': ['notify', 'tonify'], 'notioned': ['noontide', 'notioned'], 'notochordal': ['chordotonal', 'notochordal'], 'notopterus': ['notopterus', 'portentous'], 'notorhizal': ['horizontal', 'notorhizal'], 'nototrema': ['antrotome', 'nototrema'], 'notour': ['notour', 'unroot'], 'notropis': ['notropis', 'positron', 'sorption'], 'notum': ['montu', 'mount', 'notum'], 'notus': ['notus', 'snout', 'stoun', 'tonus'], 'nought': ['hognut', 'nought'], 'noup': ['noup', 'puno', 'upon'], 'nourisher': ['nourisher', 'renourish'], 'nous': ['nosu', 'nous', 'onus'], 'novalia': ['novalia', 'valonia'], 'novanglian': ['nonvaginal', 'novanglian'], 'novem': ['novem', 'venom'], 'novitiate': ['evitation', 'novitiate'], 'now': ['now', 'own', 'won'], 'nowanights': ['nowanights', 'washington'], 'nowed': ['endow', 'nowed'], 'nowhere': ['nowhere', 'whereon'], 'nowise': ['nowise', 'snowie'], 'nowness': ['nowness', 'ownness'], 'nowt': ['nowt', 'town', 'wont'], 'noxa': ['axon', 'noxa', 'oxan'], 'noy': ['noy', 'yon'], 'nozi': ['nozi', 'zion'], 'nu': ['nu', 'un'], 'nub': ['bun', 'nub'], 'nuba': ['baun', 'buna', 'nabu', 'nuba'], 'nubian': ['nubian', 'unbain'], 'nubilate': ['antiblue', 'nubilate'], 'nubile': ['nubile', 'unible'], 'nucal': ['lucan', 'nucal'], 'nucellar': ['lucernal', 'nucellar', 'uncellar'], 'nuchal': ['chulan', 'launch', 'nuchal'], 'nuciferous': ['nuciferous', 'unciferous'], 'nuciform': ['nuciform', 'unciform'], 'nuclear': ['crenula', 'lucarne', 'nuclear', 'unclear'], 'nucleator': ['nucleator', 'recountal'], 'nucleoid': ['nucleoid', 'uncoiled'], 'nuclide': ['include', 'nuclide'], 'nuculid': ['nuculid', 'unlucid'], 'nuculidae': ['duculinae', 'nuculidae'], 'nudate': ['nudate', 'undate'], 'nuddle': ['ludden', 'nuddle'], 'nude': ['dune', 'nude', 'unde'], 'nudeness': ['nudeness', 'unsensed'], 'nudger': ['dunger', 'gerund', 'greund', 'nudger'], 'nudist': ['dustin', 'nudist'], 'nudity': ['nudity', 'untidy'], 'nuisancer': ['insurance', 'nuisancer'], 'numa': ['maun', 'numa'], 'numberer': ['numberer', 'renumber'], 'numda': ['maund', 'munda', 'numda', 'undam', 'unmad'], 'numeration': ['nominature', 'numeration'], 'numerical': ['ceruminal', 'melanuric', 'numerical'], 'numerist': ['numerist', 'terminus'], 'numida': ['numida', 'unmaid'], 'numidae': ['numidae', 'unaimed'], 'nummi': ['mnium', 'nummi'], 'nunciate': ['nunciate', 'uncinate'], 'nuncio': ['nuncio', 'uncoin'], 'nuncioship': ['nuncioship', 'pincushion'], 'nunki': ['nunki', 'unkin'], 'nunlet': ['nunlet', 'tunnel', 'unlent'], 'nunlike': ['nunlike', 'unliken'], 'nunnated': ['nunnated', 'untanned'], 'nunni': ['nunni', 'uninn'], 'nuptial': ['nuptial', 'unplait'], 'nurse': ['nurse', 'resun'], 'nusfiah': ['faunish', 'nusfiah'], 'nut': ['nut', 'tun'], 'nutarian': ['nutarian', 'turanian'], 'nutate': ['attune', 'nutate', 'tauten'], 'nutgall': ['gallnut', 'nutgall'], 'nuthatch': ['nuthatch', 'unthatch'], 'nutlike': ['nutlike', 'tunlike'], 'nutmeg': ['gnetum', 'nutmeg'], 'nutramin': ['nutramin', 'ruminant'], 'nutrice': ['nutrice', 'teucrin'], 'nycteridae': ['encyrtidae', 'nycteridae'], 'nycterine': ['nycterine', 'renitency'], 'nycteris': ['nycteris', 'stycerin'], 'nycturia': ['nycturia', 'tunicary'], 'nye': ['eyn', 'nye', 'yen'], 'nylast': ['nylast', 'stanly'], 'nylon': ['nonly', 'nonyl', 'nylon'], 'nymphalidae': ['lymphadenia', 'nymphalidae'], 'nyroca': ['canroy', 'crayon', 'cyrano', 'nyroca'], 'nystagmic': ['gymnastic', 'nystagmic'], 'oak': ['ako', 'koa', 'oak', 'oka'], 'oaky': ['kayo', 'oaky'], 'oam': ['mao', 'oam'], 'oannes': ['nosean', 'oannes'], 'oar': ['aro', 'oar', 'ora'], 'oared': ['adore', 'oared', 'oread'], 'oaric': ['cairo', 'oaric'], 'oaritis': ['isotria', 'oaritis'], 'oarium': ['mariou', 'oarium'], 'oarless': ['lassoer', 'oarless', 'rosales'], 'oarman': ['oarman', 'ramona'], 'oasal': ['alosa', 'loasa', 'oasal'], 'oasis': ['oasis', 'sosia'], 'oast': ['oast', 'stoa', 'taos'], 'oat': ['oat', 'tao', 'toa'], 'oatbin': ['batino', 'oatbin', 'obtain'], 'oaten': ['atone', 'oaten'], 'oatlike': ['keitloa', 'oatlike'], 'obclude': ['becloud', 'obclude'], 'obeah': ['bahoe', 'bohea', 'obeah'], 'obeisant': ['obeisant', 'sabotine'], 'obelial': ['bolelia', 'lobelia', 'obelial'], 'obeliscal': ['escobilla', 'obeliscal'], 'obelus': ['besoul', 'blouse', 'obelus'], 'oberon': ['borneo', 'oberon'], 'obi': ['ibo', 'obi'], 'obispo': ['boopis', 'obispo'], 'obit': ['bito', 'obit'], 'objectative': ['objectative', 'objectivate'], 'objectivate': ['objectative', 'objectivate'], 'oblate': ['lobate', 'oblate'], 'oblately': ['lobately', 'oblately'], 'oblation': ['boltonia', 'lobation', 'oblation'], 'obligant': ['bloating', 'obligant'], 'obliviality': ['obliviality', 'violability'], 'obol': ['bolo', 'bool', 'lobo', 'obol'], 'obscurant': ['obscurant', 'subcantor'], 'obscurantic': ['obscurantic', 'subnarcotic'], 'obscurantist': ['obscurantist', 'substraction'], 'obscure': ['bescour', 'buceros', 'obscure'], 'obscurer': ['crebrous', 'obscurer'], 'obsecrate': ['bracteose', 'obsecrate'], 'observe': ['observe', 'obverse', 'verbose'], 'obsessor': ['berossos', 'obsessor'], 'obstinate': ['bastionet', 'obstinate'], 'obtain': ['batino', 'oatbin', 'obtain'], 'obtainal': ['ablation', 'obtainal'], 'obtainer': ['abrotine', 'baritone', 'obtainer', 'reobtain'], 'obtrude': ['doubter', 'obtrude', 'outbred', 'redoubt'], 'obtruncation': ['conturbation', 'obtruncation'], 'obturate': ['obturate', 'tabouret'], 'obverse': ['observe', 'obverse', 'verbose'], 'obversely': ['obversely', 'verbosely'], 'ocarina': ['aaronic', 'nicarao', 'ocarina'], 'occasioner': ['occasioner', 'reoccasion'], 'occipitofrontal': ['frontooccipital', 'occipitofrontal'], 'occipitotemporal': ['occipitotemporal', 'temporooccipital'], 'occlusion': ['niccolous', 'occlusion'], 'occurrent': ['cocurrent', 'occurrent', 'uncorrect'], 'ocean': ['acone', 'canoe', 'ocean'], 'oceanet': ['acetone', 'oceanet'], 'oceanic': ['cocaine', 'oceanic'], 'ocellar': ['collare', 'corella', 'ocellar'], 'ocellate': ['collatee', 'ocellate'], 'ocellated': ['decollate', 'ocellated'], 'ocelli': ['collie', 'ocelli'], 'och': ['cho', 'och'], 'ocher': ['chore', 'ocher'], 'ocherous': ['ocherous', 'ochreous'], 'ochidore': ['choreoid', 'ochidore'], 'ochlesis': ['helcosis', 'ochlesis'], 'ochlesitic': ['cochleitis', 'ochlesitic'], 'ochletic': ['helcotic', 'lochetic', 'ochletic'], 'ochlocrat': ['colcothar', 'ochlocrat'], 'ochrea': ['chorea', 'ochrea', 'rochea'], 'ochreous': ['ocherous', 'ochreous'], 'ochroid': ['choroid', 'ochroid'], 'ochroma': ['amchoor', 'ochroma'], 'ocht': ['coth', 'ocht'], 'ocque': ['coque', 'ocque'], 'ocreated': ['decorate', 'ocreated'], 'octadic': ['cactoid', 'octadic'], 'octaeteric': ['ecorticate', 'octaeteric'], 'octakishexahedron': ['hexakisoctahedron', 'octakishexahedron'], 'octan': ['acton', 'canto', 'octan'], 'octandrian': ['dracontian', 'octandrian'], 'octarius': ['cotarius', 'octarius', 'suctoria'], 'octastrophic': ['octastrophic', 'postthoracic'], 'octave': ['avocet', 'octave', 'vocate'], 'octavian': ['octavian', 'octavina', 'vacation'], 'octavina': ['octavian', 'octavina', 'vacation'], 'octenary': ['enactory', 'octenary'], 'octet': ['cotte', 'octet'], 'octillion': ['cotillion', 'octillion'], 'octine': ['eciton', 'noetic', 'notice', 'octine'], 'octometer': ['octometer', 'rectotome', 'tocometer'], 'octonal': ['coolant', 'octonal'], 'octonare': ['coronate', 'octonare', 'otocrane'], 'octonarius': ['acutorsion', 'octonarius'], 'octoroon': ['coonroot', 'octoroon'], 'octuple': ['couplet', 'octuple'], 'ocularist': ['ocularist', 'suctorial'], 'oculate': ['caulote', 'colutea', 'oculate'], 'oculinid': ['lucinoid', 'oculinid'], 'ocypete': ['ecotype', 'ocypete'], 'od': ['do', 'od'], 'oda': ['ado', 'dao', 'oda'], 'odal': ['alod', 'dola', 'load', 'odal'], 'odalman': ['mandola', 'odalman'], 'odax': ['doxa', 'odax'], 'odd': ['dod', 'odd'], 'oddman': ['dodman', 'oddman'], 'ode': ['doe', 'edo', 'ode'], 'odel': ['dole', 'elod', 'lode', 'odel'], 'odin': ['dion', 'nodi', 'odin'], 'odinism': ['diosmin', 'odinism'], 'odinite': ['edition', 'odinite', 'otidine', 'tineoid'], 'odiometer': ['meteoroid', 'odiometer'], 'odious': ['iodous', 'odious'], 'odor': ['door', 'odor', 'oord', 'rood'], 'odorant': ['donator', 'odorant', 'tornado'], 'odored': ['doored', 'odored'], 'odorless': ['doorless', 'odorless'], 'ods': ['dos', 'ods', 'sod'], 'odum': ['doum', 'moud', 'odum'], 'odyl': ['loyd', 'odyl'], 'odylist': ['odylist', 'styloid'], 'oecanthus': ['ceanothus', 'oecanthus'], 'oecist': ['cotise', 'oecist'], 'oedipal': ['elapoid', 'oedipal'], 'oenin': ['inone', 'oenin'], 'oenocarpus': ['oenocarpus', 'uranoscope'], 'oer': ['oer', 'ore', 'roe'], 'oes': ['oes', 'ose', 'soe'], 'oestrian': ['arsonite', 'asterion', 'oestrian', 'rosinate', 'serotina'], 'oestrid': ['oestrid', 'steroid', 'storied'], 'oestridae': ['oestridae', 'ostreidae', 'sorediate'], 'oestrin': ['oestrin', 'tersion'], 'oestriol': ['oestriol', 'rosolite'], 'oestroid': ['oestroid', 'ordosite', 'ostreoid'], 'oestrual': ['oestrual', 'rosulate'], 'oestrum': ['oestrum', 'rosetum'], 'oestrus': ['estrous', 'oestrus', 'sestuor', 'tussore'], 'of': ['fo', 'of'], 'ofer': ['fore', 'froe', 'ofer'], 'offcast': ['castoff', 'offcast'], 'offcut': ['cutoff', 'offcut'], 'offender': ['offender', 'reoffend'], 'offerer': ['offerer', 'reoffer'], 'offlet': ['letoff', 'offlet'], 'offset': ['offset', 'setoff'], 'offuscate': ['offuscate', 'suffocate'], 'offuscation': ['offuscation', 'suffocation'], 'offward': ['drawoff', 'offward'], 'ofo': ['foo', 'ofo'], 'oft': ['fot', 'oft'], 'oftens': ['oftens', 'soften'], 'ofter': ['fetor', 'forte', 'ofter'], 'oftly': ['lofty', 'oftly'], 'og': ['go', 'og'], 'ogam': ['goma', 'ogam'], 'ogeed': ['geode', 'ogeed'], 'ogle': ['egol', 'goel', 'loge', 'ogle', 'oleg'], 'ogler': ['glore', 'ogler'], 'ogpu': ['goup', 'ogpu', 'upgo'], 'ogre': ['goer', 'gore', 'ogre'], 'ogreism': ['ergoism', 'ogreism'], 'ogtiern': ['ergotin', 'genitor', 'negrito', 'ogtiern', 'trigone'], 'oh': ['ho', 'oh'], 'ohm': ['mho', 'ohm'], 'ohmage': ['homage', 'ohmage'], 'ohmmeter': ['mhometer', 'ohmmeter'], 'oilcan': ['alnico', 'cliona', 'oilcan'], 'oilcup': ['oilcup', 'upcoil'], 'oildom': ['moloid', 'oildom'], 'oiler': ['oiler', 'oriel', 'reoil'], 'oillet': ['elliot', 'oillet'], 'oilman': ['monial', 'nomial', 'oilman'], 'oilstone': ['leonotis', 'oilstone'], 'oime': ['meio', 'oime'], 'oinomania': ['oinomania', 'oniomania'], 'oint': ['into', 'nito', 'oint', 'tino'], 'oireachtas': ['oireachtas', 'theocrasia'], 'ok': ['ko', 'ok'], 'oka': ['ako', 'koa', 'oak', 'oka'], 'oket': ['keto', 'oket', 'toke'], 'oki': ['koi', 'oki'], 'okie': ['ekoi', 'okie'], 'okra': ['karo', 'kora', 'okra', 'roka'], 'olaf': ['foal', 'loaf', 'olaf'], 'olam': ['loam', 'loma', 'malo', 'mola', 'olam'], 'olamic': ['colima', 'olamic'], 'olcha': ['chola', 'loach', 'olcha'], 'olchi': ['choil', 'choli', 'olchi'], 'old': ['dol', 'lod', 'old'], 'older': ['lored', 'older'], 'oldhamite': ['ethmoidal', 'oldhamite'], 'ole': ['leo', 'ole'], 'olea': ['aloe', 'olea'], 'olecranal': ['lanceolar', 'olecranal'], 'olecranoid': ['lecanoroid', 'olecranoid'], 'olecranon': ['encoronal', 'olecranon'], 'olefin': ['enfoil', 'olefin'], 'oleg': ['egol', 'goel', 'loge', 'ogle', 'oleg'], 'olein': ['enoil', 'ileon', 'olein'], 'olena': ['alone', 'anole', 'olena'], 'olenid': ['doline', 'indole', 'leonid', 'loined', 'olenid'], 'olent': ['lento', 'olent'], 'olenus': ['ensoul', 'olenus', 'unsole'], 'oleosity': ['oleosity', 'otiosely'], 'olga': ['gaol', 'goal', 'gola', 'olga'], 'oliban': ['albino', 'albion', 'alboin', 'oliban'], 'olibanum': ['olibanum', 'umbonial'], 'olid': ['dilo', 'diol', 'doli', 'idol', 'olid'], 'oligoclase': ['oligoclase', 'sociolegal'], 'oligomyoid': ['idiomology', 'oligomyoid'], 'oligonephria': ['oligonephria', 'oligophrenia'], 'oligonephric': ['oligonephric', 'oligophrenic'], 'oligophrenia': ['oligonephria', 'oligophrenia'], 'oligophrenic': ['oligonephric', 'oligophrenic'], 'oliprance': ['oliprance', 'porcelain'], 'oliva': ['oliva', 'viola'], 'olivaceous': ['olivaceous', 'violaceous'], 'olive': ['olive', 'ovile', 'voile'], 'olived': ['livedo', 'olived'], 'oliver': ['oliver', 'violer', 'virole'], 'olivescent': ['olivescent', 'violescent'], 'olivet': ['olivet', 'violet'], 'olivetan': ['olivetan', 'velation'], 'olivette': ['olivette', 'violette'], 'olivine': ['olivine', 'violine'], 'olla': ['lalo', 'lola', 'olla'], 'olof': ['fool', 'loof', 'olof'], 'olonets': ['enstool', 'olonets'], 'olor': ['loro', 'olor', 'orlo', 'rool'], 'olpe': ['lope', 'olpe', 'pole'], 'olson': ['olson', 'solon'], 'olympian': ['olympian', 'polymnia'], 'om': ['mo', 'om'], 'omaha': ['haoma', 'omaha'], 'oman': ['mano', 'moan', 'mona', 'noam', 'noma', 'oman'], 'omani': ['amino', 'inoma', 'naomi', 'omani', 'omina'], 'omar': ['amor', 'maro', 'mora', 'omar', 'roam'], 'omasitis': ['amitosis', 'omasitis'], 'omber': ['brome', 'omber'], 'omelet': ['omelet', 'telome'], 'omen': ['mone', 'nome', 'omen'], 'omened': ['endome', 'omened'], 'omental': ['omental', 'telamon'], 'omentotomy': ['entomotomy', 'omentotomy'], 'omer': ['mero', 'more', 'omer', 'rome'], 'omicron': ['moronic', 'omicron'], 'omina': ['amino', 'inoma', 'naomi', 'omani', 'omina'], 'ominous': ['mousoni', 'ominous'], 'omit': ['itmo', 'moit', 'omit', 'timo'], 'omitis': ['itoism', 'omitis'], 'omniana': ['nanaimo', 'omniana'], 'omniarch': ['choirman', 'harmonic', 'omniarch'], 'omnigerent': ['ignorement', 'omnigerent'], 'omnilegent': ['eloignment', 'omnilegent'], 'omnimeter': ['minometer', 'omnimeter'], 'omnimodous': ['monosodium', 'omnimodous', 'onosmodium'], 'omnist': ['inmost', 'monist', 'omnist'], 'omnitenent': ['intonement', 'omnitenent'], 'omphalogenous': ['megalophonous', 'omphalogenous'], 'on': ['no', 'on'], 'ona': ['noa', 'ona'], 'onager': ['onager', 'orange'], 'onagra': ['agroan', 'angora', 'anogra', 'arango', 'argoan', 'onagra'], 'onan': ['anon', 'nona', 'onan'], 'onanism': ['mansion', 'onanism'], 'onanistic': ['anconitis', 'antiscion', 'onanistic'], 'onca': ['coan', 'onca'], 'once': ['cone', 'once'], 'oncetta': ['oncetta', 'tectona'], 'onchidiidae': ['chionididae', 'onchidiidae'], 'oncia': ['acoin', 'oncia'], 'oncidium': ['conidium', 'mucinoid', 'oncidium'], 'oncin': ['conin', 'nonic', 'oncin'], 'oncometric': ['necrotomic', 'oncometric'], 'oncometry': ['necrotomy', 'normocyte', 'oncometry'], 'oncoming': ['gnomonic', 'oncoming'], 'oncosimeter': ['oncosimeter', 'semicoronet'], 'oncost': ['nostoc', 'oncost'], 'ondagram': ['dragoman', 'garamond', 'ondagram'], 'ondameter': ['emendator', 'ondameter'], 'ondatra': ['adorant', 'ondatra'], 'ondine': ['donnie', 'indone', 'ondine'], 'ondy': ['ondy', 'yond'], 'one': ['eon', 'neo', 'one'], 'oneida': ['daoine', 'oneida'], 'oneiric': ['ironice', 'oneiric'], 'oneism': ['eonism', 'mesion', 'oneism', 'simeon'], 'oneness': ['oneness', 'senones'], 'oner': ['oner', 'rone'], 'onery': ['eryon', 'onery'], 'oniomania': ['oinomania', 'oniomania'], 'oniomaniac': ['iconomania', 'oniomaniac'], 'oniscidae': ['oniscidae', 'oscinidae', 'sciaenoid'], 'onisciform': ['onisciform', 'somnorific'], 'oniscoidea': ['iodocasein', 'oniscoidea'], 'onkos': ['onkos', 'snook'], 'onlepy': ['onlepy', 'openly'], 'onliest': ['leonist', 'onliest'], 'only': ['lyon', 'only'], 'onmarch': ['monarch', 'nomarch', 'onmarch'], 'onosmodium': ['monosodium', 'omnimodous', 'onosmodium'], 'ons': ['ons', 'son'], 'onset': ['onset', 'seton', 'steno', 'stone'], 'onshore': ['onshore', 'sorehon'], 'onside': ['deinos', 'donsie', 'inodes', 'onside'], 'onsight': ['hosting', 'onsight'], 'ontal': ['notal', 'ontal', 'talon', 'tolan', 'tonal'], 'ontaric': ['anticor', 'carotin', 'cortina', 'ontaric'], 'onto': ['onto', 'oont', 'toon'], 'ontogenal': ['nonlegato', 'ontogenal'], 'ontological': ['ontological', 'tonological'], 'ontologism': ['monologist', 'nomologist', 'ontologism'], 'ontology': ['ontology', 'tonology'], 'onus': ['nosu', 'nous', 'onus'], 'onymal': ['amylon', 'onymal'], 'onymatic': ['cymation', 'myatonic', 'onymatic'], 'onza': ['azon', 'onza', 'ozan'], 'oocyte': ['coyote', 'oocyte'], 'oodles': ['dolose', 'oodles', 'soodle'], 'ooid': ['iodo', 'ooid'], 'oolak': ['lokao', 'oolak'], 'oolite': ['lootie', 'oolite'], 'oometer': ['moreote', 'oometer'], 'oons': ['oons', 'soon'], 'oont': ['onto', 'oont', 'toon'], 'oopak': ['oopak', 'pooka'], 'oord': ['door', 'odor', 'oord', 'rood'], 'opacate': ['opacate', 'peacoat'], 'opacite': ['ectopia', 'opacite'], 'opah': ['opah', 'paho', 'poha'], 'opal': ['alop', 'opal'], 'opalina': ['opalina', 'pianola'], 'opalinine': ['opalinine', 'pleionian'], 'opalize': ['epizoal', 'lopezia', 'opalize'], 'opata': ['opata', 'patao', 'tapoa'], 'opdalite': ['opdalite', 'petaloid'], 'ope': ['ope', 'poe'], 'opelet': ['eelpot', 'opelet'], 'open': ['nope', 'open', 'peon', 'pone'], 'opencast': ['capstone', 'opencast'], 'opener': ['opener', 'reopen', 'repone'], 'openly': ['onlepy', 'openly'], 'openside': ['disponee', 'openside'], 'operable': ['operable', 'ropeable'], 'operae': ['aerope', 'operae'], 'operant': ['operant', 'pronate', 'protean'], 'operatic': ['aporetic', 'capriote', 'operatic'], 'operatical': ['aporetical', 'operatical'], 'operating': ['operating', 'pignorate'], 'operatrix': ['expirator', 'operatrix'], 'opercular': ['opercular', 'preocular'], 'ophidion': ['ophidion', 'ophionid'], 'ophionid': ['ophidion', 'ophionid'], 'ophism': ['mopish', 'ophism'], 'ophite': ['ethiop', 'ophite', 'peitho'], 'opinant': ['opinant', 'pintano'], 'opinator': ['opinator', 'tropaion'], 'opiner': ['opiner', 'orpine', 'ponier'], 'opiniaster': ['opiniaster', 'opiniastre'], 'opiniastre': ['opiniaster', 'opiniastre'], 'opiniatrety': ['opiniatrety', 'petitionary'], 'opisometer': ['opisometer', 'opsiometer'], 'opisthenar': ['opisthenar', 'spheration'], 'opisthorchis': ['chirosophist', 'opisthorchis'], 'oppian': ['oppian', 'papion', 'popian'], 'opposer': ['opposer', 'propose'], 'oppugn': ['oppugn', 'popgun'], 'opsiometer': ['opisometer', 'opsiometer'], 'opsonic': ['opsonic', 'pocosin'], 'opsy': ['opsy', 'posy'], 'opt': ['opt', 'pot', 'top'], 'optable': ['optable', 'potable'], 'optableness': ['optableness', 'potableness'], 'optate': ['aptote', 'optate', 'potate', 'teapot'], 'optation': ['optation', 'potation'], 'optative': ['optative', 'potative'], 'optic': ['optic', 'picot', 'topic'], 'optical': ['capitol', 'coalpit', 'optical', 'topical'], 'optically': ['optically', 'topically'], 'optics': ['copist', 'coptis', 'optics', 'postic'], 'optimal': ['optimal', 'palmito'], 'option': ['option', 'potion'], 'optional': ['antipolo', 'antipool', 'optional'], 'optography': ['optography', 'topography'], 'optological': ['optological', 'topological'], 'optologist': ['optologist', 'topologist'], 'optology': ['optology', 'topology'], 'optometer': ['optometer', 'potometer'], 'optophone': ['optophone', 'topophone'], 'optotype': ['optotype', 'topotype'], 'opulaster': ['opulaster', 'sportulae', 'sporulate'], 'opulus': ['lupous', 'opulus'], 'opuntia': ['opuntia', 'utopian'], 'opus': ['opus', 'soup'], 'opuscular': ['crapulous', 'opuscular'], 'or': ['or', 'ro'], 'ora': ['aro', 'oar', 'ora'], 'orach': ['achor', 'chora', 'corah', 'orach', 'roach'], 'oracle': ['carole', 'coaler', 'coelar', 'oracle', 'recoal'], 'orad': ['dora', 'orad', 'road'], 'oral': ['lora', 'oral'], 'oralist': ['aristol', 'oralist', 'ortalis', 'striola'], 'orality': ['orality', 'tailory'], 'orang': ['angor', 'argon', 'goran', 'grano', 'groan', 'nagor', 'orang', 'organ', 'rogan', 'ronga'], 'orange': ['onager', 'orange'], 'orangeist': ['goniaster', 'orangeist'], 'oranger': ['groaner', 'oranger', 'organer'], 'orangism': ['orangism', 'organism', 'sinogram'], 'orangist': ['orangist', 'organist', 'roasting', 'signator'], 'orangize': ['agonizer', 'orangize', 'organize'], 'orant': ['orant', 'rotan', 'toran', 'trona'], 'oraon': ['aroon', 'oraon'], 'oratress': ['assertor', 'assorter', 'oratress', 'reassort'], 'orb': ['bor', 'orb', 'rob'], 'orbed': ['boder', 'orbed'], 'orbic': ['boric', 'cribo', 'orbic'], 'orbicle': ['bricole', 'corbeil', 'orbicle'], 'orbicular': ['courbaril', 'orbicular'], 'orbitale': ['betailor', 'laborite', 'orbitale'], 'orbitelar': ['liberator', 'orbitelar'], 'orbitelarian': ['irrationable', 'orbitelarian'], 'orbitofrontal': ['frontoorbital', 'orbitofrontal'], 'orbitonasal': ['nasoorbital', 'orbitonasal'], 'orblet': ['bolter', 'orblet', 'reblot', 'rebolt'], 'orbulina': ['orbulina', 'unilobar'], 'orc': ['cor', 'cro', 'orc', 'roc'], 'orca': ['acor', 'caro', 'cora', 'orca'], 'orcadian': ['nocardia', 'orcadian'], 'orcanet': ['enactor', 'necator', 'orcanet'], 'orcein': ['cerion', 'coiner', 'neroic', 'orcein', 'recoin'], 'orchat': ['cathro', 'orchat'], 'orchel': ['chlore', 'choler', 'orchel'], 'orchester': ['orchester', 'orchestre'], 'orchestre': ['orchester', 'orchestre'], 'orchic': ['choric', 'orchic'], 'orchid': ['orchid', 'rhodic'], 'orchidist': ['chorditis', 'orchidist'], 'orchiocele': ['choriocele', 'orchiocele'], 'orchitis': ['historic', 'orchitis'], 'orcin': ['corin', 'noric', 'orcin'], 'orcinol': ['colorin', 'orcinol'], 'ordain': ['dorian', 'inroad', 'ordain'], 'ordainer': ['inroader', 'ordainer', 'reordain'], 'ordainment': ['antimodern', 'ordainment'], 'ordanchite': ['achondrite', 'ditrochean', 'ordanchite'], 'ordeal': ['loader', 'ordeal', 'reload'], 'orderer': ['orderer', 'reorder'], 'ordinable': ['bolderian', 'ordinable'], 'ordinal': ['nailrod', 'ordinal', 'rinaldo', 'rodinal'], 'ordinance': ['cerdonian', 'ordinance'], 'ordinate': ['andorite', 'nadorite', 'ordinate', 'rodentia'], 'ordinative': ['derivation', 'ordinative'], 'ordinator': ['ordinator', 'radiotron'], 'ordines': ['indorse', 'ordines', 'siredon', 'sordine'], 'ordosite': ['oestroid', 'ordosite', 'ostreoid'], 'ordu': ['dour', 'duro', 'ordu', 'roud'], 'ore': ['oer', 'ore', 'roe'], 'oread': ['adore', 'oared', 'oread'], 'oreas': ['arose', 'oreas'], 'orectic': ['cerotic', 'orectic'], 'oreman': ['enamor', 'monera', 'oreman', 'romane'], 'orenda': ['denaro', 'orenda'], 'orendite': ['enteroid', 'orendite'], 'orestean': ['orestean', 'resonate', 'stearone'], 'orf': ['for', 'fro', 'orf'], 'organ': ['angor', 'argon', 'goran', 'grano', 'groan', 'nagor', 'orang', 'organ', 'rogan', 'ronga'], 'organal': ['angolar', 'organal'], 'organer': ['groaner', 'oranger', 'organer'], 'organicism': ['organicism', 'organismic'], 'organicist': ['organicist', 'organistic'], 'organing': ['groaning', 'organing'], 'organism': ['orangism', 'organism', 'sinogram'], 'organismic': ['organicism', 'organismic'], 'organist': ['orangist', 'organist', 'roasting', 'signator'], 'organistic': ['organicist', 'organistic'], 'organity': ['gyration', 'organity', 'ortygian'], 'organize': ['agonizer', 'orangize', 'organize'], 'organized': ['dragonize', 'organized'], 'organoid': ['gordonia', 'organoid', 'rigadoon'], 'organonymic': ['craniognomy', 'organonymic'], 'organotin': ['gortonian', 'organotin'], 'organule': ['lagunero', 'organule', 'uroglena'], 'orgiasm': ['isogram', 'orgiasm'], 'orgiast': ['agistor', 'agrotis', 'orgiast'], 'orgic': ['corgi', 'goric', 'orgic'], 'orgue': ['orgue', 'rogue', 'rouge'], 'orgy': ['gory', 'gyro', 'orgy'], 'oriel': ['oiler', 'oriel', 'reoil'], 'orient': ['norite', 'orient'], 'oriental': ['oriental', 'relation', 'tirolean'], 'orientalism': ['misrelation', 'orientalism', 'relationism'], 'orientalist': ['orientalist', 'relationist'], 'orientate': ['anoterite', 'orientate'], 'origanum': ['mirounga', 'moringua', 'origanum'], 'origin': ['nigori', 'origin'], 'orle': ['lore', 'orle', 'role'], 'orlean': ['lenora', 'loaner', 'orlean', 'reloan'], 'orleanist': ['lairstone', 'orleanist', 'serotinal'], 'orleanistic': ['intersocial', 'orleanistic', 'sclerotinia'], 'orlet': ['lerot', 'orlet', 'relot'], 'orlo': ['loro', 'olor', 'orlo', 'rool'], 'orna': ['nora', 'orna', 'roan'], 'ornamenter': ['ornamenter', 'reornament'], 'ornate': ['atoner', 'norate', 'ornate'], 'ornately': ['neolatry', 'ornately', 'tyrolean'], 'ornation': ['noration', 'ornation', 'orotinan'], 'ornis': ['ornis', 'rosin'], 'orniscopic': ['orniscopic', 'scorpionic'], 'ornithomantic': ['ornithomantic', 'orthantimonic'], 'ornithoptera': ['ornithoptera', 'prototherian'], 'orogenetic': ['erotogenic', 'geocronite', 'orogenetic'], 'orographical': ['colporrhagia', 'orographical'], 'orography': ['gyrophora', 'orography'], 'orotinan': ['noration', 'ornation', 'orotinan'], 'orotund': ['orotund', 'rotundo'], 'orphanism': ['manorship', 'orphanism'], 'orpheon': ['orpheon', 'phorone'], 'orpheus': ['ephorus', 'orpheus', 'upshore'], 'orphical': ['orphical', 'rhopalic'], 'orphism': ['orphism', 'rompish'], 'orphize': ['orphize', 'phiroze'], 'orpine': ['opiner', 'orpine', 'ponier'], 'orsel': ['loser', 'orsel', 'rosel', 'soler'], 'orselle': ['orselle', 'roselle'], 'ort': ['ort', 'rot', 'tor'], 'ortalid': ['dilator', 'ortalid'], 'ortalis': ['aristol', 'oralist', 'ortalis', 'striola'], 'ortet': ['ortet', 'otter', 'toter'], 'orthal': ['harlot', 'orthal', 'thoral'], 'orthantimonic': ['ornithomantic', 'orthantimonic'], 'orthian': ['orthian', 'thorina'], 'orthic': ['chorti', 'orthic', 'thoric', 'trochi'], 'orthite': ['hortite', 'orthite', 'thorite'], 'ortho': ['ortho', 'thoro'], 'orthodromy': ['hydromotor', 'orthodromy'], 'orthogamy': ['orthogamy', 'othygroma'], 'orthogonial': ['orthogonial', 'orthologian'], 'orthologian': ['orthogonial', 'orthologian'], 'orthose': ['orthose', 'reshoot', 'shooter', 'soother'], 'ortiga': ['agrito', 'ortiga'], 'ortstein': ['ortstein', 'tenorist'], 'ortygian': ['gyration', 'organity', 'ortygian'], 'ortygine': ['genitory', 'ortygine'], 'ory': ['ory', 'roy', 'yor'], 'oryx': ['oryx', 'roxy'], 'os': ['os', 'so'], 'osamin': ['monias', 'osamin', 'osmina'], 'osamine': ['monesia', 'osamine', 'osmanie'], 'osc': ['cos', 'osc', 'soc'], 'oscan': ['ascon', 'canso', 'oscan'], 'oscar': ['arcos', 'crosa', 'oscar', 'sacro'], 'oscella': ['callose', 'oscella'], 'oscheal': ['oscheal', 'scholae'], 'oscillance': ['clinoclase', 'oscillance'], 'oscillaria': ['iliosacral', 'oscillaria'], 'oscillation': ['colonialist', 'oscillation'], 'oscin': ['oscin', 'scion', 'sonic'], 'oscine': ['cosine', 'oscine'], 'oscines': ['cession', 'oscines'], 'oscinian': ['oscinian', 'socinian'], 'oscinidae': ['oniscidae', 'oscinidae', 'sciaenoid'], 'oscitant': ['actinost', 'oscitant'], 'oscular': ['carolus', 'oscular'], 'osculate': ['lacteous', 'osculate'], 'osculatory': ['cotylosaur', 'osculatory'], 'oscule': ['coleus', 'oscule'], 'ose': ['oes', 'ose', 'soe'], 'osela': ['alose', 'osela', 'solea'], 'oshac': ['chaos', 'oshac'], 'oside': ['diose', 'idose', 'oside'], 'osier': ['osier', 'serio'], 'osirian': ['nosairi', 'osirian'], 'osiride': ['isidore', 'osiride'], 'oskar': ['krosa', 'oskar'], 'osmanie': ['monesia', 'osamine', 'osmanie'], 'osmanli': ['malison', 'manolis', 'osmanli', 'somnial'], 'osmatic': ['atomics', 'catoism', 'cosmati', 'osmatic', 'somatic'], 'osmatism': ['osmatism', 'somatism'], 'osmerus': ['osmerus', 'smouser'], 'osmin': ['minos', 'osmin', 'simon'], 'osmina': ['monias', 'osamin', 'osmina'], 'osmiridium': ['iridosmium', 'osmiridium'], 'osmogene': ['gonesome', 'osmogene'], 'osmometer': ['merostome', 'osmometer'], 'osmometric': ['microstome', 'osmometric'], 'osmophore': ['osmophore', 'sophomore'], 'osmotactic': ['osmotactic', 'scotomatic'], 'osmunda': ['damnous', 'osmunda'], 'osone': ['noose', 'osone'], 'osprey': ['eryops', 'osprey'], 'ossal': ['lasso', 'ossal'], 'ossein': ['essoin', 'ossein'], 'osselet': ['osselet', 'sestole', 'toeless'], 'ossetian': ['assiento', 'ossetian'], 'ossetine': ['essonite', 'ossetine'], 'ossicle': ['loessic', 'ossicle'], 'ossiculate': ['acleistous', 'ossiculate'], 'ossicule': ['coulisse', 'leucosis', 'ossicule'], 'ossuary': ['ossuary', 'suasory'], 'ostara': ['aroast', 'ostara'], 'osteal': ['lotase', 'osteal', 'solate', 'stolae', 'talose'], 'ostearthritis': ['arthrosteitis', 'ostearthritis'], 'ostectomy': ['cystotome', 'cytostome', 'ostectomy'], 'ostein': ['nesiot', 'ostein'], 'ostemia': ['miaotse', 'ostemia'], 'ostent': ['ostent', 'teston'], 'ostentation': ['ostentation', 'tionontates'], 'ostentous': ['ostentous', 'sostenuto'], 'osteometric': ['osteometric', 'stereotomic'], 'osteometrical': ['osteometrical', 'stereotomical'], 'osteometry': ['osteometry', 'stereotomy'], 'ostic': ['ostic', 'sciot', 'stoic'], 'ostmen': ['montes', 'ostmen'], 'ostracea': ['ceratosa', 'ostracea'], 'ostracean': ['ostracean', 'socratean'], 'ostracine': ['atroscine', 'certosina', 'ostracine', 'tinoceras', 'tricosane'], 'ostracism': ['ostracism', 'socratism'], 'ostracize': ['ostracize', 'socratize'], 'ostracon': ['ostracon', 'socotran'], 'ostraite': ['astroite', 'ostraite', 'storiate'], 'ostreidae': ['oestridae', 'ostreidae', 'sorediate'], 'ostreiform': ['forritsome', 'ostreiform'], 'ostreoid': ['oestroid', 'ordosite', 'ostreoid'], 'ostrich': ['chorist', 'ostrich'], 'oswald': ['dowlas', 'oswald'], 'otalgy': ['goatly', 'otalgy'], 'otaria': ['atorai', 'otaria'], 'otarian': ['aration', 'otarian'], 'otarine': ['otarine', 'torenia'], 'other': ['other', 'thore', 'throe', 'toher'], 'otherism': ['homerist', 'isotherm', 'otherism', 'theorism'], 'otherist': ['otherist', 'theorist'], 'othygroma': ['orthogamy', 'othygroma'], 'otiant': ['otiant', 'titano'], 'otidae': ['idotea', 'iodate', 'otidae'], 'otidine': ['edition', 'odinite', 'otidine', 'tineoid'], 'otiosely': ['oleosity', 'otiosely'], 'otitis': ['itoist', 'otitis'], 'oto': ['oto', 'too'], 'otocephalic': ['hepatocolic', 'otocephalic'], 'otocrane': ['coronate', 'octonare', 'otocrane'], 'otogenic': ['geotonic', 'otogenic'], 'otomian': ['amotion', 'otomian'], 'otomyces': ['cytosome', 'otomyces'], 'ottar': ['ottar', 'tarot', 'torta', 'troat'], 'otter': ['ortet', 'otter', 'toter'], 'otto': ['otto', 'toot', 'toto'], 'otus': ['otus', 'oust', 'suto'], 'otyak': ['otyak', 'tokay'], 'ouch': ['chou', 'ouch'], 'ouf': ['fou', 'ouf'], 'ough': ['hugo', 'ough'], 'ought': ['ought', 'tough'], 'oughtness': ['oughtness', 'toughness'], 'ounds': ['nodus', 'ounds', 'sound'], 'our': ['our', 'uro'], 'ours': ['ours', 'sour'], 'oust': ['otus', 'oust', 'suto'], 'ouster': ['ouster', 'souter', 'touser', 'trouse'], 'out': ['out', 'tou'], 'outarde': ['outarde', 'outdare', 'outread'], 'outban': ['outban', 'unboat'], 'outbar': ['outbar', 'rubato', 'tabour'], 'outbeg': ['bouget', 'outbeg'], 'outblow': ['blowout', 'outblow', 'outbowl'], 'outblunder': ['outblunder', 'untroubled'], 'outbowl': ['blowout', 'outblow', 'outbowl'], 'outbreak': ['breakout', 'outbreak'], 'outbred': ['doubter', 'obtrude', 'outbred', 'redoubt'], 'outburn': ['burnout', 'outburn'], 'outburst': ['outburst', 'subtutor'], 'outbustle': ['outbustle', 'outsubtle'], 'outcarol': ['outcarol', 'taurocol'], 'outcarry': ['curatory', 'outcarry'], 'outcase': ['acetous', 'outcase'], 'outcharm': ['outcharm', 'outmarch'], 'outcrier': ['courtier', 'outcrier'], 'outcut': ['cutout', 'outcut'], 'outdance': ['outdance', 'uncoated'], 'outdare': ['outarde', 'outdare', 'outread'], 'outdraw': ['drawout', 'outdraw', 'outward'], 'outer': ['outer', 'outre', 'route'], 'outerness': ['outerness', 'outreness'], 'outferret': ['foreutter', 'outferret'], 'outfit': ['fitout', 'outfit'], 'outflare': ['fluorate', 'outflare'], 'outfling': ['flouting', 'outfling'], 'outfly': ['outfly', 'toyful'], 'outgoer': ['outgoer', 'rougeot'], 'outgrin': ['outgrin', 'outring', 'routing', 'touring'], 'outhire': ['outhire', 'routhie'], 'outhold': ['holdout', 'outhold'], 'outkick': ['kickout', 'outkick'], 'outlance': ['cleanout', 'outlance'], 'outlay': ['layout', 'lutayo', 'outlay'], 'outleap': ['outleap', 'outpeal'], 'outler': ['elutor', 'louter', 'outler'], 'outlet': ['outlet', 'tutelo'], 'outline': ['elution', 'outline'], 'outlinear': ['outlinear', 'uranolite'], 'outlined': ['outlined', 'untoiled'], 'outlook': ['lookout', 'outlook'], 'outly': ['louty', 'outly'], 'outman': ['amount', 'moutan', 'outman'], 'outmarch': ['outcharm', 'outmarch'], 'outmarry': ['mortuary', 'outmarry'], 'outmaster': ['outmaster', 'outstream'], 'outname': ['notaeum', 'outname'], 'outpaint': ['outpaint', 'putation'], 'outpass': ['outpass', 'passout'], 'outpay': ['outpay', 'tapuyo'], 'outpeal': ['outleap', 'outpeal'], 'outpitch': ['outpitch', 'pitchout'], 'outplace': ['copulate', 'outplace'], 'outprice': ['eutropic', 'outprice'], 'outpromise': ['outpromise', 'peritomous'], 'outrance': ['cornuate', 'courante', 'cuneator', 'outrance'], 'outrate': ['outrate', 'outtear', 'torteau'], 'outre': ['outer', 'outre', 'route'], 'outread': ['outarde', 'outdare', 'outread'], 'outremer': ['outremer', 'urometer'], 'outreness': ['outerness', 'outreness'], 'outring': ['outgrin', 'outring', 'routing', 'touring'], 'outrun': ['outrun', 'runout'], 'outsaint': ['outsaint', 'titanous'], 'outscream': ['castoreum', 'outscream'], 'outsell': ['outsell', 'sellout'], 'outset': ['outset', 'setout'], 'outshake': ['outshake', 'shakeout'], 'outshape': ['outshape', 'taphouse'], 'outshine': ['outshine', 'tinhouse'], 'outshut': ['outshut', 'shutout'], 'outside': ['outside', 'tedious'], 'outsideness': ['outsideness', 'tediousness'], 'outsigh': ['goutish', 'outsigh'], 'outsin': ['outsin', 'ustion'], 'outslide': ['outslide', 'solitude'], 'outsnore': ['outsnore', 'urosteon'], 'outsoler': ['outsoler', 'torulose'], 'outspend': ['outspend', 'unposted'], 'outspit': ['outspit', 'utopist'], 'outspring': ['outspring', 'sprouting'], 'outspurn': ['outspurn', 'portunus'], 'outstair': ['outstair', 'ratitous'], 'outstand': ['outstand', 'standout'], 'outstate': ['outstate', 'outtaste'], 'outstream': ['outmaster', 'outstream'], 'outstreet': ['outstreet', 'tetterous'], 'outsubtle': ['outbustle', 'outsubtle'], 'outtaste': ['outstate', 'outtaste'], 'outtear': ['outrate', 'outtear', 'torteau'], 'outthrough': ['outthrough', 'throughout'], 'outthrow': ['outthrow', 'outworth', 'throwout'], 'outtrail': ['outtrail', 'tutorial'], 'outturn': ['outturn', 'turnout'], 'outturned': ['outturned', 'untutored'], 'outwalk': ['outwalk', 'walkout'], 'outward': ['drawout', 'outdraw', 'outward'], 'outwash': ['outwash', 'washout'], 'outwatch': ['outwatch', 'watchout'], 'outwith': ['outwith', 'without'], 'outwork': ['outwork', 'workout'], 'outworth': ['outthrow', 'outworth', 'throwout'], 'ova': ['avo', 'ova'], 'ovaloid': ['ovaloid', 'ovoidal'], 'ovarial': ['ovarial', 'variola'], 'ovariotubal': ['ovariotubal', 'tuboovarial'], 'ovational': ['avolation', 'ovational'], 'oven': ['nevo', 'oven'], 'ovenly': ['lenvoy', 'ovenly'], 'ovenpeel': ['envelope', 'ovenpeel'], 'over': ['over', 'rove'], 'overaction': ['overaction', 'revocation'], 'overactive': ['overactive', 'revocative'], 'overall': ['allover', 'overall'], 'overblame': ['overblame', 'removable'], 'overblow': ['overblow', 'overbowl'], 'overboil': ['boilover', 'overboil'], 'overbowl': ['overblow', 'overbowl'], 'overbreak': ['breakover', 'overbreak'], 'overburden': ['overburden', 'overburned'], 'overburn': ['burnover', 'overburn'], 'overburned': ['overburden', 'overburned'], 'overcall': ['overcall', 'vocaller'], 'overcare': ['overcare', 'overrace'], 'overcirculate': ['overcirculate', 'uterocervical'], 'overcoat': ['evocator', 'overcoat'], 'overcross': ['crossover', 'overcross'], 'overcup': ['overcup', 'upcover'], 'overcurious': ['erucivorous', 'overcurious'], 'overcurtain': ['countervair', 'overcurtain', 'recurvation'], 'overcut': ['cutover', 'overcut'], 'overdamn': ['overdamn', 'ravendom'], 'overdare': ['overdare', 'overdear', 'overread'], 'overdeal': ['overdeal', 'overlade', 'overlead'], 'overdear': ['overdare', 'overdear', 'overread'], 'overdraw': ['overdraw', 'overward'], 'overdrawer': ['overdrawer', 'overreward'], 'overdrip': ['overdrip', 'provider'], 'overdure': ['devourer', 'overdure', 'overrude'], 'overdust': ['overdust', 'overstud'], 'overedit': ['overedit', 'overtide'], 'overfar': ['favorer', 'overfar', 'refavor'], 'overfile': ['forelive', 'overfile'], 'overfilm': ['overfilm', 'veliform'], 'overflower': ['overflower', 'reoverflow'], 'overforce': ['forecover', 'overforce'], 'overgaiter': ['overgaiter', 'revigorate'], 'overglint': ['overglint', 'revolting'], 'overgo': ['groove', 'overgo'], 'overgrain': ['granivore', 'overgrain'], 'overhate': ['overhate', 'overheat'], 'overheat': ['overhate', 'overheat'], 'overheld': ['overheld', 'verdelho'], 'overidle': ['evildoer', 'overidle'], 'overink': ['invoker', 'overink'], 'overinsist': ['overinsist', 'versionist'], 'overkeen': ['overkeen', 'overknee'], 'overknee': ['overkeen', 'overknee'], 'overlade': ['overdeal', 'overlade', 'overlead'], 'overlast': ['overlast', 'oversalt'], 'overlate': ['elevator', 'overlate'], 'overlay': ['layover', 'overlay'], 'overlead': ['overdeal', 'overlade', 'overlead'], 'overlean': ['overlean', 'valerone'], 'overleg': ['overleg', 'reglove'], 'overlie': ['overlie', 'relievo'], 'overling': ['lovering', 'overling'], 'overlisten': ['overlisten', 'oversilent'], 'overlive': ['overlive', 'overveil'], 'overly': ['overly', 'volery'], 'overmantel': ['overmantel', 'overmantle'], 'overmantle': ['overmantel', 'overmantle'], 'overmaster': ['overmaster', 'overstream'], 'overmean': ['overmean', 'overname'], 'overmerit': ['overmerit', 'overtimer'], 'overname': ['overmean', 'overname'], 'overneat': ['overneat', 'renovate'], 'overnew': ['overnew', 'rewoven'], 'overnigh': ['hovering', 'overnigh'], 'overpaint': ['overpaint', 'pronative'], 'overpass': ['overpass', 'passover'], 'overpet': ['overpet', 'preveto', 'prevote'], 'overpick': ['overpick', 'pickover'], 'overplain': ['overplain', 'parvoline'], 'overply': ['overply', 'plovery'], 'overpointed': ['overpointed', 'predevotion'], 'overpot': ['overpot', 'overtop'], 'overrace': ['overcare', 'overrace'], 'overrate': ['overrate', 'overtare'], 'overread': ['overdare', 'overdear', 'overread'], 'overreward': ['overdrawer', 'overreward'], 'overrude': ['devourer', 'overdure', 'overrude'], 'overrun': ['overrun', 'runover'], 'oversad': ['oversad', 'savored'], 'oversale': ['oversale', 'overseal'], 'oversalt': ['overlast', 'oversalt'], 'oversauciness': ['oversauciness', 'veraciousness'], 'overseal': ['oversale', 'overseal'], 'overseen': ['overseen', 'veronese'], 'overset': ['overset', 'setover'], 'oversilent': ['overlisten', 'oversilent'], 'overslip': ['overslip', 'slipover'], 'overspread': ['overspread', 'spreadover'], 'overstain': ['overstain', 'servation', 'versation'], 'overstir': ['overstir', 'servitor'], 'overstrain': ['overstrain', 'traversion'], 'overstream': ['overmaster', 'overstream'], 'overstrew': ['overstrew', 'overwrest'], 'overstud': ['overdust', 'overstud'], 'overt': ['overt', 'rovet', 'torve', 'trove', 'voter'], 'overtare': ['overrate', 'overtare'], 'overthrow': ['overthrow', 'overwroth'], 'overthwart': ['overthwart', 'thwartover'], 'overtide': ['overedit', 'overtide'], 'overtime': ['overtime', 'remotive'], 'overtimer': ['overmerit', 'overtimer'], 'overtip': ['overtip', 'pivoter'], 'overtop': ['overpot', 'overtop'], 'overtrade': ['overtrade', 'overtread'], 'overtread': ['overtrade', 'overtread'], 'overtrue': ['overtrue', 'overture', 'trouvere'], 'overture': ['overtrue', 'overture', 'trouvere'], 'overturn': ['overturn', 'turnover'], 'overtwine': ['interwove', 'overtwine'], 'overveil': ['overlive', 'overveil'], 'overwalk': ['overwalk', 'walkover'], 'overward': ['overdraw', 'overward'], 'overwrest': ['overstrew', 'overwrest'], 'overwroth': ['overthrow', 'overwroth'], 'ovest': ['ovest', 'stove'], 'ovidae': ['evodia', 'ovidae'], 'ovidian': ['ovidian', 'vidonia'], 'ovile': ['olive', 'ovile', 'voile'], 'ovillus': ['ovillus', 'villous'], 'oviparous': ['apivorous', 'oviparous'], 'ovist': ['ovist', 'visto'], 'ovistic': ['covisit', 'ovistic'], 'ovoidal': ['ovaloid', 'ovoidal'], 'ovular': ['louvar', 'ovular'], 'ow': ['ow', 'wo'], 'owd': ['dow', 'owd', 'wod'], 'owe': ['owe', 'woe'], 'owen': ['enow', 'owen', 'wone'], 'owenism': ['owenism', 'winsome'], 'ower': ['ower', 'wore'], 'owerby': ['bowery', 'bowyer', 'owerby'], 'owl': ['low', 'lwo', 'owl'], 'owler': ['lower', 'owler', 'rowel'], 'owlery': ['lowery', 'owlery', 'rowley', 'yowler'], 'owlet': ['owlet', 'towel'], 'owlish': ['lowish', 'owlish'], 'owlishly': ['lowishly', 'owlishly', 'sillyhow'], 'owlishness': ['lowishness', 'owlishness'], 'owly': ['lowy', 'owly', 'yowl'], 'own': ['now', 'own', 'won'], 'owner': ['owner', 'reown', 'rowen'], 'ownership': ['ownership', 'shipowner'], 'ownness': ['nowness', 'ownness'], 'owser': ['owser', 'resow', 'serow', 'sower', 'swore', 'worse'], 'oxalan': ['axonal', 'oxalan'], 'oxalite': ['aloxite', 'oxalite'], 'oxan': ['axon', 'noxa', 'oxan'], 'oxanic': ['anoxic', 'oxanic'], 'oxazine': ['azoxine', 'oxazine'], 'oxen': ['exon', 'oxen'], 'oxidic': ['ixodic', 'oxidic'], 'oximate': ['oximate', 'toxemia'], 'oxy': ['oxy', 'yox'], 'oxyntic': ['ictonyx', 'oxyntic'], 'oxyphenol': ['oxyphenol', 'xylophone'], 'oxyterpene': ['enteropexy', 'oxyterpene'], 'oyer': ['oyer', 'roey', 'yore'], 'oyster': ['oyster', 'rosety'], 'oysterish': ['oysterish', 'thyreosis'], 'oysterman': ['monastery', 'oysterman'], 'ozan': ['azon', 'onza', 'ozan'], 'ozena': ['neoza', 'ozena'], 'ozonate': ['entozoa', 'ozonate'], 'ozonic': ['ozonic', 'zoonic'], 'ozotype': ['ozotype', 'zootype'], 'paal': ['paal', 'pala'], 'paar': ['apar', 'paar', 'para'], 'pablo': ['pablo', 'polab'], 'pac': ['cap', 'pac'], 'pacable': ['capable', 'pacable'], 'pacation': ['copatain', 'pacation'], 'pacaya': ['cayapa', 'pacaya'], 'pace': ['cape', 'cepa', 'pace'], 'paced': ['caped', 'decap', 'paced'], 'pacer': ['caper', 'crape', 'pacer', 'perca', 'recap'], 'pachnolite': ['pachnolite', 'phonetical'], 'pachometer': ['pachometer', 'phacometer'], 'pacht': ['chapt', 'pacht', 'patch'], 'pachylosis': ['pachylosis', 'phacolysis'], 'pacificist': ['pacificist', 'pacifistic'], 'pacifistic': ['pacificist', 'pacifistic'], 'packer': ['packer', 'repack'], 'paco': ['copa', 'paco'], 'pacolet': ['pacolet', 'polecat'], 'paction': ['caption', 'paction'], 'pactional': ['pactional', 'pactolian', 'placation'], 'pactionally': ['pactionally', 'polyactinal'], 'pactolian': ['pactional', 'pactolian', 'placation'], 'pad': ['dap', 'pad'], 'padda': ['dadap', 'padda'], 'padder': ['padder', 'parded'], 'padfoot': ['footpad', 'padfoot'], 'padle': ['padle', 'paled', 'pedal', 'plead'], 'padre': ['drape', 'padre'], 'padtree': ['padtree', 'predate', 'tapered'], 'paean': ['apnea', 'paean'], 'paeanism': ['paeanism', 'spanemia'], 'paegel': ['paegel', 'paegle', 'pelage'], 'paegle': ['paegel', 'paegle', 'pelage'], 'paga': ['gapa', 'paga'], 'page': ['gape', 'page', 'peag', 'pega'], 'pagedom': ['megapod', 'pagedom'], 'pager': ['gaper', 'grape', 'pager', 'parge'], 'pageship': ['pageship', 'shippage'], 'paginary': ['agrypnia', 'paginary'], 'paguridae': ['paguridae', 'paguridea'], 'paguridea': ['paguridae', 'paguridea'], 'pagurine': ['pagurine', 'perugian'], 'pah': ['hap', 'pah'], 'pahari': ['pahari', 'pariah', 'raphia'], 'pahi': ['hapi', 'pahi'], 'paho': ['opah', 'paho', 'poha'], 'paigle': ['paigle', 'pilage'], 'paik': ['paik', 'pika'], 'pail': ['lipa', 'pail', 'pali', 'pial'], 'paillasse': ['paillasse', 'palliasse'], 'pain': ['nipa', 'pain', 'pani', 'pian', 'pina'], 'painless': ['painless', 'spinales'], 'paint': ['inapt', 'paint', 'pinta'], 'painted': ['depaint', 'inadept', 'painted', 'patined'], 'painter': ['painter', 'pertain', 'pterian', 'repaint'], 'painterly': ['interplay', 'painterly'], 'paintiness': ['antisepsin', 'paintiness'], 'paip': ['paip', 'pipa'], 'pair': ['pair', 'pari', 'pria', 'ripa'], 'paired': ['diaper', 'paired'], 'pairer': ['pairer', 'rapier', 'repair'], 'pairment': ['imperant', 'pairment', 'partimen', 'premiant', 'tripeman'], 'pais': ['apis', 'pais', 'pasi', 'saip'], 'pajonism': ['japonism', 'pajonism'], 'pal': ['alp', 'lap', 'pal'], 'pala': ['paal', 'pala'], 'palaeechinoid': ['deinocephalia', 'palaeechinoid'], 'palaemonid': ['anomaliped', 'palaemonid'], 'palaemonoid': ['adenolipoma', 'palaemonoid'], 'palaeornis': ['palaeornis', 'personalia'], 'palaestrics': ['palaestrics', 'paracelsist'], 'palaic': ['apical', 'palaic'], 'palaite': ['palaite', 'petalia', 'pileata'], 'palame': ['palame', 'palmae', 'pamela'], 'palamite': ['ampliate', 'palamite'], 'palas': ['palas', 'salpa'], 'palate': ['aletap', 'palate', 'platea'], 'palatial': ['palatial', 'palliata'], 'palatic': ['capital', 'palatic'], 'palation': ['palation', 'talapoin'], 'palatonasal': ['nasopalatal', 'palatonasal'], 'palau': ['palau', 'paula'], 'palay': ['palay', 'playa'], 'pale': ['leap', 'lepa', 'pale', 'peal', 'plea'], 'paled': ['padle', 'paled', 'pedal', 'plead'], 'paleness': ['paleness', 'paneless'], 'paleolithy': ['paleolithy', 'polyhalite', 'polythelia'], 'paler': ['lepra', 'paler', 'parel', 'parle', 'pearl', 'perla', 'relap'], 'palermitan': ['palermitan', 'parliament'], 'palermo': ['leproma', 'palermo', 'pleroma', 'polearm'], 'pales': ['elaps', 'lapse', 'lepas', 'pales', 'salep', 'saple', 'sepal', 'slape', 'spale', 'speal'], 'palestral': ['alpestral', 'palestral'], 'palestrian': ['alpestrian', 'palestrian', 'psalterian'], 'palet': ['leapt', 'palet', 'patel', 'pelta', 'petal', 'plate', 'pleat', 'tepal'], 'palette': ['palette', 'peltate'], 'pali': ['lipa', 'pail', 'pali', 'pial'], 'palification': ['palification', 'pontificalia'], 'palinode': ['lapideon', 'palinode', 'pedalion'], 'palinodist': ['palinodist', 'plastinoid'], 'palisade': ['palisade', 'salpidae'], 'palish': ['palish', 'silpha'], 'pallasite': ['aliseptal', 'pallasite'], 'pallette': ['pallette', 'platelet'], 'palliasse': ['paillasse', 'palliasse'], 'palliata': ['palatial', 'palliata'], 'pallone': ['pallone', 'pleonal'], 'palluites': ['palluites', 'pulsatile'], 'palm': ['lamp', 'palm'], 'palmad': ['lampad', 'palmad'], 'palmae': ['palame', 'palmae', 'pamela'], 'palmary': ['palmary', 'palmyra'], 'palmatilobed': ['palmatilobed', 'palmilobated'], 'palmatisect': ['metaplastic', 'palmatisect'], 'palmer': ['lamper', 'palmer', 'relamp'], 'palmery': ['lamprey', 'palmery'], 'palmette': ['palmette', 'template'], 'palmful': ['lampful', 'palmful'], 'palmification': ['amplification', 'palmification'], 'palmilobated': ['palmatilobed', 'palmilobated'], 'palmipes': ['epiplasm', 'palmipes'], 'palmist': ['lampist', 'palmist'], 'palmister': ['palmister', 'prelatism'], 'palmistry': ['lampistry', 'palmistry'], 'palmite': ['implate', 'palmite'], 'palmito': ['optimal', 'palmito'], 'palmitone': ['emptional', 'palmitone'], 'palmo': ['mopla', 'palmo'], 'palmula': ['ampulla', 'palmula'], 'palmy': ['amply', 'palmy'], 'palmyra': ['palmary', 'palmyra'], 'palolo': ['apollo', 'palolo'], 'palp': ['lapp', 'palp', 'plap'], 'palpal': ['appall', 'palpal'], 'palpatory': ['palpatory', 'papolatry'], 'palped': ['dapple', 'lapped', 'palped'], 'palpi': ['palpi', 'pipal'], 'palster': ['palster', 'persalt', 'plaster', 'psalter', 'spartle', 'stapler'], 'palsy': ['palsy', 'splay'], 'palt': ['palt', 'plat'], 'palta': ['aptal', 'palta', 'talpa'], 'palter': ['palter', 'plater'], 'palterer': ['palterer', 'platerer'], 'paltry': ['paltry', 'partly', 'raptly'], 'paludian': ['paludian', 'paludina'], 'paludic': ['paludic', 'pudical'], 'paludina': ['paludian', 'paludina'], 'palus': ['palus', 'pasul'], 'palustral': ['palustral', 'plaustral'], 'palustrine': ['lupinaster', 'palustrine'], 'paly': ['paly', 'play', 'pyal', 'pyla'], 'pam': ['map', 'pam'], 'pamela': ['palame', 'palmae', 'pamela'], 'pamir': ['impar', 'pamir', 'prima'], 'pamiri': ['impair', 'pamiri'], 'pamper': ['mapper', 'pamper', 'pampre'], 'pampre': ['mapper', 'pamper', 'pampre'], 'pan': ['nap', 'pan'], 'panace': ['canape', 'panace'], 'panaceist': ['antispace', 'panaceist'], 'panade': ['napead', 'panade'], 'panak': ['kanap', 'panak'], 'panamist': ['mainpast', 'mantispa', 'panamist', 'stampian'], 'panary': ['panary', 'panyar'], 'panatela': ['panatela', 'plataean'], 'panatrophy': ['apanthropy', 'panatrophy'], 'pancreatoduodenectomy': ['duodenopancreatectomy', 'pancreatoduodenectomy'], 'pandean': ['pandean', 'pannade'], 'pandemia': ['pandemia', 'pedimana'], 'pander': ['pander', 'repand'], 'panderly': ['panderly', 'repandly'], 'pandermite': ['pandermite', 'pentamerid'], 'panderous': ['panderous', 'repandous'], 'pandion': ['dipnoan', 'nonpaid', 'pandion'], 'pandour': ['pandour', 'poduran'], 'pane': ['nape', 'neap', 'nepa', 'pane', 'pean'], 'paned': ['paned', 'penda'], 'panel': ['alpen', 'nepal', 'panel', 'penal', 'plane'], 'panela': ['apneal', 'panela'], 'panelation': ['antelopian', 'neapolitan', 'panelation'], 'paneler': ['paneler', 'repanel', 'replane'], 'paneless': ['paleness', 'paneless'], 'panelist': ['panelist', 'pantelis', 'penalist', 'plastein'], 'pangamic': ['campaign', 'pangamic'], 'pangane': ['pangane', 'pannage'], 'pangen': ['pangen', 'penang'], 'pangene': ['pangene', 'pennage'], 'pangi': ['aping', 'ngapi', 'pangi'], 'pani': ['nipa', 'pain', 'pani', 'pian', 'pina'], 'panicle': ['calepin', 'capelin', 'panicle', 'pelican', 'pinacle'], 'paniculitis': ['paniculitis', 'paulinistic'], 'panisca': ['capsian', 'caspian', 'nascapi', 'panisca'], 'panisic': ['panisic', 'piscian', 'piscina', 'sinapic'], 'pank': ['knap', 'pank'], 'pankin': ['napkin', 'pankin'], 'panman': ['panman', 'pannam'], 'panmug': ['panmug', 'pugman'], 'pannade': ['pandean', 'pannade'], 'pannage': ['pangane', 'pannage'], 'pannam': ['panman', 'pannam'], 'panne': ['panne', 'penna'], 'pannicle': ['pannicle', 'pinnacle'], 'pannus': ['pannus', 'sannup', 'unsnap', 'unspan'], 'panoche': ['copehan', 'panoche', 'phocean'], 'panoistic': ['panoistic', 'piscation'], 'panornithic': ['panornithic', 'rhaponticin'], 'panostitis': ['antiptosis', 'panostitis'], 'panplegia': ['appealing', 'lagniappe', 'panplegia'], 'pansciolist': ['costispinal', 'pansciolist'], 'panse': ['aspen', 'panse', 'snape', 'sneap', 'spane', 'spean'], 'panside': ['ipseand', 'panside', 'pansied'], 'pansied': ['ipseand', 'panside', 'pansied'], 'pansy': ['pansy', 'snapy'], 'pantaleon': ['pantaleon', 'pantalone'], 'pantalone': ['pantaleon', 'pantalone'], 'pantarchy': ['pantarchy', 'pyracanth'], 'pantelis': ['panelist', 'pantelis', 'penalist', 'plastein'], 'pantellerite': ['interpellate', 'pantellerite'], 'panter': ['arpent', 'enrapt', 'entrap', 'panter', 'parent', 'pretan', 'trepan'], 'pantheic': ['haptenic', 'pantheic', 'pithecan'], 'pantheonic': ['nonhepatic', 'pantheonic'], 'pantie': ['pantie', 'patine'], 'panties': ['panties', 'sapient', 'spinate'], 'pantile': ['pantile', 'pentail', 'platine', 'talpine'], 'pantle': ['pantle', 'planet', 'platen'], 'pantler': ['pantler', 'planter', 'replant'], 'pantofle': ['felapton', 'pantofle'], 'pantry': ['pantry', 'trypan'], 'panyar': ['panary', 'panyar'], 'papabot': ['papabot', 'papboat'], 'papal': ['lappa', 'papal'], 'papalistic': ['papalistic', 'papistical'], 'papboat': ['papabot', 'papboat'], 'paper': ['paper', 'rappe'], 'papered': ['papered', 'pradeep'], 'paperer': ['paperer', 'perpera', 'prepare', 'repaper'], 'papern': ['napper', 'papern'], 'papery': ['papery', 'prepay', 'yapper'], 'papillote': ['papillote', 'popliteal'], 'papion': ['oppian', 'papion', 'popian'], 'papisher': ['papisher', 'sapphire'], 'papistical': ['papalistic', 'papistical'], 'papless': ['papless', 'sapples'], 'papolatry': ['palpatory', 'papolatry'], 'papule': ['papule', 'upleap'], 'par': ['par', 'rap'], 'para': ['apar', 'paar', 'para'], 'parablepsia': ['appraisable', 'parablepsia'], 'paracelsist': ['palaestrics', 'paracelsist'], 'parachor': ['chaparro', 'parachor'], 'paracolitis': ['paracolitis', 'piscatorial'], 'paradisaic': ['paradisaic', 'paradisiac'], 'paradisaically': ['paradisaically', 'paradisiacally'], 'paradise': ['paradise', 'sparidae'], 'paradisiac': ['paradisaic', 'paradisiac'], 'paradisiacally': ['paradisaically', 'paradisiacally'], 'parado': ['parado', 'pardao'], 'paraenetic': ['capernaite', 'paraenetic'], 'paragrapher': ['paragrapher', 'reparagraph'], 'parah': ['aphra', 'harpa', 'parah'], 'parale': ['earlap', 'parale'], 'param': ['param', 'parma', 'praam'], 'paramine': ['amperian', 'paramine', 'pearmain'], 'paranephric': ['paranephric', 'paraphrenic'], 'paranephritis': ['paranephritis', 'paraphrenitis'], 'paranosic': ['caparison', 'paranosic'], 'paraphrenic': ['paranephric', 'paraphrenic'], 'paraphrenitis': ['paranephritis', 'paraphrenitis'], 'parasita': ['aspirata', 'parasita'], 'parasite': ['aspirate', 'parasite'], 'parasol': ['asaprol', 'parasol'], 'parasuchian': ['parasuchian', 'unpharasaic'], 'parasyntheton': ['parasyntheton', 'thysanopteran'], 'parate': ['aptera', 'parate', 'patera'], 'parathion': ['parathion', 'phanariot'], 'parazoan': ['parazoan', 'zaparoan'], 'parboil': ['bipolar', 'parboil'], 'parcel': ['carpel', 'parcel', 'placer'], 'parcellary': ['carpellary', 'parcellary'], 'parcellate': ['carpellate', 'parcellate', 'prelacteal'], 'parchesi': ['parchesi', 'seraphic'], 'pard': ['pard', 'prad'], 'pardao': ['parado', 'pardao'], 'parded': ['padder', 'parded'], 'pardesi': ['despair', 'pardesi'], 'pardo': ['adrop', 'pardo'], 'pardoner': ['pardoner', 'preadorn'], 'pare': ['aper', 'pare', 'pear', 'rape', 'reap'], 'parel': ['lepra', 'paler', 'parel', 'parle', 'pearl', 'perla', 'relap'], 'paren': ['arpen', 'paren'], 'parent': ['arpent', 'enrapt', 'entrap', 'panter', 'parent', 'pretan', 'trepan'], 'parental': ['parental', 'paternal', 'prenatal'], 'parentalia': ['parentalia', 'planetaria'], 'parentalism': ['parentalism', 'paternalism'], 'parentality': ['parentality', 'paternality'], 'parentally': ['parentally', 'paternally', 'prenatally'], 'parentelic': ['epicentral', 'parentelic'], 'parenticide': ['parenticide', 'preindicate'], 'parer': ['parer', 'raper'], 'paresis': ['paresis', 'serapis'], 'paretic': ['paretic', 'patrice', 'picrate'], 'parge': ['gaper', 'grape', 'pager', 'parge'], 'pari': ['pair', 'pari', 'pria', 'ripa'], 'pariah': ['pahari', 'pariah', 'raphia'], 'paridae': ['deipara', 'paridae'], 'paries': ['aspire', 'paries', 'praise', 'sirpea', 'spirea'], 'parietal': ['apterial', 'parietal'], 'parietes': ['asperite', 'parietes'], 'parietofrontal': ['frontoparietal', 'parietofrontal'], 'parietosquamosal': ['parietosquamosal', 'squamosoparietal'], 'parietotemporal': ['parietotemporal', 'temporoparietal'], 'parietovisceral': ['parietovisceral', 'visceroparietal'], 'parine': ['parine', 'rapine'], 'paring': ['paring', 'raping'], 'paris': ['paris', 'parsi', 'sarip'], 'parish': ['parish', 'raphis', 'rhapis'], 'parished': ['diphaser', 'parished', 'raphides', 'sephardi'], 'parison': ['parison', 'soprani'], 'parity': ['parity', 'piraty'], 'parkee': ['parkee', 'peaker'], 'parker': ['parker', 'repark'], 'parlatory': ['parlatory', 'portrayal'], 'parle': ['lepra', 'paler', 'parel', 'parle', 'pearl', 'perla', 'relap'], 'parley': ['parley', 'pearly', 'player', 'replay'], 'parliament': ['palermitan', 'parliament'], 'parly': ['parly', 'pylar', 'pyral'], 'parma': ['param', 'parma', 'praam'], 'parmesan': ['parmesan', 'spearman'], 'parnel': ['parnel', 'planer', 'replan'], 'paroch': ['carhop', 'paroch'], 'parochialism': ['aphorismical', 'parochialism'], 'parochine': ['canephroi', 'parochine'], 'parodic': ['parodic', 'picador'], 'paroecism': ['paroecism', 'premosaic'], 'parol': ['parol', 'polar', 'poral', 'proal'], 'parosela': ['parosela', 'psoralea'], 'parosteal': ['parosteal', 'pastorale'], 'parostotic': ['parostotic', 'postaortic'], 'parotia': ['apiator', 'atropia', 'parotia'], 'parotic': ['apricot', 'atropic', 'parotic', 'patrico'], 'parotid': ['dioptra', 'parotid'], 'parotitic': ['parotitic', 'patriotic'], 'parotitis': ['parotitis', 'topiarist'], 'parous': ['parous', 'upsoar'], 'parovarium': ['parovarium', 'vaporarium'], 'parrot': ['parrot', 'raptor'], 'parroty': ['parroty', 'portray', 'tropary'], 'parsable': ['parsable', 'prebasal', 'sparable'], 'parse': ['asper', 'parse', 'prase', 'spaer', 'spare', 'spear'], 'parsec': ['casper', 'escarp', 'parsec', 'scrape', 'secpar', 'spacer'], 'parsee': ['parsee', 'persae', 'persea', 'serape'], 'parser': ['parser', 'rasper', 'sparer'], 'parsi': ['paris', 'parsi', 'sarip'], 'parsley': ['parsley', 'pyrales', 'sparely', 'splayer'], 'parsoned': ['parsoned', 'spadrone'], 'parsonese': ['parsonese', 'preseason'], 'parsonic': ['parsonic', 'scoparin'], 'part': ['part', 'prat', 'rapt', 'tarp', 'trap'], 'partan': ['partan', 'tarpan'], 'parted': ['depart', 'parted', 'petard'], 'partedness': ['depressant', 'partedness'], 'parter': ['parter', 'prater'], 'parthian': ['parthian', 'taphrina'], 'partial': ['partial', 'patrial'], 'partialistic': ['iatraliptics', 'partialistic'], 'particle': ['particle', 'plicater', 'prelatic'], 'particulate': ['catapultier', 'particulate'], 'partigen': ['partigen', 'tapering'], 'partile': ['partile', 'plaiter', 'replait'], 'partimen': ['imperant', 'pairment', 'partimen', 'premiant', 'tripeman'], 'partinium': ['impuritan', 'partinium'], 'partisan': ['aspirant', 'partisan', 'spartina'], 'partite': ['partite', 'tearpit'], 'partitioned': ['departition', 'partitioned', 'trepidation'], 'partitioner': ['partitioner', 'repartition'], 'partlet': ['partlet', 'platter', 'prattle'], 'partly': ['paltry', 'partly', 'raptly'], 'parto': ['aport', 'parto', 'porta'], 'parture': ['parture', 'rapture'], 'party': ['party', 'trypa'], 'parulis': ['parulis', 'spirula', 'uprisal'], 'parure': ['parure', 'uprear'], 'parvoline': ['overplain', 'parvoline'], 'pasan': ['pasan', 'sapan'], 'pasch': ['chaps', 'pasch'], 'pascha': ['pascha', 'scapha'], 'paschite': ['paschite', 'pastiche', 'pistache', 'scaphite'], 'pascual': ['capsula', 'pascual', 'scapula'], 'pash': ['hasp', 'pash', 'psha', 'shap'], 'pasha': ['asaph', 'pasha'], 'pashm': ['pashm', 'phasm'], 'pashto': ['pashto', 'pathos', 'potash'], 'pasi': ['apis', 'pais', 'pasi', 'saip'], 'passer': ['passer', 'repass', 'sparse'], 'passional': ['passional', 'sponsalia'], 'passo': ['passo', 'psoas'], 'passout': ['outpass', 'passout'], 'passover': ['overpass', 'passover'], 'past': ['past', 'spat', 'stap', 'taps'], 'paste': ['paste', 'septa', 'spate'], 'pastel': ['pastel', 'septal', 'staple'], 'paster': ['paster', 'repast', 'trapes'], 'pasterer': ['pasterer', 'strepera'], 'pasteur': ['pasteur', 'pasture', 'upstare'], 'pastiche': ['paschite', 'pastiche', 'pistache', 'scaphite'], 'pasticheur': ['curateship', 'pasticheur'], 'pastil': ['alpist', 'pastil', 'spital'], 'pastile': ['aliptes', 'pastile', 'talipes'], 'pastime': ['impaste', 'pastime'], 'pastimer': ['maspiter', 'pastimer', 'primates'], 'pastophorium': ['amphitropous', 'pastophorium'], 'pastophorus': ['apostrophus', 'pastophorus'], 'pastor': ['asport', 'pastor', 'sproat'], 'pastoral': ['pastoral', 'proatlas'], 'pastorale': ['parosteal', 'pastorale'], 'pastose': ['pastose', 'petasos'], 'pastural': ['pastural', 'spatular'], 'pasture': ['pasteur', 'pasture', 'upstare'], 'pasty': ['pasty', 'patsy'], 'pasul': ['palus', 'pasul'], 'pat': ['apt', 'pat', 'tap'], 'pata': ['atap', 'pata', 'tapa'], 'patao': ['opata', 'patao', 'tapoa'], 'patarin': ['patarin', 'tarapin'], 'patarine': ['patarine', 'tarpeian'], 'patas': ['patas', 'tapas'], 'patch': ['chapt', 'pacht', 'patch'], 'patcher': ['chapter', 'patcher', 'repatch'], 'patchery': ['patchery', 'petchary'], 'pate': ['pate', 'peat', 'tape', 'teap'], 'patel': ['leapt', 'palet', 'patel', 'pelta', 'petal', 'plate', 'pleat', 'tepal'], 'paten': ['enapt', 'paten', 'penta', 'tapen'], 'patener': ['patener', 'pearten', 'petrean', 'terpane'], 'patent': ['patent', 'patten', 'tapnet'], 'pater': ['apert', 'pater', 'peart', 'prate', 'taper', 'terap'], 'patera': ['aptera', 'parate', 'patera'], 'paternal': ['parental', 'paternal', 'prenatal'], 'paternalism': ['parentalism', 'paternalism'], 'paternalist': ['intraseptal', 'paternalist', 'prenatalist'], 'paternality': ['parentality', 'paternality'], 'paternally': ['parentally', 'paternally', 'prenatally'], 'paternoster': ['paternoster', 'prosternate', 'transportee'], 'patesi': ['patesi', 'pietas'], 'pathed': ['heptad', 'pathed'], 'pathic': ['haptic', 'pathic'], 'pathlet': ['pathlet', 'telpath'], 'pathogen': ['heptagon', 'pathogen'], 'pathologicoanatomic': ['anatomicopathologic', 'pathologicoanatomic'], 'pathologicoanatomical': ['anatomicopathological', 'pathologicoanatomical'], 'pathologicoclinical': ['clinicopathological', 'pathologicoclinical'], 'pathonomy': ['monopathy', 'pathonomy'], 'pathophoric': ['haptophoric', 'pathophoric'], 'pathophorous': ['haptophorous', 'pathophorous'], 'pathos': ['pashto', 'pathos', 'potash'], 'pathy': ['pathy', 'typha'], 'patiently': ['patiently', 'platynite'], 'patina': ['aptian', 'patina', 'taipan'], 'patine': ['pantie', 'patine'], 'patined': ['depaint', 'inadept', 'painted', 'patined'], 'patio': ['patio', 'taipo', 'topia'], 'patly': ['aptly', 'patly', 'platy', 'typal'], 'patness': ['aptness', 'patness'], 'pato': ['atop', 'pato'], 'patola': ['patola', 'tapalo'], 'patrial': ['partial', 'patrial'], 'patriarch': ['patriarch', 'phratriac'], 'patrice': ['paretic', 'patrice', 'picrate'], 'patricide': ['dipicrate', 'patricide', 'pediatric'], 'patrico': ['apricot', 'atropic', 'parotic', 'patrico'], 'patrilocal': ['allopatric', 'patrilocal'], 'patriotic': ['parotitic', 'patriotic'], 'patroclinous': ['patroclinous', 'pratincolous'], 'patrol': ['patrol', 'portal', 'tropal'], 'patron': ['patron', 'tarpon'], 'patroness': ['patroness', 'transpose'], 'patronite': ['antitrope', 'patronite', 'tritanope'], 'patronymic': ['importancy', 'patronymic', 'pyromantic'], 'patsy': ['pasty', 'patsy'], 'patte': ['patte', 'tapet'], 'pattee': ['pattee', 'tapete'], 'patten': ['patent', 'patten', 'tapnet'], 'pattener': ['pattener', 'repatent'], 'patterer': ['patterer', 'pretreat'], 'pattern': ['pattern', 'reptant'], 'patterner': ['patterner', 'repattern'], 'patu': ['patu', 'paut', 'tapu'], 'patulent': ['patulent', 'petulant'], 'pau': ['pau', 'pua'], 'paul': ['paul', 'upla'], 'paula': ['palau', 'paula'], 'paulian': ['apulian', 'paulian', 'paulina'], 'paulie': ['alpieu', 'paulie'], 'paulin': ['paulin', 'pulian'], 'paulina': ['apulian', 'paulian', 'paulina'], 'paulinistic': ['paniculitis', 'paulinistic'], 'paulinus': ['nauplius', 'paulinus'], 'paulist': ['paulist', 'stipula'], 'paup': ['paup', 'pupa'], 'paut': ['patu', 'paut', 'tapu'], 'paver': ['paver', 'verpa'], 'pavid': ['pavid', 'vapid'], 'pavidity': ['pavidity', 'vapidity'], 'pavier': ['pavier', 'vipera'], 'pavisor': ['pavisor', 'proavis'], 'paw': ['paw', 'wap'], 'pawner': ['enwrap', 'pawner', 'repawn'], 'pay': ['pay', 'pya', 'yap'], 'payer': ['apery', 'payer', 'repay'], 'payroll': ['payroll', 'polarly'], 'pea': ['ape', 'pea'], 'peach': ['chape', 'cheap', 'peach'], 'peachen': ['cheapen', 'peachen'], 'peachery': ['cheapery', 'peachery'], 'peachlet': ['chapelet', 'peachlet'], 'peacoat': ['opacate', 'peacoat'], 'peag': ['gape', 'page', 'peag', 'pega'], 'peaker': ['parkee', 'peaker'], 'peal': ['leap', 'lepa', 'pale', 'peal', 'plea'], 'pealike': ['apelike', 'pealike'], 'pean': ['nape', 'neap', 'nepa', 'pane', 'pean'], 'pear': ['aper', 'pare', 'pear', 'rape', 'reap'], 'pearl': ['lepra', 'paler', 'parel', 'parle', 'pearl', 'perla', 'relap'], 'pearled': ['pearled', 'pedaler', 'pleader', 'replead'], 'pearlet': ['pearlet', 'pleater', 'prelate', 'ptereal', 'replate', 'repleat'], 'pearlin': ['pearlin', 'plainer', 'praline'], 'pearlish': ['earlship', 'pearlish'], 'pearlsides': ['displeaser', 'pearlsides'], 'pearly': ['parley', 'pearly', 'player', 'replay'], 'pearmain': ['amperian', 'paramine', 'pearmain'], 'peart': ['apert', 'pater', 'peart', 'prate', 'taper', 'terap'], 'pearten': ['patener', 'pearten', 'petrean', 'terpane'], 'peartly': ['apertly', 'peartly', 'platery', 'pteryla', 'taperly'], 'peartness': ['apertness', 'peartness', 'taperness'], 'peasantry': ['peasantry', 'synaptera'], 'peat': ['pate', 'peat', 'tape', 'teap'], 'peatman': ['peatman', 'tapeman'], 'peatship': ['happiest', 'peatship'], 'peccation': ['acception', 'peccation'], 'peckerwood': ['peckerwood', 'woodpecker'], 'pecos': ['copse', 'pecos', 'scope'], 'pectin': ['incept', 'pectin'], 'pectinate': ['pectinate', 'pencatite'], 'pectination': ['antinepotic', 'pectination'], 'pectinatopinnate': ['pectinatopinnate', 'pinnatopectinate'], 'pectinoid': ['depiction', 'pectinoid'], 'pectora': ['coperta', 'pectora', 'porcate'], 'pecunious': ['pecunious', 'puniceous'], 'peda': ['depa', 'peda'], 'pedal': ['padle', 'paled', 'pedal', 'plead'], 'pedaler': ['pearled', 'pedaler', 'pleader', 'replead'], 'pedalier': ['pedalier', 'perlidae'], 'pedalion': ['lapideon', 'palinode', 'pedalion'], 'pedalism': ['misplead', 'pedalism'], 'pedalist': ['dispetal', 'pedalist'], 'pedaliter': ['pedaliter', 'predetail'], 'pedant': ['pedant', 'pentad'], 'pedantess': ['adeptness', 'pedantess'], 'pedantic': ['pedantic', 'pentacid'], 'pedary': ['pedary', 'preday'], 'pederastic': ['discrepate', 'pederastic'], 'pedes': ['pedes', 'speed'], 'pedesis': ['despise', 'pedesis'], 'pedestrial': ['pedestrial', 'pilastered'], 'pediatric': ['dipicrate', 'patricide', 'pediatric'], 'pedicel': ['pedicel', 'pedicle'], 'pedicle': ['pedicel', 'pedicle'], 'pedicular': ['crepidula', 'pedicular'], 'pediculi': ['lupicide', 'pediculi', 'pulicide'], 'pedimana': ['pandemia', 'pedimana'], 'pedocal': ['lacepod', 'pedocal', 'placode'], 'pedometrician': ['pedometrician', 'premedication'], 'pedrail': ['pedrail', 'predial'], 'pedro': ['doper', 'pedro', 'pored'], 'peed': ['deep', 'peed'], 'peek': ['keep', 'peek'], 'peel': ['leep', 'peel', 'pele'], 'peelman': ['empanel', 'emplane', 'peelman'], 'peen': ['neep', 'peen'], 'peerly': ['peerly', 'yelper'], 'pega': ['gape', 'page', 'peag', 'pega'], 'peho': ['hope', 'peho'], 'peiser': ['espier', 'peiser'], 'peitho': ['ethiop', 'ophite', 'peitho'], 'peixere': ['expiree', 'peixere'], 'pekan': ['knape', 'pekan'], 'pelage': ['paegel', 'paegle', 'pelage'], 'pelasgoi': ['pelasgoi', 'spoilage'], 'pele': ['leep', 'peel', 'pele'], 'pelean': ['alpeen', 'lenape', 'pelean'], 'pelecani': ['capeline', 'pelecani'], 'pelecanus': ['encapsule', 'pelecanus'], 'pelias': ['espial', 'lipase', 'pelias'], 'pelican': ['calepin', 'capelin', 'panicle', 'pelican', 'pinacle'], 'pelick': ['pelick', 'pickle'], 'pelides': ['pelides', 'seedlip'], 'pelidnota': ['pelidnota', 'planetoid'], 'pelike': ['kelpie', 'pelike'], 'pelisse': ['pelisse', 'pieless'], 'pelite': ['leepit', 'pelite', 'pielet'], 'pellation': ['pellation', 'pollinate'], 'pellotine': ['pellotine', 'pollenite'], 'pelmet': ['pelmet', 'temple'], 'pelon': ['pelon', 'pleon'], 'pelops': ['pelops', 'peplos'], 'pelorian': ['pelorian', 'peronial', 'proalien'], 'peloric': ['peloric', 'precoil'], 'pelorus': ['leprous', 'pelorus', 'sporule'], 'pelota': ['alepot', 'pelota'], 'pelta': ['leapt', 'palet', 'patel', 'pelta', 'petal', 'plate', 'pleat', 'tepal'], 'peltandra': ['leptandra', 'peltandra'], 'peltast': ['peltast', 'spattle'], 'peltate': ['palette', 'peltate'], 'peltation': ['peltation', 'potential'], 'pelter': ['pelter', 'petrel'], 'peltiform': ['leptiform', 'peltiform'], 'pelting': ['pelting', 'petling'], 'peltry': ['peltry', 'pertly'], 'pelu': ['lupe', 'pelu', 'peul', 'pule'], 'pelusios': ['epulosis', 'pelusios'], 'pelycography': ['pelycography', 'pyrgocephaly'], 'pemican': ['campine', 'pemican'], 'pen': ['nep', 'pen'], 'penal': ['alpen', 'nepal', 'panel', 'penal', 'plane'], 'penalist': ['panelist', 'pantelis', 'penalist', 'plastein'], 'penalty': ['aplenty', 'penalty'], 'penang': ['pangen', 'penang'], 'penates': ['penates', 'septane'], 'pencatite': ['pectinate', 'pencatite'], 'penciled': ['depencil', 'penciled', 'pendicle'], 'pencilry': ['pencilry', 'princely'], 'penda': ['paned', 'penda'], 'pendicle': ['depencil', 'penciled', 'pendicle'], 'pendulant': ['pendulant', 'unplanted'], 'pendular': ['pendular', 'underlap', 'uplander'], 'pendulate': ['pendulate', 'unpleated'], 'pendulation': ['pendulation', 'pennatuloid'], 'pendulum': ['pendulum', 'unlumped', 'unplumed'], 'penetrable': ['penetrable', 'repentable'], 'penetrance': ['penetrance', 'repentance'], 'penetrant': ['penetrant', 'repentant'], 'penial': ['alpine', 'nepali', 'penial', 'pineal'], 'penis': ['penis', 'snipe', 'spine'], 'penitencer': ['penitencer', 'pertinence'], 'penman': ['nepman', 'penman'], 'penna': ['panne', 'penna'], 'pennage': ['pangene', 'pennage'], 'pennate': ['pennate', 'pentane'], 'pennatulid': ['pennatulid', 'pinnulated'], 'pennatuloid': ['pendulation', 'pennatuloid'], 'pennia': ['nanpie', 'pennia', 'pinnae'], 'pennisetum': ['pennisetum', 'septennium'], 'pensioner': ['pensioner', 'repension'], 'pensive': ['pensive', 'vespine'], 'penster': ['penster', 'present', 'serpent', 'strepen'], 'penta': ['enapt', 'paten', 'penta', 'tapen'], 'pentace': ['pentace', 'tepanec'], 'pentacid': ['pedantic', 'pentacid'], 'pentad': ['pedant', 'pentad'], 'pentadecoic': ['adenectopic', 'pentadecoic'], 'pentail': ['pantile', 'pentail', 'platine', 'talpine'], 'pentamerid': ['pandermite', 'pentamerid'], 'pentameroid': ['pentameroid', 'predominate'], 'pentane': ['pennate', 'pentane'], 'pentaploid': ['deoppilant', 'pentaploid'], 'pentathionic': ['antiphonetic', 'pentathionic'], 'pentatomic': ['camptonite', 'pentatomic'], 'pentitol': ['pentitol', 'pointlet'], 'pentoic': ['entopic', 'nepotic', 'pentoic'], 'pentol': ['lepton', 'pentol'], 'pentose': ['pentose', 'posteen'], 'pentyl': ['pentyl', 'plenty'], 'penult': ['penult', 'punlet', 'puntel'], 'peon': ['nope', 'open', 'peon', 'pone'], 'peony': ['peony', 'poney'], 'peopler': ['peopler', 'popeler'], 'peorian': ['apeiron', 'peorian'], 'peplos': ['pelops', 'peplos'], 'peplum': ['peplum', 'pumple'], 'peplus': ['peplus', 'supple'], 'pepo': ['pepo', 'pope'], 'per': ['per', 'rep'], 'peracid': ['epacrid', 'peracid', 'preacid'], 'peract': ['carpet', 'peract', 'preact'], 'peracute': ['peracute', 'preacute'], 'peradventure': ['peradventure', 'preadventure'], 'perakim': ['perakim', 'permiak', 'rampike'], 'peramble': ['peramble', 'preamble'], 'perambulate': ['perambulate', 'preambulate'], 'perambulation': ['perambulation', 'preambulation'], 'perambulatory': ['perambulatory', 'preambulatory'], 'perates': ['perates', 'repaste', 'sperate'], 'perbend': ['perbend', 'prebend'], 'perborate': ['perborate', 'prorebate', 'reprobate'], 'perca': ['caper', 'crape', 'pacer', 'perca', 'recap'], 'percale': ['percale', 'replace'], 'percaline': ['percaline', 'periclean'], 'percent': ['percent', 'precent'], 'percept': ['percept', 'precept'], 'perception': ['perception', 'preception'], 'perceptionism': ['misperception', 'perceptionism'], 'perceptive': ['perceptive', 'preceptive'], 'perceptively': ['perceptively', 'preceptively'], 'perceptual': ['perceptual', 'preceptual'], 'perceptually': ['perceptually', 'preceptually'], 'percha': ['aperch', 'eparch', 'percha', 'preach'], 'perchloric': ['perchloric', 'prechloric'], 'percid': ['percid', 'priced'], 'perclose': ['perclose', 'preclose'], 'percoidea': ['adipocere', 'percoidea'], 'percolate': ['percolate', 'prelocate'], 'percolation': ['neotropical', 'percolation'], 'percompound': ['percompound', 'precompound'], 'percontation': ['percontation', 'pernoctation'], 'perculsion': ['perculsion', 'preclusion'], 'perculsive': ['perculsive', 'preclusive'], 'percurrent': ['percurrent', 'precurrent'], 'percursory': ['percursory', 'precursory'], 'percussion': ['croupiness', 'percussion', 'supersonic'], 'percussioner': ['percussioner', 'repercussion'], 'percussor': ['percussor', 'procuress'], 'percy': ['crepy', 'cypre', 'percy'], 'perdicine': ['perdicine', 'recipiend'], 'perdition': ['direption', 'perdition', 'tropidine'], 'perdu': ['drupe', 'duper', 'perdu', 'prude', 'pured'], 'peregrina': ['peregrina', 'pregainer'], 'pereion': ['pereion', 'pioneer'], 'perendure': ['perendure', 'underpeer'], 'peres': ['peres', 'perse', 'speer', 'spree'], 'perfect': ['perfect', 'prefect'], 'perfected': ['perfected', 'predefect'], 'perfection': ['frontpiece', 'perfection'], 'perfectly': ['perfectly', 'prefectly'], 'perfervid': ['perfervid', 'prefervid'], 'perfoliation': ['perfoliation', 'prefoliation'], 'perforative': ['perforative', 'prefavorite'], 'perform': ['perform', 'preform'], 'performant': ['performant', 'preformant'], 'performative': ['performative', 'preformative'], 'performer': ['performer', 'prereform', 'reperform'], 'pergamic': ['crimpage', 'pergamic'], 'perhaps': ['perhaps', 'prehaps'], 'perhazard': ['perhazard', 'prehazard'], 'peri': ['peri', 'pier', 'ripe'], 'periacinal': ['epicranial', 'periacinal'], 'perianal': ['airplane', 'perianal'], 'perianth': ['perianth', 'triphane'], 'periapt': ['periapt', 'rappite'], 'periaster': ['periaster', 'sparterie'], 'pericardiacophrenic': ['pericardiacophrenic', 'phrenicopericardiac'], 'pericardiopleural': ['pericardiopleural', 'pleuropericardial'], 'perichete': ['perichete', 'perithece'], 'periclase': ['episclera', 'periclase'], 'periclean': ['percaline', 'periclean'], 'pericles': ['eclipser', 'pericles', 'resplice'], 'pericopal': ['pericopal', 'periploca'], 'periculant': ['periculant', 'unprelatic'], 'peridental': ['interplead', 'peridental'], 'peridiastolic': ['peridiastolic', 'periodicalist', 'proidealistic'], 'peridot': ['diopter', 'peridot', 'proetid', 'protide', 'pteroid'], 'perigone': ['perigone', 'pigeoner'], 'peril': ['peril', 'piler', 'plier'], 'perilous': ['perilous', 'uropsile'], 'perimeter': ['perimeter', 'peritreme'], 'perine': ['neiper', 'perine', 'pirene', 'repine'], 'perineovaginal': ['perineovaginal', 'vaginoperineal'], 'periodate': ['periodate', 'proetidae', 'proteidae'], 'periodicalist': ['peridiastolic', 'periodicalist', 'proidealistic'], 'periodontal': ['deploration', 'periodontal'], 'periost': ['periost', 'porites', 'reposit', 'riposte'], 'periosteal': ['periosteal', 'praseolite'], 'periotic': ['epirotic', 'periotic'], 'peripatetic': ['peripatetic', 'precipitate'], 'peripatidae': ['peripatidae', 'peripatidea'], 'peripatidea': ['peripatidae', 'peripatidea'], 'periplaneta': ['periplaneta', 'prepalatine'], 'periploca': ['pericopal', 'periploca'], 'periplus': ['periplus', 'supplier'], 'periportal': ['periportal', 'peritropal'], 'periproct': ['cotripper', 'periproct'], 'peripterous': ['peripterous', 'prepositure'], 'perique': ['perique', 'repique'], 'perirectal': ['perirectal', 'prerecital'], 'periscian': ['periscian', 'precisian'], 'periscopal': ['periscopal', 'sapropelic'], 'perish': ['perish', 'reship'], 'perished': ['hesperid', 'perished'], 'perishment': ['perishment', 'reshipment'], 'perisomal': ['perisomal', 'semipolar'], 'perisome': ['perisome', 'promisee', 'reimpose'], 'perispome': ['perispome', 'preimpose'], 'peristole': ['epistoler', 'peristole', 'perseitol', 'pistoleer'], 'peristoma': ['epistroma', 'peristoma'], 'peristomal': ['peristomal', 'prestomial'], 'peristylos': ['peristylos', 'pterylosis'], 'perit': ['perit', 'retip', 'tripe'], 'perite': ['perite', 'petrie', 'pieter'], 'peritenon': ['interpone', 'peritenon', 'pinnotere', 'preintone'], 'perithece': ['perichete', 'perithece'], 'peritomize': ['epitomizer', 'peritomize'], 'peritomous': ['outpromise', 'peritomous'], 'peritreme': ['perimeter', 'peritreme'], 'peritrichous': ['courtiership', 'peritrichous'], 'peritroch': ['chiropter', 'peritroch'], 'peritropal': ['periportal', 'peritropal'], 'peritropous': ['peritropous', 'proprietous'], 'perkin': ['perkin', 'pinker'], 'perknite': ['perknite', 'peterkin'], 'perla': ['lepra', 'paler', 'parel', 'parle', 'pearl', 'perla', 'relap'], 'perle': ['leper', 'perle', 'repel'], 'perlection': ['perlection', 'prelection'], 'perlidae': ['pedalier', 'perlidae'], 'perlingual': ['perlingual', 'prelingual'], 'perlite': ['perlite', 'reptile'], 'perlitic': ['perlitic', 'triplice'], 'permeameter': ['amperemeter', 'permeameter'], 'permeance': ['permeance', 'premenace'], 'permeant': ['permeant', 'peterman'], 'permeation': ['permeation', 'preominate'], 'permiak': ['perakim', 'permiak', 'rampike'], 'permissibility': ['impressibility', 'permissibility'], 'permissible': ['impressible', 'permissible'], 'permissibleness': ['impressibleness', 'permissibleness'], 'permissibly': ['impressibly', 'permissibly'], 'permission': ['impression', 'permission'], 'permissive': ['impressive', 'permissive'], 'permissively': ['impressively', 'permissively'], 'permissiveness': ['impressiveness', 'permissiveness'], 'permitter': ['permitter', 'pretermit'], 'permixture': ['permixture', 'premixture'], 'permonosulphuric': ['monopersulphuric', 'permonosulphuric'], 'permutation': ['importunate', 'permutation'], 'pernasal': ['pernasal', 'prenasal'], 'pernis': ['pernis', 'respin', 'sniper'], 'pernoctation': ['percontation', 'pernoctation'], 'pernor': ['pernor', 'perron'], 'pernyi': ['pernyi', 'pinery'], 'peronial': ['pelorian', 'peronial', 'proalien'], 'peropus': ['peropus', 'purpose'], 'peroral': ['peroral', 'preoral'], 'perorally': ['perorally', 'preorally'], 'perorate': ['perorate', 'retepora'], 'perosmate': ['perosmate', 'sematrope'], 'perosmic': ['comprise', 'perosmic'], 'perotic': ['perotic', 'proteic', 'tropeic'], 'perpera': ['paperer', 'perpera', 'prepare', 'repaper'], 'perpetualist': ['perpetualist', 'pluriseptate'], 'perplexer': ['perplexer', 'reperplex'], 'perron': ['pernor', 'perron'], 'perry': ['perry', 'pryer'], 'persae': ['parsee', 'persae', 'persea', 'serape'], 'persalt': ['palster', 'persalt', 'plaster', 'psalter', 'spartle', 'stapler'], 'perscribe': ['perscribe', 'prescribe'], 'perse': ['peres', 'perse', 'speer', 'spree'], 'persea': ['parsee', 'persae', 'persea', 'serape'], 'perseid': ['perseid', 'preside'], 'perseitol': ['epistoler', 'peristole', 'perseitol', 'pistoleer'], 'perseity': ['perseity', 'speerity'], 'persian': ['persian', 'prasine', 'saprine'], 'persic': ['crepis', 'cripes', 'persic', 'precis', 'spicer'], 'persico': ['ceriops', 'persico'], 'persism': ['impress', 'persism', 'premiss'], 'persist': ['persist', 'spriest'], 'persistent': ['persistent', 'presentist', 'prettiness'], 'personalia': ['palaeornis', 'personalia'], 'personalistic': ['personalistic', 'pictorialness'], 'personate': ['esperanto', 'personate'], 'personed': ['personed', 'responde'], 'pert': ['pert', 'petr', 'terp'], 'pertain': ['painter', 'pertain', 'pterian', 'repaint'], 'perten': ['perten', 'repent'], 'perthite': ['perthite', 'tephrite'], 'perthitic': ['perthitic', 'tephritic'], 'pertinacity': ['antipyretic', 'pertinacity'], 'pertinence': ['penitencer', 'pertinence'], 'pertly': ['peltry', 'pertly'], 'perturbational': ['perturbational', 'protuberantial'], 'pertussal': ['pertussal', 'supersalt'], 'perty': ['perty', 'typer'], 'peru': ['peru', 'prue', 'pure'], 'perugian': ['pagurine', 'perugian'], 'peruke': ['keuper', 'peruke'], 'perula': ['epural', 'perula', 'pleura'], 'perun': ['perun', 'prune'], 'perusable': ['perusable', 'superable'], 'perusal': ['perusal', 'serpula'], 'peruse': ['peruse', 'respue'], 'pervade': ['deprave', 'pervade'], 'pervader': ['depraver', 'pervader'], 'pervadingly': ['depravingly', 'pervadingly'], 'perverse': ['perverse', 'preserve'], 'perversion': ['perversion', 'preversion'], 'pervious': ['pervious', 'previous', 'viperous'], 'perviously': ['perviously', 'previously', 'viperously'], 'perviousness': ['perviousness', 'previousness', 'viperousness'], 'pesa': ['apse', 'pesa', 'spae'], 'pesach': ['cephas', 'pesach'], 'pesah': ['heaps', 'pesah', 'phase', 'shape'], 'peseta': ['asteep', 'peseta'], 'peso': ['epos', 'peso', 'pose', 'sope'], 'pess': ['pess', 'seps'], 'pessoner': ['pessoner', 'response'], 'pest': ['pest', 'sept', 'spet', 'step'], 'peste': ['peste', 'steep'], 'pester': ['pester', 'preset', 'restep', 'streep'], 'pesthole': ['heelpost', 'pesthole'], 'pesticidal': ['pesticidal', 'septicidal'], 'pestiferous': ['pestiferous', 'septiferous'], 'pestle': ['pestle', 'spleet'], 'petal': ['leapt', 'palet', 'patel', 'pelta', 'petal', 'plate', 'pleat', 'tepal'], 'petalia': ['palaite', 'petalia', 'pileata'], 'petaline': ['petaline', 'tapeline'], 'petalism': ['petalism', 'septimal'], 'petalless': ['petalless', 'plateless', 'pleatless'], 'petallike': ['petallike', 'platelike'], 'petaloid': ['opdalite', 'petaloid'], 'petalon': ['lepanto', 'nepotal', 'petalon', 'polenta'], 'petard': ['depart', 'parted', 'petard'], 'petary': ['petary', 'pratey'], 'petasos': ['pastose', 'petasos'], 'petchary': ['patchery', 'petchary'], 'petechial': ['epithecal', 'petechial', 'phacelite'], 'petechiate': ['epithecate', 'petechiate'], 'peteman': ['peteman', 'tempean'], 'peter': ['erept', 'peter', 'petre'], 'peterkin': ['perknite', 'peterkin'], 'peterman': ['permeant', 'peterman'], 'petiolary': ['epilatory', 'petiolary'], 'petiole': ['petiole', 'pilotee'], 'petioled': ['lepidote', 'petioled'], 'petitionary': ['opiniatrety', 'petitionary'], 'petitioner': ['petitioner', 'repetition'], 'petiveria': ['aperitive', 'petiveria'], 'petling': ['pelting', 'petling'], 'peto': ['peto', 'poet', 'pote', 'tope'], 'petr': ['pert', 'petr', 'terp'], 'petre': ['erept', 'peter', 'petre'], 'petrea': ['petrea', 'repeat', 'retape'], 'petrean': ['patener', 'pearten', 'petrean', 'terpane'], 'petrel': ['pelter', 'petrel'], 'petricola': ['carpolite', 'petricola'], 'petrie': ['perite', 'petrie', 'pieter'], 'petrine': ['petrine', 'terpine'], 'petrochemical': ['cephalometric', 'petrochemical'], 'petrogale': ['petrogale', 'petrolage', 'prolegate'], 'petrographer': ['petrographer', 'pterographer'], 'petrographic': ['petrographic', 'pterographic'], 'petrographical': ['petrographical', 'pterographical'], 'petrographically': ['petrographically', 'pterylographical'], 'petrography': ['petrography', 'pterography', 'typographer'], 'petrol': ['petrol', 'replot'], 'petrolage': ['petrogale', 'petrolage', 'prolegate'], 'petrolean': ['petrolean', 'rantepole'], 'petrolic': ['petrolic', 'plerotic'], 'petrologically': ['petrologically', 'pterylological'], 'petrosa': ['esparto', 'petrosa', 'seaport'], 'petrosal': ['petrosal', 'polestar'], 'petrosquamosal': ['petrosquamosal', 'squamopetrosal'], 'petrous': ['petrous', 'posture', 'proetus', 'proteus', 'septuor', 'spouter'], 'petticoated': ['depetticoat', 'petticoated'], 'petulant': ['patulent', 'petulant'], 'petune': ['neetup', 'petune'], 'peul': ['lupe', 'pelu', 'peul', 'pule'], 'pewy': ['pewy', 'wype'], 'peyote': ['peyote', 'poteye'], 'peyotl': ['peyotl', 'poetly'], 'phacelia': ['acephali', 'phacelia'], 'phacelite': ['epithecal', 'petechial', 'phacelite'], 'phacoid': ['dapicho', 'phacoid'], 'phacolite': ['hopcalite', 'phacolite'], 'phacolysis': ['pachylosis', 'phacolysis'], 'phacometer': ['pachometer', 'phacometer'], 'phaethonic': ['phaethonic', 'theophanic'], 'phaeton': ['phaeton', 'phonate'], 'phagocytism': ['mycophagist', 'phagocytism'], 'phalaecian': ['acephalina', 'phalaecian'], 'phalangium': ['gnaphalium', 'phalangium'], 'phalera': ['phalera', 'raphael'], 'phanariot': ['parathion', 'phanariot'], 'phanerogam': ['anemograph', 'phanerogam'], 'phanerogamic': ['anemographic', 'phanerogamic'], 'phanerogamy': ['anemography', 'phanerogamy'], 'phanic': ['apinch', 'chapin', 'phanic'], 'phano': ['phano', 'pohna'], 'pharaonic': ['anaphoric', 'pharaonic'], 'pharaonical': ['anaphorical', 'pharaonical'], 'phare': ['hepar', 'phare', 'raphe'], 'pharian': ['pharian', 'piranha'], 'pharisaic': ['chirapsia', 'pharisaic'], 'pharisean': ['pharisean', 'seraphina'], 'pharisee': ['hesperia', 'pharisee'], 'phariseeism': ['hemiparesis', 'phariseeism'], 'pharmacolite': ['metaphorical', 'pharmacolite'], 'pharyngolaryngeal': ['laryngopharyngeal', 'pharyngolaryngeal'], 'pharyngolaryngitis': ['laryngopharyngitis', 'pharyngolaryngitis'], 'pharyngorhinitis': ['pharyngorhinitis', 'rhinopharyngitis'], 'phase': ['heaps', 'pesah', 'phase', 'shape'], 'phaseless': ['phaseless', 'shapeless'], 'phaseolin': ['esiphonal', 'phaseolin'], 'phasis': ['aspish', 'phasis'], 'phasm': ['pashm', 'phasm'], 'phasmid': ['dampish', 'madship', 'phasmid'], 'phasmoid': ['phasmoid', 'shopmaid'], 'pheal': ['aleph', 'pheal'], 'pheasant': ['pheasant', 'stephana'], 'phecda': ['chaped', 'phecda'], 'phemie': ['imphee', 'phemie'], 'phenacite': ['phenacite', 'phenicate'], 'phenate': ['haptene', 'heptane', 'phenate'], 'phenetole': ['phenetole', 'telephone'], 'phenic': ['phenic', 'pinche'], 'phenicate': ['phenacite', 'phenicate'], 'phenolic': ['phenolic', 'pinochle'], 'phenological': ['nephological', 'phenological'], 'phenologist': ['nephologist', 'phenologist'], 'phenology': ['nephology', 'phenology'], 'phenosal': ['alphonse', 'phenosal'], 'pheon': ['pheon', 'phone'], 'phi': ['hip', 'phi'], 'phialide': ['hepialid', 'phialide'], 'philobotanist': ['botanophilist', 'philobotanist'], 'philocynic': ['cynophilic', 'philocynic'], 'philohela': ['halophile', 'philohela'], 'philoneism': ['neophilism', 'philoneism'], 'philopoet': ['philopoet', 'photopile'], 'philotheist': ['philotheist', 'theophilist'], 'philotherian': ['lithonephria', 'philotherian'], 'philozoic': ['philozoic', 'zoophilic'], 'philozoist': ['philozoist', 'zoophilist'], 'philter': ['philter', 'thripel'], 'phineas': ['inphase', 'phineas'], 'phiroze': ['orphize', 'phiroze'], 'phit': ['phit', 'pith'], 'phlebometritis': ['metrophlebitis', 'phlebometritis'], 'phleum': ['phleum', 'uphelm'], 'phloretic': ['phloretic', 'plethoric'], 'pho': ['hop', 'pho', 'poh'], 'phobism': ['mobship', 'phobism'], 'phoca': ['chopa', 'phoca', 'poach'], 'phocaean': ['phocaean', 'phocaena'], 'phocaena': ['phocaean', 'phocaena'], 'phocaenine': ['phocaenine', 'phoenicean'], 'phocean': ['copehan', 'panoche', 'phocean'], 'phocian': ['aphonic', 'phocian'], 'phocine': ['chopine', 'phocine'], 'phoenicean': ['phocaenine', 'phoenicean'], 'pholad': ['adolph', 'pholad'], 'pholas': ['alphos', 'pholas'], 'pholcidae': ['cephaloid', 'pholcidae'], 'pholcoid': ['chilopod', 'pholcoid'], 'phonate': ['phaeton', 'phonate'], 'phone': ['pheon', 'phone'], 'phonelescope': ['nepheloscope', 'phonelescope'], 'phonetical': ['pachnolite', 'phonetical'], 'phonetics': ['phonetics', 'sphenotic'], 'phoniatry': ['phoniatry', 'thiopyran'], 'phonic': ['chopin', 'phonic'], 'phonogram': ['monograph', 'nomograph', 'phonogram'], 'phonogramic': ['gramophonic', 'monographic', 'nomographic', 'phonogramic'], 'phonogramically': ['gramophonically', 'monographically', 'nomographically', 'phonogramically'], 'phonographic': ['graphophonic', 'phonographic'], 'phonolite': ['lithopone', 'phonolite'], 'phonometer': ['nephrotome', 'phonometer'], 'phonometry': ['nephrotomy', 'phonometry'], 'phonophote': ['phonophote', 'photophone'], 'phonotyper': ['hypopteron', 'phonotyper'], 'phoo': ['hoop', 'phoo', 'pooh'], 'phorone': ['orpheon', 'phorone'], 'phoronidea': ['phoronidea', 'radiophone'], 'phos': ['phos', 'posh', 'shop', 'soph'], 'phosphatide': ['diphosphate', 'phosphatide'], 'phosphoglycerate': ['glycerophosphate', 'phosphoglycerate'], 'phossy': ['hyssop', 'phossy', 'sposhy'], 'phot': ['phot', 'toph'], 'photechy': ['hypothec', 'photechy'], 'photochromography': ['chromophotography', 'photochromography'], 'photochromolithograph': ['chromophotolithograph', 'photochromolithograph'], 'photochronograph': ['chronophotograph', 'photochronograph'], 'photochronographic': ['chronophotographic', 'photochronographic'], 'photochronography': ['chronophotography', 'photochronography'], 'photogram': ['motograph', 'photogram'], 'photographer': ['photographer', 'rephotograph'], 'photoheliography': ['heliophotography', 'photoheliography'], 'photolithography': ['lithophotography', 'photolithography'], 'photomacrograph': ['macrophotograph', 'photomacrograph'], 'photometer': ['photometer', 'prototheme'], 'photomicrograph': ['microphotograph', 'photomicrograph'], 'photomicrographic': ['microphotographic', 'photomicrographic'], 'photomicrography': ['microphotography', 'photomicrography'], 'photomicroscope': ['microphotoscope', 'photomicroscope'], 'photophone': ['phonophote', 'photophone'], 'photopile': ['philopoet', 'photopile'], 'photostereograph': ['photostereograph', 'stereophotograph'], 'phototelegraph': ['phototelegraph', 'telephotograph'], 'phototelegraphic': ['phototelegraphic', 'telephotographic'], 'phototelegraphy': ['phototelegraphy', 'telephotography'], 'phototypography': ['phototypography', 'phytotopography'], 'phrase': ['phrase', 'seraph', 'shaper', 'sherpa'], 'phraser': ['phraser', 'sharper'], 'phrasing': ['harpings', 'phrasing'], 'phrasy': ['phrasy', 'sharpy'], 'phratriac': ['patriarch', 'phratriac'], 'phreatic': ['chapiter', 'phreatic'], 'phrenesia': ['hesperian', 'phrenesia', 'seraphine'], 'phrenic': ['nephric', 'phrenic', 'pincher'], 'phrenicopericardiac': ['pericardiacophrenic', 'phrenicopericardiac'], 'phrenics': ['phrenics', 'pinscher'], 'phrenitic': ['nephritic', 'phrenitic', 'prehnitic'], 'phrenitis': ['inspreith', 'nephritis', 'phrenitis'], 'phrenocardiac': ['nephrocardiac', 'phrenocardiac'], 'phrenocolic': ['nephrocolic', 'phrenocolic'], 'phrenocostal': ['phrenocostal', 'plastochrone'], 'phrenogastric': ['gastrophrenic', 'nephrogastric', 'phrenogastric'], 'phrenohepatic': ['hepatonephric', 'phrenohepatic'], 'phrenologist': ['nephrologist', 'phrenologist'], 'phrenology': ['nephrology', 'phrenology'], 'phrenopathic': ['nephropathic', 'phrenopathic'], 'phrenopathy': ['nephropathy', 'phrenopathy'], 'phrenosplenic': ['phrenosplenic', 'splenonephric', 'splenophrenic'], 'phronesis': ['nephrosis', 'phronesis'], 'phronimidae': ['diamorphine', 'phronimidae'], 'phthalazine': ['naphthalize', 'phthalazine'], 'phu': ['hup', 'phu'], 'phycitol': ['cytophil', 'phycitol'], 'phycocyanin': ['cyanophycin', 'phycocyanin'], 'phyla': ['haply', 'phyla'], 'phyletic': ['heptylic', 'phyletic'], 'phylloceras': ['hyposcleral', 'phylloceras'], 'phylloclad': ['cladophyll', 'phylloclad'], 'phyllodial': ['phyllodial', 'phylloidal'], 'phylloerythrin': ['erythrophyllin', 'phylloerythrin'], 'phylloidal': ['phyllodial', 'phylloidal'], 'phyllopodous': ['phyllopodous', 'podophyllous'], 'phyma': ['phyma', 'yamph'], 'phymatodes': ['desmopathy', 'phymatodes'], 'phymosia': ['hyposmia', 'phymosia'], 'physa': ['physa', 'shapy'], 'physalite': ['physalite', 'styphelia'], 'physic': ['physic', 'scyphi'], 'physicochemical': ['chemicophysical', 'physicochemical'], 'physicomedical': ['medicophysical', 'physicomedical'], 'physiocrat': ['physiocrat', 'psychotria'], 'physiologicoanatomic': ['anatomicophysiologic', 'physiologicoanatomic'], 'physiopsychological': ['physiopsychological', 'psychophysiological'], 'physiopsychology': ['physiopsychology', 'psychophysiology'], 'phytic': ['phytic', 'pitchy', 'pythic', 'typhic'], 'phytogenesis': ['phytogenesis', 'pythogenesis'], 'phytogenetic': ['phytogenetic', 'pythogenetic'], 'phytogenic': ['phytogenic', 'pythogenic', 'typhogenic'], 'phytogenous': ['phytogenous', 'pythogenous'], 'phytoid': ['phytoid', 'typhoid'], 'phytologist': ['hypoglottis', 'phytologist'], 'phytometer': ['phytometer', 'thermotype'], 'phytometric': ['phytometric', 'thermotypic'], 'phytometry': ['phytometry', 'thermotypy'], 'phytomonas': ['phytomonas', 'somnopathy'], 'phyton': ['phyton', 'python'], 'phytonic': ['hypnotic', 'phytonic', 'pythonic', 'typhonic'], 'phytosis': ['phytosis', 'typhosis'], 'phytotopography': ['phototypography', 'phytotopography'], 'phytozoa': ['phytozoa', 'zoopathy', 'zoophyta'], 'piacle': ['epical', 'piacle', 'plaice'], 'piacular': ['apicular', 'piacular'], 'pial': ['lipa', 'pail', 'pali', 'pial'], 'pialyn': ['alypin', 'pialyn'], 'pian': ['nipa', 'pain', 'pani', 'pian', 'pina'], 'pianiste': ['pianiste', 'pisanite'], 'piannet': ['piannet', 'pinnate'], 'pianola': ['opalina', 'pianola'], 'piaroa': ['aporia', 'piaroa'], 'piast': ['piast', 'stipa', 'tapis'], 'piaster': ['piaster', 'piastre', 'raspite', 'spirate', 'traipse'], 'piastre': ['piaster', 'piastre', 'raspite', 'spirate', 'traipse'], 'picador': ['parodic', 'picador'], 'picae': ['picae', 'picea'], 'pical': ['pical', 'plica'], 'picard': ['caprid', 'carpid', 'picard'], 'picarel': ['caliper', 'picarel', 'replica'], 'picary': ['cypria', 'picary', 'piracy'], 'pice': ['epic', 'pice'], 'picea': ['picae', 'picea'], 'picene': ['picene', 'piecen'], 'picker': ['picker', 'repick'], 'pickle': ['pelick', 'pickle'], 'pickler': ['pickler', 'prickle'], 'pickover': ['overpick', 'pickover'], 'picktooth': ['picktooth', 'toothpick'], 'pico': ['cipo', 'pico'], 'picot': ['optic', 'picot', 'topic'], 'picotah': ['aphotic', 'picotah'], 'picra': ['capri', 'picra', 'rapic'], 'picrate': ['paretic', 'patrice', 'picrate'], 'pictography': ['graphotypic', 'pictography', 'typographic'], 'pictorialness': ['personalistic', 'pictorialness'], 'picture': ['cuprite', 'picture'], 'picudilla': ['picudilla', 'pulicidal'], 'pidan': ['pidan', 'pinda'], 'piebald': ['bipedal', 'piebald'], 'piebaldness': ['dispensable', 'piebaldness'], 'piecen': ['picene', 'piecen'], 'piecer': ['piecer', 'pierce', 'recipe'], 'piecework': ['piecework', 'workpiece'], 'piecrust': ['crepitus', 'piecrust'], 'piedness': ['dispense', 'piedness'], 'piegan': ['genipa', 'piegan'], 'pieless': ['pelisse', 'pieless'], 'pielet': ['leepit', 'pelite', 'pielet'], 'piemag': ['magpie', 'piemag'], 'pieman': ['impane', 'pieman'], 'pien': ['pien', 'pine'], 'piend': ['piend', 'pined'], 'pier': ['peri', 'pier', 'ripe'], 'pierce': ['piecer', 'pierce', 'recipe'], 'piercent': ['piercent', 'prentice'], 'piercer': ['piercer', 'reprice'], 'pierlike': ['pierlike', 'ripelike'], 'piet': ['piet', 'tipe'], 'pietas': ['patesi', 'pietas'], 'pieter': ['perite', 'petrie', 'pieter'], 'pig': ['gip', 'pig'], 'pigeoner': ['perigone', 'pigeoner'], 'pigeontail': ['pigeontail', 'plagionite'], 'pigly': ['gilpy', 'pigly'], 'pignon': ['ningpo', 'pignon'], 'pignorate': ['operating', 'pignorate'], 'pigskin': ['pigskin', 'spiking'], 'pigsney': ['gypsine', 'pigsney'], 'pik': ['kip', 'pik'], 'pika': ['paik', 'pika'], 'pike': ['kepi', 'kipe', 'pike'], 'pikel': ['pikel', 'pikle'], 'piker': ['krepi', 'piker'], 'pikle': ['pikel', 'pikle'], 'pilage': ['paigle', 'pilage'], 'pilar': ['april', 'pilar', 'ripal'], 'pilaster': ['epistlar', 'pilaster', 'plaister', 'priestal'], 'pilastered': ['pedestrial', 'pilastered'], 'pilastric': ['pilastric', 'triplasic'], 'pilate': ['aplite', 'pilate'], 'pileata': ['palaite', 'petalia', 'pileata'], 'pileate': ['epilate', 'epitela', 'pileate'], 'pileated': ['depilate', 'leptidae', 'pileated'], 'piled': ['piled', 'plied'], 'piler': ['peril', 'piler', 'plier'], 'piles': ['piles', 'plies', 'slipe', 'spiel', 'spile'], 'pileus': ['epulis', 'pileus'], 'pili': ['ipil', 'pili'], 'pilin': ['lipin', 'pilin'], 'pillarist': ['pillarist', 'pistillar'], 'pillet': ['liplet', 'pillet'], 'pilm': ['limp', 'pilm', 'plim'], 'pilmy': ['imply', 'limpy', 'pilmy'], 'pilosis': ['liposis', 'pilosis'], 'pilotee': ['petiole', 'pilotee'], 'pilpai': ['lippia', 'pilpai'], 'pilus': ['lupis', 'pilus'], 'pim': ['imp', 'pim'], 'pimelate': ['ampelite', 'pimelate'], 'pimento': ['emption', 'pimento'], 'pimenton': ['imponent', 'pimenton'], 'pimola': ['lipoma', 'pimola', 'ploima'], 'pimpish': ['impship', 'pimpish'], 'pimplous': ['pimplous', 'pompilus', 'populism'], 'pin': ['nip', 'pin'], 'pina': ['nipa', 'pain', 'pani', 'pian', 'pina'], 'pinaces': ['pinaces', 'pincase'], 'pinachrome': ['epharmonic', 'pinachrome'], 'pinacle': ['calepin', 'capelin', 'panicle', 'pelican', 'pinacle'], 'pinacoid': ['diapnoic', 'pinacoid'], 'pinal': ['lipan', 'pinal', 'plain'], 'pinales': ['espinal', 'pinales', 'spaniel'], 'pinaster': ['pinaster', 'pristane'], 'pincase': ['pinaces', 'pincase'], 'pincer': ['pincer', 'prince'], 'pincerlike': ['pincerlike', 'princelike'], 'pincers': ['encrisp', 'pincers'], 'pinchbelly': ['bellypinch', 'pinchbelly'], 'pinche': ['phenic', 'pinche'], 'pincher': ['nephric', 'phrenic', 'pincher'], 'pincushion': ['nuncioship', 'pincushion'], 'pinda': ['pidan', 'pinda'], 'pindari': ['pindari', 'pridian'], 'pine': ['pien', 'pine'], 'pineal': ['alpine', 'nepali', 'penial', 'pineal'], 'pined': ['piend', 'pined'], 'piner': ['piner', 'prine', 'repin', 'ripen'], 'pinery': ['pernyi', 'pinery'], 'pingler': ['pingler', 'pringle'], 'pinhold': ['dolphin', 'pinhold'], 'pinhole': ['lophine', 'pinhole'], 'pinite': ['pinite', 'tiepin'], 'pinker': ['perkin', 'pinker'], 'pinking': ['kingpin', 'pinking'], 'pinkish': ['kinship', 'pinkish'], 'pinlock': ['lockpin', 'pinlock'], 'pinnacle': ['pannicle', 'pinnacle'], 'pinnae': ['nanpie', 'pennia', 'pinnae'], 'pinnate': ['piannet', 'pinnate'], 'pinnatopectinate': ['pectinatopinnate', 'pinnatopectinate'], 'pinnet': ['pinnet', 'tenpin'], 'pinnitarsal': ['intraspinal', 'pinnitarsal'], 'pinnotere': ['interpone', 'peritenon', 'pinnotere', 'preintone'], 'pinnothere': ['interphone', 'pinnothere'], 'pinnula': ['pinnula', 'unplain'], 'pinnulated': ['pennatulid', 'pinnulated'], 'pinochle': ['phenolic', 'pinochle'], 'pinole': ['pinole', 'pleion'], 'pinolia': ['apiolin', 'pinolia'], 'pinscher': ['phrenics', 'pinscher'], 'pinta': ['inapt', 'paint', 'pinta'], 'pintail': ['pintail', 'tailpin'], 'pintano': ['opinant', 'pintano'], 'pinte': ['inept', 'pinte'], 'pinto': ['pinto', 'point'], 'pintura': ['pintura', 'puritan', 'uptrain'], 'pinulus': ['lupinus', 'pinulus'], 'piny': ['piny', 'pyin'], 'pinyl': ['pinyl', 'pliny'], 'pioneer': ['pereion', 'pioneer'], 'pioted': ['pioted', 'podite'], 'pipa': ['paip', 'pipa'], 'pipal': ['palpi', 'pipal'], 'piperno': ['piperno', 'propine'], 'pique': ['equip', 'pique'], 'pir': ['pir', 'rip'], 'piracy': ['cypria', 'picary', 'piracy'], 'piranha': ['pharian', 'piranha'], 'piratess': ['piratess', 'serapist', 'tarsipes'], 'piratically': ['capillarity', 'piratically'], 'piraty': ['parity', 'piraty'], 'pirene': ['neiper', 'perine', 'pirene', 'repine'], 'pirssonite': ['pirssonite', 'trispinose'], 'pisaca': ['capias', 'pisaca'], 'pisan': ['pisan', 'sapin', 'spina'], 'pisanite': ['pianiste', 'pisanite'], 'piscation': ['panoistic', 'piscation'], 'piscatorial': ['paracolitis', 'piscatorial'], 'piscian': ['panisic', 'piscian', 'piscina', 'sinapic'], 'pisciferous': ['pisciferous', 'spiciferous'], 'pisciform': ['pisciform', 'spiciform'], 'piscina': ['panisic', 'piscian', 'piscina', 'sinapic'], 'pisco': ['copis', 'pisco'], 'pise': ['pise', 'sipe'], 'pish': ['pish', 'ship'], 'pisk': ['pisk', 'skip'], 'pisky': ['pisky', 'spiky'], 'pismire': ['pismire', 'primsie'], 'pisonia': ['pisonia', 'sinopia'], 'pist': ['pist', 'spit'], 'pistache': ['paschite', 'pastiche', 'pistache', 'scaphite'], 'pistacite': ['epistatic', 'pistacite'], 'pistareen': ['pistareen', 'sparteine'], 'pistillar': ['pillarist', 'pistillar'], 'pistillary': ['pistillary', 'spiritally'], 'pistle': ['pistle', 'stipel'], 'pistol': ['pistol', 'postil', 'spoilt'], 'pistoleer': ['epistoler', 'peristole', 'perseitol', 'pistoleer'], 'pit': ['pit', 'tip'], 'pita': ['atip', 'pita'], 'pitapat': ['apitpat', 'pitapat'], 'pitarah': ['pitarah', 'taphria'], 'pitcher': ['pitcher', 'repitch'], 'pitchout': ['outpitch', 'pitchout'], 'pitchy': ['phytic', 'pitchy', 'pythic', 'typhic'], 'pith': ['phit', 'pith'], 'pithecan': ['haptenic', 'pantheic', 'pithecan'], 'pithole': ['hoplite', 'pithole'], 'pithsome': ['mephisto', 'pithsome'], 'pitless': ['pitless', 'tipless'], 'pitman': ['pitman', 'tampin', 'tipman'], 'pittancer': ['crepitant', 'pittancer'], 'pittoid': ['pittoid', 'poditti'], 'pityroid': ['pityroid', 'pyritoid'], 'pivoter': ['overtip', 'pivoter'], 'placate': ['epactal', 'placate'], 'placation': ['pactional', 'pactolian', 'placation'], 'place': ['capel', 'place'], 'placebo': ['copable', 'placebo'], 'placentalia': ['analeptical', 'placentalia'], 'placentoma': ['complanate', 'placentoma'], 'placer': ['carpel', 'parcel', 'placer'], 'placode': ['lacepod', 'pedocal', 'placode'], 'placoid': ['placoid', 'podalic', 'podical'], 'placus': ['cuspal', 'placus'], 'plagionite': ['pigeontail', 'plagionite'], 'plague': ['plague', 'upgale'], 'plaguer': ['earplug', 'graupel', 'plaguer'], 'plaice': ['epical', 'piacle', 'plaice'], 'plaid': ['alpid', 'plaid'], 'plaidy': ['adipyl', 'plaidy'], 'plain': ['lipan', 'pinal', 'plain'], 'plainer': ['pearlin', 'plainer', 'praline'], 'plaint': ['plaint', 'pliant'], 'plaister': ['epistlar', 'pilaster', 'plaister', 'priestal'], 'plaited': ['plaited', 'taliped'], 'plaiter': ['partile', 'plaiter', 'replait'], 'planate': ['planate', 'planeta', 'plantae', 'platane'], 'planation': ['planation', 'platonian'], 'plancheite': ['elephantic', 'plancheite'], 'plane': ['alpen', 'nepal', 'panel', 'penal', 'plane'], 'planer': ['parnel', 'planer', 'replan'], 'planera': ['planera', 'preanal'], 'planet': ['pantle', 'planet', 'platen'], 'planeta': ['planate', 'planeta', 'plantae', 'platane'], 'planetabler': ['planetabler', 'replantable'], 'planetaria': ['parentalia', 'planetaria'], 'planetoid': ['pelidnota', 'planetoid'], 'planity': ['inaptly', 'planity', 'ptyalin'], 'planker': ['planker', 'prankle'], 'planta': ['planta', 'platan'], 'plantae': ['planate', 'planeta', 'plantae', 'platane'], 'planter': ['pantler', 'planter', 'replant'], 'plap': ['lapp', 'palp', 'plap'], 'plasher': ['plasher', 'spheral'], 'plasm': ['plasm', 'psalm', 'slamp'], 'plasma': ['lampas', 'plasma'], 'plasmation': ['aminoplast', 'plasmation'], 'plasmic': ['plasmic', 'psalmic'], 'plasmode': ['malposed', 'plasmode'], 'plasmodial': ['plasmodial', 'psalmodial'], 'plasmodic': ['plasmodic', 'psalmodic'], 'plasson': ['plasson', 'sponsal'], 'plastein': ['panelist', 'pantelis', 'penalist', 'plastein'], 'plaster': ['palster', 'persalt', 'plaster', 'psalter', 'spartle', 'stapler'], 'plasterer': ['plasterer', 'replaster'], 'plastery': ['plastery', 'psaltery'], 'plasticine': ['cisplatine', 'plasticine'], 'plastidome': ['plastidome', 'postmedial'], 'plastinoid': ['palinodist', 'plastinoid'], 'plastochrone': ['phrenocostal', 'plastochrone'], 'plat': ['palt', 'plat'], 'plataean': ['panatela', 'plataean'], 'platan': ['planta', 'platan'], 'platane': ['planate', 'planeta', 'plantae', 'platane'], 'plate': ['leapt', 'palet', 'patel', 'pelta', 'petal', 'plate', 'pleat', 'tepal'], 'platea': ['aletap', 'palate', 'platea'], 'plateless': ['petalless', 'plateless', 'pleatless'], 'platelet': ['pallette', 'platelet'], 'platelike': ['petallike', 'platelike'], 'platen': ['pantle', 'planet', 'platen'], 'plater': ['palter', 'plater'], 'platerer': ['palterer', 'platerer'], 'platery': ['apertly', 'peartly', 'platery', 'pteryla', 'taperly'], 'platine': ['pantile', 'pentail', 'platine', 'talpine'], 'platinochloric': ['chloroplatinic', 'platinochloric'], 'platinous': ['platinous', 'pulsation'], 'platode': ['platode', 'tadpole'], 'platoid': ['platoid', 'talpoid'], 'platonian': ['planation', 'platonian'], 'platter': ['partlet', 'platter', 'prattle'], 'platy': ['aptly', 'patly', 'platy', 'typal'], 'platynite': ['patiently', 'platynite'], 'platysternal': ['platysternal', 'transeptally'], 'plaud': ['dupla', 'plaud'], 'plaustral': ['palustral', 'plaustral'], 'play': ['paly', 'play', 'pyal', 'pyla'], 'playa': ['palay', 'playa'], 'player': ['parley', 'pearly', 'player', 'replay'], 'playgoer': ['playgoer', 'pylagore'], 'playroom': ['myopolar', 'playroom'], 'plea': ['leap', 'lepa', 'pale', 'peal', 'plea'], 'pleach': ['chapel', 'lepcha', 'pleach'], 'plead': ['padle', 'paled', 'pedal', 'plead'], 'pleader': ['pearled', 'pedaler', 'pleader', 'replead'], 'please': ['asleep', 'elapse', 'please'], 'pleaser': ['pleaser', 'preseal', 'relapse'], 'pleasure': ['pleasure', 'serpulae'], 'pleasurer': ['pleasurer', 'reperusal'], 'pleasurous': ['asperulous', 'pleasurous'], 'pleat': ['leapt', 'palet', 'patel', 'pelta', 'petal', 'plate', 'pleat', 'tepal'], 'pleater': ['pearlet', 'pleater', 'prelate', 'ptereal', 'replate', 'repleat'], 'pleatless': ['petalless', 'plateless', 'pleatless'], 'plectre': ['plectre', 'prelect'], 'pleion': ['pinole', 'pleion'], 'pleionian': ['opalinine', 'pleionian'], 'plenilunar': ['plenilunar', 'plurennial'], 'plenty': ['pentyl', 'plenty'], 'pleomorph': ['pleomorph', 'prophloem'], 'pleon': ['pelon', 'pleon'], 'pleonal': ['pallone', 'pleonal'], 'pleonasm': ['neoplasm', 'pleonasm', 'polesman', 'splenoma'], 'pleonast': ['lapstone', 'pleonast'], 'pleonastic': ['neoplastic', 'pleonastic'], 'pleroma': ['leproma', 'palermo', 'pleroma', 'polearm'], 'plerosis': ['leprosis', 'plerosis'], 'plerotic': ['petrolic', 'plerotic'], 'plessor': ['plessor', 'preloss'], 'plethora': ['plethora', 'traphole'], 'plethoric': ['phloretic', 'plethoric'], 'pleura': ['epural', 'perula', 'pleura'], 'pleuric': ['luperci', 'pleuric'], 'pleuropericardial': ['pericardiopleural', 'pleuropericardial'], 'pleurotoma': ['pleurotoma', 'tropaeolum'], 'pleurovisceral': ['pleurovisceral', 'visceropleural'], 'pliancy': ['pliancy', 'pycnial'], 'pliant': ['plaint', 'pliant'], 'plica': ['pical', 'plica'], 'plicately': ['callitype', 'plicately'], 'plicater': ['particle', 'plicater', 'prelatic'], 'plicator': ['plicator', 'tropical'], 'plied': ['piled', 'plied'], 'plier': ['peril', 'piler', 'plier'], 'pliers': ['lisper', 'pliers', 'sirple', 'spiler'], 'plies': ['piles', 'plies', 'slipe', 'spiel', 'spile'], 'plighter': ['plighter', 'replight'], 'plim': ['limp', 'pilm', 'plim'], 'pliny': ['pinyl', 'pliny'], 'pliosaur': ['liparous', 'pliosaur'], 'pliosauridae': ['lepidosauria', 'pliosauridae'], 'ploceidae': ['adipocele', 'cepolidae', 'ploceidae'], 'ploceus': ['culpose', 'ploceus', 'upclose'], 'plodder': ['plodder', 'proddle'], 'ploima': ['lipoma', 'pimola', 'ploima'], 'ploration': ['ploration', 'portional', 'prolation'], 'plot': ['plot', 'polt'], 'plotful': ['plotful', 'topfull'], 'plotted': ['plotted', 'pottled'], 'plotter': ['plotter', 'portlet'], 'plousiocracy': ['plousiocracy', 'procaciously'], 'plout': ['plout', 'pluto', 'poult'], 'plouter': ['plouter', 'poulter'], 'plovery': ['overply', 'plovery'], 'plower': ['plower', 'replow'], 'ploy': ['ploy', 'poly'], 'plucker': ['plucker', 'puckrel'], 'plug': ['gulp', 'plug'], 'plum': ['lump', 'plum'], 'pluma': ['ampul', 'pluma'], 'plumbagine': ['impugnable', 'plumbagine'], 'plumbic': ['plumbic', 'upclimb'], 'plumed': ['dumple', 'plumed'], 'plumeous': ['eumolpus', 'plumeous'], 'plumer': ['lumper', 'plumer', 'replum', 'rumple'], 'plumet': ['lumpet', 'plumet'], 'pluminess': ['lumpiness', 'pluminess'], 'plumy': ['lumpy', 'plumy'], 'plunderer': ['plunderer', 'replunder'], 'plunge': ['plunge', 'pungle'], 'plup': ['plup', 'pulp'], 'plurennial': ['plenilunar', 'plurennial'], 'pluriseptate': ['perpetualist', 'pluriseptate'], 'plutean': ['plutean', 'unpetal', 'unpleat'], 'pluteus': ['pluteus', 'pustule'], 'pluto': ['plout', 'pluto', 'poult'], 'pluvine': ['pluvine', 'vulpine'], 'plyer': ['plyer', 'reply'], 'pneumatophony': ['pneumatophony', 'pneumonopathy'], 'pneumohemothorax': ['hemopneumothorax', 'pneumohemothorax'], 'pneumohydropericardium': ['hydropneumopericardium', 'pneumohydropericardium'], 'pneumohydrothorax': ['hydropneumothorax', 'pneumohydrothorax'], 'pneumonopathy': ['pneumatophony', 'pneumonopathy'], 'pneumopyothorax': ['pneumopyothorax', 'pyopneumothorax'], 'poach': ['chopa', 'phoca', 'poach'], 'poachy': ['poachy', 'pochay'], 'poales': ['aslope', 'poales'], 'pob': ['bop', 'pob'], 'pochay': ['poachy', 'pochay'], 'poche': ['epoch', 'poche'], 'pocketer': ['pocketer', 'repocket'], 'poco': ['coop', 'poco'], 'pocosin': ['opsonic', 'pocosin'], 'poculation': ['copulation', 'poculation'], 'pod': ['dop', 'pod'], 'podalic': ['placoid', 'podalic', 'podical'], 'podarthritis': ['podarthritis', 'traditorship'], 'podial': ['podial', 'poliad'], 'podical': ['placoid', 'podalic', 'podical'], 'podiceps': ['podiceps', 'scopiped'], 'podite': ['pioted', 'podite'], 'poditti': ['pittoid', 'poditti'], 'podler': ['podler', 'polder', 'replod'], 'podley': ['deploy', 'podley'], 'podobranchia': ['branchiopoda', 'podobranchia'], 'podocephalous': ['cephalopodous', 'podocephalous'], 'podophyllous': ['phyllopodous', 'podophyllous'], 'podoscaph': ['podoscaph', 'scaphopod'], 'podostomata': ['podostomata', 'stomatopoda'], 'podostomatous': ['podostomatous', 'stomatopodous'], 'podotheca': ['chaetopod', 'podotheca'], 'podura': ['podura', 'uproad'], 'poduran': ['pandour', 'poduran'], 'poe': ['ope', 'poe'], 'poem': ['mope', 'poem', 'pome'], 'poemet': ['metope', 'poemet'], 'poemlet': ['leptome', 'poemlet'], 'poesy': ['poesy', 'posey', 'sepoy'], 'poet': ['peto', 'poet', 'pote', 'tope'], 'poetastrical': ['poetastrical', 'spectatorial'], 'poetical': ['copalite', 'poetical'], 'poeticism': ['impeticos', 'poeticism'], 'poetics': ['poetics', 'septoic'], 'poetly': ['peyotl', 'poetly'], 'poetryless': ['poetryless', 'presystole'], 'pogo': ['goop', 'pogo'], 'poh': ['hop', 'pho', 'poh'], 'poha': ['opah', 'paho', 'poha'], 'pohna': ['phano', 'pohna'], 'poiana': ['anopia', 'aponia', 'poiana'], 'poietic': ['epiotic', 'poietic'], 'poimenic': ['mincopie', 'poimenic'], 'poinder': ['poinder', 'ponerid'], 'point': ['pinto', 'point'], 'pointel': ['pointel', 'pontile', 'topline'], 'pointer': ['pointer', 'protein', 'pterion', 'repoint', 'tropine'], 'pointlet': ['pentitol', 'pointlet'], 'pointrel': ['pointrel', 'terpinol'], 'poisonless': ['poisonless', 'solenopsis'], 'poker': ['poker', 'proke'], 'pol': ['lop', 'pol'], 'polab': ['pablo', 'polab'], 'polacre': ['capreol', 'polacre'], 'polander': ['polander', 'ponderal', 'prenodal'], 'polar': ['parol', 'polar', 'poral', 'proal'], 'polarid': ['dipolar', 'polarid'], 'polarimetry': ['polarimetry', 'premorality', 'temporarily'], 'polaristic': ['polaristic', 'poristical', 'saprolitic'], 'polarly': ['payroll', 'polarly'], 'polder': ['podler', 'polder', 'replod'], 'pole': ['lope', 'olpe', 'pole'], 'polearm': ['leproma', 'palermo', 'pleroma', 'polearm'], 'polecat': ['pacolet', 'polecat'], 'polemic': ['compile', 'polemic'], 'polemics': ['clipsome', 'polemics'], 'polemist': ['milepost', 'polemist'], 'polenta': ['lepanto', 'nepotal', 'petalon', 'polenta'], 'poler': ['loper', 'poler'], 'polesman': ['neoplasm', 'pleonasm', 'polesman', 'splenoma'], 'polestar': ['petrosal', 'polestar'], 'poliad': ['podial', 'poliad'], 'polianite': ['epilation', 'polianite'], 'policyholder': ['policyholder', 'polychloride'], 'polio': ['polio', 'pooli'], 'polis': ['polis', 'spoil'], 'polished': ['depolish', 'polished'], 'polisher': ['polisher', 'repolish'], 'polistes': ['polistes', 'telopsis'], 'politarch': ['carpolith', 'politarch', 'trophical'], 'politicly': ['lipolytic', 'politicly'], 'politics': ['colpitis', 'politics', 'psilotic'], 'polk': ['klop', 'polk'], 'pollenite': ['pellotine', 'pollenite'], 'poller': ['poller', 'repoll'], 'pollinate': ['pellation', 'pollinate'], 'polo': ['loop', 'polo', 'pool'], 'poloist': ['loopist', 'poloist', 'topsoil'], 'polonia': ['apionol', 'polonia'], 'polos': ['polos', 'sloop', 'spool'], 'polt': ['plot', 'polt'], 'poly': ['ploy', 'poly'], 'polyacid': ['polyacid', 'polyadic'], 'polyactinal': ['pactionally', 'polyactinal'], 'polyadic': ['polyacid', 'polyadic'], 'polyarchist': ['chiroplasty', 'polyarchist'], 'polychloride': ['policyholder', 'polychloride'], 'polychroism': ['polychroism', 'polyorchism'], 'polycitral': ['polycitral', 'tropically'], 'polycodium': ['lycopodium', 'polycodium'], 'polycotyl': ['collotypy', 'polycotyl'], 'polyeidic': ['polyeidic', 'polyideic'], 'polyeidism': ['polyeidism', 'polyideism'], 'polyester': ['polyester', 'proselyte'], 'polygamodioecious': ['dioeciopolygamous', 'polygamodioecious'], 'polyhalite': ['paleolithy', 'polyhalite', 'polythelia'], 'polyideic': ['polyeidic', 'polyideic'], 'polyideism': ['polyeidism', 'polyideism'], 'polymastic': ['myoplastic', 'polymastic'], 'polymasty': ['myoplasty', 'polymasty'], 'polymere': ['employer', 'polymere'], 'polymeric': ['micropyle', 'polymeric'], 'polymetochia': ['homeotypical', 'polymetochia'], 'polymnia': ['olympian', 'polymnia'], 'polymyodi': ['polymyodi', 'polymyoid'], 'polymyoid': ['polymyodi', 'polymyoid'], 'polyorchism': ['polychroism', 'polyorchism'], 'polyp': ['loppy', 'polyp'], 'polyphemian': ['lymphopenia', 'polyphemian'], 'polyphonist': ['polyphonist', 'psilophyton'], 'polypite': ['lipotype', 'polypite'], 'polyprene': ['polyprene', 'propylene'], 'polypterus': ['polypterus', 'suppletory'], 'polysomitic': ['myocolpitis', 'polysomitic'], 'polyspore': ['polyspore', 'prosopyle'], 'polythelia': ['paleolithy', 'polyhalite', 'polythelia'], 'polythene': ['polythene', 'telephony'], 'polyuric': ['croupily', 'polyuric'], 'pom': ['mop', 'pom'], 'pomade': ['apedom', 'pomade'], 'pomane': ['mopane', 'pomane'], 'pome': ['mope', 'poem', 'pome'], 'pomeranian': ['pomeranian', 'praenomina'], 'pomerium': ['emporium', 'pomerium', 'proemium'], 'pomey': ['myope', 'pomey'], 'pomo': ['moop', 'pomo'], 'pomonal': ['lampoon', 'pomonal'], 'pompilus': ['pimplous', 'pompilus', 'populism'], 'pomster': ['pomster', 'stomper'], 'ponca': ['capon', 'ponca'], 'ponce': ['copen', 'ponce'], 'ponchoed': ['chenopod', 'ponchoed'], 'poncirus': ['coprinus', 'poncirus'], 'ponderal': ['polander', 'ponderal', 'prenodal'], 'ponderate': ['ponderate', 'predonate'], 'ponderation': ['ponderation', 'predonation'], 'ponderer': ['ponderer', 'reponder'], 'pondfish': ['fishpond', 'pondfish'], 'pone': ['nope', 'open', 'peon', 'pone'], 'ponerid': ['poinder', 'ponerid'], 'poneroid': ['poneroid', 'porodine'], 'poney': ['peony', 'poney'], 'ponica': ['aponic', 'ponica'], 'ponier': ['opiner', 'orpine', 'ponier'], 'pontederia': ['pontederia', 'proteidean'], 'pontee': ['nepote', 'pontee', 'poteen'], 'pontes': ['pontes', 'posnet'], 'ponticular': ['ponticular', 'untropical'], 'pontificalia': ['palification', 'pontificalia'], 'pontile': ['pointel', 'pontile', 'topline'], 'pontonier': ['entropion', 'pontonier', 'prenotion'], 'pontus': ['pontus', 'unspot', 'unstop'], 'pooch': ['choop', 'pooch'], 'pooh': ['hoop', 'phoo', 'pooh'], 'pooka': ['oopak', 'pooka'], 'pool': ['loop', 'polo', 'pool'], 'pooler': ['looper', 'pooler'], 'pooli': ['polio', 'pooli'], 'pooly': ['loopy', 'pooly'], 'poon': ['noop', 'poon'], 'poonac': ['acopon', 'poonac'], 'poonga': ['apogon', 'poonga'], 'poor': ['poor', 'proo'], 'poot': ['poot', 'toop', 'topo'], 'pope': ['pepo', 'pope'], 'popeler': ['peopler', 'popeler'], 'popery': ['popery', 'pyrope'], 'popgun': ['oppugn', 'popgun'], 'popian': ['oppian', 'papion', 'popian'], 'popish': ['popish', 'shippo'], 'popliteal': ['papillote', 'popliteal'], 'poppel': ['poppel', 'popple'], 'popple': ['poppel', 'popple'], 'populism': ['pimplous', 'pompilus', 'populism'], 'populus': ['populus', 'pulpous'], 'poral': ['parol', 'polar', 'poral', 'proal'], 'porcate': ['coperta', 'pectora', 'porcate'], 'porcelain': ['oliprance', 'porcelain'], 'porcelanite': ['porcelanite', 'praelection'], 'porcula': ['copular', 'croupal', 'cupolar', 'porcula'], 'pore': ['pore', 'rope'], 'pored': ['doper', 'pedro', 'pored'], 'porelike': ['porelike', 'ropelike'], 'porer': ['porer', 'prore', 'roper'], 'porge': ['grope', 'porge'], 'porger': ['groper', 'porger'], 'poriness': ['poriness', 'pression', 'ropiness'], 'poring': ['poring', 'roping'], 'poristical': ['polaristic', 'poristical', 'saprolitic'], 'porites': ['periost', 'porites', 'reposit', 'riposte'], 'poritidae': ['poritidae', 'triopidae'], 'porker': ['porker', 'proker'], 'pornerastic': ['cotranspire', 'pornerastic'], 'porodine': ['poneroid', 'porodine'], 'poros': ['poros', 'proso', 'sopor', 'spoor'], 'porosity': ['isotropy', 'porosity'], 'porotic': ['porotic', 'portico'], 'porpentine': ['porpentine', 'prepontine'], 'porphine': ['hornpipe', 'porphine'], 'porphyrous': ['porphyrous', 'pyrophorus'], 'porrection': ['correption', 'porrection'], 'porret': ['porret', 'porter', 'report', 'troper'], 'porta': ['aport', 'parto', 'porta'], 'portail': ['portail', 'toprail'], 'portal': ['patrol', 'portal', 'tropal'], 'portance': ['coparent', 'portance'], 'ported': ['deport', 'ported', 'redtop'], 'portend': ['portend', 'protend'], 'porteno': ['porteno', 'protone'], 'portension': ['portension', 'protension'], 'portent': ['portent', 'torpent'], 'portentous': ['notopterus', 'portentous'], 'porter': ['porret', 'porter', 'report', 'troper'], 'porterage': ['porterage', 'reportage'], 'portership': ['portership', 'pretorship'], 'portfire': ['portfire', 'profiter'], 'portia': ['portia', 'tapiro'], 'portico': ['porotic', 'portico'], 'portify': ['portify', 'torpify'], 'portional': ['ploration', 'portional', 'prolation'], 'portioner': ['portioner', 'reportion'], 'portlet': ['plotter', 'portlet'], 'portly': ['portly', 'protyl', 'tropyl'], 'porto': ['porto', 'proto', 'troop'], 'portoise': ['isotrope', 'portoise'], 'portolan': ['portolan', 'pronotal'], 'portor': ['portor', 'torpor'], 'portray': ['parroty', 'portray', 'tropary'], 'portrayal': ['parlatory', 'portrayal'], 'portside': ['dipteros', 'portside'], 'portsider': ['portsider', 'postrider'], 'portunidae': ['depuration', 'portunidae'], 'portunus': ['outspurn', 'portunus'], 'pory': ['pory', 'pyro', 'ropy'], 'posca': ['posca', 'scopa'], 'pose': ['epos', 'peso', 'pose', 'sope'], 'poser': ['poser', 'prose', 'ropes', 'spore'], 'poseur': ['poseur', 'pouser', 'souper', 'uprose'], 'posey': ['poesy', 'posey', 'sepoy'], 'posh': ['phos', 'posh', 'shop', 'soph'], 'posingly': ['posingly', 'spongily'], 'position': ['position', 'sopition'], 'positional': ['positional', 'spoilation', 'spoliation'], 'positioned': ['deposition', 'positioned'], 'positioner': ['positioner', 'reposition'], 'positron': ['notropis', 'positron', 'sorption'], 'positum': ['positum', 'utopism'], 'posnet': ['pontes', 'posnet'], 'posse': ['posse', 'speos'], 'possessioner': ['possessioner', 'repossession'], 'post': ['post', 'spot', 'stop', 'tops'], 'postage': ['gestapo', 'postage'], 'postaortic': ['parostotic', 'postaortic'], 'postdate': ['despotat', 'postdate'], 'posted': ['despot', 'posted'], 'posteen': ['pentose', 'posteen'], 'poster': ['poster', 'presto', 'repost', 'respot', 'stoper'], 'posterial': ['posterial', 'saprolite'], 'posterior': ['posterior', 'repositor'], 'posterish': ['posterish', 'prothesis', 'sophister', 'storeship', 'tephrosis'], 'posteroinferior': ['inferoposterior', 'posteroinferior'], 'posterosuperior': ['posterosuperior', 'superoposterior'], 'postgenial': ['postgenial', 'spangolite'], 'posthaste': ['posthaste', 'tosephtas'], 'postic': ['copist', 'coptis', 'optics', 'postic'], 'postical': ['postical', 'slipcoat'], 'postil': ['pistol', 'postil', 'spoilt'], 'posting': ['posting', 'stoping'], 'postischial': ['postischial', 'sophistical'], 'postless': ['postless', 'spotless', 'stopless'], 'postlike': ['postlike', 'spotlike'], 'postman': ['postman', 'topsman'], 'postmedial': ['plastidome', 'postmedial'], 'postnaris': ['postnaris', 'sopranist'], 'postnominal': ['monoplanist', 'postnominal'], 'postrider': ['portsider', 'postrider'], 'postsacral': ['postsacral', 'sarcoplast'], 'postsign': ['postsign', 'signpost'], 'postthoracic': ['octastrophic', 'postthoracic'], 'postulata': ['autoplast', 'postulata'], 'postural': ['postural', 'pulsator', 'sportula'], 'posture': ['petrous', 'posture', 'proetus', 'proteus', 'septuor', 'spouter'], 'posturer': ['posturer', 'resprout', 'sprouter'], 'postuterine': ['postuterine', 'pretentious'], 'postwar': ['postwar', 'sapwort'], 'postward': ['drawstop', 'postward'], 'postwoman': ['postwoman', 'womanpost'], 'posy': ['opsy', 'posy'], 'pot': ['opt', 'pot', 'top'], 'potable': ['optable', 'potable'], 'potableness': ['optableness', 'potableness'], 'potash': ['pashto', 'pathos', 'potash'], 'potass': ['potass', 'topass'], 'potate': ['aptote', 'optate', 'potate', 'teapot'], 'potation': ['optation', 'potation'], 'potative': ['optative', 'potative'], 'potator': ['potator', 'taproot'], 'pote': ['peto', 'poet', 'pote', 'tope'], 'poteen': ['nepote', 'pontee', 'poteen'], 'potential': ['peltation', 'potential'], 'poter': ['poter', 'prote', 'repot', 'tepor', 'toper', 'trope'], 'poteye': ['peyote', 'poteye'], 'pothouse': ['housetop', 'pothouse'], 'poticary': ['cyrtopia', 'poticary'], 'potifer': ['firetop', 'potifer'], 'potion': ['option', 'potion'], 'potlatch': ['potlatch', 'tolpatch'], 'potlike': ['kitlope', 'potlike', 'toplike'], 'potmaker': ['potmaker', 'topmaker'], 'potmaking': ['potmaking', 'topmaking'], 'potman': ['potman', 'tampon', 'topman'], 'potometer': ['optometer', 'potometer'], 'potstick': ['potstick', 'tipstock'], 'potstone': ['potstone', 'topstone'], 'pottled': ['plotted', 'pottled'], 'pouce': ['coupe', 'pouce'], 'poucer': ['couper', 'croupe', 'poucer', 'recoup'], 'pouch': ['choup', 'pouch'], 'poulpe': ['poulpe', 'pupelo'], 'poult': ['plout', 'pluto', 'poult'], 'poulter': ['plouter', 'poulter'], 'poultice': ['epulotic', 'poultice'], 'pounce': ['pounce', 'uncope'], 'pounder': ['pounder', 'repound', 'unroped'], 'pour': ['pour', 'roup'], 'pourer': ['pourer', 'repour', 'rouper'], 'pouser': ['poseur', 'pouser', 'souper', 'uprose'], 'pout': ['pout', 'toup'], 'pouter': ['pouter', 'roupet', 'troupe'], 'pow': ['pow', 'wop'], 'powder': ['powder', 'prowed'], 'powderer': ['powderer', 'repowder'], 'powerful': ['powerful', 'upflower'], 'praam': ['param', 'parma', 'praam'], 'practitional': ['antitropical', 'practitional'], 'prad': ['pard', 'prad'], 'pradeep': ['papered', 'pradeep'], 'praecox': ['exocarp', 'praecox'], 'praelabrum': ['praelabrum', 'preambular'], 'praelection': ['porcelanite', 'praelection'], 'praelector': ['praelector', 'receptoral'], 'praenomina': ['pomeranian', 'praenomina'], 'praepostor': ['praepostor', 'pterospora'], 'praesphenoid': ['nephropsidae', 'praesphenoid'], 'praetor': ['praetor', 'prorate'], 'praetorian': ['praetorian', 'reparation'], 'praise': ['aspire', 'paries', 'praise', 'sirpea', 'spirea'], 'praiser': ['aspirer', 'praiser', 'serpari'], 'praising': ['aspiring', 'praising', 'singarip'], 'praisingly': ['aspiringly', 'praisingly'], 'praline': ['pearlin', 'plainer', 'praline'], 'pram': ['pram', 'ramp'], 'prandial': ['diplanar', 'prandial'], 'prankle': ['planker', 'prankle'], 'prase': ['asper', 'parse', 'prase', 'spaer', 'spare', 'spear'], 'praseolite': ['periosteal', 'praseolite'], 'prasine': ['persian', 'prasine', 'saprine'], 'prasinous': ['prasinous', 'psaronius'], 'prasoid': ['prasoid', 'sparoid'], 'prasophagous': ['prasophagous', 'saprophagous'], 'prat': ['part', 'prat', 'rapt', 'tarp', 'trap'], 'prate': ['apert', 'pater', 'peart', 'prate', 'taper', 'terap'], 'prater': ['parter', 'prater'], 'pratey': ['petary', 'pratey'], 'pratfall': ['pratfall', 'trapfall'], 'pratincoline': ['nonpearlitic', 'pratincoline'], 'pratincolous': ['patroclinous', 'pratincolous'], 'prattle': ['partlet', 'platter', 'prattle'], 'prau': ['prau', 'rupa'], 'prawner': ['prawner', 'prewarn'], 'prayer': ['prayer', 'repray'], 'preach': ['aperch', 'eparch', 'percha', 'preach'], 'preacher': ['preacher', 'repreach'], 'preaching': ['engraphic', 'preaching'], 'preachman': ['marchpane', 'preachman'], 'preachy': ['eparchy', 'preachy'], 'preacid': ['epacrid', 'peracid', 'preacid'], 'preact': ['carpet', 'peract', 'preact'], 'preaction': ['preaction', 'precation', 'recaption'], 'preactive': ['preactive', 'precative'], 'preactively': ['preactively', 'precatively'], 'preacute': ['peracute', 'preacute'], 'preadmonition': ['demipronation', 'preadmonition', 'predomination'], 'preadorn': ['pardoner', 'preadorn'], 'preadventure': ['peradventure', 'preadventure'], 'preallably': ['ballplayer', 'preallably'], 'preallow': ['preallow', 'walloper'], 'preamble': ['peramble', 'preamble'], 'preambular': ['praelabrum', 'preambular'], 'preambulate': ['perambulate', 'preambulate'], 'preambulation': ['perambulation', 'preambulation'], 'preambulatory': ['perambulatory', 'preambulatory'], 'preanal': ['planera', 'preanal'], 'prearm': ['prearm', 'ramper'], 'preascitic': ['accipitres', 'preascitic'], 'preauditory': ['preauditory', 'repudiatory'], 'prebacillary': ['bicarpellary', 'prebacillary'], 'prebasal': ['parsable', 'prebasal', 'sparable'], 'prebend': ['perbend', 'prebend'], 'prebeset': ['bepester', 'prebeset'], 'prebid': ['bedrip', 'prebid'], 'precant': ['carpent', 'precant'], 'precantation': ['actinopteran', 'precantation'], 'precast': ['precast', 'spectra'], 'precation': ['preaction', 'precation', 'recaption'], 'precative': ['preactive', 'precative'], 'precatively': ['preactively', 'precatively'], 'precaution': ['precaution', 'unoperatic'], 'precautional': ['inoperculata', 'precautional'], 'precedable': ['deprecable', 'precedable'], 'preceder': ['preceder', 'precreed'], 'precent': ['percent', 'precent'], 'precept': ['percept', 'precept'], 'preception': ['perception', 'preception'], 'preceptive': ['perceptive', 'preceptive'], 'preceptively': ['perceptively', 'preceptively'], 'preceptual': ['perceptual', 'preceptual'], 'preceptually': ['perceptually', 'preceptually'], 'prechloric': ['perchloric', 'prechloric'], 'prechoose': ['prechoose', 'rheoscope'], 'precipitate': ['peripatetic', 'precipitate'], 'precipitator': ['precipitator', 'prepatriotic'], 'precis': ['crepis', 'cripes', 'persic', 'precis', 'spicer'], 'precise': ['precise', 'scripee'], 'precisian': ['periscian', 'precisian'], 'precision': ['coinspire', 'precision'], 'precitation': ['actinopteri', 'crepitation', 'precitation'], 'precite': ['ereptic', 'precite', 'receipt'], 'precited': ['decrepit', 'depicter', 'precited'], 'preclose': ['perclose', 'preclose'], 'preclusion': ['perculsion', 'preclusion'], 'preclusive': ['perculsive', 'preclusive'], 'precoil': ['peloric', 'precoil'], 'precompound': ['percompound', 'precompound'], 'precondense': ['precondense', 'respondence'], 'preconnubial': ['preconnubial', 'pronunciable'], 'preconsole': ['necropoles', 'preconsole'], 'preconsultor': ['preconsultor', 'supercontrol'], 'precontest': ['precontest', 'torpescent'], 'precopy': ['coppery', 'precopy'], 'precostal': ['ceroplast', 'precostal'], 'precredit': ['precredit', 'predirect', 'repredict'], 'precreditor': ['precreditor', 'predirector'], 'precreed': ['preceder', 'precreed'], 'precurrent': ['percurrent', 'precurrent'], 'precursory': ['percursory', 'precursory'], 'precyst': ['precyst', 'sceptry', 'spectry'], 'predata': ['adapter', 'predata', 'readapt'], 'predate': ['padtree', 'predate', 'tapered'], 'predatism': ['predatism', 'spermatid'], 'predative': ['deprivate', 'predative'], 'predator': ['predator', 'protrade', 'teardrop'], 'preday': ['pedary', 'preday'], 'predealer': ['predealer', 'repleader'], 'predecree': ['creepered', 'predecree'], 'predefect': ['perfected', 'predefect'], 'predeication': ['depreciation', 'predeication'], 'prederive': ['prederive', 'redeprive'], 'predespair': ['disprepare', 'predespair'], 'predestine': ['predestine', 'presidente'], 'predetail': ['pedaliter', 'predetail'], 'predevotion': ['overpointed', 'predevotion'], 'predial': ['pedrail', 'predial'], 'prediastolic': ['prediastolic', 'psiloceratid'], 'predication': ['predication', 'procidentia'], 'predictory': ['cryptodire', 'predictory'], 'predirect': ['precredit', 'predirect', 'repredict'], 'predirector': ['precreditor', 'predirector'], 'prediscretion': ['prediscretion', 'redescription'], 'predislike': ['predislike', 'spiderlike'], 'predivinable': ['indeprivable', 'predivinable'], 'predominate': ['pentameroid', 'predominate'], 'predomination': ['demipronation', 'preadmonition', 'predomination'], 'predonate': ['ponderate', 'predonate'], 'predonation': ['ponderation', 'predonation'], 'predoubter': ['predoubter', 'preobtrude'], 'predrive': ['depriver', 'predrive'], 'preen': ['neper', 'preen', 'repen'], 'prefactor': ['aftercrop', 'prefactor'], 'prefator': ['forepart', 'prefator'], 'prefavorite': ['perforative', 'prefavorite'], 'prefect': ['perfect', 'prefect'], 'prefectly': ['perfectly', 'prefectly'], 'prefervid': ['perfervid', 'prefervid'], 'prefiction': ['prefiction', 'proficient'], 'prefoliation': ['perfoliation', 'prefoliation'], 'preform': ['perform', 'preform'], 'preformant': ['performant', 'preformant'], 'preformative': ['performative', 'preformative'], 'preformism': ['misperform', 'preformism'], 'pregainer': ['peregrina', 'pregainer'], 'prehandicap': ['handicapper', 'prehandicap'], 'prehaps': ['perhaps', 'prehaps'], 'prehazard': ['perhazard', 'prehazard'], 'preheal': ['preheal', 'rephael'], 'preheat': ['haptere', 'preheat'], 'preheated': ['heartdeep', 'preheated'], 'prehension': ['hesperinon', 'prehension'], 'prehnite': ['nephrite', 'prehnite', 'trephine'], 'prehnitic': ['nephritic', 'phrenitic', 'prehnitic'], 'prehuman': ['prehuman', 'unhamper'], 'preimpose': ['perispome', 'preimpose'], 'preindicate': ['parenticide', 'preindicate'], 'preinduce': ['preinduce', 'unpierced'], 'preintone': ['interpone', 'peritenon', 'pinnotere', 'preintone'], 'prelabrum': ['prelabrum', 'prelumbar'], 'prelacteal': ['carpellate', 'parcellate', 'prelacteal'], 'prelate': ['pearlet', 'pleater', 'prelate', 'ptereal', 'replate', 'repleat'], 'prelatehood': ['heteropodal', 'prelatehood'], 'prelatic': ['particle', 'plicater', 'prelatic'], 'prelatical': ['capitellar', 'prelatical'], 'prelation': ['prelation', 'rantipole'], 'prelatism': ['palmister', 'prelatism'], 'prelease': ['eelspear', 'prelease'], 'prelect': ['plectre', 'prelect'], 'prelection': ['perlection', 'prelection'], 'prelim': ['limper', 'prelim', 'rimple'], 'prelingual': ['perlingual', 'prelingual'], 'prelocate': ['percolate', 'prelocate'], 'preloss': ['plessor', 'preloss'], 'preludial': ['dipleural', 'preludial'], 'prelumbar': ['prelabrum', 'prelumbar'], 'prelusion': ['prelusion', 'repulsion'], 'prelusive': ['prelusive', 'repulsive'], 'prelusively': ['prelusively', 'repulsively'], 'prelusory': ['prelusory', 'repulsory'], 'premate': ['premate', 'tempera'], 'premedia': ['epiderma', 'premedia'], 'premedial': ['epidermal', 'impleader', 'premedial'], 'premedication': ['pedometrician', 'premedication'], 'premenace': ['permeance', 'premenace'], 'premerit': ['premerit', 'preremit', 'repermit'], 'premial': ['impaler', 'impearl', 'lempira', 'premial'], 'premiant': ['imperant', 'pairment', 'partimen', 'premiant', 'tripeman'], 'premiate': ['imperate', 'premiate'], 'premier': ['premier', 'reprime'], 'premious': ['imposure', 'premious'], 'premise': ['emprise', 'imprese', 'premise', 'spireme'], 'premiss': ['impress', 'persism', 'premiss'], 'premixture': ['permixture', 'premixture'], 'premodel': ['leperdom', 'premodel'], 'premolar': ['premolar', 'premoral'], 'premold': ['meldrop', 'premold'], 'premonetary': ['premonetary', 'pyranometer'], 'premoral': ['premolar', 'premoral'], 'premorality': ['polarimetry', 'premorality', 'temporarily'], 'premosaic': ['paroecism', 'premosaic'], 'premover': ['premover', 'prevomer'], 'premusical': ['premusical', 'superclaim'], 'prenasal': ['pernasal', 'prenasal'], 'prenatal': ['parental', 'paternal', 'prenatal'], 'prenatalist': ['intraseptal', 'paternalist', 'prenatalist'], 'prenatally': ['parentally', 'paternally', 'prenatally'], 'prenative': ['interpave', 'prenative'], 'prender': ['prender', 'prendre'], 'prendre': ['prender', 'prendre'], 'prenodal': ['polander', 'ponderal', 'prenodal'], 'prenominical': ['nonempirical', 'prenominical'], 'prenotice': ['prenotice', 'reception'], 'prenotion': ['entropion', 'pontonier', 'prenotion'], 'prentice': ['piercent', 'prentice'], 'preobtrude': ['predoubter', 'preobtrude'], 'preocular': ['opercular', 'preocular'], 'preominate': ['permeation', 'preominate'], 'preopen': ['preopen', 'propene'], 'preopinion': ['preopinion', 'prionopine'], 'preoption': ['preoption', 'protopine'], 'preoral': ['peroral', 'preoral'], 'preorally': ['perorally', 'preorally'], 'prep': ['prep', 'repp'], 'prepalatine': ['periplaneta', 'prepalatine'], 'prepare': ['paperer', 'perpera', 'prepare', 'repaper'], 'prepatriotic': ['precipitator', 'prepatriotic'], 'prepay': ['papery', 'prepay', 'yapper'], 'preplot': ['preplot', 'toppler'], 'prepollent': ['prepollent', 'propellent'], 'prepontine': ['porpentine', 'prepontine'], 'prepositure': ['peripterous', 'prepositure'], 'prepuce': ['prepuce', 'upcreep'], 'prerational': ['prerational', 'proletarian'], 'prerealization': ['prerealization', 'proletarianize'], 'prereceive': ['prereceive', 'reperceive'], 'prerecital': ['perirectal', 'prerecital'], 'prereduction': ['interproduce', 'prereduction'], 'prerefer': ['prerefer', 'reprefer'], 'prereform': ['performer', 'prereform', 'reperform'], 'preremit': ['premerit', 'preremit', 'repermit'], 'prerental': ['prerental', 'replanter'], 'prerich': ['chirper', 'prerich'], 'preromantic': ['improcreant', 'preromantic'], 'presage': ['asperge', 'presage'], 'presager': ['asperger', 'presager'], 'presay': ['presay', 'speary'], 'prescapular': ['prescapular', 'supercarpal'], 'prescient': ['prescient', 'reinspect'], 'prescientific': ['interspecific', 'prescientific'], 'prescribe': ['perscribe', 'prescribe'], 'prescutal': ['prescutal', 'scalpture'], 'preseal': ['pleaser', 'preseal', 'relapse'], 'preseason': ['parsonese', 'preseason'], 'presell': ['presell', 'respell', 'speller'], 'present': ['penster', 'present', 'serpent', 'strepen'], 'presenter': ['presenter', 'represent'], 'presential': ['alpestrine', 'episternal', 'interlapse', 'presential'], 'presentist': ['persistent', 'presentist', 'prettiness'], 'presentive': ['presentive', 'pretensive', 'vespertine'], 'presentively': ['presentively', 'pretensively'], 'presentiveness': ['presentiveness', 'pretensiveness'], 'presently': ['presently', 'serpently'], 'preserve': ['perverse', 'preserve'], 'preset': ['pester', 'preset', 'restep', 'streep'], 'preshare': ['preshare', 'rephrase'], 'preship': ['preship', 'shipper'], 'preshortage': ['preshortage', 'stereograph'], 'preside': ['perseid', 'preside'], 'presidencia': ['acipenserid', 'presidencia'], 'president': ['president', 'serpentid'], 'presidente': ['predestine', 'presidente'], 'presider': ['presider', 'serriped'], 'presign': ['presign', 'springe'], 'presignal': ['espringal', 'presignal', 'relapsing'], 'presimian': ['mainprise', 'presimian'], 'presley': ['presley', 'sleepry'], 'presser': ['presser', 'repress'], 'pression': ['poriness', 'pression', 'ropiness'], 'pressive': ['pressive', 'viperess'], 'prest': ['prest', 'spret'], 'prestable': ['beplaster', 'prestable'], 'prestant': ['prestant', 'transept'], 'prestate': ['prestate', 'pretaste'], 'presto': ['poster', 'presto', 'repost', 'respot', 'stoper'], 'prestock': ['prestock', 'sprocket'], 'prestomial': ['peristomal', 'prestomial'], 'prestrain': ['prestrain', 'transpire'], 'presume': ['presume', 'supreme'], 'presurmise': ['impressure', 'presurmise'], 'presustain': ['presustain', 'puritaness', 'supersaint'], 'presystole': ['poetryless', 'presystole'], 'pretan': ['arpent', 'enrapt', 'entrap', 'panter', 'parent', 'pretan', 'trepan'], 'pretaste': ['prestate', 'pretaste'], 'pretensive': ['presentive', 'pretensive', 'vespertine'], 'pretensively': ['presentively', 'pretensively'], 'pretensiveness': ['presentiveness', 'pretensiveness'], 'pretentious': ['postuterine', 'pretentious'], 'pretercanine': ['irrepentance', 'pretercanine'], 'preterient': ['preterient', 'triterpene'], 'pretermit': ['permitter', 'pretermit'], 'pretheological': ['herpetological', 'pretheological'], 'pretibial': ['bipartile', 'pretibial'], 'pretonic': ['inceptor', 'pretonic'], 'pretorship': ['portership', 'pretorship'], 'pretrace': ['pretrace', 'recarpet'], 'pretracheal': ['archprelate', 'pretracheal'], 'pretrain': ['pretrain', 'terrapin'], 'pretransmission': ['pretransmission', 'transimpression'], 'pretreat': ['patterer', 'pretreat'], 'prettiness': ['persistent', 'presentist', 'prettiness'], 'prevailer': ['prevailer', 'reprieval'], 'prevalid': ['deprival', 'prevalid'], 'prevention': ['prevention', 'provenient'], 'preversion': ['perversion', 'preversion'], 'preveto': ['overpet', 'preveto', 'prevote'], 'previde': ['deprive', 'previde'], 'previous': ['pervious', 'previous', 'viperous'], 'previously': ['perviously', 'previously', 'viperously'], 'previousness': ['perviousness', 'previousness', 'viperousness'], 'prevoid': ['prevoid', 'provide'], 'prevomer': ['premover', 'prevomer'], 'prevote': ['overpet', 'preveto', 'prevote'], 'prewar': ['prewar', 'rewrap', 'warper'], 'prewarn': ['prawner', 'prewarn'], 'prewhip': ['prewhip', 'whipper'], 'prewrap': ['prewrap', 'wrapper'], 'prexy': ['prexy', 'pyrex'], 'prey': ['prey', 'pyre', 'rype'], 'pria': ['pair', 'pari', 'pria', 'ripa'], 'price': ['price', 'repic'], 'priced': ['percid', 'priced'], 'prich': ['chirp', 'prich'], 'prickfoot': ['prickfoot', 'tickproof'], 'prickle': ['pickler', 'prickle'], 'pride': ['pride', 'pried', 'redip'], 'pridian': ['pindari', 'pridian'], 'pried': ['pride', 'pried', 'redip'], 'prier': ['prier', 'riper'], 'priest': ['priest', 'pteris', 'sprite', 'stripe'], 'priestal': ['epistlar', 'pilaster', 'plaister', 'priestal'], 'priesthood': ['priesthood', 'spritehood'], 'priestless': ['priestless', 'stripeless'], 'prig': ['grip', 'prig'], 'prigman': ['gripman', 'prigman', 'ramping'], 'prima': ['impar', 'pamir', 'prima'], 'primage': ['epigram', 'primage'], 'primal': ['imparl', 'primal'], 'primates': ['maspiter', 'pastimer', 'primates'], 'primatial': ['impartial', 'primatial'], 'primely': ['primely', 'reimply'], 'primeness': ['primeness', 'spenerism'], 'primost': ['primost', 'tropism'], 'primrose': ['primrose', 'promiser'], 'primsie': ['pismire', 'primsie'], 'primus': ['primus', 'purism'], 'prince': ['pincer', 'prince'], 'princehood': ['cnidophore', 'princehood'], 'princeite': ['princeite', 'recipient'], 'princelike': ['pincerlike', 'princelike'], 'princely': ['pencilry', 'princely'], 'princesse': ['crepiness', 'princesse'], 'prine': ['piner', 'prine', 'repin', 'ripen'], 'pringle': ['pingler', 'pringle'], 'printed': ['deprint', 'printed'], 'printer': ['printer', 'reprint'], 'priodontes': ['desorption', 'priodontes'], 'prionopine': ['preopinion', 'prionopine'], 'prisage': ['prisage', 'spairge'], 'prisal': ['prisal', 'spiral'], 'prismatoid': ['diatropism', 'prismatoid'], 'prisometer': ['prisometer', 'spirometer'], 'prisonable': ['bipersonal', 'prisonable'], 'pristane': ['pinaster', 'pristane'], 'pristine': ['enspirit', 'pristine'], 'pristis': ['pristis', 'tripsis'], 'prius': ['prius', 'sirup'], 'proadmission': ['adpromission', 'proadmission'], 'proal': ['parol', 'polar', 'poral', 'proal'], 'proalien': ['pelorian', 'peronial', 'proalien'], 'proamniotic': ['comparition', 'proamniotic'], 'proathletic': ['proathletic', 'prothetical'], 'proatlas': ['pastoral', 'proatlas'], 'proavis': ['pavisor', 'proavis'], 'probationer': ['probationer', 'reprobation'], 'probe': ['probe', 'rebop'], 'procaciously': ['plousiocracy', 'procaciously'], 'procaine': ['caponier', 'coprinae', 'procaine'], 'procanal': ['coplanar', 'procanal'], 'procapital': ['applicator', 'procapital'], 'procedure': ['procedure', 'reproduce'], 'proceeder': ['proceeder', 'reproceed'], 'procellas': ['procellas', 'scalloper'], 'procerite': ['procerite', 'receiptor'], 'procession': ['procession', 'scorpiones'], 'prochemical': ['microcephal', 'prochemical'], 'procidentia': ['predication', 'procidentia'], 'proclaimer': ['proclaimer', 'reproclaim'], 'procne': ['crepon', 'procne'], 'procnemial': ['complainer', 'procnemial', 'recomplain'], 'procommission': ['compromission', 'procommission'], 'procreant': ['copartner', 'procreant'], 'procreate': ['procreate', 'pterocera'], 'procreation': ['incorporate', 'procreation'], 'proctal': ['caltrop', 'proctal'], 'proctitis': ['proctitis', 'protistic', 'tropistic'], 'proctocolitis': ['coloproctitis', 'proctocolitis'], 'procuress': ['percussor', 'procuress'], 'prod': ['dorp', 'drop', 'prod'], 'proddle': ['plodder', 'proddle'], 'proem': ['merop', 'moper', 'proem', 'remop'], 'proemial': ['emporial', 'proemial'], 'proemium': ['emporium', 'pomerium', 'proemium'], 'proethical': ['carpholite', 'proethical'], 'proetid': ['diopter', 'peridot', 'proetid', 'protide', 'pteroid'], 'proetidae': ['periodate', 'proetidae', 'proteidae'], 'proetus': ['petrous', 'posture', 'proetus', 'proteus', 'septuor', 'spouter'], 'proficient': ['prefiction', 'proficient'], 'profit': ['forpit', 'profit'], 'profiter': ['portfire', 'profiter'], 'progeny': ['progeny', 'pyrogen'], 'prohibiter': ['prohibiter', 'reprohibit'], 'proidealistic': ['peridiastolic', 'periodicalist', 'proidealistic'], 'proke': ['poker', 'proke'], 'proker': ['porker', 'proker'], 'prolacrosse': ['prolacrosse', 'sclerospora'], 'prolapse': ['prolapse', 'sapropel'], 'prolation': ['ploration', 'portional', 'prolation'], 'prolegate': ['petrogale', 'petrolage', 'prolegate'], 'proletarian': ['prerational', 'proletarian'], 'proletarianize': ['prerealization', 'proletarianize'], 'proletariat': ['proletariat', 'reptatorial'], 'proletary': ['proletary', 'pyrolater'], 'prolicense': ['prolicense', 'proselenic'], 'prolongate': ['prolongate', 'protogenal'], 'promerit': ['importer', 'promerit', 'reimport'], 'promethean': ['heptameron', 'promethean'], 'promise': ['imposer', 'promise', 'semipro'], 'promisee': ['perisome', 'promisee', 'reimpose'], 'promiser': ['primrose', 'promiser'], 'promitosis': ['isotropism', 'promitosis'], 'promnesia': ['mesropian', 'promnesia', 'spironema'], 'promonarchist': ['micranthropos', 'promonarchist'], 'promote': ['promote', 'protome'], 'pronaos': ['pronaos', 'soprano'], 'pronate': ['operant', 'pronate', 'protean'], 'pronative': ['overpaint', 'pronative'], 'proneur': ['proneur', 'purrone'], 'pronotal': ['portolan', 'pronotal'], 'pronto': ['pronto', 'proton'], 'pronunciable': ['preconnubial', 'pronunciable'], 'proo': ['poor', 'proo'], 'proofer': ['proofer', 'reproof'], 'prop': ['prop', 'ropp'], 'propellent': ['prepollent', 'propellent'], 'propene': ['preopen', 'propene'], 'prophloem': ['pleomorph', 'prophloem'], 'propine': ['piperno', 'propine'], 'propinoic': ['propinoic', 'propionic'], 'propionic': ['propinoic', 'propionic'], 'propitial': ['propitial', 'triplopia'], 'proportioner': ['proportioner', 'reproportion'], 'propose': ['opposer', 'propose'], 'propraetorial': ['propraetorial', 'protoperlaria'], 'proprietous': ['peritropous', 'proprietous'], 'propylene': ['polyprene', 'propylene'], 'propyne': ['propyne', 'pyropen'], 'prorate': ['praetor', 'prorate'], 'proration': ['proration', 'troparion'], 'prore': ['porer', 'prore', 'roper'], 'prorebate': ['perborate', 'prorebate', 'reprobate'], 'proreduction': ['proreduction', 'reproduction'], 'prorevision': ['prorevision', 'provisioner', 'reprovision'], 'prorogate': ['graperoot', 'prorogate'], 'prosaist': ['prosaist', 'protasis'], 'prosateur': ['prosateur', 'pterosaur'], 'prose': ['poser', 'prose', 'ropes', 'spore'], 'prosecretin': ['prosecretin', 'reinspector'], 'prosectorial': ['corporealist', 'prosectorial'], 'prosectorium': ['micropterous', 'prosectorium'], 'proselenic': ['prolicense', 'proselenic'], 'proselyte': ['polyester', 'proselyte'], 'proseminate': ['impersonate', 'proseminate'], 'prosemination': ['impersonation', 'prosemination', 'semipronation'], 'proseneschal': ['chaperonless', 'proseneschal'], 'prosification': ['antisoporific', 'prosification', 'sporification'], 'prosilient': ['linopteris', 'prosilient'], 'prosiphonate': ['nephroptosia', 'prosiphonate'], 'proso': ['poros', 'proso', 'sopor', 'spoor'], 'prosodiacal': ['dorsoapical', 'prosodiacal'], 'prosopyle': ['polyspore', 'prosopyle'], 'prossy': ['prossy', 'spyros'], 'prostatectomy': ['cryptostomate', 'prostatectomy'], 'prosternate': ['paternoster', 'prosternate', 'transportee'], 'prostomiate': ['metroptosia', 'prostomiate'], 'protactic': ['catoptric', 'protactic'], 'protasis': ['prosaist', 'protasis'], 'prote': ['poter', 'prote', 'repot', 'tepor', 'toper', 'trope'], 'protead': ['adopter', 'protead', 'readopt'], 'protean': ['operant', 'pronate', 'protean'], 'protease': ['asterope', 'protease'], 'protectional': ['lactoprotein', 'protectional'], 'proteic': ['perotic', 'proteic', 'tropeic'], 'proteida': ['apteroid', 'proteida'], 'proteidae': ['periodate', 'proetidae', 'proteidae'], 'proteidean': ['pontederia', 'proteidean'], 'protein': ['pointer', 'protein', 'pterion', 'repoint', 'tropine'], 'proteinic': ['epornitic', 'proteinic'], 'proteles': ['proteles', 'serpolet'], 'protelidae': ['leopardite', 'protelidae'], 'protend': ['portend', 'protend'], 'protension': ['portension', 'protension'], 'proteolysis': ['elytroposis', 'proteolysis'], 'proteose': ['esotrope', 'proteose'], 'protest': ['protest', 'spotter'], 'protester': ['protester', 'reprotest'], 'proteus': ['petrous', 'posture', 'proetus', 'proteus', 'septuor', 'spouter'], 'protheca': ['archpoet', 'protheca'], 'prothesis': ['posterish', 'prothesis', 'sophister', 'storeship', 'tephrosis'], 'prothetical': ['proathletic', 'prothetical'], 'prothoracic': ['acrotrophic', 'prothoracic'], 'protide': ['diopter', 'peridot', 'proetid', 'protide', 'pteroid'], 'protist': ['protist', 'tropist'], 'protistic': ['proctitis', 'protistic', 'tropistic'], 'proto': ['porto', 'proto', 'troop'], 'protocneme': ['mecopteron', 'protocneme'], 'protogenal': ['prolongate', 'protogenal'], 'protoma': ['protoma', 'taproom'], 'protomagnesium': ['protomagnesium', 'spermatogonium'], 'protome': ['promote', 'protome'], 'protomorphic': ['morphotropic', 'protomorphic'], 'proton': ['pronto', 'proton'], 'protone': ['porteno', 'protone'], 'protonemal': ['monopteral', 'protonemal'], 'protoparent': ['protoparent', 'protopteran'], 'protopathic': ['haptotropic', 'protopathic'], 'protopathy': ['protopathy', 'protophyta'], 'protoperlaria': ['propraetorial', 'protoperlaria'], 'protophyta': ['protopathy', 'protophyta'], 'protophyte': ['protophyte', 'tropophyte'], 'protophytic': ['protophytic', 'tropophytic'], 'protopine': ['preoption', 'protopine'], 'protopteran': ['protoparent', 'protopteran'], 'protore': ['protore', 'trooper'], 'protosulphide': ['protosulphide', 'sulphoproteid'], 'prototheme': ['photometer', 'prototheme'], 'prototherian': ['ornithoptera', 'prototherian'], 'prototrophic': ['prototrophic', 'trophotropic'], 'protrade': ['predator', 'protrade', 'teardrop'], 'protreaty': ['protreaty', 'reptatory'], 'protuberantial': ['perturbational', 'protuberantial'], 'protyl': ['portly', 'protyl', 'tropyl'], 'provenient': ['prevention', 'provenient'], 'provide': ['prevoid', 'provide'], 'provider': ['overdrip', 'provider'], 'provisioner': ['prorevision', 'provisioner', 'reprovision'], 'prowed': ['powder', 'prowed'], 'prude': ['drupe', 'duper', 'perdu', 'prude', 'pured'], 'prudent': ['prudent', 'prunted', 'uptrend'], 'prudential': ['prudential', 'putredinal'], 'prudist': ['disrupt', 'prudist'], 'prudy': ['prudy', 'purdy', 'updry'], 'prue': ['peru', 'prue', 'pure'], 'prune': ['perun', 'prune'], 'prunted': ['prudent', 'prunted', 'uptrend'], 'prussic': ['prussic', 'scirpus'], 'prut': ['prut', 'turp'], 'pry': ['pry', 'pyr'], 'pryer': ['perry', 'pryer'], 'pryse': ['pryse', 'spyer'], 'psalm': ['plasm', 'psalm', 'slamp'], 'psalmic': ['plasmic', 'psalmic'], 'psalmister': ['psalmister', 'spermalist'], 'psalmodial': ['plasmodial', 'psalmodial'], 'psalmodic': ['plasmodic', 'psalmodic'], 'psaloid': ['psaloid', 'salpoid'], 'psalter': ['palster', 'persalt', 'plaster', 'psalter', 'spartle', 'stapler'], 'psalterian': ['alpestrian', 'palestrian', 'psalterian'], 'psalterion': ['interposal', 'psalterion'], 'psaltery': ['plastery', 'psaltery'], 'psaltress': ['psaltress', 'strapless'], 'psaronius': ['prasinous', 'psaronius'], 'psedera': ['psedera', 'respade'], 'psellism': ['misspell', 'psellism'], 'pseudelytron': ['pseudelytron', 'unproselyted'], 'pseudimago': ['megapodius', 'pseudimago'], 'pseudophallic': ['diplocephalus', 'pseudophallic'], 'psha': ['hasp', 'pash', 'psha', 'shap'], 'psi': ['psi', 'sip'], 'psiloceratid': ['prediastolic', 'psiloceratid'], 'psilophyton': ['polyphonist', 'psilophyton'], 'psilotic': ['colpitis', 'politics', 'psilotic'], 'psittacine': ['antiseptic', 'psittacine'], 'psoadic': ['psoadic', 'scapoid', 'sciapod'], 'psoas': ['passo', 'psoas'], 'psocidae': ['diascope', 'psocidae', 'scopidae'], 'psocine': ['psocine', 'scopine'], 'psora': ['psora', 'sapor', 'sarpo'], 'psoralea': ['parosela', 'psoralea'], 'psoroid': ['psoroid', 'sporoid'], 'psorous': ['psorous', 'soursop', 'sporous'], 'psychobiological': ['biopsychological', 'psychobiological'], 'psychobiology': ['biopsychology', 'psychobiology'], 'psychogalvanic': ['galvanopsychic', 'psychogalvanic'], 'psychomancy': ['psychomancy', 'scyphomancy'], 'psychomonism': ['monopsychism', 'psychomonism'], 'psychoneurological': ['neuropsychological', 'psychoneurological'], 'psychoneurosis': ['neuropsychosis', 'psychoneurosis'], 'psychophysiological': ['physiopsychological', 'psychophysiological'], 'psychophysiology': ['physiopsychology', 'psychophysiology'], 'psychorrhagy': ['chrysography', 'psychorrhagy'], 'psychosomatic': ['psychosomatic', 'somatopsychic'], 'psychotechnology': ['psychotechnology', 'technopsychology'], 'psychotheism': ['psychotheism', 'theopsychism'], 'psychotria': ['physiocrat', 'psychotria'], 'ptelea': ['apelet', 'ptelea'], 'ptereal': ['pearlet', 'pleater', 'prelate', 'ptereal', 'replate', 'repleat'], 'pterian': ['painter', 'pertain', 'pterian', 'repaint'], 'pterideous': ['depositure', 'pterideous'], 'pteridological': ['dipterological', 'pteridological'], 'pteridologist': ['dipterologist', 'pteridologist'], 'pteridology': ['dipterology', 'pteridology'], 'pterion': ['pointer', 'protein', 'pterion', 'repoint', 'tropine'], 'pteris': ['priest', 'pteris', 'sprite', 'stripe'], 'pterocera': ['procreate', 'pterocera'], 'pterodactylidae': ['dactylopteridae', 'pterodactylidae'], 'pterodactylus': ['dactylopterus', 'pterodactylus'], 'pterographer': ['petrographer', 'pterographer'], 'pterographic': ['petrographic', 'pterographic'], 'pterographical': ['petrographical', 'pterographical'], 'pterography': ['petrography', 'pterography', 'typographer'], 'pteroid': ['diopter', 'peridot', 'proetid', 'protide', 'pteroid'], 'pteroma': ['pteroma', 'tempora'], 'pteropus': ['pteropus', 'stoppeur'], 'pterosaur': ['prosateur', 'pterosaur'], 'pterospora': ['praepostor', 'pterospora'], 'pteryla': ['apertly', 'peartly', 'platery', 'pteryla', 'taperly'], 'pterylographical': ['petrographically', 'pterylographical'], 'pterylological': ['petrologically', 'pterylological'], 'pterylosis': ['peristylos', 'pterylosis'], 'ptilota': ['ptilota', 'talipot', 'toptail'], 'ptinus': ['ptinus', 'unspit'], 'ptolemean': ['leptonema', 'ptolemean'], 'ptomain': ['maintop', 'ptomain', 'tampion', 'timpano'], 'ptomainic': ['impaction', 'ptomainic'], 'ptyalin': ['inaptly', 'planity', 'ptyalin'], 'ptyalocele': ['clypeolate', 'ptyalocele'], 'ptyalogenic': ['genotypical', 'ptyalogenic'], 'pu': ['pu', 'up'], 'pua': ['pau', 'pua'], 'puan': ['napu', 'puan', 'puna'], 'publisher': ['publisher', 'republish'], 'puckball': ['puckball', 'pullback'], 'puckrel': ['plucker', 'puckrel'], 'pud': ['dup', 'pud'], 'pudendum': ['pudendum', 'undumped'], 'pudent': ['pudent', 'uptend'], 'pudic': ['cupid', 'pudic'], 'pudical': ['paludic', 'pudical'], 'pudicity': ['cupidity', 'pudicity'], 'puerer': ['puerer', 'purree'], 'puffer': ['puffer', 'repuff'], 'pug': ['gup', 'pug'], 'pugman': ['panmug', 'pugman'], 'puisne': ['puisne', 'supine'], 'puist': ['puist', 'upsit'], 'puja': ['jaup', 'puja'], 'puke': ['keup', 'puke'], 'pule': ['lupe', 'pelu', 'peul', 'pule'], 'pulian': ['paulin', 'pulian'], 'pulicene': ['clupeine', 'pulicene'], 'pulicidal': ['picudilla', 'pulicidal'], 'pulicide': ['lupicide', 'pediculi', 'pulicide'], 'puling': ['gulpin', 'puling'], 'pulish': ['huspil', 'pulish'], 'pullback': ['puckball', 'pullback'], 'pulp': ['plup', 'pulp'], 'pulper': ['pulper', 'purple'], 'pulpiter': ['pulpiter', 'repulpit'], 'pulpous': ['populus', 'pulpous'], 'pulpstone': ['pulpstone', 'unstopple'], 'pulsant': ['pulsant', 'upslant'], 'pulsate': ['pulsate', 'spatule', 'upsteal'], 'pulsatile': ['palluites', 'pulsatile'], 'pulsation': ['platinous', 'pulsation'], 'pulsator': ['postural', 'pulsator', 'sportula'], 'pulse': ['lepus', 'pulse'], 'pulsion': ['pulsion', 'unspoil', 'upsilon'], 'pulvic': ['pulvic', 'vulpic'], 'pumper': ['pumper', 'repump'], 'pumple': ['peplum', 'pumple'], 'puna': ['napu', 'puan', 'puna'], 'puncher': ['puncher', 'unperch'], 'punctilio': ['punctilio', 'unpolitic'], 'puncturer': ['puncturer', 'upcurrent'], 'punger': ['punger', 'repugn'], 'pungle': ['plunge', 'pungle'], 'puniceous': ['pecunious', 'puniceous'], 'punish': ['inpush', 'punish', 'unship'], 'punisher': ['punisher', 'repunish'], 'punishment': ['punishment', 'unshipment'], 'punlet': ['penult', 'punlet', 'puntel'], 'punnet': ['punnet', 'unpent'], 'puno': ['noup', 'puno', 'upon'], 'punta': ['punta', 'unapt', 'untap'], 'puntal': ['puntal', 'unplat'], 'puntel': ['penult', 'punlet', 'puntel'], 'punti': ['input', 'punti'], 'punto': ['punto', 'unpot', 'untop'], 'pupa': ['paup', 'pupa'], 'pupelo': ['poulpe', 'pupelo'], 'purana': ['purana', 'uparna'], 'purdy': ['prudy', 'purdy', 'updry'], 'pure': ['peru', 'prue', 'pure'], 'pured': ['drupe', 'duper', 'perdu', 'prude', 'pured'], 'puree': ['puree', 'rupee'], 'purer': ['purer', 'purre'], 'purine': ['purine', 'unripe', 'uprein'], 'purism': ['primus', 'purism'], 'purist': ['purist', 'spruit', 'uprist', 'upstir'], 'puritan': ['pintura', 'puritan', 'uptrain'], 'puritaness': ['presustain', 'puritaness', 'supersaint'], 'purler': ['purler', 'purrel'], 'purple': ['pulper', 'purple'], 'purpose': ['peropus', 'purpose'], 'purpuroxanthin': ['purpuroxanthin', 'xanthopurpurin'], 'purre': ['purer', 'purre'], 'purree': ['puerer', 'purree'], 'purrel': ['purler', 'purrel'], 'purrone': ['proneur', 'purrone'], 'purse': ['purse', 'resup', 'sprue', 'super'], 'purser': ['purser', 'spruer'], 'purslane': ['purslane', 'serpulan', 'supernal'], 'purslet': ['purslet', 'spurlet', 'spurtle'], 'pursuer': ['pursuer', 'usurper'], 'pursy': ['pursy', 'pyrus', 'syrup'], 'pus': ['pus', 'sup'], 'pushtu': ['pushtu', 'upshut'], 'pustule': ['pluteus', 'pustule'], 'pustulose': ['pustulose', 'stupulose'], 'put': ['put', 'tup'], 'putanism': ['putanism', 'sumpitan'], 'putation': ['outpaint', 'putation'], 'putredinal': ['prudential', 'putredinal'], 'putrid': ['putrid', 'turpid'], 'putridly': ['putridly', 'turpidly'], 'pya': ['pay', 'pya', 'yap'], 'pyal': ['paly', 'play', 'pyal', 'pyla'], 'pycnial': ['pliancy', 'pycnial'], 'pyelic': ['epicly', 'pyelic'], 'pyelitis': ['pyelitis', 'sipylite'], 'pyelocystitis': ['cystopyelitis', 'pyelocystitis'], 'pyelonephritis': ['nephropyelitis', 'pyelonephritis'], 'pyeloureterogram': ['pyeloureterogram', 'ureteropyelogram'], 'pyemesis': ['empyesis', 'pyemesis'], 'pygmalion': ['maypoling', 'pygmalion'], 'pyin': ['piny', 'pyin'], 'pyla': ['paly', 'play', 'pyal', 'pyla'], 'pylades': ['pylades', 'splayed'], 'pylagore': ['playgoer', 'pylagore'], 'pylar': ['parly', 'pylar', 'pyral'], 'pyonephrosis': ['nephropyosis', 'pyonephrosis'], 'pyopneumothorax': ['pneumopyothorax', 'pyopneumothorax'], 'pyosepticemia': ['pyosepticemia', 'septicopyemia'], 'pyosepticemic': ['pyosepticemic', 'septicopyemic'], 'pyr': ['pry', 'pyr'], 'pyracanth': ['pantarchy', 'pyracanth'], 'pyral': ['parly', 'pylar', 'pyral'], 'pyrales': ['parsley', 'pyrales', 'sparely', 'splayer'], 'pyralid': ['pyralid', 'rapidly'], 'pyramidale': ['lampyridae', 'pyramidale'], 'pyranometer': ['premonetary', 'pyranometer'], 'pyre': ['prey', 'pyre', 'rype'], 'pyrena': ['napery', 'pyrena'], 'pyrenic': ['cyprine', 'pyrenic'], 'pyrenoid': ['pyrenoid', 'pyridone', 'pyrodine'], 'pyretogenic': ['pyretogenic', 'pyrogenetic'], 'pyrex': ['prexy', 'pyrex'], 'pyrgocephaly': ['pelycography', 'pyrgocephaly'], 'pyridone': ['pyrenoid', 'pyridone', 'pyrodine'], 'pyrites': ['pyrites', 'sperity'], 'pyritoid': ['pityroid', 'pyritoid'], 'pyro': ['pory', 'pyro', 'ropy'], 'pyroarsenite': ['arsenopyrite', 'pyroarsenite'], 'pyrochemical': ['microcephaly', 'pyrochemical'], 'pyrocomenic': ['pyrocomenic', 'pyromeconic'], 'pyrodine': ['pyrenoid', 'pyridone', 'pyrodine'], 'pyrogen': ['progeny', 'pyrogen'], 'pyrogenetic': ['pyretogenic', 'pyrogenetic'], 'pyrolater': ['proletary', 'pyrolater'], 'pyromantic': ['importancy', 'patronymic', 'pyromantic'], 'pyromeconic': ['pyrocomenic', 'pyromeconic'], 'pyrope': ['popery', 'pyrope'], 'pyropen': ['propyne', 'pyropen'], 'pyrophorus': ['porphyrous', 'pyrophorus'], 'pyrotheria': ['erythropia', 'pyrotheria'], 'pyruline': ['pyruline', 'unripely'], 'pyrus': ['pursy', 'pyrus', 'syrup'], 'pyruvil': ['pyruvil', 'pyvuril'], 'pythagorism': ['myographist', 'pythagorism'], 'pythia': ['pythia', 'typhia'], 'pythic': ['phytic', 'pitchy', 'pythic', 'typhic'], 'pythogenesis': ['phytogenesis', 'pythogenesis'], 'pythogenetic': ['phytogenetic', 'pythogenetic'], 'pythogenic': ['phytogenic', 'pythogenic', 'typhogenic'], 'pythogenous': ['phytogenous', 'pythogenous'], 'python': ['phyton', 'python'], 'pythonic': ['hypnotic', 'phytonic', 'pythonic', 'typhonic'], 'pythonism': ['hypnotism', 'pythonism'], 'pythonist': ['hypnotist', 'pythonist'], 'pythonize': ['hypnotize', 'pythonize'], 'pythonoid': ['hypnotoid', 'pythonoid'], 'pyvuril': ['pyruvil', 'pyvuril'], 'quadrual': ['quadrual', 'quadrula'], 'quadrula': ['quadrual', 'quadrula'], 'quail': ['quail', 'quila'], 'quake': ['quake', 'queak'], 'quale': ['equal', 'quale', 'queal'], 'qualitied': ['liquidate', 'qualitied'], 'quamoclit': ['coquitlam', 'quamoclit'], 'quannet': ['quannet', 'tanquen'], 'quartile': ['quartile', 'requital', 'triequal'], 'quartine': ['antiquer', 'quartine'], 'quata': ['quata', 'taqua'], 'quatrin': ['quatrin', 'tarquin'], 'queak': ['quake', 'queak'], 'queal': ['equal', 'quale', 'queal'], 'queeve': ['eveque', 'queeve'], 'quencher': ['quencher', 'requench'], 'querier': ['querier', 'require'], 'queriman': ['queriman', 'ramequin'], 'querist': ['querist', 'squiret'], 'quernal': ['quernal', 'ranquel'], 'quester': ['quester', 'request'], 'questioner': ['questioner', 'requestion'], 'questor': ['questor', 'torques'], 'quiet': ['quiet', 'quite'], 'quietable': ['equitable', 'quietable'], 'quieter': ['quieter', 'requite'], 'quietist': ['equitist', 'quietist'], 'quietsome': ['quietsome', 'semiquote'], 'quiina': ['quiina', 'quinia'], 'quila': ['quail', 'quila'], 'quiles': ['quiles', 'quisle'], 'quinate': ['antique', 'quinate'], 'quince': ['cinque', 'quince'], 'quinia': ['quiina', 'quinia'], 'quinite': ['inquiet', 'quinite'], 'quinnat': ['quinnat', 'quintan'], 'quinse': ['quinse', 'sequin'], 'quintan': ['quinnat', 'quintan'], 'quintato': ['quintato', 'totaquin'], 'quinze': ['quinze', 'zequin'], 'quirt': ['quirt', 'qurti'], 'quisle': ['quiles', 'quisle'], 'quite': ['quiet', 'quite'], 'quits': ['quits', 'squit'], 'quote': ['quote', 'toque'], 'quoter': ['quoter', 'roquet', 'torque'], 'qurti': ['quirt', 'qurti'], 'ra': ['ar', 'ra'], 'raad': ['adar', 'arad', 'raad', 'rada'], 'raash': ['asarh', 'raash', 'sarah'], 'rab': ['bar', 'bra', 'rab'], 'raband': ['bandar', 'raband'], 'rabatine': ['atabrine', 'rabatine'], 'rabatte': ['baretta', 'rabatte', 'tabaret'], 'rabbanite': ['barnabite', 'rabbanite', 'rabbinate'], 'rabbet': ['barbet', 'rabbet', 'tabber'], 'rabbinate': ['barnabite', 'rabbanite', 'rabbinate'], 'rabble': ['barbel', 'labber', 'rabble'], 'rabboni': ['barbion', 'rabboni'], 'rabi': ['abir', 'bari', 'rabi'], 'rabic': ['baric', 'carib', 'rabic'], 'rabid': ['barid', 'bidar', 'braid', 'rabid'], 'rabidly': ['bardily', 'rabidly', 'ridably'], 'rabidness': ['bardiness', 'rabidness'], 'rabies': ['braise', 'rabies', 'rebias'], 'rabin': ['abrin', 'bairn', 'brain', 'brian', 'rabin'], 'rabinet': ['atebrin', 'rabinet'], 'raccoon': ['carcoon', 'raccoon'], 'race': ['acer', 'acre', 'care', 'crea', 'race'], 'racemate': ['camerate', 'macerate', 'racemate'], 'racemation': ['aeromantic', 'cameration', 'maceration', 'racemation'], 'raceme': ['amerce', 'raceme'], 'racemed': ['decream', 'racemed'], 'racemic': ['ceramic', 'racemic'], 'racer': ['carer', 'crare', 'racer'], 'rach': ['arch', 'char', 'rach'], 'rache': ['acher', 'arche', 'chare', 'chera', 'rache', 'reach'], 'rachel': ['rachel', 'rechal'], 'rachianectes': ['rachianectes', 'rhacianectes'], 'rachidial': ['diarchial', 'rachidial'], 'rachitis': ['architis', 'rachitis'], 'racial': ['alaric', 'racial'], 'racialist': ['racialist', 'satirical'], 'racing': ['arcing', 'racing'], 'racist': ['crista', 'racist'], 'rack': ['cark', 'rack'], 'racker': ['racker', 'rerack'], 'racket': ['racket', 'retack', 'tacker'], 'racking': ['arcking', 'carking', 'racking'], 'rackingly': ['carkingly', 'rackingly'], 'rackle': ['calker', 'lacker', 'rackle', 'recalk', 'reckla'], 'racon': ['acorn', 'acron', 'racon'], 'raconteur': ['cuarteron', 'raconteur'], 'racoon': ['caroon', 'corona', 'racoon'], 'racy': ['cary', 'racy'], 'rad': ['dar', 'rad'], 'rada': ['adar', 'arad', 'raad', 'rada'], 'raddle': ['ladder', 'raddle'], 'raddleman': ['dreamland', 'raddleman'], 'radectomy': ['myctodera', 'radectomy'], 'radek': ['daker', 'drake', 'kedar', 'radek'], 'radiable': ['labridae', 'radiable'], 'radiale': ['ardelia', 'laridae', 'radiale'], 'radian': ['adrian', 'andira', 'andria', 'radian', 'randia'], 'radiance': ['caridean', 'dircaean', 'radiance'], 'radiant': ['intrada', 'radiant'], 'radiata': ['dataria', 'radiata'], 'radical': ['cardial', 'radical'], 'radicant': ['antacrid', 'cardiant', 'radicant', 'tridacna'], 'radicel': ['decrial', 'radicel', 'radicle'], 'radices': ['diceras', 'radices', 'sidecar'], 'radicle': ['decrial', 'radicel', 'radicle'], 'radicose': ['idocrase', 'radicose'], 'radicule': ['auricled', 'radicule'], 'radiculose': ['coresidual', 'radiculose'], 'radiectomy': ['acidometry', 'medicatory', 'radiectomy'], 'radii': ['dairi', 'darii', 'radii'], 'radio': ['aroid', 'doria', 'radio'], 'radioautograph': ['autoradiograph', 'radioautograph'], 'radioautographic': ['autoradiographic', 'radioautographic'], 'radioautography': ['autoradiography', 'radioautography'], 'radiohumeral': ['humeroradial', 'radiohumeral'], 'radiolite': ['editorial', 'radiolite'], 'radiolucent': ['radiolucent', 'reductional'], 'radioman': ['adoniram', 'radioman'], 'radiomicrometer': ['microradiometer', 'radiomicrometer'], 'radiophone': ['phoronidea', 'radiophone'], 'radiophony': ['hypodorian', 'radiophony'], 'radiotelephone': ['radiotelephone', 'teleradiophone'], 'radiotron': ['ordinator', 'radiotron'], 'radish': ['ardish', 'radish'], 'radius': ['darius', 'radius'], 'radman': ['mandra', 'radman'], 'radon': ['adorn', 'donar', 'drona', 'radon'], 'radula': ['adular', 'aludra', 'radula'], 'rafael': ['aflare', 'rafael'], 'rafe': ['fare', 'fear', 'frae', 'rafe'], 'raffee': ['affeer', 'raffee'], 'raffia': ['affair', 'raffia'], 'raffle': ['farfel', 'raffle'], 'rafik': ['fakir', 'fraik', 'kafir', 'rafik'], 'raft': ['frat', 'raft'], 'raftage': ['fregata', 'raftage'], 'rafter': ['frater', 'rafter'], 'rag': ['gar', 'gra', 'rag'], 'raga': ['agar', 'agra', 'gara', 'raga'], 'rage': ['ager', 'agre', 'gare', 'gear', 'rage'], 'rageless': ['eelgrass', 'gearless', 'rageless'], 'ragfish': ['garfish', 'ragfish'], 'ragged': ['dagger', 'gadger', 'ragged'], 'raggee': ['agrege', 'raggee'], 'raggety': ['gargety', 'raggety'], 'raggle': ['gargle', 'gregal', 'lagger', 'raggle'], 'raggled': ['draggle', 'raggled'], 'raggy': ['aggry', 'raggy'], 'ragingly': ['grayling', 'ragingly'], 'raglanite': ['antiglare', 'raglanite'], 'raglet': ['raglet', 'tergal'], 'raglin': ['nargil', 'raglin'], 'ragman': ['amgarn', 'mangar', 'marang', 'ragman'], 'ragnar': ['garran', 'ragnar'], 'ragshag': ['ragshag', 'shagrag'], 'ragtag': ['ragtag', 'tagrag'], 'ragtime': ['migrate', 'ragtime'], 'ragule': ['ragule', 'regula'], 'raguly': ['glaury', 'raguly'], 'raia': ['aira', 'aria', 'raia'], 'raid': ['arid', 'dari', 'raid'], 'raider': ['arride', 'raider'], 'raif': ['fair', 'fiar', 'raif'], 'raiidae': ['ariidae', 'raiidae'], 'rail': ['aril', 'lair', 'lari', 'liar', 'lira', 'rail', 'rial'], 'railage': ['lairage', 'railage', 'regalia'], 'railer': ['railer', 'rerail'], 'railhead': ['headrail', 'railhead'], 'railless': ['lairless', 'railless'], 'railman': ['lairman', 'laminar', 'malarin', 'railman'], 'raiment': ['minaret', 'raiment', 'tireman'], 'rain': ['arni', 'iran', 'nair', 'rain', 'rani'], 'raincoat': ['craniota', 'croatian', 'narcotia', 'raincoat'], 'rainful': ['rainful', 'unfrail'], 'rainspout': ['rainspout', 'supinator'], 'rainy': ['nairy', 'rainy'], 'rais': ['rais', 'sair', 'sari'], 'raise': ['aries', 'arise', 'raise', 'serai'], 'raiseman': ['erasmian', 'raiseman'], 'raiser': ['raiser', 'sierra'], 'raisin': ['raisin', 'sirian'], 'raj': ['jar', 'raj'], 'raja': ['ajar', 'jara', 'raja'], 'rajah': ['ajhar', 'rajah'], 'rajeev': ['evejar', 'rajeev'], 'rake': ['rake', 'reak'], 'rakesteel': ['rakesteel', 'rakestele'], 'rakestele': ['rakesteel', 'rakestele'], 'rakh': ['hark', 'khar', 'rakh'], 'raki': ['ikra', 'kari', 'raki'], 'rakish': ['rakish', 'riksha', 'shikar', 'shikra', 'sikhra'], 'rakit': ['kitar', 'krait', 'rakit', 'traik'], 'raku': ['kuar', 'raku', 'rauk'], 'ralf': ['farl', 'ralf'], 'ralliance': ['alliancer', 'ralliance'], 'ralline': ['ralline', 'renilla'], 'ram': ['arm', 'mar', 'ram'], 'rama': ['amar', 'amra', 'mara', 'rama'], 'ramada': ['armada', 'damara', 'ramada'], 'ramage': ['gemara', 'ramage'], 'ramaite': ['ametria', 'artemia', 'meratia', 'ramaite'], 'ramal': ['alarm', 'malar', 'maral', 'marla', 'ramal'], 'ramanas': ['ramanas', 'sramana'], 'ramate': ['ramate', 'retama'], 'ramble': ['ambler', 'blamer', 'lamber', 'marble', 'ramble'], 'rambler': ['marbler', 'rambler'], 'rambling': ['marbling', 'rambling'], 'rambo': ['broma', 'rambo'], 'rambutan': ['rambutan', 'tamburan'], 'rame': ['erma', 'mare', 'rame', 'ream'], 'ramed': ['armed', 'derma', 'dream', 'ramed'], 'rament': ['manter', 'marten', 'rament'], 'ramental': ['maternal', 'ramental'], 'ramequin': ['queriman', 'ramequin'], 'ramesh': ['masher', 'ramesh', 'shamer'], 'ramet': ['armet', 'mater', 'merat', 'metra', 'ramet', 'tamer', 'terma', 'trame', 'trema'], 'rami': ['amir', 'irma', 'mari', 'mira', 'rami', 'rima'], 'ramie': ['aimer', 'maire', 'marie', 'ramie'], 'ramiferous': ['armiferous', 'ramiferous'], 'ramigerous': ['armigerous', 'ramigerous'], 'ramillie': ['milliare', 'ramillie'], 'ramisection': ['anisometric', 'creationism', 'miscreation', 'ramisection', 'reactionism'], 'ramist': ['marist', 'matris', 'ramist'], 'ramline': ['marline', 'mineral', 'ramline'], 'rammel': ['lammer', 'rammel'], 'rammy': ['mymar', 'rammy'], 'ramon': ['manor', 'moran', 'norma', 'ramon', 'roman'], 'ramona': ['oarman', 'ramona'], 'ramose': ['amores', 'ramose', 'sorema'], 'ramosely': ['marysole', 'ramosely'], 'ramp': ['pram', 'ramp'], 'rampant': ['mantrap', 'rampant'], 'ramped': ['damper', 'ramped'], 'ramper': ['prearm', 'ramper'], 'rampike': ['perakim', 'permiak', 'rampike'], 'ramping': ['gripman', 'prigman', 'ramping'], 'ramsey': ['ramsey', 'smeary'], 'ramson': ['ramson', 'ransom'], 'ramtil': ['mitral', 'ramtil'], 'ramule': ['mauler', 'merula', 'ramule'], 'ramulus': ['malurus', 'ramulus'], 'ramus': ['musar', 'ramus', 'rusma', 'surma'], 'ramusi': ['misura', 'ramusi'], 'ran': ['arn', 'nar', 'ran'], 'rana': ['arna', 'rana'], 'ranales': ['arsenal', 'ranales'], 'rance': ['caner', 'crane', 'crena', 'nacre', 'rance'], 'rancel': ['lancer', 'rancel'], 'rancer': ['craner', 'rancer'], 'ranche': ['enarch', 'ranche'], 'ranchero': ['anchorer', 'ranchero', 'reanchor'], 'rancho': ['anchor', 'archon', 'charon', 'rancho'], 'rancid': ['andric', 'cardin', 'rancid'], 'rand': ['darn', 'nard', 'rand'], 'randan': ['annard', 'randan'], 'randem': ['damner', 'manred', 'randem', 'remand'], 'rander': ['darner', 'darren', 'errand', 'rander', 'redarn'], 'randia': ['adrian', 'andira', 'andria', 'radian', 'randia'], 'randing': ['darning', 'randing'], 'randite': ['antired', 'detrain', 'randite', 'trained'], 'randle': ['aldern', 'darnel', 'enlard', 'lander', 'lenard', 'randle', 'reland'], 'random': ['random', 'rodman'], 'rane': ['arne', 'earn', 'rane'], 'ranere': ['earner', 'ranere'], 'rang': ['garn', 'gnar', 'rang'], 'range': ['anger', 'areng', 'grane', 'range'], 'ranged': ['danger', 'gander', 'garden', 'ranged'], 'rangeless': ['largeness', 'rangeless', 'regalness'], 'ranger': ['garner', 'ranger'], 'rangey': ['anergy', 'rangey'], 'ranginess': ['angriness', 'ranginess'], 'rangle': ['angler', 'arleng', 'garnel', 'largen', 'rangle', 'regnal'], 'rangy': ['angry', 'rangy'], 'rani': ['arni', 'iran', 'nair', 'rain', 'rani'], 'ranid': ['darin', 'dinar', 'drain', 'indra', 'nadir', 'ranid'], 'ranidae': ['araneid', 'ariadne', 'ranidae'], 'raniform': ['nariform', 'raniform'], 'raninae': ['aranein', 'raninae'], 'ranine': ['narine', 'ranine'], 'rank': ['knar', 'kran', 'nark', 'rank'], 'ranked': ['darken', 'kanred', 'ranked'], 'ranker': ['ranker', 'rerank'], 'rankish': ['krishna', 'rankish'], 'rannel': ['lanner', 'rannel'], 'ranquel': ['quernal', 'ranquel'], 'ransom': ['ramson', 'ransom'], 'rant': ['natr', 'rant', 'tarn', 'tran'], 'rantepole': ['petrolean', 'rantepole'], 'ranter': ['arrent', 'errant', 'ranter', 'ternar'], 'rantipole': ['prelation', 'rantipole'], 'ranula': ['alraun', 'alruna', 'ranula'], 'rap': ['par', 'rap'], 'rape': ['aper', 'pare', 'pear', 'rape', 'reap'], 'rapeful': ['rapeful', 'upflare'], 'raper': ['parer', 'raper'], 'raphael': ['phalera', 'raphael'], 'raphaelic': ['eparchial', 'raphaelic'], 'raphe': ['hepar', 'phare', 'raphe'], 'raphia': ['pahari', 'pariah', 'raphia'], 'raphides': ['diphaser', 'parished', 'raphides', 'sephardi'], 'raphis': ['parish', 'raphis', 'rhapis'], 'rapic': ['capri', 'picra', 'rapic'], 'rapid': ['adrip', 'rapid'], 'rapidly': ['pyralid', 'rapidly'], 'rapier': ['pairer', 'rapier', 'repair'], 'rapine': ['parine', 'rapine'], 'raping': ['paring', 'raping'], 'rapparee': ['appearer', 'rapparee', 'reappear'], 'rappe': ['paper', 'rappe'], 'rappel': ['lapper', 'rappel'], 'rappite': ['periapt', 'rappite'], 'rapt': ['part', 'prat', 'rapt', 'tarp', 'trap'], 'raptly': ['paltry', 'partly', 'raptly'], 'raptor': ['parrot', 'raptor'], 'rapture': ['parture', 'rapture'], 'rare': ['rare', 'rear'], 'rarebit': ['arbiter', 'rarebit'], 'rareripe': ['rareripe', 'repairer'], 'rarish': ['arrish', 'harris', 'rarish', 'sirrah'], 'ras': ['ras', 'sar'], 'rasa': ['rasa', 'sara'], 'rascacio': ['coracias', 'rascacio'], 'rascal': ['lascar', 'rascal', 'sacral', 'scalar'], 'rase': ['arse', 'rase', 'sare', 'sear', 'sera'], 'rasen': ['anser', 'nares', 'rasen', 'snare'], 'raser': ['ersar', 'raser', 'serra'], 'rasher': ['rasher', 'sharer'], 'rashing': ['garnish', 'rashing'], 'rashti': ['rashti', 'tarish'], 'rasion': ['arsino', 'rasion', 'sonrai'], 'rasp': ['rasp', 'spar'], 'rasped': ['rasped', 'spader', 'spread'], 'rasper': ['parser', 'rasper', 'sparer'], 'rasping': ['aspring', 'rasping', 'sparing'], 'raspingly': ['raspingly', 'sparingly'], 'raspingness': ['raspingness', 'sparingness'], 'raspite': ['piaster', 'piastre', 'raspite', 'spirate', 'traipse'], 'raspy': ['raspy', 'spary', 'spray'], 'rasse': ['arses', 'rasse'], 'raster': ['arrest', 'astrer', 'raster', 'starer'], 'rastik': ['rastik', 'sarkit', 'straik'], 'rastle': ['laster', 'lastre', 'rastle', 'relast', 'resalt', 'salter', 'slater', 'stelar'], 'rastus': ['rastus', 'tarsus'], 'rat': ['art', 'rat', 'tar', 'tra'], 'rata': ['rata', 'taar', 'tara'], 'ratable': ['alberta', 'latebra', 'ratable'], 'ratal': ['altar', 'artal', 'ratal', 'talar'], 'ratanhia': ['ratanhia', 'rhatania'], 'ratbite': ['biretta', 'brattie', 'ratbite'], 'ratch': ['chart', 'ratch'], 'ratchel': ['clethra', 'latcher', 'ratchel', 'relatch', 'talcher', 'trachle'], 'ratcher': ['charter', 'ratcher'], 'ratchet': ['chatter', 'ratchet'], 'ratchety': ['chattery', 'ratchety', 'trachyte'], 'ratching': ['charting', 'ratching'], 'rate': ['rate', 'tare', 'tear', 'tera'], 'rated': ['dater', 'derat', 'detar', 'drate', 'rated', 'trade', 'tread'], 'ratel': ['alert', 'alter', 'artel', 'later', 'ratel', 'taler', 'telar'], 'rateless': ['rateless', 'tasseler', 'tearless', 'tesseral'], 'ratfish': ['ratfish', 'tashrif'], 'rath': ['hart', 'rath', 'tahr', 'thar', 'trah'], 'rathe': ['earth', 'hater', 'heart', 'herat', 'rathe'], 'rathed': ['dearth', 'hatred', 'rathed', 'thread'], 'rathely': ['earthly', 'heartly', 'lathery', 'rathely'], 'ratherest': ['ratherest', 'shatterer'], 'rathest': ['rathest', 'shatter'], 'rathite': ['hartite', 'rathite'], 'rathole': ['loather', 'rathole'], 'raticidal': ['raticidal', 'triadical'], 'raticide': ['ceratiid', 'raticide'], 'ratine': ['nerita', 'ratine', 'retain', 'retina', 'tanier'], 'rating': ['rating', 'tringa'], 'ratio': ['ariot', 'ratio'], 'ration': ['aroint', 'ration'], 'rationable': ['alboranite', 'rationable'], 'rational': ['notarial', 'rational', 'rotalian'], 'rationale': ['alienator', 'rationale'], 'rationalize': ['rationalize', 'realization'], 'rationally': ['notarially', 'rationally'], 'rationate': ['notariate', 'rationate'], 'ratitae': ['arietta', 'ratitae'], 'ratite': ['attire', 'ratite', 'tertia'], 'ratitous': ['outstair', 'ratitous'], 'ratlike': ['artlike', 'ratlike', 'tarlike'], 'ratline': ['entrail', 'latiner', 'latrine', 'ratline', 'reliant', 'retinal', 'trenail'], 'rattage': ['garetta', 'rattage', 'regatta'], 'rattan': ['rattan', 'tantra', 'tartan'], 'ratteen': ['entreat', 'ratteen', 'tarente', 'ternate', 'tetrane'], 'ratten': ['attern', 'natter', 'ratten', 'tarten'], 'ratti': ['ratti', 'titar', 'trait'], 'rattish': ['athirst', 'rattish', 'tartish'], 'rattle': ['artlet', 'latter', 'rattle', 'tartle', 'tatler'], 'rattles': ['rattles', 'slatter', 'starlet', 'startle'], 'rattlesome': ['rattlesome', 'saltometer'], 'rattly': ['rattly', 'tartly'], 'ratton': ['attorn', 'ratton', 'rottan'], 'rattus': ['astrut', 'rattus', 'stuart'], 'ratwood': ['ratwood', 'tarwood'], 'raught': ['raught', 'tughra'], 'rauk': ['kuar', 'raku', 'rauk'], 'raul': ['alur', 'laur', 'lura', 'raul', 'ural'], 'rauli': ['rauli', 'urali', 'urial'], 'raun': ['raun', 'uran', 'urna'], 'raunge': ['nauger', 'raunge', 'ungear'], 'rave': ['aver', 'rave', 'vare', 'vera'], 'ravel': ['arvel', 'larve', 'laver', 'ravel', 'velar'], 'ravelin': ['elinvar', 'ravelin', 'reanvil', 'valerin'], 'ravelly': ['ravelly', 'valeryl'], 'ravendom': ['overdamn', 'ravendom'], 'ravenelia': ['ravenelia', 'veneralia'], 'ravenish': ['enravish', 'ravenish', 'vanisher'], 'ravi': ['ravi', 'riva', 'vair', 'vari', 'vira'], 'ravigote': ['ravigote', 'rogative'], 'ravin': ['invar', 'ravin', 'vanir'], 'ravine': ['averin', 'ravine'], 'ravined': ['invader', 'ravined', 'viander'], 'raving': ['grivna', 'raving'], 'ravissant': ['ravissant', 'srivatsan'], 'raw': ['raw', 'war'], 'rawboned': ['downbear', 'rawboned'], 'rawish': ['rawish', 'wairsh', 'warish'], 'rax': ['arx', 'rax'], 'ray': ['ary', 'ray', 'yar'], 'raya': ['arya', 'raya'], 'rayan': ['aryan', 'nayar', 'rayan'], 'rayed': ['deary', 'deray', 'rayed', 'ready', 'yeard'], 'raylet': ['lyrate', 'raylet', 'realty', 'telary'], 'rayonnance': ['annoyancer', 'rayonnance'], 'raze': ['ezra', 'raze'], 're': ['er', 're'], 'rea': ['aer', 'are', 'ear', 'era', 'rea'], 'reaal': ['areal', 'reaal'], 'reabandon': ['abandoner', 'reabandon'], 'reabolish': ['abolisher', 'reabolish'], 'reabsent': ['absenter', 'reabsent'], 'reabsorb': ['absorber', 'reabsorb'], 'reaccession': ['accessioner', 'reaccession'], 'reaccomplish': ['accomplisher', 'reaccomplish'], 'reaccord': ['accorder', 'reaccord'], 'reaccost': ['ectosarc', 'reaccost'], 'reach': ['acher', 'arche', 'chare', 'chera', 'rache', 'reach'], 'reachieve': ['echeveria', 'reachieve'], 'react': ['caret', 'carte', 'cater', 'crate', 'creat', 'creta', 'react', 'recta', 'trace'], 'reactance': ['cancerate', 'reactance'], 'reaction': ['actioner', 'anerotic', 'ceration', 'creation', 'reaction'], 'reactional': ['creational', 'crotalinae', 'laceration', 'reactional'], 'reactionary': ['creationary', 'reactionary'], 'reactionism': ['anisometric', 'creationism', 'miscreation', 'ramisection', 'reactionism'], 'reactionist': ['creationist', 'reactionist'], 'reactive': ['creative', 'reactive'], 'reactively': ['creatively', 'reactively'], 'reactiveness': ['creativeness', 'reactiveness'], 'reactivity': ['creativity', 'reactivity'], 'reactor': ['creator', 'reactor'], 'read': ['ared', 'daer', 'dare', 'dear', 'read'], 'readapt': ['adapter', 'predata', 'readapt'], 'readd': ['adder', 'dread', 'readd'], 'readdress': ['addresser', 'readdress'], 'reader': ['reader', 'redare', 'reread'], 'reading': ['degrain', 'deraign', 'deringa', 'gradine', 'grained', 'reading'], 'readjust': ['adjuster', 'readjust'], 'readopt': ['adopter', 'protead', 'readopt'], 'readorn': ['adorner', 'readorn'], 'ready': ['deary', 'deray', 'rayed', 'ready', 'yeard'], 'reaffect': ['affecter', 'reaffect'], 'reaffirm': ['affirmer', 'reaffirm'], 'reafflict': ['afflicter', 'reafflict'], 'reagent': ['grantee', 'greaten', 'reagent', 'rentage'], 'reagin': ['arenig', 'earing', 'gainer', 'reagin', 'regain'], 'reak': ['rake', 'reak'], 'real': ['earl', 'eral', 'lear', 'real'], 'reales': ['alerse', 'leaser', 'reales', 'resale', 'reseal', 'sealer'], 'realest': ['realest', 'reslate', 'resteal', 'stealer', 'teasler'], 'realign': ['aligner', 'engrail', 'realign', 'reginal'], 'realignment': ['engrailment', 'realignment'], 'realism': ['mislear', 'realism'], 'realist': ['aletris', 'alister', 'listera', 'realist', 'saltier'], 'realistic': ['eristical', 'realistic'], 'reality': ['irately', 'reality'], 'realive': ['realive', 'valerie'], 'realization': ['rationalize', 'realization'], 'reallot': ['reallot', 'rotella', 'tallero'], 'reallow': ['allower', 'reallow'], 'reallude': ['laureled', 'reallude'], 'realmlet': ['realmlet', 'tremella'], 'realter': ['alterer', 'realter', 'relater'], 'realtor': ['realtor', 'relator'], 'realty': ['lyrate', 'raylet', 'realty', 'telary'], 'ream': ['erma', 'mare', 'rame', 'ream'], 'reamage': ['megaera', 'reamage'], 'reamass': ['amasser', 'reamass'], 'reamend': ['amender', 'meander', 'reamend', 'reedman'], 'reamer': ['marree', 'reamer'], 'reamuse': ['measure', 'reamuse'], 'reamy': ['mayer', 'reamy'], 'reanchor': ['anchorer', 'ranchero', 'reanchor'], 'reanneal': ['annealer', 'lernaean', 'reanneal'], 'reannex': ['annexer', 'reannex'], 'reannoy': ['annoyer', 'reannoy'], 'reanoint': ['anointer', 'inornate', 'nonirate', 'reanoint'], 'reanswer': ['answerer', 'reanswer'], 'reanvil': ['elinvar', 'ravelin', 'reanvil', 'valerin'], 'reap': ['aper', 'pare', 'pear', 'rape', 'reap'], 'reapdole': ['leoparde', 'reapdole'], 'reappeal': ['appealer', 'reappeal'], 'reappear': ['appearer', 'rapparee', 'reappear'], 'reapplaud': ['applauder', 'reapplaud'], 'reappoint': ['appointer', 'reappoint'], 'reapportion': ['apportioner', 'reapportion'], 'reapprehend': ['apprehender', 'reapprehend'], 'reapproach': ['approacher', 'reapproach'], 'rear': ['rare', 'rear'], 'reargue': ['augerer', 'reargue'], 'reargument': ['garmenture', 'reargument'], 'rearise': ['rearise', 'reraise'], 'rearm': ['armer', 'rearm'], 'rearray': ['arrayer', 'rearray'], 'rearrest': ['arrester', 'rearrest'], 'reascend': ['ascender', 'reascend'], 'reascent': ['reascent', 'sarcenet'], 'reascertain': ['ascertainer', 'reascertain', 'secretarian'], 'reask': ['asker', 'reask', 'saker', 'sekar'], 'reason': ['arseno', 'reason'], 'reassail': ['assailer', 'reassail'], 'reassault': ['assaulter', 'reassault', 'saleratus'], 'reassay': ['assayer', 'reassay'], 'reassent': ['assenter', 'reassent', 'sarsenet'], 'reassert': ['asserter', 'reassert'], 'reassign': ['assigner', 'reassign'], 'reassist': ['assister', 'reassist'], 'reassort': ['assertor', 'assorter', 'oratress', 'reassort'], 'reastonish': ['astonisher', 'reastonish', 'treasonish'], 'reasty': ['atresy', 'estray', 'reasty', 'stayer'], 'reasy': ['reasy', 'resay', 'sayer', 'seary'], 'reattach': ['attacher', 'reattach'], 'reattack': ['attacker', 'reattack'], 'reattain': ['attainer', 'reattain', 'tertiana'], 'reattempt': ['attempter', 'reattempt'], 'reattend': ['attender', 'nattered', 'reattend'], 'reattest': ['attester', 'reattest'], 'reattract': ['attracter', 'reattract'], 'reattraction': ['reattraction', 'retractation'], 'reatus': ['auster', 'reatus'], 'reavail': ['reavail', 'valeria'], 'reave': ['eaver', 'reave'], 'reavoid': ['avodire', 'avoider', 'reavoid'], 'reavouch': ['avoucher', 'reavouch'], 'reavow': ['avower', 'reavow'], 'reawait': ['awaiter', 'reawait'], 'reawaken': ['awakener', 'reawaken'], 'reaward': ['awarder', 'reaward'], 'reb': ['ber', 'reb'], 'rebab': ['barbe', 'bebar', 'breba', 'rebab'], 'reback': ['backer', 'reback'], 'rebag': ['bagre', 'barge', 'begar', 'rebag'], 'rebait': ['baiter', 'barite', 'rebait', 'terbia'], 'rebake': ['beaker', 'berake', 'rebake'], 'reballast': ['ballaster', 'reballast'], 'reballot': ['balloter', 'reballot'], 'reban': ['abner', 'arneb', 'reban'], 'rebanish': ['banisher', 'rebanish'], 'rebar': ['barer', 'rebar'], 'rebargain': ['bargainer', 'rebargain'], 'rebasis': ['brassie', 'rebasis'], 'rebate': ['beater', 'berate', 'betear', 'rebate', 'rebeat'], 'rebater': ['rebater', 'terebra'], 'rebathe': ['breathe', 'rebathe'], 'rebato': ['boater', 'borate', 'rebato'], 'rebawl': ['bawler', 'brelaw', 'rebawl', 'warble'], 'rebear': ['bearer', 'rebear'], 'rebeat': ['beater', 'berate', 'betear', 'rebate', 'rebeat'], 'rebeck': ['becker', 'rebeck'], 'rebed': ['brede', 'breed', 'rebed'], 'rebeg': ['gerbe', 'grebe', 'rebeg'], 'rebeggar': ['beggarer', 'rebeggar'], 'rebegin': ['bigener', 'rebegin'], 'rebehold': ['beholder', 'rebehold'], 'rebellow': ['bellower', 'rebellow'], 'rebelly': ['bellyer', 'rebelly'], 'rebelong': ['belonger', 'rebelong'], 'rebend': ['bender', 'berend', 'rebend'], 'rebenefit': ['benefiter', 'rebenefit'], 'rebeset': ['besteer', 'rebeset'], 'rebestow': ['bestower', 'rebestow'], 'rebetray': ['betrayer', 'eatberry', 'rebetray', 'teaberry'], 'rebewail': ['bewailer', 'rebewail'], 'rebia': ['barie', 'beira', 'erbia', 'rebia'], 'rebias': ['braise', 'rabies', 'rebias'], 'rebid': ['bider', 'bredi', 'bride', 'rebid'], 'rebill': ['biller', 'rebill'], 'rebillet': ['billeter', 'rebillet'], 'rebind': ['binder', 'inbred', 'rebind'], 'rebirth': ['brither', 'rebirth'], 'rebite': ['bertie', 'betire', 'rebite'], 'reblade': ['bleared', 'reblade'], 'reblast': ['blaster', 'reblast', 'stabler'], 'rebleach': ['bleacher', 'rebleach'], 'reblend': ['blender', 'reblend'], 'rebless': ['blesser', 'rebless'], 'reblock': ['blocker', 'brockle', 'reblock'], 'rebloom': ['bloomer', 'rebloom'], 'reblot': ['bolter', 'orblet', 'reblot', 'rebolt'], 'reblow': ['blower', 'bowler', 'reblow', 'worble'], 'reblue': ['brulee', 'burele', 'reblue'], 'rebluff': ['bluffer', 'rebluff'], 'reblunder': ['blunderer', 'reblunder'], 'reboant': ['baronet', 'reboant'], 'reboantic': ['bicornate', 'carbonite', 'reboantic'], 'reboard': ['arbored', 'boarder', 'reboard'], 'reboast': ['barotse', 'boaster', 'reboast', 'sorbate'], 'reboil': ['boiler', 'reboil'], 'rebold': ['belord', 'bordel', 'rebold'], 'rebolt': ['bolter', 'orblet', 'reblot', 'rebolt'], 'rebone': ['boreen', 'enrobe', 'neebor', 'rebone'], 'rebook': ['booker', 'brooke', 'rebook'], 'rebop': ['probe', 'rebop'], 'rebore': ['rebore', 'rerobe'], 'reborrow': ['borrower', 'reborrow'], 'rebound': ['beround', 'bounder', 'rebound', 'unbored', 'unorbed', 'unrobed'], 'rebounder': ['rebounder', 'underrobe'], 'rebox': ['boxer', 'rebox'], 'rebrace': ['cerebra', 'rebrace'], 'rebraid': ['braider', 'rebraid'], 'rebranch': ['brancher', 'rebranch'], 'rebrand': ['bernard', 'brander', 'rebrand'], 'rebrandish': ['brandisher', 'rebrandish'], 'rebreed': ['breeder', 'rebreed'], 'rebrew': ['brewer', 'rebrew'], 'rebribe': ['berberi', 'rebribe'], 'rebring': ['bringer', 'rebring'], 'rebroach': ['broacher', 'rebroach'], 'rebroadcast': ['broadcaster', 'rebroadcast'], 'rebrown': ['browner', 'rebrown'], 'rebrush': ['brusher', 'rebrush'], 'rebud': ['bedur', 'rebud', 'redub'], 'rebudget': ['budgeter', 'rebudget'], 'rebuff': ['buffer', 'rebuff'], 'rebuffet': ['buffeter', 'rebuffet'], 'rebuild': ['builder', 'rebuild'], 'rebulk': ['bulker', 'rebulk'], 'rebunch': ['buncher', 'rebunch'], 'rebundle': ['blendure', 'rebundle'], 'reburden': ['burdener', 'reburden'], 'reburn': ['burner', 'reburn'], 'reburnish': ['burnisher', 'reburnish'], 'reburst': ['burster', 'reburst'], 'rebus': ['burse', 'rebus', 'suber'], 'rebush': ['busher', 'rebush'], 'rebut': ['brute', 'buret', 'rebut', 'tuber'], 'rebute': ['rebute', 'retube'], 'rebuttal': ['burletta', 'rebuttal'], 'rebutton': ['buttoner', 'rebutton'], 'rebuy': ['buyer', 'rebuy'], 'recalk': ['calker', 'lacker', 'rackle', 'recalk', 'reckla'], 'recall': ['caller', 'cellar', 'recall'], 'recampaign': ['campaigner', 'recampaign'], 'recancel': ['canceler', 'clarence', 'recancel'], 'recant': ['canter', 'creant', 'cretan', 'nectar', 'recant', 'tanrec', 'trance'], 'recantation': ['recantation', 'triacontane'], 'recanter': ['canterer', 'recanter', 'recreant', 'terrance'], 'recap': ['caper', 'crape', 'pacer', 'perca', 'recap'], 'recaption': ['preaction', 'precation', 'recaption'], 'recarpet': ['pretrace', 'recarpet'], 'recart': ['arrect', 'carter', 'crater', 'recart', 'tracer'], 'recase': ['cesare', 'crease', 'recase', 'searce'], 'recash': ['arches', 'chaser', 'eschar', 'recash', 'search'], 'recast': ['carest', 'caster', 'recast'], 'recatch': ['catcher', 'recatch'], 'recede': ['decree', 'recede'], 'recedent': ['centered', 'decenter', 'decentre', 'recedent'], 'receder': ['decreer', 'receder'], 'receipt': ['ereptic', 'precite', 'receipt'], 'receiptor': ['procerite', 'receiptor'], 'receivables': ['receivables', 'serviceable'], 'received': ['deceiver', 'received'], 'recement': ['cementer', 'cerement', 'recement'], 'recension': ['ninescore', 'recension'], 'recensionist': ['intercession', 'recensionist'], 'recent': ['center', 'recent', 'tenrec'], 'recenter': ['centerer', 'recenter', 'recentre', 'terrence'], 'recentre': ['centerer', 'recenter', 'recentre', 'terrence'], 'reception': ['prenotice', 'reception'], 'receptoral': ['praelector', 'receptoral'], 'recess': ['cesser', 'recess'], 'rechain': ['chainer', 'enchair', 'rechain'], 'rechal': ['rachel', 'rechal'], 'rechamber': ['chamberer', 'rechamber'], 'rechange': ['encharge', 'rechange'], 'rechant': ['chanter', 'rechant'], 'rechar': ['archer', 'charer', 'rechar'], 'recharter': ['charterer', 'recharter'], 'rechase': ['archsee', 'rechase'], 'rechaser': ['rechaser', 'research', 'searcher'], 'rechasten': ['chastener', 'rechasten'], 'rechaw': ['chawer', 'rechaw'], 'recheat': ['cheater', 'hectare', 'recheat', 'reteach', 'teacher'], 'recheck': ['checker', 'recheck'], 'recheer': ['cheerer', 'recheer'], 'rechew': ['chewer', 'rechew'], 'rechip': ['cipher', 'rechip'], 'rechisel': ['chiseler', 'rechisel'], 'rechristen': ['christener', 'rechristen'], 'rechuck': ['chucker', 'rechuck'], 'recidivous': ['recidivous', 'veridicous'], 'recipe': ['piecer', 'pierce', 'recipe'], 'recipiend': ['perdicine', 'recipiend'], 'recipient': ['princeite', 'recipient'], 'reciprocate': ['carpocerite', 'reciprocate'], 'recirculate': ['clericature', 'recirculate'], 'recision': ['recision', 'soricine'], 'recital': ['article', 'recital'], 'recitativo': ['recitativo', 'victoriate'], 'recite': ['cerite', 'certie', 'recite', 'tierce'], 'recitement': ['centimeter', 'recitement', 'remittence'], 'reckla': ['calker', 'lacker', 'rackle', 'recalk', 'reckla'], 'reckless': ['clerkess', 'reckless'], 'reckling': ['clerking', 'reckling'], 'reckon': ['conker', 'reckon'], 'reclaim': ['claimer', 'miracle', 'reclaim'], 'reclaimer': ['calmierer', 'reclaimer'], 'reclama': ['cameral', 'caramel', 'carmela', 'ceramal', 'reclama'], 'reclang': ['cangler', 'glancer', 'reclang'], 'reclasp': ['clasper', 'reclasp', 'scalper'], 'reclass': ['carless', 'classer', 'reclass'], 'reclean': ['cleaner', 'reclean'], 'reclear': ['clearer', 'reclear'], 'reclimb': ['climber', 'reclimb'], 'reclinate': ['intercale', 'interlace', 'lacertine', 'reclinate'], 'reclinated': ['credential', 'interlaced', 'reclinated'], 'recluse': ['luceres', 'recluse'], 'recluseness': ['censureless', 'recluseness'], 'reclusion': ['cornelius', 'inclosure', 'reclusion'], 'reclusive': ['reclusive', 'versicule'], 'recoach': ['caroche', 'coacher', 'recoach'], 'recoal': ['carole', 'coaler', 'coelar', 'oracle', 'recoal'], 'recoast': ['coaster', 'recoast'], 'recoat': ['coater', 'recoat'], 'recock': ['cocker', 'recock'], 'recoil': ['coiler', 'recoil'], 'recoilment': ['clinometer', 'recoilment'], 'recoin': ['cerion', 'coiner', 'neroic', 'orcein', 'recoin'], 'recoinage': ['aerogenic', 'recoinage'], 'recollate': ['electoral', 'recollate'], 'recollation': ['collationer', 'recollation'], 'recollection': ['collectioner', 'recollection'], 'recollet': ['colleter', 'coteller', 'coterell', 'recollet'], 'recolor': ['colorer', 'recolor'], 'recomb': ['comber', 'recomb'], 'recomfort': ['comforter', 'recomfort'], 'recommand': ['commander', 'recommand'], 'recommend': ['commender', 'recommend'], 'recommission': ['commissioner', 'recommission'], 'recompact': ['compacter', 'recompact'], 'recompass': ['compasser', 'recompass'], 'recompetition': ['competitioner', 'recompetition'], 'recomplain': ['complainer', 'procnemial', 'recomplain'], 'recompound': ['compounder', 'recompound'], 'recomprehend': ['comprehender', 'recomprehend'], 'recon': ['coner', 'crone', 'recon'], 'reconceal': ['concealer', 'reconceal'], 'reconcert': ['concreter', 'reconcert'], 'reconcession': ['concessioner', 'reconcession'], 'reconcoct': ['concocter', 'reconcoct'], 'recondemn': ['condemner', 'recondemn'], 'recondensation': ['nondesecration', 'recondensation'], 'recondition': ['conditioner', 'recondition'], 'reconfer': ['confrere', 'enforcer', 'reconfer'], 'reconfess': ['confesser', 'reconfess'], 'reconfirm': ['confirmer', 'reconfirm'], 'reconform': ['conformer', 'reconform'], 'reconfound': ['confounder', 'reconfound'], 'reconfront': ['confronter', 'reconfront'], 'recongeal': ['congealer', 'recongeal'], 'reconjoin': ['conjoiner', 'reconjoin'], 'reconnect': ['concenter', 'reconnect'], 'reconnoiter': ['reconnoiter', 'reconnoitre'], 'reconnoitre': ['reconnoiter', 'reconnoitre'], 'reconsent': ['consenter', 'nonsecret', 'reconsent'], 'reconsider': ['considerer', 'reconsider'], 'reconsign': ['consigner', 'reconsign'], 'reconstitution': ['constitutioner', 'reconstitution'], 'reconstruct': ['constructer', 'reconstruct'], 'reconsult': ['consulter', 'reconsult'], 'recontend': ['contender', 'recontend'], 'recontest': ['contester', 'recontest'], 'recontinue': ['recontinue', 'unctioneer'], 'recontract': ['contracter', 'correctant', 'recontract'], 'reconvention': ['conventioner', 'reconvention'], 'reconvert': ['converter', 'reconvert'], 'reconvey': ['conveyer', 'reconvey'], 'recook': ['cooker', 'recook'], 'recool': ['cooler', 'recool'], 'recopper': ['copperer', 'recopper'], 'recopyright': ['copyrighter', 'recopyright'], 'record': ['corder', 'record'], 'recordation': ['corrodentia', 'recordation'], 'recork': ['corker', 'recork', 'rocker'], 'recorrection': ['correctioner', 'recorrection'], 'recorrupt': ['corrupter', 'recorrupt'], 'recounsel': ['enclosure', 'recounsel'], 'recount': ['cornute', 'counter', 'recount', 'trounce'], 'recountal': ['nucleator', 'recountal'], 'recoup': ['couper', 'croupe', 'poucer', 'recoup'], 'recourse': ['recourse', 'resource'], 'recover': ['coverer', 'recover'], 'recramp': ['cramper', 'recramp'], 'recrank': ['cranker', 'recrank'], 'recrate': ['caterer', 'recrate', 'retrace', 'terrace'], 'recreant': ['canterer', 'recanter', 'recreant', 'terrance'], 'recredit': ['cedriret', 'directer', 'recredit', 'redirect'], 'recrew': ['crewer', 'recrew'], 'recrimination': ['intermorainic', 'recrimination'], 'recroon': ['coroner', 'crooner', 'recroon'], 'recross': ['crosser', 'recross'], 'recrowd': ['crowder', 'recrowd'], 'recrown': ['crowner', 'recrown'], 'recrudency': ['decurrency', 'recrudency'], 'recruital': ['curtailer', 'recruital', 'reticular'], 'recrush': ['crusher', 'recrush'], 'recta': ['caret', 'carte', 'cater', 'crate', 'creat', 'creta', 'react', 'recta', 'trace'], 'rectal': ['carlet', 'cartel', 'claret', 'rectal', 'talcer'], 'rectalgia': ['cartilage', 'rectalgia'], 'recti': ['citer', 'recti', 'ticer', 'trice'], 'rectifiable': ['certifiable', 'rectifiable'], 'rectification': ['certification', 'cretification', 'rectification'], 'rectificative': ['certificative', 'rectificative'], 'rectificator': ['certificator', 'rectificator'], 'rectificatory': ['certificatory', 'rectificatory'], 'rectified': ['certified', 'rectified'], 'rectifier': ['certifier', 'rectifier'], 'rectify': ['certify', 'cretify', 'rectify'], 'rection': ['cerotin', 'cointer', 'cotrine', 'cretion', 'noticer', 'rection'], 'rectitude': ['certitude', 'rectitude'], 'rectoress': ['crosstree', 'rectoress'], 'rectorship': ['cristopher', 'rectorship'], 'rectotome': ['octometer', 'rectotome', 'tocometer'], 'rectovesical': ['rectovesical', 'vesicorectal'], 'recur': ['curer', 'recur'], 'recurl': ['curler', 'recurl'], 'recurse': ['recurse', 'rescuer', 'securer'], 'recurtain': ['recurtain', 'unerratic'], 'recurvation': ['countervair', 'overcurtain', 'recurvation'], 'recurvous': ['recurvous', 'verrucous'], 'recusance': ['recusance', 'securance'], 'recusant': ['etruscan', 'recusant'], 'recusation': ['nectarious', 'recusation'], 'recusator': ['craterous', 'recusator'], 'recuse': ['cereus', 'ceruse', 'recuse', 'rescue', 'secure'], 'recut': ['cruet', 'eruct', 'recut', 'truce'], 'red': ['erd', 'red'], 'redact': ['cedrat', 'decart', 'redact'], 'redaction': ['citronade', 'endaortic', 'redaction'], 'redactional': ['declaration', 'redactional'], 'redamage': ['dreamage', 'redamage'], 'redan': ['andre', 'arend', 'daren', 'redan'], 'redare': ['reader', 'redare', 'reread'], 'redarken': ['darkener', 'redarken'], 'redarn': ['darner', 'darren', 'errand', 'rander', 'redarn'], 'redart': ['darter', 'dartre', 'redart', 'retard', 'retrad', 'tarred', 'trader'], 'redate': ['derate', 'redate'], 'redaub': ['dauber', 'redaub'], 'redawn': ['andrew', 'redawn', 'wander', 'warden'], 'redbait': ['redbait', 'tribade'], 'redbud': ['budder', 'redbud'], 'redcoat': ['cordate', 'decator', 'redcoat'], 'redden': ['nedder', 'redden'], 'reddingite': ['digredient', 'reddingite'], 'rede': ['deer', 'dere', 'dree', 'rede', 'reed'], 'redeal': ['dealer', 'leader', 'redeal', 'relade', 'relead'], 'redeck': ['decker', 'redeck'], 'redeed': ['redeed', 'reeded'], 'redeem': ['deemer', 'meered', 'redeem', 'remede'], 'redefault': ['defaulter', 'redefault'], 'redefeat': ['defeater', 'federate', 'redefeat'], 'redefine': ['needfire', 'redefine'], 'redeflect': ['redeflect', 'reflected'], 'redelay': ['delayer', 'layered', 'redelay'], 'redeliver': ['deliverer', 'redeliver'], 'redemand': ['demander', 'redemand'], 'redemolish': ['demolisher', 'redemolish'], 'redeny': ['redeny', 'yender'], 'redepend': ['depender', 'redepend'], 'redeprive': ['prederive', 'redeprive'], 'rederivation': ['rederivation', 'veratroidine'], 'redescend': ['descender', 'redescend'], 'redescription': ['prediscretion', 'redescription'], 'redesign': ['designer', 'redesign', 'resigned'], 'redesman': ['redesman', 'seamrend'], 'redetect': ['detecter', 'redetect'], 'redevelop': ['developer', 'redevelop'], 'redfin': ['finder', 'friend', 'redfin', 'refind'], 'redhoop': ['redhoop', 'rhodope'], 'redia': ['aider', 'deair', 'irade', 'redia'], 'redient': ['nitered', 'redient', 'teinder'], 'redig': ['dirge', 'gride', 'redig', 'ridge'], 'redigest': ['digester', 'redigest'], 'rediminish': ['diminisher', 'rediminish'], 'redintegrator': ['redintegrator', 'retrogradient'], 'redip': ['pride', 'pried', 'redip'], 'redirect': ['cedriret', 'directer', 'recredit', 'redirect'], 'redisable': ['desirable', 'redisable'], 'redisappear': ['disappearer', 'redisappear'], 'rediscount': ['discounter', 'rediscount'], 'rediscover': ['discoverer', 'rediscover'], 'rediscuss': ['discusser', 'rediscuss'], 'redispatch': ['dispatcher', 'redispatch'], 'redisplay': ['displayer', 'redisplay'], 'redispute': ['disrepute', 'redispute'], 'redistend': ['dendrites', 'distender', 'redistend'], 'redistill': ['distiller', 'redistill'], 'redistinguish': ['distinguisher', 'redistinguish'], 'redistrain': ['distrainer', 'redistrain'], 'redisturb': ['disturber', 'redisturb'], 'redive': ['derive', 'redive'], 'redivert': ['diverter', 'redivert', 'verditer'], 'redleg': ['gelder', 'ledger', 'redleg'], 'redlegs': ['redlegs', 'sledger'], 'redo': ['doer', 'redo', 'rode', 'roed'], 'redock': ['corked', 'docker', 'redock'], 'redolent': ['redolent', 'rondelet'], 'redoom': ['doomer', 'mooder', 'redoom', 'roomed'], 'redoubling': ['bouldering', 'redoubling'], 'redoubt': ['doubter', 'obtrude', 'outbred', 'redoubt'], 'redound': ['redound', 'rounded', 'underdo'], 'redowa': ['redowa', 'woader'], 'redraft': ['drafter', 'redraft'], 'redrag': ['darger', 'gerard', 'grader', 'redrag', 'regard'], 'redraw': ['drawer', 'redraw', 'reward', 'warder'], 'redrawer': ['redrawer', 'rewarder', 'warderer'], 'redream': ['dreamer', 'redream'], 'redress': ['dresser', 'redress'], 'redrill': ['driller', 'redrill'], 'redrive': ['deriver', 'redrive', 'rivered'], 'redry': ['derry', 'redry', 'ryder'], 'redtail': ['dilater', 'lardite', 'redtail'], 'redtop': ['deport', 'ported', 'redtop'], 'redub': ['bedur', 'rebud', 'redub'], 'reductant': ['reductant', 'traducent', 'truncated'], 'reduction': ['introduce', 'reduction'], 'reductional': ['radiolucent', 'reductional'], 'redue': ['redue', 'urdee'], 'redunca': ['durance', 'redunca', 'unraced'], 'redwithe': ['redwithe', 'withered'], 'redye': ['redye', 'reedy'], 'ree': ['eer', 'ere', 'ree'], 'reechy': ['cheery', 'reechy'], 'reed': ['deer', 'dere', 'dree', 'rede', 'reed'], 'reeded': ['redeed', 'reeded'], 'reeden': ['endere', 'needer', 'reeden'], 'reedily': ['reedily', 'reyield', 'yielder'], 'reeding': ['energid', 'reeding'], 'reedling': ['engirdle', 'reedling'], 'reedman': ['amender', 'meander', 'reamend', 'reedman'], 'reedwork': ['reedwork', 'reworked'], 'reedy': ['redye', 'reedy'], 'reef': ['feer', 'free', 'reef'], 'reefing': ['feering', 'feigner', 'freeing', 'reefing', 'refeign'], 'reek': ['eker', 'reek'], 'reel': ['leer', 'reel'], 'reeler': ['reeler', 'rereel'], 'reelingly': ['leeringly', 'reelingly'], 'reem': ['mere', 'reem'], 'reeming': ['reeming', 'regimen'], 'reen': ['erne', 'neer', 'reen'], 'reenge': ['neeger', 'reenge', 'renege'], 'rees': ['erse', 'rees', 'seer', 'sere'], 'reese': ['esere', 'reese', 'resee'], 'reesk': ['esker', 'keres', 'reesk', 'seker', 'skeer', 'skere'], 'reest': ['ester', 'estre', 'reest', 'reset', 'steer', 'stere', 'stree', 'terse', 'tsere'], 'reester': ['reester', 'steerer'], 'reestle': ['reestle', 'resteel', 'steeler'], 'reesty': ['reesty', 'yester'], 'reet': ['reet', 'teer', 'tree'], 'reetam': ['reetam', 'retame', 'teamer'], 'reeveland': ['landreeve', 'reeveland'], 'refall': ['faller', 'refall'], 'refashion': ['fashioner', 'refashion'], 'refasten': ['fastener', 'fenestra', 'refasten'], 'refavor': ['favorer', 'overfar', 'refavor'], 'refeed': ['feeder', 'refeed'], 'refeel': ['feeler', 'refeel', 'reflee'], 'refeign': ['feering', 'feigner', 'freeing', 'reefing', 'refeign'], 'refel': ['fleer', 'refel'], 'refer': ['freer', 'refer'], 'referment': ['fermenter', 'referment'], 'refetch': ['fetcher', 'refetch'], 'refight': ['fighter', 'freight', 'refight'], 'refill': ['filler', 'refill'], 'refilter': ['filterer', 'refilter'], 'refinable': ['inferable', 'refinable'], 'refind': ['finder', 'friend', 'redfin', 'refind'], 'refine': ['ferine', 'refine'], 'refined': ['definer', 'refined'], 'refiner': ['refiner', 'reinfer'], 'refinger': ['fingerer', 'refinger'], 'refining': ['infringe', 'refining'], 'refinish': ['finisher', 'refinish'], 'refit': ['freit', 'refit'], 'refix': ['fixer', 'refix'], 'reflash': ['flasher', 'reflash'], 'reflected': ['redeflect', 'reflected'], 'reflee': ['feeler', 'refeel', 'reflee'], 'refling': ['ferling', 'flinger', 'refling'], 'refloat': ['floater', 'florate', 'refloat'], 'reflog': ['golfer', 'reflog'], 'reflood': ['flooder', 'reflood'], 'refloor': ['floorer', 'refloor'], 'reflourish': ['flourisher', 'reflourish'], 'reflow': ['flower', 'fowler', 'reflow', 'wolfer'], 'reflower': ['flowerer', 'reflower'], 'reflush': ['flusher', 'reflush'], 'reflux': ['fluxer', 'reflux'], 'refluxed': ['flexured', 'refluxed'], 'refly': ['ferly', 'flyer', 'refly'], 'refocus': ['focuser', 'refocus'], 'refold': ['folder', 'refold'], 'refoment': ['fomenter', 'refoment'], 'refoot': ['footer', 'refoot'], 'reforecast': ['forecaster', 'reforecast'], 'reforest': ['forester', 'fosterer', 'reforest'], 'reforfeit': ['forfeiter', 'reforfeit'], 'reform': ['former', 'reform'], 'reformado': ['doorframe', 'reformado'], 'reformed': ['deformer', 'reformed'], 'reformism': ['misreform', 'reformism'], 'reformist': ['reformist', 'restiform'], 'reforward': ['forwarder', 'reforward'], 'refound': ['founder', 'refound'], 'refoundation': ['foundationer', 'refoundation'], 'refreshen': ['freshener', 'refreshen'], 'refrighten': ['frightener', 'refrighten'], 'refront': ['fronter', 'refront'], 'reft': ['fret', 'reft', 'tref'], 'refuel': ['ferule', 'fueler', 'refuel'], 'refund': ['funder', 'refund'], 'refurbish': ['furbisher', 'refurbish'], 'refurl': ['furler', 'refurl'], 'refurnish': ['furnisher', 'refurnish'], 'refusingly': ['refusingly', 'syringeful'], 'refutal': ['faulter', 'refutal', 'tearful'], 'refute': ['fuerte', 'refute'], 'reg': ['erg', 'ger', 'reg'], 'regain': ['arenig', 'earing', 'gainer', 'reagin', 'regain'], 'regal': ['argel', 'ergal', 'garle', 'glare', 'lager', 'large', 'regal'], 'regalia': ['lairage', 'railage', 'regalia'], 'regalian': ['algerian', 'geranial', 'regalian'], 'regalist': ['glaister', 'regalist'], 'regallop': ['galloper', 'regallop'], 'regally': ['allergy', 'gallery', 'largely', 'regally'], 'regalness': ['largeness', 'rangeless', 'regalness'], 'regard': ['darger', 'gerard', 'grader', 'redrag', 'regard'], 'regarnish': ['garnisher', 'regarnish'], 'regather': ['gatherer', 'regather'], 'regatta': ['garetta', 'rattage', 'regatta'], 'regelate': ['eglatere', 'regelate', 'relegate'], 'regelation': ['regelation', 'relegation'], 'regenesis': ['energesis', 'regenesis'], 'regent': ['gerent', 'regent'], 'reges': ['reges', 'serge'], 'reget': ['egret', 'greet', 'reget'], 'regga': ['agger', 'gager', 'regga'], 'reggie': ['greige', 'reggie'], 'regia': ['geira', 'regia'], 'regild': ['gilder', 'girdle', 'glider', 'regild', 'ridgel'], 'regill': ['giller', 'grille', 'regill'], 'regimen': ['reeming', 'regimen'], 'regimenal': ['margeline', 'regimenal'], 'regin': ['grein', 'inger', 'nigre', 'regin', 'reign', 'ringe'], 'reginal': ['aligner', 'engrail', 'realign', 'reginal'], 'reginald': ['dragline', 'reginald', 'ringlead'], 'region': ['ignore', 'region'], 'regional': ['geraniol', 'regional'], 'registered': ['deregister', 'registered'], 'registerer': ['registerer', 'reregister'], 'regive': ['grieve', 'regive'], 'regladden': ['gladdener', 'glandered', 'regladden'], 'reglair': ['grailer', 'reglair'], 'regle': ['leger', 'regle'], 'reglet': ['gretel', 'reglet'], 'regloss': ['glosser', 'regloss'], 'reglove': ['overleg', 'reglove'], 'reglow': ['glower', 'reglow'], 'regma': ['grame', 'marge', 'regma'], 'regnal': ['angler', 'arleng', 'garnel', 'largen', 'rangle', 'regnal'], 'regraft': ['grafter', 'regraft'], 'regrant': ['granter', 'regrant'], 'regrasp': ['grasper', 'regrasp', 'sparger'], 'regrass': ['grasser', 'regrass'], 'regrate': ['greater', 'regrate', 'terrage'], 'regrating': ['gartering', 'regrating'], 'regrator': ['garroter', 'regrator'], 'regreen': ['greener', 'regreen', 'reneger'], 'regreet': ['greeter', 'regreet'], 'regrind': ['grinder', 'regrind'], 'regrinder': ['derringer', 'regrinder'], 'regrip': ['griper', 'regrip'], 'regroup': ['grouper', 'regroup'], 'regrow': ['grower', 'regrow'], 'reguard': ['guarder', 'reguard'], 'regula': ['ragule', 'regula'], 'regulation': ['regulation', 'urogenital'], 'reguli': ['ligure', 'reguli'], 'regur': ['regur', 'urger'], 'regush': ['gusher', 'regush'], 'reh': ['her', 'reh', 'rhe'], 'rehale': ['healer', 'rehale', 'reheal'], 'rehallow': ['hallower', 'rehallow'], 'rehammer': ['hammerer', 'rehammer'], 'rehang': ['hanger', 'rehang'], 'reharden': ['hardener', 'reharden'], 'reharm': ['harmer', 'reharm'], 'reharness': ['harnesser', 'reharness'], 'reharrow': ['harrower', 'reharrow'], 'reharvest': ['harvester', 'reharvest'], 'rehash': ['hasher', 'rehash'], 'rehaul': ['hauler', 'rehaul'], 'rehazard': ['hazarder', 'rehazard'], 'rehead': ['adhere', 'header', 'hedera', 'rehead'], 'reheal': ['healer', 'rehale', 'reheal'], 'reheap': ['heaper', 'reheap'], 'rehear': ['hearer', 'rehear'], 'rehearser': ['rehearser', 'reshearer'], 'rehearten': ['heartener', 'rehearten'], 'reheat': ['heater', 'hereat', 'reheat'], 'reheel': ['heeler', 'reheel'], 'reheighten': ['heightener', 'reheighten'], 'rehoist': ['hoister', 'rehoist'], 'rehollow': ['hollower', 'rehollow'], 'rehonor': ['honorer', 'rehonor'], 'rehook': ['hooker', 'rehook'], 'rehoop': ['hooper', 'rehoop'], 'rehung': ['hunger', 'rehung'], 'reid': ['dier', 'dire', 'reid', 'ride'], 'reif': ['fire', 'reif', 'rife'], 'reify': ['fiery', 'reify'], 'reign': ['grein', 'inger', 'nigre', 'regin', 'reign', 'ringe'], 'reignore': ['erigeron', 'reignore'], 'reillustrate': ['reillustrate', 'ultrasterile'], 'reim': ['emir', 'imer', 'mire', 'reim', 'remi', 'riem', 'rime'], 'reimbody': ['embryoid', 'reimbody'], 'reimpart': ['imparter', 'reimpart'], 'reimplant': ['implanter', 'reimplant'], 'reimply': ['primely', 'reimply'], 'reimport': ['importer', 'promerit', 'reimport'], 'reimpose': ['perisome', 'promisee', 'reimpose'], 'reimpress': ['impresser', 'reimpress'], 'reimpression': ['reimpression', 'repermission'], 'reimprint': ['imprinter', 'reimprint'], 'reimprison': ['imprisoner', 'reimprison'], 'rein': ['neri', 'rein', 'rine'], 'reina': ['erian', 'irena', 'reina'], 'reincentive': ['internecive', 'reincentive'], 'reincite': ['icterine', 'reincite'], 'reincrudate': ['antireducer', 'reincrudate', 'untraceried'], 'reindeer': ['denierer', 'reindeer'], 'reindict': ['indicter', 'indirect', 'reindict'], 'reindue': ['reindue', 'uredine'], 'reinfect': ['frenetic', 'infecter', 'reinfect'], 'reinfer': ['refiner', 'reinfer'], 'reinfest': ['infester', 'reinfest'], 'reinflate': ['interleaf', 'reinflate'], 'reinflict': ['inflicter', 'reinflict'], 'reinform': ['informer', 'reinform', 'reniform'], 'reinhabit': ['inhabiter', 'reinhabit'], 'reins': ['reins', 'resin', 'rinse', 'risen', 'serin', 'siren'], 'reinsane': ['anserine', 'reinsane'], 'reinsert': ['inserter', 'reinsert'], 'reinsist': ['insister', 'reinsist', 'sinister', 'sisterin'], 'reinspect': ['prescient', 'reinspect'], 'reinspector': ['prosecretin', 'reinspector'], 'reinspirit': ['inspiriter', 'reinspirit'], 'reinstall': ['installer', 'reinstall'], 'reinstation': ['reinstation', 'santorinite'], 'reinstill': ['instiller', 'reinstill'], 'reinstruct': ['instructer', 'intercrust', 'reinstruct'], 'reinsult': ['insulter', 'lustrine', 'reinsult'], 'reintend': ['indenter', 'intender', 'reintend'], 'reinter': ['reinter', 'terrine'], 'reinterest': ['interester', 'reinterest'], 'reinterpret': ['interpreter', 'reinterpret'], 'reinterrupt': ['interrupter', 'reinterrupt'], 'reinterview': ['interviewer', 'reinterview'], 'reintrench': ['intrencher', 'reintrench'], 'reintrude': ['reintrude', 'unretired'], 'reinvent': ['inventer', 'reinvent', 'ventrine', 'vintener'], 'reinvert': ['inverter', 'reinvert', 'trinerve'], 'reinvest': ['reinvest', 'servient'], 'reis': ['reis', 'rise', 'seri', 'sier', 'sire'], 'reit': ['iter', 'reit', 'rite', 'teri', 'tier', 'tire'], 'reiter': ['errite', 'reiter', 'retier', 'retire', 'tierer'], 'reiterable': ['reiterable', 'reliberate'], 'rejail': ['jailer', 'rejail'], 'rejerk': ['jerker', 'rejerk'], 'rejoin': ['joiner', 'rejoin'], 'rejolt': ['jolter', 'rejolt'], 'rejourney': ['journeyer', 'rejourney'], 'reki': ['erik', 'kier', 'reki'], 'rekick': ['kicker', 'rekick'], 'rekill': ['killer', 'rekill'], 'rekiss': ['kisser', 'rekiss'], 'reknit': ['reknit', 'tinker'], 'reknow': ['knower', 'reknow', 'wroken'], 'rel': ['ler', 'rel'], 'relabel': ['labeler', 'relabel'], 'relace': ['alerce', 'cereal', 'relace'], 'relacquer': ['lacquerer', 'relacquer'], 'relade': ['dealer', 'leader', 'redeal', 'relade', 'relead'], 'reladen': ['leander', 'learned', 'reladen'], 'relais': ['israel', 'relais', 'resail', 'sailer', 'serail', 'serial'], 'relament': ['lamenter', 'relament', 'remantle'], 'relamp': ['lamper', 'palmer', 'relamp'], 'reland': ['aldern', 'darnel', 'enlard', 'lander', 'lenard', 'randle', 'reland'], 'relap': ['lepra', 'paler', 'parel', 'parle', 'pearl', 'perla', 'relap'], 'relapse': ['pleaser', 'preseal', 'relapse'], 'relapsing': ['espringal', 'presignal', 'relapsing'], 'relast': ['laster', 'lastre', 'rastle', 'relast', 'resalt', 'salter', 'slater', 'stelar'], 'relata': ['latera', 'relata'], 'relatability': ['alterability', 'bilaterality', 'relatability'], 'relatable': ['alterable', 'relatable'], 'relatch': ['clethra', 'latcher', 'ratchel', 'relatch', 'talcher', 'trachle'], 'relate': ['earlet', 'elater', 'relate'], 'related': ['delater', 'related', 'treadle'], 'relater': ['alterer', 'realter', 'relater'], 'relation': ['oriental', 'relation', 'tirolean'], 'relationism': ['misrelation', 'orientalism', 'relationism'], 'relationist': ['orientalist', 'relationist'], 'relative': ['levirate', 'relative'], 'relativization': ['relativization', 'revitalization'], 'relativize': ['relativize', 'revitalize'], 'relator': ['realtor', 'relator'], 'relaunch': ['launcher', 'relaunch'], 'relay': ['early', 'layer', 'relay'], 'relead': ['dealer', 'leader', 'redeal', 'relade', 'relead'], 'releap': ['leaper', 'releap', 'repale', 'repeal'], 'relearn': ['learner', 'relearn'], 'releather': ['leatherer', 'releather', 'tarheeler'], 'relection': ['centriole', 'electrion', 'relection'], 'relegate': ['eglatere', 'regelate', 'relegate'], 'relegation': ['regelation', 'relegation'], 'relend': ['lender', 'relend'], 'reletter': ['letterer', 'reletter'], 'relevant': ['levanter', 'relevant', 'revelant'], 'relevation': ['relevation', 'revelation'], 'relevator': ['relevator', 'revelator', 'veratrole'], 'relevel': ['leveler', 'relevel'], 'reliably': ['beryllia', 'reliably'], 'reliance': ['cerealin', 'cinereal', 'reliance'], 'reliant': ['entrail', 'latiner', 'latrine', 'ratline', 'reliant', 'retinal', 'trenail'], 'reliantly': ['interally', 'reliantly'], 'reliberate': ['reiterable', 'reliberate'], 'relic': ['crile', 'elric', 'relic'], 'relick': ['licker', 'relick', 'rickle'], 'relicted': ['derelict', 'relicted'], 'relier': ['lierre', 'relier'], 'relieving': ['inveigler', 'relieving'], 'relievo': ['overlie', 'relievo'], 'relift': ['fertil', 'filter', 'lifter', 'relift', 'trifle'], 'religation': ['genitorial', 'religation'], 'relight': ['lighter', 'relight', 'rightle'], 'relighten': ['lightener', 'relighten', 'threeling'], 'religion': ['ligroine', 'religion'], 'relimit': ['limiter', 'relimit'], 'reline': ['lierne', 'reline'], 'relink': ['linker', 'relink'], 'relish': ['hirsel', 'hirsle', 'relish'], 'relishy': ['relishy', 'shirley'], 'relist': ['lister', 'relist'], 'relisten': ['enlister', 'esterlin', 'listener', 'relisten'], 'relive': ['levier', 'relive', 'reveil', 'revile', 'veiler'], 'reload': ['loader', 'ordeal', 'reload'], 'reloan': ['lenora', 'loaner', 'orlean', 'reloan'], 'relocation': ['iconolater', 'relocation'], 'relock': ['locker', 'relock'], 'relook': ['looker', 'relook'], 'relose': ['relose', 'resole'], 'relost': ['relost', 'reslot', 'rostel', 'sterol', 'torsel'], 'relot': ['lerot', 'orlet', 'relot'], 'relower': ['lowerer', 'relower'], 'reluct': ['cutler', 'reluct'], 'reluctation': ['countertail', 'reluctation'], 'relumine': ['lemurine', 'meruline', 'relumine'], 'rely': ['lyre', 'rely'], 'remade': ['meader', 'remade'], 'remagnification': ['germanification', 'remagnification'], 'remagnify': ['germanify', 'remagnify'], 'remail': ['mailer', 'remail'], 'remain': ['ermani', 'marine', 'remain'], 'remains': ['remains', 'seminar'], 'remaintain': ['antimerina', 'maintainer', 'remaintain'], 'reman': ['enarm', 'namer', 'reman'], 'remand': ['damner', 'manred', 'randem', 'remand'], 'remanet': ['remanet', 'remeant', 'treeman'], 'remantle': ['lamenter', 'relament', 'remantle'], 'remap': ['amper', 'remap'], 'remarch': ['charmer', 'marcher', 'remarch'], 'remark': ['marker', 'remark'], 'remarket': ['marketer', 'remarket'], 'remarry': ['marryer', 'remarry'], 'remarshal': ['marshaler', 'remarshal'], 'remask': ['masker', 'remask'], 'remass': ['masser', 'remass'], 'remast': ['martes', 'master', 'remast', 'stream'], 'remasticate': ['metrectasia', 'remasticate'], 'rematch': ['matcher', 'rematch'], 'remeant': ['remanet', 'remeant', 'treeman'], 'remede': ['deemer', 'meered', 'redeem', 'remede'], 'remeet': ['meeter', 'remeet', 'teemer'], 'remelt': ['melter', 'remelt'], 'remend': ['mender', 'remend'], 'remetal': ['lameter', 'metaler', 'remetal'], 'remi': ['emir', 'imer', 'mire', 'reim', 'remi', 'riem', 'rime'], 'remication': ['marcionite', 'microtinae', 'remication'], 'remigate': ['emigrate', 'remigate'], 'remigation': ['emigration', 'remigation'], 'remill': ['miller', 'remill'], 'remind': ['minder', 'remind'], 'remint': ['minter', 'remint', 'termin'], 'remiped': ['demirep', 'epiderm', 'impeder', 'remiped'], 'remisrepresent': ['misrepresenter', 'remisrepresent'], 'remission': ['missioner', 'remission'], 'remisunderstand': ['misunderstander', 'remisunderstand'], 'remit': ['merit', 'miter', 'mitre', 'remit', 'timer'], 'remittal': ['remittal', 'termital'], 'remittance': ['carminette', 'remittance'], 'remittence': ['centimeter', 'recitement', 'remittence'], 'remitter': ['remitter', 'trimeter'], 'remix': ['mixer', 'remix'], 'remnant': ['manrent', 'remnant'], 'remock': ['mocker', 'remock'], 'remodel': ['demerol', 'modeler', 'remodel'], 'remold': ['dermol', 'molder', 'remold'], 'remontant': ['nonmatter', 'remontant'], 'remontoir': ['interroom', 'remontoir'], 'remop': ['merop', 'moper', 'proem', 'remop'], 'remora': ['remora', 'roamer'], 'remord': ['dormer', 'remord'], 'remote': ['meteor', 'remote'], 'remotive': ['overtime', 'remotive'], 'remould': ['remould', 'ruledom'], 'remount': ['monture', 'mounter', 'remount'], 'removable': ['overblame', 'removable'], 'remunerate': ['remunerate', 'renumerate'], 'remuneration': ['remuneration', 'renumeration'], 'remurmur': ['murmurer', 'remurmur'], 'remus': ['muser', 'remus', 'serum'], 'remuster': ['musterer', 'remuster'], 'renable': ['enabler', 'renable'], 'renably': ['blarney', 'renably'], 'renail': ['arline', 'larine', 'linear', 'nailer', 'renail'], 'renaissance': ['necessarian', 'renaissance'], 'renal': ['learn', 'renal'], 'rename': ['enarme', 'meaner', 'rename'], 'renavigate': ['renavigate', 'vegetarian'], 'rend': ['dern', 'rend'], 'rendition': ['rendition', 'trinodine'], 'reneg': ['genre', 'green', 'neger', 'reneg'], 'renegadism': ['grandeeism', 'renegadism'], 'renegation': ['generation', 'renegation'], 'renege': ['neeger', 'reenge', 'renege'], 'reneger': ['greener', 'regreen', 'reneger'], 'reneglect': ['neglecter', 'reneglect'], 'renerve': ['renerve', 'venerer'], 'renes': ['renes', 'sneer'], 'renet': ['enter', 'neter', 'renet', 'terne', 'treen'], 'reniform': ['informer', 'reinform', 'reniform'], 'renilla': ['ralline', 'renilla'], 'renin': ['inner', 'renin'], 'reniportal': ['interpolar', 'reniportal'], 'renish': ['renish', 'shiner', 'shrine'], 'renitence': ['centenier', 'renitence'], 'renitency': ['nycterine', 'renitency'], 'renitent': ['renitent', 'trentine'], 'renk': ['kern', 'renk'], 'rennet': ['rennet', 'tenner'], 'renography': ['granophyre', 'renography'], 'renominate': ['enantiomer', 'renominate'], 'renotation': ['renotation', 'retonation'], 'renotice': ['erection', 'neoteric', 'nocerite', 'renotice'], 'renourish': ['nourisher', 'renourish'], 'renovate': ['overneat', 'renovate'], 'renovater': ['enervator', 'renovater', 'venerator'], 'renown': ['renown', 'wonner'], 'rent': ['rent', 'tern'], 'rentage': ['grantee', 'greaten', 'reagent', 'rentage'], 'rental': ['altern', 'antler', 'learnt', 'rental', 'ternal'], 'rentaler': ['rentaler', 'rerental'], 'rented': ['denter', 'rented', 'tender'], 'rentee': ['entree', 'rentee', 'retene'], 'renter': ['renter', 'rerent'], 'renu': ['renu', 'ruen', 'rune'], 'renumber': ['numberer', 'renumber'], 'renumerate': ['remunerate', 'renumerate'], 'renumeration': ['remuneration', 'renumeration'], 'reobtain': ['abrotine', 'baritone', 'obtainer', 'reobtain'], 'reoccasion': ['occasioner', 'reoccasion'], 'reoccupation': ['cornucopiate', 'reoccupation'], 'reoffend': ['offender', 'reoffend'], 'reoffer': ['offerer', 'reoffer'], 'reoil': ['oiler', 'oriel', 'reoil'], 'reopen': ['opener', 'reopen', 'repone'], 'reordain': ['inroader', 'ordainer', 'reordain'], 'reorder': ['orderer', 'reorder'], 'reordinate': ['reordinate', 'treronidae'], 'reornament': ['ornamenter', 'reornament'], 'reoverflow': ['overflower', 'reoverflow'], 'reown': ['owner', 'reown', 'rowen'], 'rep': ['per', 'rep'], 'repack': ['packer', 'repack'], 'repaint': ['painter', 'pertain', 'pterian', 'repaint'], 'repair': ['pairer', 'rapier', 'repair'], 'repairer': ['rareripe', 'repairer'], 'repale': ['leaper', 'releap', 'repale', 'repeal'], 'repand': ['pander', 'repand'], 'repandly': ['panderly', 'repandly'], 'repandous': ['panderous', 'repandous'], 'repanel': ['paneler', 'repanel', 'replane'], 'repaper': ['paperer', 'perpera', 'prepare', 'repaper'], 'reparagraph': ['paragrapher', 'reparagraph'], 'reparation': ['praetorian', 'reparation'], 'repark': ['parker', 'repark'], 'repartee': ['repartee', 'repeater'], 'repartition': ['partitioner', 'repartition'], 'repass': ['passer', 'repass', 'sparse'], 'repasser': ['asperser', 'repasser'], 'repast': ['paster', 'repast', 'trapes'], 'repaste': ['perates', 'repaste', 'sperate'], 'repasture': ['repasture', 'supertare'], 'repatch': ['chapter', 'patcher', 'repatch'], 'repatent': ['pattener', 'repatent'], 'repattern': ['patterner', 'repattern'], 'repawn': ['enwrap', 'pawner', 'repawn'], 'repay': ['apery', 'payer', 'repay'], 'repeal': ['leaper', 'releap', 'repale', 'repeal'], 'repeat': ['petrea', 'repeat', 'retape'], 'repeater': ['repartee', 'repeater'], 'repel': ['leper', 'perle', 'repel'], 'repen': ['neper', 'preen', 'repen'], 'repension': ['pensioner', 'repension'], 'repent': ['perten', 'repent'], 'repentable': ['penetrable', 'repentable'], 'repentance': ['penetrance', 'repentance'], 'repentant': ['penetrant', 'repentant'], 'reperceive': ['prereceive', 'reperceive'], 'repercussion': ['percussioner', 'repercussion'], 'repercussive': ['repercussive', 'superservice'], 'reperform': ['performer', 'prereform', 'reperform'], 'repermission': ['reimpression', 'repermission'], 'repermit': ['premerit', 'preremit', 'repermit'], 'reperplex': ['perplexer', 'reperplex'], 'reperusal': ['pleasurer', 'reperusal'], 'repetition': ['petitioner', 'repetition'], 'rephael': ['preheal', 'rephael'], 'rephase': ['hespera', 'rephase', 'reshape'], 'rephotograph': ['photographer', 'rephotograph'], 'rephrase': ['preshare', 'rephrase'], 'repic': ['price', 'repic'], 'repick': ['picker', 'repick'], 'repiece': ['creepie', 'repiece'], 'repin': ['piner', 'prine', 'repin', 'ripen'], 'repine': ['neiper', 'perine', 'pirene', 'repine'], 'repiner': ['repiner', 'ripener'], 'repiningly': ['repiningly', 'ripeningly'], 'repique': ['perique', 'repique'], 'repitch': ['pitcher', 'repitch'], 'replace': ['percale', 'replace'], 'replait': ['partile', 'plaiter', 'replait'], 'replan': ['parnel', 'planer', 'replan'], 'replane': ['paneler', 'repanel', 'replane'], 'replant': ['pantler', 'planter', 'replant'], 'replantable': ['planetabler', 'replantable'], 'replanter': ['prerental', 'replanter'], 'replaster': ['plasterer', 'replaster'], 'replate': ['pearlet', 'pleater', 'prelate', 'ptereal', 'replate', 'repleat'], 'replay': ['parley', 'pearly', 'player', 'replay'], 'replead': ['pearled', 'pedaler', 'pleader', 'replead'], 'repleader': ['predealer', 'repleader'], 'repleat': ['pearlet', 'pleater', 'prelate', 'ptereal', 'replate', 'repleat'], 'repleteness': ['repleteness', 'terpeneless'], 'repletion': ['interlope', 'interpole', 'repletion', 'terpineol'], 'repliant': ['interlap', 'repliant', 'triplane'], 'replica': ['caliper', 'picarel', 'replica'], 'replight': ['plighter', 'replight'], 'replod': ['podler', 'polder', 'replod'], 'replot': ['petrol', 'replot'], 'replow': ['plower', 'replow'], 'replum': ['lumper', 'plumer', 'replum', 'rumple'], 'replunder': ['plunderer', 'replunder'], 'reply': ['plyer', 'reply'], 'repocket': ['pocketer', 'repocket'], 'repoint': ['pointer', 'protein', 'pterion', 'repoint', 'tropine'], 'repolish': ['polisher', 'repolish'], 'repoll': ['poller', 'repoll'], 'reponder': ['ponderer', 'reponder'], 'repone': ['opener', 'reopen', 'repone'], 'report': ['porret', 'porter', 'report', 'troper'], 'reportage': ['porterage', 'reportage'], 'reporterism': ['misreporter', 'reporterism'], 'reportion': ['portioner', 'reportion'], 'reposed': ['deposer', 'reposed'], 'reposit': ['periost', 'porites', 'reposit', 'riposte'], 'reposition': ['positioner', 'reposition'], 'repositor': ['posterior', 'repositor'], 'repossession': ['possessioner', 'repossession'], 'repost': ['poster', 'presto', 'repost', 'respot', 'stoper'], 'repot': ['poter', 'prote', 'repot', 'tepor', 'toper', 'trope'], 'repound': ['pounder', 'repound', 'unroped'], 'repour': ['pourer', 'repour', 'rouper'], 'repowder': ['powderer', 'repowder'], 'repp': ['prep', 'repp'], 'repray': ['prayer', 'repray'], 'repreach': ['preacher', 'repreach'], 'repredict': ['precredit', 'predirect', 'repredict'], 'reprefer': ['prerefer', 'reprefer'], 'represent': ['presenter', 'represent'], 'representationism': ['misrepresentation', 'representationism'], 'repress': ['presser', 'repress'], 'repressive': ['repressive', 'respersive'], 'reprice': ['piercer', 'reprice'], 'reprieval': ['prevailer', 'reprieval'], 'reprime': ['premier', 'reprime'], 'reprint': ['printer', 'reprint'], 'reprise': ['reprise', 'respire'], 'repristination': ['interspiration', 'repristination'], 'reproachable': ['blepharocera', 'reproachable'], 'reprobate': ['perborate', 'prorebate', 'reprobate'], 'reprobation': ['probationer', 'reprobation'], 'reproceed': ['proceeder', 'reproceed'], 'reproclaim': ['proclaimer', 'reproclaim'], 'reproduce': ['procedure', 'reproduce'], 'reproduction': ['proreduction', 'reproduction'], 'reprohibit': ['prohibiter', 'reprohibit'], 'reproof': ['proofer', 'reproof'], 'reproportion': ['proportioner', 'reproportion'], 'reprotection': ['interoceptor', 'reprotection'], 'reprotest': ['protester', 'reprotest'], 'reprovision': ['prorevision', 'provisioner', 'reprovision'], 'reps': ['reps', 'resp'], 'reptant': ['pattern', 'reptant'], 'reptatorial': ['proletariat', 'reptatorial'], 'reptatory': ['protreaty', 'reptatory'], 'reptile': ['perlite', 'reptile'], 'reptilia': ['liparite', 'reptilia'], 'republish': ['publisher', 'republish'], 'repudiatory': ['preauditory', 'repudiatory'], 'repuff': ['puffer', 'repuff'], 'repugn': ['punger', 'repugn'], 'repulpit': ['pulpiter', 'repulpit'], 'repulsion': ['prelusion', 'repulsion'], 'repulsive': ['prelusive', 'repulsive'], 'repulsively': ['prelusively', 'repulsively'], 'repulsory': ['prelusory', 'repulsory'], 'repump': ['pumper', 'repump'], 'repunish': ['punisher', 'repunish'], 'reputative': ['reputative', 'vituperate'], 'repute': ['repute', 'uptree'], 'requench': ['quencher', 'requench'], 'request': ['quester', 'request'], 'requestion': ['questioner', 'requestion'], 'require': ['querier', 'require'], 'requital': ['quartile', 'requital', 'triequal'], 'requite': ['quieter', 'requite'], 'rerack': ['racker', 'rerack'], 'rerail': ['railer', 'rerail'], 'reraise': ['rearise', 'reraise'], 'rerake': ['karree', 'rerake'], 'rerank': ['ranker', 'rerank'], 'rerate': ['rerate', 'retare', 'tearer'], 'reread': ['reader', 'redare', 'reread'], 'rereel': ['reeler', 'rereel'], 'reregister': ['registerer', 'reregister'], 'rerent': ['renter', 'rerent'], 'rerental': ['rentaler', 'rerental'], 'rering': ['erring', 'rering', 'ringer'], 'rerise': ['rerise', 'sirree'], 'rerivet': ['rerivet', 'riveter'], 'rerob': ['borer', 'rerob', 'rober'], 'rerobe': ['rebore', 'rerobe'], 'reroll': ['reroll', 'roller'], 'reroof': ['reroof', 'roofer'], 'reroot': ['reroot', 'rooter', 'torero'], 'rerow': ['rerow', 'rower'], 'rerun': ['rerun', 'runer'], 'resaca': ['ascare', 'caesar', 'resaca'], 'resack': ['resack', 'sacker', 'screak'], 'resail': ['israel', 'relais', 'resail', 'sailer', 'serail', 'serial'], 'resale': ['alerse', 'leaser', 'reales', 'resale', 'reseal', 'sealer'], 'resalt': ['laster', 'lastre', 'rastle', 'relast', 'resalt', 'salter', 'slater', 'stelar'], 'resanction': ['resanction', 'sanctioner'], 'resaw': ['resaw', 'sawer', 'seraw', 'sware', 'swear', 'warse'], 'resawer': ['resawer', 'reswear', 'swearer'], 'resay': ['reasy', 'resay', 'sayer', 'seary'], 'rescan': ['casern', 'rescan'], 'rescind': ['discern', 'rescind'], 'rescinder': ['discerner', 'rescinder'], 'rescindment': ['discernment', 'rescindment'], 'rescratch': ['rescratch', 'scratcher'], 'rescuable': ['rescuable', 'securable'], 'rescue': ['cereus', 'ceruse', 'recuse', 'rescue', 'secure'], 'rescuer': ['recurse', 'rescuer', 'securer'], 'reseal': ['alerse', 'leaser', 'reales', 'resale', 'reseal', 'sealer'], 'reseam': ['reseam', 'seamer'], 'research': ['rechaser', 'research', 'searcher'], 'reseat': ['asteer', 'easter', 'eastre', 'reseat', 'saeter', 'seater', 'staree', 'teaser', 'teresa'], 'resect': ['resect', 'screet', 'secret'], 'resection': ['resection', 'secretion'], 'resectional': ['resectional', 'secretional'], 'reseda': ['erased', 'reseda', 'seared'], 'resee': ['esere', 'reese', 'resee'], 'reseed': ['reseed', 'seeder'], 'reseek': ['reseek', 'seeker'], 'resell': ['resell', 'seller'], 'resend': ['resend', 'sender'], 'resene': ['resene', 'serene'], 'resent': ['ernest', 'nester', 'resent', 'streen'], 'reservable': ['reservable', 'reversable'], 'reserval': ['reserval', 'reversal', 'slaverer'], 'reserve': ['reserve', 'resever', 'reverse', 'severer'], 'reserved': ['deserver', 'reserved', 'reversed'], 'reservedly': ['reservedly', 'reversedly'], 'reserveful': ['reserveful', 'reverseful'], 'reserveless': ['reserveless', 'reverseless'], 'reserver': ['reserver', 'reverser'], 'reservist': ['reservist', 'reversist'], 'reset': ['ester', 'estre', 'reest', 'reset', 'steer', 'stere', 'stree', 'terse', 'tsere'], 'resever': ['reserve', 'resever', 'reverse', 'severer'], 'resew': ['resew', 'sewer', 'sweer'], 'resex': ['resex', 'xeres'], 'resh': ['hers', 'resh', 'sher'], 'reshape': ['hespera', 'rephase', 'reshape'], 'reshare': ['reshare', 'reshear', 'shearer'], 'resharpen': ['resharpen', 'sharpener'], 'reshear': ['reshare', 'reshear', 'shearer'], 'reshearer': ['rehearser', 'reshearer'], 'reshift': ['reshift', 'shifter'], 'reshingle': ['englisher', 'reshingle'], 'reship': ['perish', 'reship'], 'reshipment': ['perishment', 'reshipment'], 'reshoot': ['orthose', 'reshoot', 'shooter', 'soother'], 'reshoulder': ['reshoulder', 'shoulderer'], 'reshower': ['reshower', 'showerer'], 'reshun': ['reshun', 'rushen'], 'reshunt': ['reshunt', 'shunter'], 'reshut': ['reshut', 'suther', 'thurse', 'tusher'], 'reside': ['desire', 'reside'], 'resident': ['indesert', 'inserted', 'resident'], 'resider': ['derries', 'desirer', 'resider', 'serried'], 'residua': ['residua', 'ursidae'], 'resift': ['fister', 'resift', 'sifter', 'strife'], 'resigh': ['resigh', 'sigher'], 'resign': ['resign', 'resing', 'signer', 'singer'], 'resignal': ['resignal', 'seringal', 'signaler'], 'resigned': ['designer', 'redesign', 'resigned'], 'resile': ['lisere', 'resile'], 'resiliate': ['israelite', 'resiliate'], 'resilient': ['listerine', 'resilient'], 'resilition': ['isonitrile', 'resilition'], 'resilver': ['resilver', 'silverer', 'sliverer'], 'resin': ['reins', 'resin', 'rinse', 'risen', 'serin', 'siren'], 'resina': ['arisen', 'arsine', 'resina', 'serian'], 'resinate': ['arsenite', 'resinate', 'teresian', 'teresina'], 'resing': ['resign', 'resing', 'signer', 'singer'], 'resinic': ['irenics', 'resinic', 'sericin', 'sirenic'], 'resinize': ['resinize', 'sirenize'], 'resink': ['resink', 'reskin', 'sinker'], 'resinlike': ['resinlike', 'sirenlike'], 'resinoid': ['derision', 'ironside', 'resinoid', 'sirenoid'], 'resinol': ['resinol', 'serolin'], 'resinous': ['neurosis', 'resinous'], 'resinously': ['neurolysis', 'resinously'], 'resiny': ['resiny', 'sireny'], 'resist': ['resist', 'restis', 'sister'], 'resistable': ['assertible', 'resistable'], 'resistance': ['resistance', 'senatrices'], 'resistful': ['fruitless', 'resistful'], 'resisting': ['resisting', 'sistering'], 'resistless': ['resistless', 'sisterless'], 'resize': ['resize', 'seizer'], 'resketch': ['resketch', 'sketcher'], 'reskin': ['resink', 'reskin', 'sinker'], 'reslash': ['reslash', 'slasher'], 'reslate': ['realest', 'reslate', 'resteal', 'stealer', 'teasler'], 'reslay': ['reslay', 'slayer'], 'reslot': ['relost', 'reslot', 'rostel', 'sterol', 'torsel'], 'resmell': ['resmell', 'smeller'], 'resmelt': ['melters', 'resmelt', 'smelter'], 'resmooth': ['resmooth', 'romeshot', 'smoother'], 'resnap': ['resnap', 'respan', 'snaper'], 'resnatch': ['resnatch', 'snatcher', 'stancher'], 'resoak': ['arkose', 'resoak', 'soaker'], 'resoap': ['resoap', 'soaper'], 'resoften': ['resoften', 'softener'], 'resoil': ['elisor', 'resoil'], 'resojourn': ['resojourn', 'sojourner'], 'resolder': ['resolder', 'solderer'], 'resole': ['relose', 'resole'], 'resolicit': ['resolicit', 'soliciter'], 'resolution': ['resolution', 'solutioner'], 'resonate': ['orestean', 'resonate', 'stearone'], 'resort': ['resort', 'roster', 'sorter', 'storer'], 'resorter': ['resorter', 'restorer', 'retrorse'], 'resound': ['resound', 'sounder', 'unrosed'], 'resource': ['recourse', 'resource'], 'resow': ['owser', 'resow', 'serow', 'sower', 'swore', 'worse'], 'resp': ['reps', 'resp'], 'respace': ['escaper', 'respace'], 'respade': ['psedera', 'respade'], 'respan': ['resnap', 'respan', 'snaper'], 'respeak': ['respeak', 'speaker'], 'respect': ['respect', 'scepter', 'specter'], 'respectless': ['respectless', 'scepterless'], 'respell': ['presell', 'respell', 'speller'], 'respersive': ['repressive', 'respersive'], 'respin': ['pernis', 'respin', 'sniper'], 'respiration': ['respiration', 'retinispora'], 'respire': ['reprise', 'respire'], 'respirit': ['respirit', 'spiriter'], 'respite': ['respite', 'septier'], 'resplend': ['resplend', 'splender'], 'resplice': ['eclipser', 'pericles', 'resplice'], 'responde': ['personed', 'responde'], 'respondence': ['precondense', 'respondence'], 'responsal': ['apronless', 'responsal'], 'response': ['pessoner', 'response'], 'respot': ['poster', 'presto', 'repost', 'respot', 'stoper'], 'respray': ['respray', 'sprayer'], 'respread': ['respread', 'spreader'], 'respring': ['respring', 'springer'], 'resprout': ['posturer', 'resprout', 'sprouter'], 'respue': ['peruse', 'respue'], 'resqueak': ['resqueak', 'squeaker'], 'ressaut': ['erastus', 'ressaut'], 'rest': ['rest', 'sert', 'stre'], 'restack': ['restack', 'stacker'], 'restaff': ['restaff', 'staffer'], 'restain': ['asterin', 'eranist', 'restain', 'stainer', 'starnie', 'stearin'], 'restake': ['restake', 'sakeret'], 'restamp': ['restamp', 'stamper'], 'restart': ['restart', 'starter'], 'restate': ['estreat', 'restate', 'retaste'], 'resteal': ['realest', 'reslate', 'resteal', 'stealer', 'teasler'], 'resteel': ['reestle', 'resteel', 'steeler'], 'resteep': ['estrepe', 'resteep', 'steeper'], 'restem': ['mester', 'restem', 'temser', 'termes'], 'restep': ['pester', 'preset', 'restep', 'streep'], 'restful': ['fluster', 'restful'], 'restiad': ['astride', 'diaster', 'disrate', 'restiad', 'staired'], 'restiffen': ['restiffen', 'stiffener'], 'restiform': ['reformist', 'restiform'], 'resting': ['resting', 'stinger'], 'restio': ['restio', 'sorite', 'sortie', 'triose'], 'restis': ['resist', 'restis', 'sister'], 'restitch': ['restitch', 'stitcher'], 'restive': ['restive', 'servite'], 'restock': ['restock', 'stocker'], 'restorer': ['resorter', 'restorer', 'retrorse'], 'restow': ['restow', 'stower', 'towser', 'worset'], 'restowal': ['restowal', 'sealwort'], 'restraighten': ['restraighten', 'straightener'], 'restrain': ['restrain', 'strainer', 'transire'], 'restraint': ['restraint', 'retransit', 'trainster', 'transiter'], 'restream': ['masterer', 'restream', 'streamer'], 'restrengthen': ['restrengthen', 'strengthener'], 'restress': ['restress', 'stresser'], 'restretch': ['restretch', 'stretcher'], 'restring': ['restring', 'ringster', 'stringer'], 'restrip': ['restrip', 'striper'], 'restrive': ['restrive', 'reverist'], 'restuff': ['restuff', 'stuffer'], 'resty': ['resty', 'strey'], 'restyle': ['restyle', 'tersely'], 'resucceed': ['resucceed', 'succeeder'], 'resuck': ['resuck', 'sucker'], 'resue': ['resue', 'reuse'], 'resuffer': ['resuffer', 'sufferer'], 'resuggest': ['resuggest', 'suggester'], 'resuing': ['insurge', 'resuing'], 'resuit': ['isuret', 'resuit'], 'result': ['luster', 'result', 'rustle', 'sutler', 'ulster'], 'resulting': ['resulting', 'ulstering'], 'resultless': ['lusterless', 'lustreless', 'resultless'], 'resummon': ['resummon', 'summoner'], 'resun': ['nurse', 'resun'], 'resup': ['purse', 'resup', 'sprue', 'super'], 'resuperheat': ['resuperheat', 'superheater'], 'resupinate': ['interpause', 'resupinate'], 'resupination': ['resupination', 'uranospinite'], 'resupport': ['resupport', 'supporter'], 'resuppose': ['resuppose', 'superpose'], 'resupposition': ['resupposition', 'superposition'], 'resuppress': ['resuppress', 'suppresser'], 'resurrender': ['resurrender', 'surrenderer'], 'resurround': ['resurround', 'surrounder'], 'resuspect': ['resuspect', 'suspecter'], 'resuspend': ['resuspend', 'suspender', 'unpressed'], 'reswallow': ['reswallow', 'swallower'], 'resward': ['drawers', 'resward'], 'reswarm': ['reswarm', 'swarmer'], 'reswear': ['resawer', 'reswear', 'swearer'], 'resweat': ['resweat', 'sweater'], 'resweep': ['resweep', 'sweeper'], 'reswell': ['reswell', 'sweller'], 'reswill': ['reswill', 'swiller'], 'retable': ['bearlet', 'bleater', 'elberta', 'retable'], 'retack': ['racket', 'retack', 'tacker'], 'retag': ['gater', 'grate', 'great', 'greta', 'retag', 'targe'], 'retail': ['lirate', 'retail', 'retial', 'tailer'], 'retailer': ['irrelate', 'retailer'], 'retain': ['nerita', 'ratine', 'retain', 'retina', 'tanier'], 'retainal': ['retainal', 'telarian'], 'retainder': ['irredenta', 'retainder'], 'retainer': ['arretine', 'eretrian', 'eritrean', 'retainer'], 'retaining': ['negritian', 'retaining'], 'retaliate': ['elettaria', 'retaliate'], 'retalk': ['kartel', 'retalk', 'talker'], 'retama': ['ramate', 'retama'], 'retame': ['reetam', 'retame', 'teamer'], 'retan': ['antre', 'arent', 'retan', 'terna'], 'retape': ['petrea', 'repeat', 'retape'], 'retard': ['darter', 'dartre', 'redart', 'retard', 'retrad', 'tarred', 'trader'], 'retardent': ['retardent', 'tetrander'], 'retare': ['rerate', 'retare', 'tearer'], 'retaste': ['estreat', 'restate', 'retaste'], 'retax': ['extra', 'retax', 'taxer'], 'retaxation': ['retaxation', 'tetraxonia'], 'retch': ['chert', 'retch'], 'reteach': ['cheater', 'hectare', 'recheat', 'reteach', 'teacher'], 'retelegraph': ['retelegraph', 'telegrapher'], 'retell': ['retell', 'teller'], 'retem': ['meter', 'retem'], 'retemper': ['retemper', 'temperer'], 'retempt': ['retempt', 'tempter'], 'retenant': ['retenant', 'tenanter'], 'retender': ['retender', 'tenderer'], 'retene': ['entree', 'rentee', 'retene'], 'retent': ['netter', 'retent', 'tenter'], 'retention': ['intertone', 'retention'], 'retepora': ['perorate', 'retepora'], 'retest': ['retest', 'setter', 'street', 'tester'], 'rethank': ['rethank', 'thanker'], 'rethatch': ['rethatch', 'thatcher'], 'rethaw': ['rethaw', 'thawer', 'wreath'], 'rethe': ['ether', 'rethe', 'theer', 'there', 'three'], 'retheness': ['retheness', 'thereness', 'threeness'], 'rethicken': ['kitchener', 'rethicken', 'thickener'], 'rethink': ['rethink', 'thinker'], 'rethrash': ['rethrash', 'thrasher'], 'rethread': ['rethread', 'threader'], 'rethreaten': ['rethreaten', 'threatener'], 'rethresh': ['rethresh', 'thresher'], 'rethrill': ['rethrill', 'thriller'], 'rethrow': ['rethrow', 'thrower'], 'rethrust': ['rethrust', 'thruster'], 'rethunder': ['rethunder', 'thunderer'], 'retia': ['arite', 'artie', 'irate', 'retia', 'tarie'], 'retial': ['lirate', 'retail', 'retial', 'tailer'], 'reticent': ['reticent', 'tencteri'], 'reticket': ['reticket', 'ticketer'], 'reticula': ['arculite', 'cutleria', 'lucretia', 'reticula', 'treculia'], 'reticular': ['curtailer', 'recruital', 'reticular'], 'retier': ['errite', 'reiter', 'retier', 'retire', 'tierer'], 'retighten': ['retighten', 'tightener'], 'retill': ['retill', 'rillet', 'tiller'], 'retimber': ['retimber', 'timberer'], 'retime': ['metier', 'retime', 'tremie'], 'retin': ['inert', 'inter', 'niter', 'retin', 'trine'], 'retina': ['nerita', 'ratine', 'retain', 'retina', 'tanier'], 'retinal': ['entrail', 'latiner', 'latrine', 'ratline', 'reliant', 'retinal', 'trenail'], 'retinalite': ['retinalite', 'trilineate'], 'retinene': ['internee', 'retinene'], 'retinian': ['neritina', 'retinian'], 'retinispora': ['respiration', 'retinispora'], 'retinite': ['intertie', 'retinite'], 'retinker': ['retinker', 'tinkerer'], 'retinochorioiditis': ['chorioidoretinitis', 'retinochorioiditis'], 'retinoid': ['neritoid', 'retinoid'], 'retinue': ['neurite', 'retinue', 'reunite', 'uterine'], 'retinula': ['lutrinae', 'retinula', 'rutelian', 'tenurial'], 'retinular': ['retinular', 'trineural'], 'retip': ['perit', 'retip', 'tripe'], 'retiral': ['retiral', 'retrial', 'trailer'], 'retire': ['errite', 'reiter', 'retier', 'retire', 'tierer'], 'retirer': ['retirer', 'terrier'], 'retistene': ['retistene', 'serinette'], 'retoast': ['retoast', 'rosetta', 'stoater', 'toaster'], 'retold': ['retold', 'rodlet'], 'retomb': ['retomb', 'trombe'], 'retonation': ['renotation', 'retonation'], 'retool': ['looter', 'retool', 'rootle', 'tooler'], 'retooth': ['retooth', 'toother'], 'retort': ['retort', 'retrot', 'rotter'], 'retoss': ['retoss', 'tosser'], 'retouch': ['retouch', 'toucher'], 'retour': ['retour', 'router', 'tourer'], 'retrace': ['caterer', 'recrate', 'retrace', 'terrace'], 'retrack': ['retrack', 'tracker'], 'retractation': ['reattraction', 'retractation'], 'retracted': ['detracter', 'retracted'], 'retraction': ['retraction', 'triaconter'], 'retrad': ['darter', 'dartre', 'redart', 'retard', 'retrad', 'tarred', 'trader'], 'retrade': ['derater', 'retrade', 'retread', 'treader'], 'retradition': ['retradition', 'traditioner'], 'retrain': ['arterin', 'retrain', 'terrain', 'trainer'], 'retral': ['retral', 'terral'], 'retramp': ['retramp', 'tramper'], 'retransform': ['retransform', 'transformer'], 'retransit': ['restraint', 'retransit', 'trainster', 'transiter'], 'retransplant': ['retransplant', 'transplanter'], 'retransport': ['retransport', 'transporter'], 'retravel': ['retravel', 'revertal', 'traveler'], 'retread': ['derater', 'retrade', 'retread', 'treader'], 'retreat': ['ettarre', 'retreat', 'treater'], 'retree': ['retree', 'teerer'], 'retrench': ['retrench', 'trencher'], 'retrial': ['retiral', 'retrial', 'trailer'], 'retrim': ['mitrer', 'retrim', 'trimer'], 'retrocaecal': ['accelerator', 'retrocaecal'], 'retrogradient': ['redintegrator', 'retrogradient'], 'retrorse': ['resorter', 'restorer', 'retrorse'], 'retrot': ['retort', 'retrot', 'rotter'], 'retrue': ['retrue', 'ureter'], 'retrust': ['retrust', 'truster'], 'retry': ['retry', 'terry'], 'retter': ['retter', 'terret'], 'retting': ['gittern', 'gritten', 'retting'], 'retube': ['rebute', 'retube'], 'retuck': ['retuck', 'tucker'], 'retune': ['neuter', 'retune', 'runtee', 'tenure', 'tureen'], 'returf': ['returf', 'rufter'], 'return': ['return', 'turner'], 'retuse': ['retuse', 'tereus'], 'retwine': ['enwrite', 'retwine'], 'retwist': ['retwist', 'twister'], 'retzian': ['retzian', 'terzina'], 'reub': ['bure', 'reub', 'rube'], 'reundergo': ['guerdoner', 'reundergo', 'undergoer', 'undergore'], 'reune': ['enure', 'reune'], 'reunfold': ['flounder', 'reunfold', 'unfolder'], 'reunify': ['reunify', 'unfiery'], 'reunionist': ['reunionist', 'sturionine'], 'reunite': ['neurite', 'retinue', 'reunite', 'uterine'], 'reunpack': ['reunpack', 'unpacker'], 'reuphold': ['reuphold', 'upholder'], 'reupholster': ['reupholster', 'upholsterer'], 'reuplift': ['reuplift', 'uplifter'], 'reuse': ['resue', 'reuse'], 'reutter': ['reutter', 'utterer'], 'revacate': ['acervate', 'revacate'], 'revalidation': ['derivational', 'revalidation'], 'revamp': ['revamp', 'vamper'], 'revarnish': ['revarnish', 'varnisher'], 'reve': ['ever', 'reve', 'veer'], 'reveal': ['laveer', 'leaver', 'reveal', 'vealer'], 'reveil': ['levier', 'relive', 'reveil', 'revile', 'veiler'], 'revel': ['elver', 'lever', 'revel'], 'revelant': ['levanter', 'relevant', 'revelant'], 'revelation': ['relevation', 'revelation'], 'revelator': ['relevator', 'revelator', 'veratrole'], 'reveler': ['leverer', 'reveler'], 'revenant': ['revenant', 'venerant'], 'revend': ['revend', 'vender'], 'revender': ['revender', 'reverend'], 'reveneer': ['reveneer', 'veneerer'], 'revent': ['revent', 'venter'], 'revenue': ['revenue', 'unreeve'], 'rever': ['rever', 'verre'], 'reverend': ['revender', 'reverend'], 'reverential': ['interleaver', 'reverential'], 'reverist': ['restrive', 'reverist'], 'revers': ['revers', 'server', 'verser'], 'reversable': ['reservable', 'reversable'], 'reversal': ['reserval', 'reversal', 'slaverer'], 'reverse': ['reserve', 'resever', 'reverse', 'severer'], 'reversed': ['deserver', 'reserved', 'reversed'], 'reversedly': ['reservedly', 'reversedly'], 'reverseful': ['reserveful', 'reverseful'], 'reverseless': ['reserveless', 'reverseless'], 'reverser': ['reserver', 'reverser'], 'reversewise': ['reversewise', 'revieweress'], 'reversi': ['reversi', 'reviser'], 'reversion': ['reversion', 'versioner'], 'reversist': ['reservist', 'reversist'], 'revertal': ['retravel', 'revertal', 'traveler'], 'revest': ['revest', 'servet', 'sterve', 'verset', 'vester'], 'revet': ['evert', 'revet'], 'revete': ['revete', 'tervee'], 'revictual': ['lucrative', 'revictual', 'victualer'], 'review': ['review', 'viewer'], 'revieweress': ['reversewise', 'revieweress'], 'revigorate': ['overgaiter', 'revigorate'], 'revile': ['levier', 'relive', 'reveil', 'revile', 'veiler'], 'reviling': ['reviling', 'vierling'], 'revisal': ['revisal', 'virales'], 'revise': ['revise', 'siever'], 'revised': ['deviser', 'diverse', 'revised'], 'reviser': ['reversi', 'reviser'], 'revision': ['revision', 'visioner'], 'revisit': ['revisit', 'visiter'], 'revisitant': ['revisitant', 'transitive'], 'revitalization': ['relativization', 'revitalization'], 'revitalize': ['relativize', 'revitalize'], 'revocation': ['overaction', 'revocation'], 'revocative': ['overactive', 'revocative'], 'revoke': ['evoker', 'revoke'], 'revolting': ['overglint', 'revolting'], 'revolute': ['revolute', 'truelove'], 'revolve': ['evolver', 'revolve'], 'revomit': ['revomit', 'vomiter'], 'revote': ['revote', 'vetoer'], 'revuist': ['revuist', 'stuiver'], 'rewade': ['drawee', 'rewade'], 'rewager': ['rewager', 'wagerer'], 'rewake': ['kerewa', 'rewake'], 'rewaken': ['rewaken', 'wakener'], 'rewall': ['rewall', 'waller'], 'rewallow': ['rewallow', 'wallower'], 'reward': ['drawer', 'redraw', 'reward', 'warder'], 'rewarder': ['redrawer', 'rewarder', 'warderer'], 'rewarm': ['rewarm', 'warmer'], 'rewarn': ['rewarn', 'warner', 'warren'], 'rewash': ['hawser', 'rewash', 'washer'], 'rewater': ['rewater', 'waterer'], 'rewave': ['rewave', 'weaver'], 'rewax': ['rewax', 'waxer'], 'reweaken': ['reweaken', 'weakener'], 'rewear': ['rewear', 'warree', 'wearer'], 'rewed': ['dewer', 'ewder', 'rewed'], 'reweigh': ['reweigh', 'weigher'], 'reweld': ['reweld', 'welder'], 'rewet': ['rewet', 'tewer', 'twere'], 'rewhirl': ['rewhirl', 'whirler'], 'rewhisper': ['rewhisper', 'whisperer'], 'rewhiten': ['rewhiten', 'whitener'], 'rewiden': ['rewiden', 'widener'], 'rewin': ['erwin', 'rewin', 'winer'], 'rewind': ['rewind', 'winder'], 'rewish': ['rewish', 'wisher'], 'rewithdraw': ['rewithdraw', 'withdrawer'], 'reword': ['reword', 'worder'], 'rework': ['rework', 'worker'], 'reworked': ['reedwork', 'reworked'], 'rewound': ['rewound', 'unrowed', 'wounder'], 'rewoven': ['overnew', 'rewoven'], 'rewrap': ['prewar', 'rewrap', 'warper'], 'reyield': ['reedily', 'reyield', 'yielder'], 'rhacianectes': ['rachianectes', 'rhacianectes'], 'rhaetian': ['earthian', 'rhaetian'], 'rhaetic': ['certhia', 'rhaetic', 'theriac'], 'rhamnose': ['horseman', 'rhamnose', 'shoreman'], 'rhamnoside': ['admonisher', 'rhamnoside'], 'rhapis': ['parish', 'raphis', 'rhapis'], 'rhapontic': ['anthropic', 'rhapontic'], 'rhaponticin': ['panornithic', 'rhaponticin'], 'rhason': ['rhason', 'sharon', 'shoran'], 'rhatania': ['ratanhia', 'rhatania'], 'rhe': ['her', 'reh', 'rhe'], 'rhea': ['hare', 'hear', 'rhea'], 'rheen': ['herne', 'rheen'], 'rheic': ['cheir', 'rheic'], 'rhein': ['hiren', 'rhein', 'rhine'], 'rheinic': ['hircine', 'rheinic'], 'rhema': ['harem', 'herma', 'rhema'], 'rhematic': ['athermic', 'marchite', 'rhematic'], 'rheme': ['herem', 'rheme'], 'rhemist': ['rhemist', 'smither'], 'rhenium': ['inhumer', 'rhenium'], 'rheometric': ['chirometer', 'rheometric'], 'rheophile': ['herophile', 'rheophile'], 'rheoscope': ['prechoose', 'rheoscope'], 'rheostatic': ['choristate', 'rheostatic'], 'rheotactic': ['rheotactic', 'theocratic'], 'rheotan': ['another', 'athenor', 'rheotan'], 'rheotropic': ['horopteric', 'rheotropic', 'trichopore'], 'rhesian': ['arshine', 'nearish', 'rhesian', 'sherani'], 'rhesus': ['rhesus', 'suresh'], 'rhetor': ['rhetor', 'rother'], 'rhetoricals': ['rhetoricals', 'trochlearis'], 'rhetorize': ['rhetorize', 'theorizer'], 'rheumatic': ['hematuric', 'rheumatic'], 'rhine': ['hiren', 'rhein', 'rhine'], 'rhinestone': ['neornithes', 'rhinestone'], 'rhineura': ['rhineura', 'unhairer'], 'rhinocele': ['cholerine', 'rhinocele'], 'rhinopharyngitis': ['pharyngorhinitis', 'rhinopharyngitis'], 'rhipidate': ['rhipidate', 'thripidae'], 'rhizoctonia': ['chorization', 'rhizoctonia', 'zonotrichia'], 'rhoda': ['hoard', 'rhoda'], 'rhodaline': ['hodiernal', 'rhodaline'], 'rhodanthe': ['rhodanthe', 'thornhead'], 'rhodeose': ['rhodeose', 'seerhood'], 'rhodes': ['dehors', 'rhodes', 'shoder', 'shored'], 'rhodic': ['orchid', 'rhodic'], 'rhodite': ['rhodite', 'theroid'], 'rhodium': ['humidor', 'rhodium'], 'rhodope': ['redhoop', 'rhodope'], 'rhodopsin': ['donorship', 'rhodopsin'], 'rhoecus': ['choreus', 'chouser', 'rhoecus'], 'rhopalic': ['orphical', 'rhopalic'], 'rhus': ['rhus', 'rush'], 'rhynchotal': ['chloranthy', 'rhynchotal'], 'rhyton': ['rhyton', 'thorny'], 'ria': ['air', 'ira', 'ria'], 'rial': ['aril', 'lair', 'lari', 'liar', 'lira', 'rail', 'rial'], 'riancy': ['cairny', 'riancy'], 'riant': ['riant', 'tairn', 'tarin', 'train'], 'riata': ['arati', 'atria', 'riata', 'tarai', 'tiara'], 'ribald': ['bildar', 'bridal', 'ribald'], 'ribaldly': ['bridally', 'ribaldly'], 'riband': ['brandi', 'riband'], 'ribat': ['barit', 'ribat'], 'ribbed': ['dibber', 'ribbed'], 'ribber': ['briber', 'ribber'], 'ribble': ['libber', 'ribble'], 'ribbon': ['ribbon', 'robbin'], 'ribe': ['beri', 'bier', 'brei', 'ribe'], 'ribes': ['birse', 'ribes'], 'riblet': ['beltir', 'riblet'], 'ribroast': ['arborist', 'ribroast'], 'ribspare': ['ribspare', 'sparerib'], 'rice': ['eric', 'rice'], 'ricer': ['crier', 'ricer'], 'ricey': ['criey', 'ricey'], 'richardia': ['charadrii', 'richardia'], 'richdom': ['chromid', 'richdom'], 'richen': ['enrich', 'nicher', 'richen'], 'riches': ['riches', 'shicer'], 'richt': ['crith', 'richt'], 'ricine': ['irenic', 'ricine'], 'ricinoleate': ['arenicolite', 'ricinoleate'], 'rickets': ['rickets', 'sticker'], 'rickle': ['licker', 'relick', 'rickle'], 'rictal': ['citral', 'rictal'], 'rictus': ['citrus', 'curtis', 'rictus', 'rustic'], 'ridable': ['bedrail', 'bridale', 'ridable'], 'ridably': ['bardily', 'rabidly', 'ridably'], 'riddam': ['madrid', 'riddam'], 'riddance': ['adendric', 'riddance'], 'riddel': ['lidder', 'riddel', 'riddle'], 'ridden': ['dinder', 'ridden', 'rinded'], 'riddle': ['lidder', 'riddel', 'riddle'], 'ride': ['dier', 'dire', 'reid', 'ride'], 'rideau': ['auride', 'rideau'], 'riden': ['diner', 'riden', 'rinde'], 'rident': ['dirten', 'rident', 'tinder'], 'rider': ['drier', 'rider'], 'ridered': ['deirdre', 'derider', 'derride', 'ridered'], 'ridge': ['dirge', 'gride', 'redig', 'ridge'], 'ridgel': ['gilder', 'girdle', 'glider', 'regild', 'ridgel'], 'ridgelike': ['dirgelike', 'ridgelike'], 'ridger': ['girder', 'ridger'], 'ridging': ['girding', 'ridging'], 'ridgingly': ['girdingly', 'ridgingly'], 'ridgling': ['girdling', 'ridgling'], 'ridgy': ['igdyr', 'ridgy'], 'rie': ['ire', 'rie'], 'riem': ['emir', 'imer', 'mire', 'reim', 'remi', 'riem', 'rime'], 'rife': ['fire', 'reif', 'rife'], 'rifeness': ['finesser', 'rifeness'], 'rifle': ['filer', 'flier', 'lifer', 'rifle'], 'rifleman': ['inflamer', 'rifleman'], 'rift': ['frit', 'rift'], 'rigadoon': ['gordonia', 'organoid', 'rigadoon'], 'rigation': ['rigation', 'trigonia'], 'rigbane': ['bearing', 'begrain', 'brainge', 'rigbane'], 'right': ['girth', 'grith', 'right'], 'rightle': ['lighter', 'relight', 'rightle'], 'rigling': ['girling', 'rigling'], 'rigolette': ['gloriette', 'rigolette'], 'rik': ['irk', 'rik'], 'rikisha': ['rikisha', 'shikari'], 'rikk': ['kirk', 'rikk'], 'riksha': ['rakish', 'riksha', 'shikar', 'shikra', 'sikhra'], 'rile': ['lier', 'lire', 'rile'], 'rillet': ['retill', 'rillet', 'tiller'], 'rillett': ['rillett', 'trillet'], 'rillock': ['rillock', 'rollick'], 'rim': ['mir', 'rim'], 'rima': ['amir', 'irma', 'mari', 'mira', 'rami', 'rima'], 'rimal': ['armil', 'marli', 'rimal'], 'rimate': ['imaret', 'metria', 'mirate', 'rimate'], 'rime': ['emir', 'imer', 'mire', 'reim', 'remi', 'riem', 'rime'], 'rimmed': ['dimmer', 'immerd', 'rimmed'], 'rimose': ['isomer', 'rimose'], 'rimple': ['limper', 'prelim', 'rimple'], 'rimu': ['muir', 'rimu'], 'rimula': ['rimula', 'uramil'], 'rimy': ['miry', 'rimy', 'yirm'], 'rinaldo': ['nailrod', 'ordinal', 'rinaldo', 'rodinal'], 'rinceau': ['aneuric', 'rinceau'], 'rincon': ['cornin', 'rincon'], 'rinde': ['diner', 'riden', 'rinde'], 'rinded': ['dinder', 'ridden', 'rinded'], 'rindle': ['linder', 'rindle'], 'rine': ['neri', 'rein', 'rine'], 'ring': ['girn', 'grin', 'ring'], 'ringable': ['balinger', 'ringable'], 'ringe': ['grein', 'inger', 'nigre', 'regin', 'reign', 'ringe'], 'ringed': ['engird', 'ringed'], 'ringer': ['erring', 'rering', 'ringer'], 'ringgoer': ['gorgerin', 'ringgoer'], 'ringhead': ['headring', 'ringhead'], 'ringite': ['igniter', 'ringite', 'tigrine'], 'ringle': ['linger', 'ringle'], 'ringlead': ['dragline', 'reginald', 'ringlead'], 'ringlet': ['ringlet', 'tingler', 'tringle'], 'ringster': ['restring', 'ringster', 'stringer'], 'ringtail': ['ringtail', 'trailing'], 'ringy': ['girny', 'ringy'], 'rink': ['kirn', 'rink'], 'rinka': ['inkra', 'krina', 'nakir', 'rinka'], 'rinse': ['reins', 'resin', 'rinse', 'risen', 'serin', 'siren'], 'rio': ['rio', 'roi'], 'riot': ['riot', 'roit', 'trio'], 'rioting': ['ignitor', 'rioting'], 'rip': ['pir', 'rip'], 'ripa': ['pair', 'pari', 'pria', 'ripa'], 'ripal': ['april', 'pilar', 'ripal'], 'ripe': ['peri', 'pier', 'ripe'], 'ripelike': ['pierlike', 'ripelike'], 'ripen': ['piner', 'prine', 'repin', 'ripen'], 'ripener': ['repiner', 'ripener'], 'ripeningly': ['repiningly', 'ripeningly'], 'riper': ['prier', 'riper'], 'ripgut': ['ripgut', 'upgirt'], 'ripost': ['ripost', 'triops', 'tripos'], 'riposte': ['periost', 'porites', 'reposit', 'riposte'], 'rippet': ['rippet', 'tipper'], 'ripple': ['lipper', 'ripple'], 'ripplet': ['ripplet', 'tippler', 'tripple'], 'ripup': ['ripup', 'uprip'], 'rise': ['reis', 'rise', 'seri', 'sier', 'sire'], 'risen': ['reins', 'resin', 'rinse', 'risen', 'serin', 'siren'], 'rishi': ['irish', 'rishi', 'sirih'], 'risk': ['kris', 'risk'], 'risky': ['risky', 'sirky'], 'risper': ['risper', 'sprier'], 'risque': ['risque', 'squire'], 'risquee': ['esquire', 'risquee'], 'rissel': ['rissel', 'rissle'], 'rissle': ['rissel', 'rissle'], 'rissoa': ['aissor', 'rissoa'], 'rist': ['rist', 'stir'], 'rit': ['rit', 'tri'], 'rita': ['airt', 'rita', 'tari', 'tiar'], 'rite': ['iter', 'reit', 'rite', 'teri', 'tier', 'tire'], 'riteless': ['riteless', 'tireless'], 'ritelessness': ['ritelessness', 'tirelessness'], 'ritling': ['glitnir', 'ritling'], 'ritualize': ['ritualize', 'uralitize'], 'riva': ['ravi', 'riva', 'vair', 'vari', 'vira'], 'rivage': ['argive', 'rivage'], 'rival': ['rival', 'viral'], 'rive': ['rive', 'veri', 'vier', 'vire'], 'rivel': ['levir', 'liver', 'livre', 'rivel'], 'riven': ['riven', 'viner'], 'rivered': ['deriver', 'redrive', 'rivered'], 'rivet': ['rivet', 'tirve', 'tiver'], 'riveter': ['rerivet', 'riveter'], 'rivetless': ['rivetless', 'silvester'], 'riving': ['irving', 'riving', 'virgin'], 'rivingly': ['rivingly', 'virginly'], 'rivose': ['rivose', 'virose'], 'riyal': ['lairy', 'riyal'], 'ro': ['or', 'ro'], 'roach': ['achor', 'chora', 'corah', 'orach', 'roach'], 'road': ['dora', 'orad', 'road'], 'roadability': ['adorability', 'roadability'], 'roadable': ['adorable', 'roadable'], 'roader': ['adorer', 'roader'], 'roading': ['gordian', 'idorgan', 'roading'], 'roadite': ['roadite', 'toadier'], 'roadman': ['anadrom', 'madrona', 'mandora', 'monarda', 'roadman'], 'roadster': ['dartrose', 'roadster'], 'roam': ['amor', 'maro', 'mora', 'omar', 'roam'], 'roamage': ['georama', 'roamage'], 'roamer': ['remora', 'roamer'], 'roaming': ['ingomar', 'moringa', 'roaming'], 'roan': ['nora', 'orna', 'roan'], 'roast': ['astor', 'roast'], 'roastable': ['astrolabe', 'roastable'], 'roasting': ['orangist', 'organist', 'roasting', 'signator'], 'rob': ['bor', 'orb', 'rob'], 'robalo': ['barolo', 'robalo'], 'roband': ['bandor', 'bondar', 'roband'], 'robbin': ['ribbon', 'robbin'], 'robe': ['boer', 'bore', 'robe'], 'rober': ['borer', 'rerob', 'rober'], 'roberd': ['border', 'roberd'], 'roberta': ['arboret', 'roberta', 'taborer'], 'robin': ['biron', 'inorb', 'robin'], 'robinet': ['bornite', 'robinet'], 'robing': ['boring', 'robing'], 'roble': ['blore', 'roble'], 'robot': ['boort', 'robot'], 'robotian': ['abortion', 'robotian'], 'robotism': ['bimotors', 'robotism'], 'robur': ['burro', 'robur', 'rubor'], 'roc': ['cor', 'cro', 'orc', 'roc'], 'rochea': ['chorea', 'ochrea', 'rochea'], 'rochet': ['hector', 'rochet', 'tocher', 'troche'], 'rock': ['cork', 'rock'], 'rocker': ['corker', 'recork', 'rocker'], 'rocketer': ['rocketer', 'rocktree'], 'rockiness': ['corkiness', 'rockiness'], 'rocking': ['corking', 'rocking'], 'rockish': ['corkish', 'rockish'], 'rocktree': ['rocketer', 'rocktree'], 'rockwood': ['corkwood', 'rockwood', 'woodrock'], 'rocky': ['corky', 'rocky'], 'rocta': ['actor', 'corta', 'croat', 'rocta', 'taroc', 'troca'], 'rod': ['dor', 'rod'], 'rode': ['doer', 'redo', 'rode', 'roed'], 'rodentia': ['andorite', 'nadorite', 'ordinate', 'rodentia'], 'rodential': ['lorandite', 'rodential'], 'rodinal': ['nailrod', 'ordinal', 'rinaldo', 'rodinal'], 'rodingite': ['negritoid', 'rodingite'], 'rodless': ['drossel', 'rodless'], 'rodlet': ['retold', 'rodlet'], 'rodman': ['random', 'rodman'], 'rodney': ['rodney', 'yonder'], 'roe': ['oer', 'ore', 'roe'], 'roed': ['doer', 'redo', 'rode', 'roed'], 'roey': ['oyer', 'roey', 'yore'], 'rog': ['gor', 'rog'], 'rogan': ['angor', 'argon', 'goran', 'grano', 'groan', 'nagor', 'orang', 'organ', 'rogan', 'ronga'], 'rogative': ['ravigote', 'rogative'], 'roger': ['gorer', 'roger'], 'roggle': ['logger', 'roggle'], 'rogue': ['orgue', 'rogue', 'rouge'], 'rohan': ['nahor', 'norah', 'rohan'], 'rohob': ['bohor', 'rohob'], 'rohun': ['huron', 'rohun'], 'roi': ['rio', 'roi'], 'roid': ['dori', 'roid'], 'roil': ['loir', 'lori', 'roil'], 'roister': ['roister', 'storier'], 'roit': ['riot', 'roit', 'trio'], 'rok': ['kor', 'rok'], 'roka': ['karo', 'kora', 'okra', 'roka'], 'roke': ['kore', 'roke'], 'rokey': ['rokey', 'yoker'], 'roky': ['kory', 'roky', 'york'], 'roland': ['androl', 'arnold', 'lardon', 'roland', 'ronald'], 'rolandic': ['ironclad', 'rolandic'], 'role': ['lore', 'orle', 'role'], 'rolfe': ['forel', 'rolfe'], 'roller': ['reroll', 'roller'], 'rollick': ['rillock', 'rollick'], 'romaean': ['neorama', 'romaean'], 'romain': ['marion', 'romain'], 'romaine': ['moraine', 'romaine'], 'romal': ['molar', 'moral', 'romal'], 'roman': ['manor', 'moran', 'norma', 'ramon', 'roman'], 'romancist': ['narcotism', 'romancist'], 'romancy': ['acronym', 'romancy'], 'romandom': ['monodram', 'romandom'], 'romane': ['enamor', 'monera', 'oreman', 'romane'], 'romanes': ['masoner', 'romanes'], 'romanian': ['maronian', 'romanian'], 'romanic': ['amicron', 'marconi', 'minorca', 'romanic'], 'romanist': ['maronist', 'romanist'], 'romanistic': ['marcionist', 'romanistic'], 'romanite': ['maronite', 'martinoe', 'minorate', 'morenita', 'romanite'], 'romanity': ['minatory', 'romanity'], 'romanly': ['almonry', 'romanly'], 'romantic': ['macrotin', 'romantic'], 'romanticly': ['matrocliny', 'romanticly'], 'romantism': ['matronism', 'romantism'], 'rome': ['mero', 'more', 'omer', 'rome'], 'romeite': ['moieter', 'romeite'], 'romeo': ['moore', 'romeo'], 'romero': ['romero', 'roomer'], 'romeshot': ['resmooth', 'romeshot', 'smoother'], 'romeward': ['marrowed', 'romeward'], 'romic': ['micro', 'moric', 'romic'], 'romish': ['hirmos', 'romish'], 'rompish': ['orphism', 'rompish'], 'ron': ['nor', 'ron'], 'ronald': ['androl', 'arnold', 'lardon', 'roland', 'ronald'], 'roncet': ['conter', 'cornet', 'cronet', 'roncet'], 'ronco': ['conor', 'croon', 'ronco'], 'rond': ['dorn', 'rond'], 'rondache': ['anchored', 'rondache'], 'ronde': ['drone', 'ronde'], 'rondeau': ['rondeau', 'unoared'], 'rondel': ['rondel', 'rondle'], 'rondelet': ['redolent', 'rondelet'], 'rondeletia': ['delineator', 'rondeletia'], 'rondelle': ['enrolled', 'rondelle'], 'rondle': ['rondel', 'rondle'], 'rondo': ['donor', 'rondo'], 'rondure': ['rondure', 'rounder', 'unorder'], 'rone': ['oner', 'rone'], 'ronga': ['angor', 'argon', 'goran', 'grano', 'groan', 'nagor', 'orang', 'organ', 'rogan', 'ronga'], 'rood': ['door', 'odor', 'oord', 'rood'], 'roodstone': ['doorstone', 'roodstone'], 'roofer': ['reroof', 'roofer'], 'rooflet': ['footler', 'rooflet'], 'rook': ['kroo', 'rook'], 'rooker': ['korero', 'rooker'], 'rool': ['loro', 'olor', 'orlo', 'rool'], 'room': ['moor', 'moro', 'room'], 'roomage': ['moorage', 'roomage'], 'roomed': ['doomer', 'mooder', 'redoom', 'roomed'], 'roomer': ['romero', 'roomer'], 'roomlet': ['roomlet', 'tremolo'], 'roomstead': ['astrodome', 'roomstead'], 'roomward': ['roomward', 'wardroom'], 'roomy': ['moory', 'roomy'], 'roost': ['roost', 'torso'], 'root': ['root', 'roto', 'toro'], 'rooter': ['reroot', 'rooter', 'torero'], 'rootle': ['looter', 'retool', 'rootle', 'tooler'], 'rootlet': ['rootlet', 'tootler'], 'rootworm': ['moorwort', 'rootworm', 'tomorrow', 'wormroot'], 'rope': ['pore', 'rope'], 'ropeable': ['operable', 'ropeable'], 'ropelike': ['porelike', 'ropelike'], 'ropeman': ['manrope', 'ropeman'], 'roper': ['porer', 'prore', 'roper'], 'ropes': ['poser', 'prose', 'ropes', 'spore'], 'ropiness': ['poriness', 'pression', 'ropiness'], 'roping': ['poring', 'roping'], 'ropp': ['prop', 'ropp'], 'ropy': ['pory', 'pyro', 'ropy'], 'roquet': ['quoter', 'roquet', 'torque'], 'rosa': ['asor', 'rosa', 'soar', 'sora'], 'rosabel': ['borlase', 'labrose', 'rosabel'], 'rosal': ['rosal', 'solar', 'soral'], 'rosales': ['lassoer', 'oarless', 'rosales'], 'rosalie': ['rosalie', 'seriola'], 'rosaniline': ['enaliornis', 'rosaniline'], 'rosated': ['rosated', 'torsade'], 'rose': ['eros', 'rose', 'sero', 'sore'], 'roseal': ['roseal', 'solera'], 'rosed': ['doser', 'rosed'], 'rosehead': ['rosehead', 'sorehead'], 'roseine': ['erinose', 'roseine'], 'rosel': ['loser', 'orsel', 'rosel', 'soler'], 'roselite': ['literose', 'roselite', 'tirolese'], 'roselle': ['orselle', 'roselle'], 'roseola': ['aerosol', 'roseola'], 'roset': ['roset', 'rotse', 'soter', 'stero', 'store', 'torse'], 'rosetan': ['noreast', 'rosetan', 'seatron', 'senator', 'treason'], 'rosetime': ['rosetime', 'timorese', 'tiresome'], 'rosetta': ['retoast', 'rosetta', 'stoater', 'toaster'], 'rosette': ['rosette', 'tetrose'], 'rosetum': ['oestrum', 'rosetum'], 'rosety': ['oyster', 'rosety'], 'rosin': ['ornis', 'rosin'], 'rosinate': ['arsonite', 'asterion', 'oestrian', 'rosinate', 'serotina'], 'rosine': ['rosine', 'senior', 'soneri'], 'rosiness': ['insessor', 'rosiness'], 'rosmarine': ['morrisean', 'rosmarine'], 'rosolite': ['oestriol', 'rosolite'], 'rosorial': ['rosorial', 'sororial'], 'rossite': ['rossite', 'sorites'], 'rostel': ['relost', 'reslot', 'rostel', 'sterol', 'torsel'], 'roster': ['resort', 'roster', 'sorter', 'storer'], 'rostra': ['rostra', 'sartor'], 'rostrate': ['rostrate', 'trostera'], 'rosulate': ['oestrual', 'rosulate'], 'rosy': ['rosy', 'sory'], 'rot': ['ort', 'rot', 'tor'], 'rota': ['rota', 'taro', 'tora'], 'rotacism': ['acrotism', 'rotacism'], 'rotal': ['latro', 'rotal', 'toral'], 'rotala': ['aortal', 'rotala'], 'rotalian': ['notarial', 'rational', 'rotalian'], 'rotan': ['orant', 'rotan', 'toran', 'trona'], 'rotanev': ['rotanev', 'venator'], 'rotarian': ['rotarian', 'tornaria'], 'rotate': ['rotate', 'tetrao'], 'rotch': ['chort', 'rotch', 'torch'], 'rote': ['rote', 'tore'], 'rotella': ['reallot', 'rotella', 'tallero'], 'rotge': ['ergot', 'rotge'], 'rother': ['rhetor', 'rother'], 'roto': ['root', 'roto', 'toro'], 'rotse': ['roset', 'rotse', 'soter', 'stero', 'store', 'torse'], 'rottan': ['attorn', 'ratton', 'rottan'], 'rotten': ['rotten', 'terton'], 'rotter': ['retort', 'retrot', 'rotter'], 'rottle': ['lotter', 'rottle', 'tolter'], 'rotula': ['rotula', 'torula'], 'rotulian': ['rotulian', 'uranotil'], 'rotuliform': ['rotuliform', 'toruliform'], 'rotulus': ['rotulus', 'torulus'], 'rotund': ['rotund', 'untrod'], 'rotunda': ['rotunda', 'tandour'], 'rotundate': ['rotundate', 'unrotated'], 'rotundifoliate': ['rotundifoliate', 'titanofluoride'], 'rotundo': ['orotund', 'rotundo'], 'roub': ['buro', 'roub'], 'roud': ['dour', 'duro', 'ordu', 'roud'], 'rouge': ['orgue', 'rogue', 'rouge'], 'rougeot': ['outgoer', 'rougeot'], 'roughen': ['enrough', 'roughen'], 'roughie': ['higuero', 'roughie'], 'rouky': ['rouky', 'yurok'], 'roulade': ['roulade', 'urodela'], 'rounce': ['conure', 'rounce', 'uncore'], 'rounded': ['redound', 'rounded', 'underdo'], 'roundel': ['durenol', 'lounder', 'roundel'], 'rounder': ['rondure', 'rounder', 'unorder'], 'roundhead': ['roundhead', 'unhoarded'], 'roundseam': ['meandrous', 'roundseam'], 'roundup': ['roundup', 'unproud'], 'roup': ['pour', 'roup'], 'rouper': ['pourer', 'repour', 'rouper'], 'roupet': ['pouter', 'roupet', 'troupe'], 'rousedness': ['rousedness', 'souredness'], 'rouser': ['rouser', 'sourer'], 'rousing': ['nigrous', 'rousing', 'souring'], 'rousseau': ['eosaurus', 'rousseau'], 'roust': ['roust', 'rusot', 'stour', 'sutor', 'torus'], 'rouster': ['rouster', 'trouser'], 'rousting': ['rousting', 'stouring'], 'rout': ['rout', 'toru', 'tour'], 'route': ['outer', 'outre', 'route'], 'router': ['retour', 'router', 'tourer'], 'routh': ['routh', 'throu'], 'routhie': ['outhire', 'routhie'], 'routine': ['routine', 'tueiron'], 'routing': ['outgrin', 'outring', 'routing', 'touring'], 'routinist': ['introitus', 'routinist'], 'rove': ['over', 'rove'], 'rovet': ['overt', 'rovet', 'torve', 'trove', 'voter'], 'row': ['row', 'wro'], 'rowdily': ['rowdily', 'wordily'], 'rowdiness': ['rowdiness', 'wordiness'], 'rowdy': ['dowry', 'rowdy', 'wordy'], 'rowed': ['dower', 'rowed'], 'rowel': ['lower', 'owler', 'rowel'], 'rowelhead': ['rowelhead', 'wheelroad'], 'rowen': ['owner', 'reown', 'rowen'], 'rower': ['rerow', 'rower'], 'rowet': ['rowet', 'tower', 'wrote'], 'rowing': ['ingrow', 'rowing'], 'rowlet': ['rowlet', 'trowel', 'wolter'], 'rowley': ['lowery', 'owlery', 'rowley', 'yowler'], 'roxy': ['oryx', 'roxy'], 'roy': ['ory', 'roy', 'yor'], 'royalist': ['royalist', 'solitary'], 'royet': ['royet', 'toyer'], 'royt': ['royt', 'ryot', 'tory', 'troy', 'tyro'], 'rua': ['aru', 'rua', 'ura'], 'ruana': ['anura', 'ruana'], 'rub': ['bur', 'rub'], 'rubasse': ['rubasse', 'surbase'], 'rubato': ['outbar', 'rubato', 'tabour'], 'rubbed': ['dubber', 'rubbed'], 'rubble': ['burble', 'lubber', 'rubble'], 'rubbler': ['burbler', 'rubbler'], 'rubbly': ['burbly', 'rubbly'], 'rube': ['bure', 'reub', 'rube'], 'rubella': ['rubella', 'rulable'], 'rubescent': ['rubescent', 'subcenter'], 'rubiate': ['abiuret', 'aubrite', 'biurate', 'rubiate'], 'rubiator': ['rubiator', 'torrubia'], 'rubican': ['brucina', 'rubican'], 'rubied': ['burdie', 'buried', 'rubied'], 'rubification': ['rubification', 'urbification'], 'rubify': ['rubify', 'urbify'], 'rubine': ['burnie', 'rubine'], 'ruble': ['bluer', 'brule', 'burel', 'ruble'], 'rubor': ['burro', 'robur', 'rubor'], 'rubrical': ['bicrural', 'rubrical'], 'ruby': ['bury', 'ruby'], 'ructation': ['anticourt', 'curtation', 'ructation'], 'ruction': ['courtin', 'ruction'], 'rud': ['rud', 'urd'], 'rudas': ['rudas', 'sudra'], 'ruddle': ['dudler', 'ruddle'], 'rude': ['duer', 'dure', 'rude', 'urde'], 'rudish': ['hurdis', 'rudish'], 'rudista': ['dasturi', 'rudista'], 'rudity': ['durity', 'rudity'], 'rue': ['rue', 'ure'], 'ruen': ['renu', 'ruen', 'rune'], 'ruffed': ['duffer', 'ruffed'], 'rufter': ['returf', 'rufter'], 'rug': ['gur', 'rug'], 'ruga': ['gaur', 'guar', 'ruga'], 'rugate': ['argute', 'guetar', 'rugate', 'tuareg'], 'rugged': ['grudge', 'rugged'], 'ruggle': ['gurgle', 'lugger', 'ruggle'], 'rugose': ['grouse', 'rugose'], 'ruinate': ['ruinate', 'taurine', 'uranite', 'urinate'], 'ruination': ['ruination', 'urination'], 'ruinator': ['ruinator', 'urinator'], 'ruined': ['diurne', 'inured', 'ruined', 'unride'], 'ruing': ['irgun', 'ruing', 'unrig'], 'ruinous': ['ruinous', 'urinous'], 'ruinousness': ['ruinousness', 'urinousness'], 'rulable': ['rubella', 'rulable'], 'rule': ['lure', 'rule'], 'ruledom': ['remould', 'ruledom'], 'ruler': ['lurer', 'ruler'], 'ruling': ['ruling', 'urling'], 'rulingly': ['luringly', 'rulingly'], 'rum': ['mru', 'rum'], 'rumal': ['mural', 'rumal'], 'ruman': ['muran', 'ruman', 'unarm', 'unram', 'urman'], 'rumble': ['lumber', 'rumble', 'umbrel'], 'rumelian': ['lemurian', 'malurine', 'rumelian'], 'rumex': ['murex', 'rumex'], 'ruminant': ['nutramin', 'ruminant'], 'ruminator': ['antirumor', 'ruminator'], 'rumly': ['murly', 'rumly'], 'rumple': ['lumper', 'plumer', 'replum', 'rumple'], 'run': ['run', 'urn'], 'runback': ['backrun', 'runback'], 'runby': ['burny', 'runby'], 'runch': ['churn', 'runch'], 'runcinate': ['encurtain', 'runcinate', 'uncertain'], 'rundale': ['launder', 'rundale'], 'rundi': ['rundi', 'unrid'], 'rundlet': ['rundlet', 'trundle'], 'rune': ['renu', 'ruen', 'rune'], 'runed': ['runed', 'under', 'unred'], 'runer': ['rerun', 'runer'], 'runfish': ['furnish', 'runfish'], 'rung': ['grun', 'rung'], 'runic': ['curin', 'incur', 'runic'], 'runically': ['runically', 'unlyrical'], 'runite': ['runite', 'triune', 'uniter', 'untire'], 'runkly': ['knurly', 'runkly'], 'runlet': ['runlet', 'turnel'], 'runnet': ['runnet', 'tunner', 'unrent'], 'runout': ['outrun', 'runout'], 'runover': ['overrun', 'runover'], 'runt': ['runt', 'trun', 'turn'], 'runted': ['runted', 'tunder', 'turned'], 'runtee': ['neuter', 'retune', 'runtee', 'tenure', 'tureen'], 'runway': ['runway', 'unwary'], 'rupa': ['prau', 'rupa'], 'rupee': ['puree', 'rupee'], 'rupestrian': ['rupestrian', 'supertrain'], 'rupiah': ['hairup', 'rupiah'], 'rural': ['rural', 'urlar'], 'rus': ['rus', 'sur', 'urs'], 'rusa': ['rusa', 'saur', 'sura', 'ursa', 'usar'], 'ruscus': ['cursus', 'ruscus'], 'ruse': ['ruse', 'suer', 'sure', 'user'], 'rush': ['rhus', 'rush'], 'rushen': ['reshun', 'rushen'], 'rusine': ['insure', 'rusine', 'ursine'], 'rusma': ['musar', 'ramus', 'rusma', 'surma'], 'rusot': ['roust', 'rusot', 'stour', 'sutor', 'torus'], 'russelia': ['russelia', 'siruelas'], 'russet': ['russet', 'tusser'], 'russify': ['fissury', 'russify'], 'russine': ['russine', 'serinus', 'sunrise'], 'rustable': ['baluster', 'rustable'], 'rustic': ['citrus', 'curtis', 'rictus', 'rustic'], 'rusticial': ['curialist', 'rusticial'], 'rusticly': ['crustily', 'rusticly'], 'rusticness': ['crustiness', 'rusticness'], 'rustle': ['luster', 'result', 'rustle', 'sutler', 'ulster'], 'rustling': ['lustring', 'rustling'], 'rustly': ['rustly', 'sultry'], 'rut': ['rut', 'tur'], 'ruta': ['ruta', 'taur'], 'rutch': ['cruth', 'rutch'], 'rutelian': ['lutrinae', 'retinula', 'rutelian', 'tenurial'], 'rutelinae': ['lineature', 'rutelinae'], 'ruth': ['hurt', 'ruth'], 'ruthenian': ['hunterian', 'ruthenian'], 'ruther': ['hurter', 'ruther'], 'ruthful': ['hurtful', 'ruthful'], 'ruthfully': ['hurtfully', 'ruthfully'], 'ruthfulness': ['hurtfulness', 'ruthfulness'], 'ruthless': ['hurtless', 'ruthless'], 'ruthlessly': ['hurtlessly', 'ruthlessly'], 'ruthlessness': ['hurtlessness', 'ruthlessness'], 'rutilant': ['rutilant', 'turntail'], 'rutinose': ['rutinose', 'tursenoi'], 'rutter': ['rutter', 'turret'], 'rutyl': ['rutyl', 'truly'], 'rutylene': ['neuterly', 'rutylene'], 'ryal': ['aryl', 'lyra', 'ryal', 'yarl'], 'ryder': ['derry', 'redry', 'ryder'], 'rye': ['rye', 'yer'], 'ryen': ['ryen', 'yern'], 'ryot': ['royt', 'ryot', 'tory', 'troy', 'tyro'], 'rype': ['prey', 'pyre', 'rype'], 'rytina': ['rytina', 'trainy', 'tyrian'], 'sa': ['as', 'sa'], 'saa': ['asa', 'saa'], 'saan': ['anas', 'ansa', 'saan'], 'sab': ['bas', 'sab'], 'saba': ['abas', 'saba'], 'sabal': ['balas', 'balsa', 'basal', 'sabal'], 'saban': ['nasab', 'saban'], 'sabanut': ['sabanut', 'sabutan', 'tabanus'], 'sabe': ['base', 'besa', 'sabe', 'seba'], 'sabeca': ['casabe', 'sabeca'], 'sabella': ['basella', 'sabella', 'salable'], 'sabelli': ['sabelli', 'sebilla'], 'sabellid': ['sabellid', 'slidable'], 'saber': ['barse', 'besra', 'saber', 'serab'], 'sabered': ['debaser', 'sabered'], 'sabian': ['sabian', 'sabina'], 'sabina': ['sabian', 'sabina'], 'sabino': ['basion', 'bonsai', 'sabino'], 'sabir': ['baris', 'sabir'], 'sable': ['blase', 'sable'], 'saboraim': ['ambrosia', 'saboraim'], 'sabot': ['basto', 'boast', 'sabot'], 'sabotine': ['obeisant', 'sabotine'], 'sabromin': ['ambrosin', 'barosmin', 'sabromin'], 'sabulite': ['sabulite', 'suitable'], 'sabutan': ['sabanut', 'sabutan', 'tabanus'], 'sacalait': ['castalia', 'sacalait'], 'saccade': ['cascade', 'saccade'], 'saccomyian': ['saccomyian', 'saccomyina'], 'saccomyina': ['saccomyian', 'saccomyina'], 'sacculoutricular': ['sacculoutricular', 'utriculosaccular'], 'sacellum': ['camellus', 'sacellum'], 'sachem': ['sachem', 'schema'], 'sachet': ['chaste', 'sachet', 'scathe', 'scheat'], 'sacian': ['ascian', 'sacian', 'scania', 'sicana'], 'sack': ['cask', 'sack'], 'sackbut': ['sackbut', 'subtack'], 'sacken': ['sacken', 'skance'], 'sacker': ['resack', 'sacker', 'screak'], 'sacking': ['casking', 'sacking'], 'sacklike': ['casklike', 'sacklike'], 'sacque': ['casque', 'sacque'], 'sacral': ['lascar', 'rascal', 'sacral', 'scalar'], 'sacrification': ['sacrification', 'scarification'], 'sacrificator': ['sacrificator', 'scarificator'], 'sacripant': ['sacripant', 'spartanic'], 'sacro': ['arcos', 'crosa', 'oscar', 'sacro'], 'sacrodorsal': ['dorsosacral', 'sacrodorsal'], 'sacroischiac': ['isosaccharic', 'sacroischiac'], 'sacrolumbal': ['lumbosacral', 'sacrolumbal'], 'sacrovertebral': ['sacrovertebral', 'vertebrosacral'], 'sad': ['das', 'sad'], 'sadden': ['desand', 'sadden', 'sanded'], 'saddling': ['addlings', 'saddling'], 'sadh': ['dash', 'sadh', 'shad'], 'sadhe': ['deash', 'hades', 'sadhe', 'shade'], 'sadic': ['asdic', 'sadic'], 'sadie': ['aides', 'aside', 'sadie'], 'sadiron': ['sadiron', 'sardoin'], 'sado': ['dosa', 'sado', 'soda'], 'sadr': ['sadr', 'sard'], 'saeima': ['asemia', 'saeima'], 'saernaite': ['arseniate', 'saernaite'], 'saeter': ['asteer', 'easter', 'eastre', 'reseat', 'saeter', 'seater', 'staree', 'teaser', 'teresa'], 'saeume': ['amusee', 'saeume'], 'safar': ['safar', 'saraf'], 'safely': ['fayles', 'safely'], 'saft': ['fast', 'saft'], 'sag': ['gas', 'sag'], 'sagai': ['sagai', 'saiga'], 'sagene': ['sagene', 'senega'], 'sagger': ['sagger', 'seggar'], 'sagless': ['gasless', 'glasses', 'sagless'], 'sago': ['sago', 'soga'], 'sagoin': ['gosain', 'isagon', 'sagoin'], 'sagra': ['argas', 'sagra'], 'sah': ['ash', 'sah', 'sha'], 'saharic': ['arachis', 'asiarch', 'saharic'], 'sahh': ['hash', 'sahh', 'shah'], 'sahidic': ['hasidic', 'sahidic'], 'sahme': ['sahme', 'shame'], 'saho': ['saho', 'shoa'], 'sai': ['sai', 'sia'], 'saic': ['acis', 'asci', 'saic'], 'said': ['dais', 'dasi', 'disa', 'said', 'sida'], 'saidi': ['saidi', 'saiid'], 'saiga': ['sagai', 'saiga'], 'saiid': ['saidi', 'saiid'], 'sail': ['lasi', 'lias', 'lisa', 'sail', 'sial'], 'sailable': ['isabella', 'sailable'], 'sailage': ['algesia', 'sailage'], 'sailed': ['aisled', 'deasil', 'ladies', 'sailed'], 'sailer': ['israel', 'relais', 'resail', 'sailer', 'serail', 'serial'], 'sailing': ['aisling', 'sailing'], 'sailoring': ['sailoring', 'signorial'], 'sailsman': ['nasalism', 'sailsman'], 'saily': ['islay', 'saily'], 'saim': ['mias', 'saim', 'siam', 'sima'], 'sain': ['anis', 'nais', 'nasi', 'nias', 'sain', 'sina'], 'sainfoin': ['sainfoin', 'sinfonia'], 'saint': ['saint', 'satin', 'stain'], 'saintdom': ['donatism', 'saintdom'], 'sainted': ['destain', 'instead', 'sainted', 'satined'], 'saintless': ['saintless', 'saltiness', 'slatiness', 'stainless'], 'saintlike': ['kleistian', 'saintlike', 'satinlike'], 'saintly': ['nastily', 'saintly', 'staynil'], 'saintship': ['hispanist', 'saintship'], 'saip': ['apis', 'pais', 'pasi', 'saip'], 'saiph': ['aphis', 'apish', 'hispa', 'saiph', 'spahi'], 'sair': ['rais', 'sair', 'sari'], 'saite': ['saite', 'taise'], 'saithe': ['saithe', 'tashie', 'teaish'], 'saitic': ['isatic', 'saitic'], 'saivism': ['saivism', 'sivaism'], 'sak': ['ask', 'sak'], 'saka': ['asak', 'kasa', 'saka'], 'sake': ['sake', 'seak'], 'sakeen': ['sakeen', 'sekane'], 'sakel': ['alkes', 'sakel', 'slake'], 'saker': ['asker', 'reask', 'saker', 'sekar'], 'sakeret': ['restake', 'sakeret'], 'sakha': ['kasha', 'khasa', 'sakha', 'shaka'], 'saki': ['saki', 'siak', 'sika'], 'sal': ['las', 'sal', 'sla'], 'salable': ['basella', 'sabella', 'salable'], 'salably': ['basally', 'salably'], 'salaceta': ['catalase', 'salaceta'], 'salacot': ['coastal', 'salacot'], 'salading': ['salading', 'salangid'], 'salago': ['aglaos', 'salago'], 'salamandarin': ['salamandarin', 'salamandrian', 'salamandrina'], 'salamandrian': ['salamandarin', 'salamandrian', 'salamandrina'], 'salamandrina': ['salamandarin', 'salamandrian', 'salamandrina'], 'salangid': ['salading', 'salangid'], 'salariat': ['alastair', 'salariat'], 'salat': ['atlas', 'salat', 'salta'], 'salay': ['asyla', 'salay', 'sayal'], 'sale': ['elsa', 'sale', 'seal', 'slae'], 'salele': ['salele', 'sallee'], 'salep': ['elaps', 'lapse', 'lepas', 'pales', 'salep', 'saple', 'sepal', 'slape', 'spale', 'speal'], 'saleratus': ['assaulter', 'reassault', 'saleratus'], 'salian': ['anisal', 'nasial', 'salian', 'salina'], 'salic': ['lacis', 'salic'], 'salicin': ['incisal', 'salicin'], 'salicylide': ['salicylide', 'scylliidae'], 'salience': ['salience', 'secaline'], 'salient': ['elastin', 'salient', 'saltine', 'slainte'], 'salimeter': ['misrelate', 'salimeter'], 'salimetry': ['mysterial', 'salimetry'], 'salina': ['anisal', 'nasial', 'salian', 'salina'], 'saline': ['alsine', 'neslia', 'saline', 'selina', 'silane'], 'salinoterreous': ['salinoterreous', 'soliterraneous'], 'salite': ['isleta', 'litsea', 'salite', 'stelai'], 'salited': ['distale', 'salited'], 'saliva': ['saliva', 'salvia'], 'salivan': ['salivan', 'slavian'], 'salivant': ['navalist', 'salivant'], 'salivate': ['salivate', 'vestalia'], 'salle': ['salle', 'sella'], 'sallee': ['salele', 'sallee'], 'sallet': ['sallet', 'stella', 'talles'], 'sallow': ['sallow', 'swallo'], 'salm': ['alms', 'salm', 'slam'], 'salma': ['salma', 'samal'], 'salmine': ['malines', 'salmine', 'selamin', 'seminal'], 'salmis': ['missal', 'salmis'], 'salmo': ['salmo', 'somal'], 'salmonsite': ['assoilment', 'salmonsite'], 'salome': ['melosa', 'salome', 'semola'], 'salometer': ['elastomer', 'salometer'], 'salon': ['salon', 'sloan', 'solan'], 'saloon': ['alonso', 'alsoon', 'saloon'], 'salp': ['salp', 'slap'], 'salpa': ['palas', 'salpa'], 'salpidae': ['palisade', 'salpidae'], 'salpoid': ['psaloid', 'salpoid'], 'salt': ['last', 'salt', 'slat'], 'salta': ['atlas', 'salat', 'salta'], 'saltary': ['astylar', 'saltary'], 'saltation': ['saltation', 'stational'], 'salted': ['desalt', 'salted'], 'saltee': ['ateles', 'saltee', 'sealet', 'stelae', 'teasel'], 'salter': ['laster', 'lastre', 'rastle', 'relast', 'resalt', 'salter', 'slater', 'stelar'], 'saltern': ['saltern', 'starnel', 'sternal'], 'saltery': ['saltery', 'stearyl'], 'saltier': ['aletris', 'alister', 'listera', 'realist', 'saltier'], 'saltine': ['elastin', 'salient', 'saltine', 'slainte'], 'saltiness': ['saintless', 'saltiness', 'slatiness', 'stainless'], 'salting': ['anglist', 'lasting', 'salting', 'slating', 'staling'], 'saltish': ['saltish', 'slatish'], 'saltly': ['lastly', 'saltly'], 'saltness': ['lastness', 'saltness'], 'saltometer': ['rattlesome', 'saltometer'], 'saltus': ['saltus', 'tussal'], 'saltwife': ['flatwise', 'saltwife'], 'salty': ['lasty', 'salty', 'slaty'], 'salung': ['lugnas', 'salung'], 'salute': ['salute', 'setula'], 'saluter': ['arustle', 'estrual', 'saluter', 'saulter'], 'salva': ['salva', 'valsa', 'vasal'], 'salve': ['salve', 'selva', 'slave', 'valse'], 'salver': ['salver', 'serval', 'slaver', 'versal'], 'salvia': ['saliva', 'salvia'], 'salvy': ['salvy', 'sylva'], 'sam': ['mas', 'sam', 'sma'], 'samal': ['salma', 'samal'], 'saman': ['manas', 'saman'], 'samani': ['samani', 'samian'], 'samaritan': ['samaritan', 'sarmatian'], 'samas': ['amass', 'assam', 'massa', 'samas'], 'sambal': ['balsam', 'sambal'], 'sambo': ['ambos', 'sambo'], 'same': ['asem', 'mesa', 'same', 'seam'], 'samel': ['amsel', 'melas', 'mesal', 'samel'], 'samely': ['measly', 'samely'], 'samen': ['manes', 'manse', 'mensa', 'samen', 'senam'], 'samh': ['mash', 'samh', 'sham'], 'samian': ['samani', 'samian'], 'samiel': ['amiles', 'asmile', 'mesail', 'mesial', 'samiel'], 'samir': ['maris', 'marsi', 'samir', 'simar'], 'samisen': ['samisen', 'samsien'], 'samish': ['samish', 'sisham'], 'samite': ['samite', 'semita', 'tamise', 'teaism'], 'sammer': ['mamers', 'sammer'], 'sammier': ['amerism', 'asimmer', 'sammier'], 'samnani': ['ananism', 'samnani'], 'samnite': ['atenism', 'inmeats', 'insteam', 'samnite'], 'samoan': ['monasa', 'samoan'], 'samothere': ['heartsome', 'samothere'], 'samoyed': ['samoyed', 'someday'], 'samphire': ['samphire', 'seraphim'], 'sampi': ['apism', 'sampi'], 'sampler': ['lampers', 'sampler'], 'samsien': ['samisen', 'samsien'], 'samskara': ['makassar', 'samskara'], 'samucan': ['manacus', 'samucan'], 'samuel': ['amelus', 'samuel'], 'sanability': ['insatiably', 'sanability'], 'sanai': ['asian', 'naias', 'sanai'], 'sanand': ['sanand', 'sandan'], 'sanche': ['encash', 'sanche'], 'sanct': ['sanct', 'scant'], 'sanction': ['canonist', 'sanction', 'sonantic'], 'sanctioner': ['resanction', 'sanctioner'], 'sanctity': ['sanctity', 'scantity'], 'sandak': ['sandak', 'skanda'], 'sandan': ['sanand', 'sandan'], 'sandarac': ['carandas', 'sandarac'], 'sandawe': ['sandawe', 'weasand'], 'sanded': ['desand', 'sadden', 'sanded'], 'sanderling': ['sanderling', 'slandering'], 'sandflower': ['flandowser', 'sandflower'], 'sandhi': ['danish', 'sandhi'], 'sandra': ['nasard', 'sandra'], 'sandworm': ['sandworm', 'swordman', 'wordsman'], 'sane': ['anes', 'sane', 'sean'], 'sanetch': ['chasten', 'sanetch'], 'sang': ['sang', 'snag'], 'sanga': ['gasan', 'sanga'], 'sangar': ['argans', 'sangar'], 'sangei': ['easing', 'sangei'], 'sanger': ['angers', 'sanger', 'serang'], 'sangrel': ['sangrel', 'snagrel'], 'sanhita': ['ashanti', 'sanhita', 'shaitan', 'thasian'], 'sanicle': ['celsian', 'escalin', 'sanicle', 'secalin'], 'sanies': ['anesis', 'anseis', 'sanies', 'sansei', 'sasine'], 'sanious': ['sanious', 'suasion'], 'sanitate': ['astatine', 'sanitate'], 'sanitize': ['sanitize', 'satinize'], 'sanity': ['sanity', 'satiny'], 'sank': ['kans', 'sank'], 'sankha': ['kashan', 'sankha'], 'sannup': ['pannus', 'sannup', 'unsnap', 'unspan'], 'sanpoil': ['sanpoil', 'spaniol'], 'sansei': ['anesis', 'anseis', 'sanies', 'sansei', 'sasine'], 'sansi': ['sansi', 'sasin'], 'sant': ['nast', 'sant', 'stan'], 'santa': ['santa', 'satan'], 'santal': ['aslant', 'lansat', 'natals', 'santal'], 'santali': ['lanista', 'santali'], 'santalin': ['annalist', 'santalin'], 'santee': ['ensate', 'enseat', 'santee', 'sateen', 'senate'], 'santiago': ['agonista', 'santiago'], 'santimi': ['animist', 'santimi'], 'santir': ['instar', 'santir', 'strain'], 'santon': ['santon', 'sonant', 'stanno'], 'santorinite': ['reinstation', 'santorinite'], 'sap': ['asp', 'sap', 'spa'], 'sapan': ['pasan', 'sapan'], 'sapek': ['sapek', 'speak'], 'saperda': ['aspread', 'saperda'], 'saphena': ['aphanes', 'saphena'], 'sapid': ['sapid', 'spaid'], 'sapient': ['panties', 'sapient', 'spinate'], 'sapiential': ['antilipase', 'sapiential'], 'sapin': ['pisan', 'sapin', 'spina'], 'sapinda': ['anapsid', 'sapinda'], 'saple': ['elaps', 'lapse', 'lepas', 'pales', 'salep', 'saple', 'sepal', 'slape', 'spale', 'speal'], 'sapling': ['lapsing', 'sapling'], 'sapo': ['asop', 'sapo', 'soap'], 'sapor': ['psora', 'sapor', 'sarpo'], 'saporous': ['asporous', 'saporous'], 'sapota': ['sapota', 'taposa'], 'sapotilha': ['hapalotis', 'sapotilha'], 'sapphire': ['papisher', 'sapphire'], 'sapples': ['papless', 'sapples'], 'sapremia': ['aspermia', 'sapremia'], 'sapremic': ['aspermic', 'sapremic'], 'saprine': ['persian', 'prasine', 'saprine'], 'saprolite': ['posterial', 'saprolite'], 'saprolitic': ['polaristic', 'poristical', 'saprolitic'], 'sapropel': ['prolapse', 'sapropel'], 'sapropelic': ['periscopal', 'sapropelic'], 'saprophagous': ['prasophagous', 'saprophagous'], 'sapwort': ['postwar', 'sapwort'], 'sar': ['ras', 'sar'], 'sara': ['rasa', 'sara'], 'saraad': ['saraad', 'sarada'], 'sarada': ['saraad', 'sarada'], 'saraf': ['safar', 'saraf'], 'sarah': ['asarh', 'raash', 'sarah'], 'saran': ['ansar', 'saran', 'sarna'], 'sarangi': ['giansar', 'sarangi'], 'sarcenet': ['reascent', 'sarcenet'], 'sarcine': ['arsenic', 'cerasin', 'sarcine'], 'sarcitis': ['sarcitis', 'triassic'], 'sarcle': ['sarcle', 'scaler', 'sclera'], 'sarcoadenoma': ['adenosarcoma', 'sarcoadenoma'], 'sarcocarcinoma': ['carcinosarcoma', 'sarcocarcinoma'], 'sarcoid': ['sarcoid', 'scaroid'], 'sarcoline': ['censorial', 'sarcoline'], 'sarcolite': ['alectoris', 'sarcolite', 'sclerotia', 'sectorial'], 'sarcoplast': ['postsacral', 'sarcoplast'], 'sarcotic': ['acrostic', 'sarcotic', 'socratic'], 'sard': ['sadr', 'sard'], 'sardian': ['andrias', 'sardian', 'sarinda'], 'sardine': ['andries', 'isander', 'sardine'], 'sardoin': ['sadiron', 'sardoin'], 'sardonic': ['draconis', 'sardonic'], 'sare': ['arse', 'rase', 'sare', 'sear', 'sera'], 'sargonide': ['grandiose', 'sargonide'], 'sari': ['rais', 'sair', 'sari'], 'sarif': ['farsi', 'sarif'], 'sarigue': ['ergusia', 'gerusia', 'sarigue'], 'sarinda': ['andrias', 'sardian', 'sarinda'], 'sarip': ['paris', 'parsi', 'sarip'], 'sark': ['askr', 'kras', 'sark'], 'sarkine': ['kerasin', 'sarkine'], 'sarkit': ['rastik', 'sarkit', 'straik'], 'sarmatian': ['samaritan', 'sarmatian'], 'sarment': ['sarment', 'smarten'], 'sarmentous': ['sarmentous', 'tarsonemus'], 'sarna': ['ansar', 'saran', 'sarna'], 'sarod': ['sarod', 'sorda'], 'saron': ['arson', 'saron', 'sonar'], 'saronic': ['arsonic', 'saronic'], 'sarpo': ['psora', 'sapor', 'sarpo'], 'sarra': ['arras', 'sarra'], 'sarsenet': ['assenter', 'reassent', 'sarsenet'], 'sarsi': ['arsis', 'sarsi'], 'sart': ['sart', 'star', 'stra', 'tars', 'tsar'], 'sartain': ['artisan', 'astrain', 'sartain', 'tsarina'], 'sartish': ['sartish', 'shastri'], 'sartor': ['rostra', 'sartor'], 'sasan': ['nassa', 'sasan'], 'sasin': ['sansi', 'sasin'], 'sasine': ['anesis', 'anseis', 'sanies', 'sansei', 'sasine'], 'sat': ['ast', 'sat'], 'satan': ['santa', 'satan'], 'satanical': ['castalian', 'satanical'], 'satanism': ['mantissa', 'satanism'], 'sate': ['ates', 'east', 'eats', 'sate', 'seat', 'seta'], 'sateen': ['ensate', 'enseat', 'santee', 'sateen', 'senate'], 'sateless': ['sateless', 'seatless'], 'satelles': ['satelles', 'tessella'], 'satellite': ['satellite', 'telestial'], 'satiable': ['bisaltae', 'satiable'], 'satiate': ['isatate', 'satiate', 'taetsia'], 'satieno': ['aeonist', 'asiento', 'satieno'], 'satient': ['atenist', 'instate', 'satient', 'steatin'], 'satin': ['saint', 'satin', 'stain'], 'satine': ['satine', 'tisane'], 'satined': ['destain', 'instead', 'sainted', 'satined'], 'satinette': ['enstatite', 'intestate', 'satinette'], 'satinite': ['satinite', 'sittinae'], 'satinize': ['sanitize', 'satinize'], 'satinlike': ['kleistian', 'saintlike', 'satinlike'], 'satiny': ['sanity', 'satiny'], 'satire': ['satire', 'striae'], 'satirical': ['racialist', 'satirical'], 'satirist': ['satirist', 'tarsitis'], 'satrae': ['astare', 'satrae'], 'satrapic': ['aspartic', 'satrapic'], 'satron': ['asnort', 'satron'], 'sattle': ['latest', 'sattle', 'taslet'], 'sattva': ['sattva', 'tavast'], 'saturable': ['balaustre', 'saturable'], 'saturation': ['saturation', 'titanosaur'], 'saturator': ['saturator', 'tartarous'], 'saturn': ['saturn', 'unstar'], 'saturnale': ['alaternus', 'saturnale'], 'saturnalia': ['australian', 'saturnalia'], 'saturnia': ['asturian', 'austrian', 'saturnia'], 'saturnine': ['neustrian', 'saturnine', 'sturninae'], 'saturnism': ['saturnism', 'surmisant'], 'satyr': ['satyr', 'stary', 'stray', 'trasy'], 'satyrlike': ['satyrlike', 'streakily'], 'sauce': ['cause', 'sauce'], 'sauceless': ['causeless', 'sauceless'], 'sauceline': ['sauceline', 'seleucian'], 'saucer': ['causer', 'saucer'], 'sauger': ['sauger', 'usager'], 'saugh': ['agush', 'saugh'], 'saul': ['saul', 'sula'], 'sauld': ['aldus', 'sauld'], 'sault': ['latus', 'sault', 'talus'], 'saulter': ['arustle', 'estrual', 'saluter', 'saulter'], 'saum': ['masu', 'musa', 'saum'], 'sauna': ['nasua', 'sauna'], 'saur': ['rusa', 'saur', 'sura', 'ursa', 'usar'], 'saura': ['arusa', 'saura', 'usara'], 'saurian': ['saurian', 'suriana'], 'saury': ['saury', 'surya'], 'sausage': ['assuage', 'sausage'], 'saut': ['saut', 'tasu', 'utas'], 'sauve': ['sauve', 'suave'], 'save': ['aves', 'save', 'vase'], 'savin': ['savin', 'sivan'], 'saviour': ['saviour', 'various'], 'savor': ['savor', 'sorva'], 'savored': ['oversad', 'savored'], 'saw': ['saw', 'swa', 'was'], 'sawah': ['awash', 'sawah'], 'sawali': ['aswail', 'sawali'], 'sawback': ['backsaw', 'sawback'], 'sawbuck': ['bucksaw', 'sawbuck'], 'sawer': ['resaw', 'sawer', 'seraw', 'sware', 'swear', 'warse'], 'sawing': ['aswing', 'sawing'], 'sawish': ['sawish', 'siwash'], 'sawn': ['sawn', 'snaw', 'swan'], 'sawt': ['sawt', 'staw', 'swat', 'taws', 'twas', 'wast'], 'sawyer': ['sawyer', 'swayer'], 'saxe': ['axes', 'saxe', 'seax'], 'saxten': ['saxten', 'sextan'], 'say': ['say', 'yas'], 'sayal': ['asyla', 'salay', 'sayal'], 'sayer': ['reasy', 'resay', 'sayer', 'seary'], 'sayid': ['daisy', 'sayid'], 'scabbler': ['scabbler', 'scrabble'], 'scabies': ['abscise', 'scabies'], 'scaddle': ['scaddle', 'scalded'], 'scaean': ['anaces', 'scaean'], 'scala': ['calas', 'casal', 'scala'], 'scalar': ['lascar', 'rascal', 'sacral', 'scalar'], 'scalded': ['scaddle', 'scalded'], 'scale': ['alces', 'casel', 'scale'], 'scalena': ['escalan', 'scalena'], 'scalene': ['cleanse', 'scalene'], 'scaler': ['sarcle', 'scaler', 'sclera'], 'scallola': ['callosal', 'scallola'], 'scalloper': ['procellas', 'scalloper'], 'scaloni': ['nicolas', 'scaloni'], 'scalp': ['clasp', 'scalp'], 'scalper': ['clasper', 'reclasp', 'scalper'], 'scalping': ['clasping', 'scalping'], 'scalpture': ['prescutal', 'scalpture'], 'scaly': ['aclys', 'scaly'], 'scambler': ['scambler', 'scramble'], 'scampish': ['scampish', 'scaphism'], 'scania': ['ascian', 'sacian', 'scania', 'sicana'], 'scant': ['sanct', 'scant'], 'scantity': ['sanctity', 'scantity'], 'scantle': ['asclent', 'scantle'], 'scape': ['capes', 'scape', 'space'], 'scapeless': ['scapeless', 'spaceless'], 'scapha': ['pascha', 'scapha'], 'scaphander': ['handscrape', 'scaphander'], 'scaphism': ['scampish', 'scaphism'], 'scaphite': ['paschite', 'pastiche', 'pistache', 'scaphite'], 'scaphopod': ['podoscaph', 'scaphopod'], 'scapoid': ['psoadic', 'scapoid', 'sciapod'], 'scapolite': ['alopecist', 'altiscope', 'epicostal', 'scapolite'], 'scappler': ['scappler', 'scrapple'], 'scapula': ['capsula', 'pascual', 'scapula'], 'scapular': ['capsular', 'scapular'], 'scapulated': ['capsulated', 'scapulated'], 'scapulectomy': ['capsulectomy', 'scapulectomy'], 'scarab': ['barsac', 'scarab'], 'scarcement': ['marcescent', 'scarcement'], 'scare': ['carse', 'caser', 'ceras', 'scare', 'scrae'], 'scarification': ['sacrification', 'scarification'], 'scarificator': ['sacrificator', 'scarificator'], 'scarily': ['scarily', 'scraily'], 'scarlet': ['scarlet', 'sclater'], 'scarn': ['scarn', 'scran'], 'scaroid': ['sarcoid', 'scaroid'], 'scarp': ['craps', 'scarp', 'scrap'], 'scarping': ['scarping', 'scraping'], 'scart': ['scart', 'scrat'], 'scarth': ['scarth', 'scrath', 'starch'], 'scary': ['ascry', 'scary', 'scray'], 'scase': ['casse', 'scase'], 'scat': ['acts', 'cast', 'scat'], 'scathe': ['chaste', 'sachet', 'scathe', 'scheat'], 'scatterer': ['scatterer', 'streetcar'], 'scaturient': ['incrustate', 'scaturient', 'scrutinate'], 'scaum': ['camus', 'musca', 'scaum', 'sumac'], 'scaur': ['cursa', 'scaur'], 'scaut': ['scaut', 'scuta'], 'scavel': ['calves', 'scavel'], 'scawl': ['scawl', 'sclaw'], 'sceat': ['caste', 'sceat'], 'scene': ['cense', 'scene', 'sence'], 'scenery': ['scenery', 'screeny'], 'scented': ['descent', 'scented'], 'scepter': ['respect', 'scepter', 'specter'], 'sceptered': ['sceptered', 'spectered'], 'scepterless': ['respectless', 'scepterless'], 'sceptral': ['sceptral', 'scraplet', 'spectral'], 'sceptry': ['precyst', 'sceptry', 'spectry'], 'scerne': ['censer', 'scerne', 'screen', 'secern'], 'schalmei': ['camelish', 'schalmei'], 'scheat': ['chaste', 'sachet', 'scathe', 'scheat'], 'schema': ['sachem', 'schema'], 'schematic': ['catechism', 'schematic'], 'scheme': ['scheme', 'smeech'], 'schemer': ['chermes', 'schemer'], 'scho': ['cosh', 'scho'], 'scholae': ['oscheal', 'scholae'], 'schone': ['cheson', 'chosen', 'schone'], 'schooltime': ['chilostome', 'schooltime'], 'schout': ['schout', 'scouth'], 'schute': ['schute', 'tusche'], 'sciaenoid': ['oniscidae', 'oscinidae', 'sciaenoid'], 'scian': ['canis', 'scian'], 'sciapod': ['psoadic', 'scapoid', 'sciapod'], 'sciara': ['carisa', 'sciara'], 'sciarid': ['cidaris', 'sciarid'], 'sciatic': ['ascitic', 'sciatic'], 'sciatical': ['ascitical', 'sciatical'], 'scient': ['encist', 'incest', 'insect', 'scient'], 'sciential': ['elasticin', 'inelastic', 'sciential'], 'scillitan': ['scillitan', 'scintilla'], 'scintilla': ['scillitan', 'scintilla'], 'scintle': ['lentisc', 'scintle', 'stencil'], 'scion': ['oscin', 'scion', 'sonic'], 'sciot': ['ostic', 'sciot', 'stoic'], 'sciotherical': ['ischiorectal', 'sciotherical'], 'scious': ['scious', 'socius'], 'scirenga': ['creasing', 'scirenga'], 'scirpus': ['prussic', 'scirpus'], 'scissortail': ['scissortail', 'solaristics'], 'sciurine': ['incisure', 'sciurine'], 'sciuroid': ['dioscuri', 'sciuroid'], 'sclate': ['castle', 'sclate'], 'sclater': ['scarlet', 'sclater'], 'sclaw': ['scawl', 'sclaw'], 'sclera': ['sarcle', 'scaler', 'sclera'], 'sclere': ['sclere', 'screel'], 'scleria': ['scleria', 'sercial'], 'sclerite': ['sclerite', 'silcrete'], 'sclerodermite': ['dermosclerite', 'sclerodermite'], 'scleromata': ['clamatores', 'scleromata'], 'sclerose': ['coreless', 'sclerose'], 'sclerospora': ['prolacrosse', 'sclerospora'], 'sclerote': ['corselet', 'sclerote', 'selector'], 'sclerotia': ['alectoris', 'sarcolite', 'sclerotia', 'sectorial'], 'sclerotial': ['cloisteral', 'sclerotial'], 'sclerotinia': ['intersocial', 'orleanistic', 'sclerotinia'], 'sclerotium': ['closterium', 'sclerotium'], 'sclerotomy': ['mycosterol', 'sclerotomy'], 'scoad': ['cados', 'scoad'], 'scob': ['bosc', 'scob'], 'scobicular': ['scobicular', 'scrobicula'], 'scolia': ['colias', 'scolia', 'social'], 'scolion': ['scolion', 'solonic'], 'scombrine': ['becrimson', 'scombrine'], 'scone': ['cones', 'scone'], 'scooper': ['coprose', 'scooper'], 'scoot': ['coost', 'scoot'], 'scopa': ['posca', 'scopa'], 'scoparin': ['parsonic', 'scoparin'], 'scope': ['copse', 'pecos', 'scope'], 'scopidae': ['diascope', 'psocidae', 'scopidae'], 'scopine': ['psocine', 'scopine'], 'scopiped': ['podiceps', 'scopiped'], 'scopoline': ['niloscope', 'scopoline'], 'scorbutical': ['scorbutical', 'subcortical'], 'scorbutically': ['scorbutically', 'subcortically'], 'score': ['corse', 'score'], 'scorer': ['scorer', 'sorcer'], 'scoriae': ['coraise', 'scoriae'], 'scorpidae': ['carpiodes', 'scorpidae'], 'scorpiones': ['procession', 'scorpiones'], 'scorpionic': ['orniscopic', 'scorpionic'], 'scorse': ['cessor', 'crosse', 'scorse'], 'scortation': ['cartoonist', 'scortation'], 'scot': ['cost', 'scot'], 'scotale': ['alecost', 'lactose', 'scotale', 'talcose'], 'scote': ['coset', 'estoc', 'scote'], 'scoter': ['corset', 'cortes', 'coster', 'escort', 'scoter', 'sector'], 'scotia': ['isotac', 'scotia'], 'scotism': ['cosmist', 'scotism'], 'scotomatic': ['osmotactic', 'scotomatic'], 'scotty': ['cytost', 'scotty'], 'scoup': ['copus', 'scoup'], 'scour': ['cours', 'scour'], 'scoured': ['coursed', 'scoured'], 'scourer': ['courser', 'scourer'], 'scourge': ['scourge', 'scrouge'], 'scourger': ['scourger', 'scrouger'], 'scouring': ['coursing', 'scouring'], 'scouth': ['schout', 'scouth'], 'scrabble': ['scabbler', 'scrabble'], 'scrabe': ['braces', 'scrabe'], 'scrae': ['carse', 'caser', 'ceras', 'scare', 'scrae'], 'scraily': ['scarily', 'scraily'], 'scramble': ['scambler', 'scramble'], 'scran': ['scarn', 'scran'], 'scrap': ['craps', 'scarp', 'scrap'], 'scrape': ['casper', 'escarp', 'parsec', 'scrape', 'secpar', 'spacer'], 'scrapie': ['epacris', 'scrapie', 'serapic'], 'scraping': ['scarping', 'scraping'], 'scraplet': ['sceptral', 'scraplet', 'spectral'], 'scrapple': ['scappler', 'scrapple'], 'scrat': ['scart', 'scrat'], 'scratcher': ['rescratch', 'scratcher'], 'scrath': ['scarth', 'scrath', 'starch'], 'scray': ['ascry', 'scary', 'scray'], 'screak': ['resack', 'sacker', 'screak'], 'screaming': ['germanics', 'screaming'], 'screamy': ['armscye', 'screamy'], 'scree': ['scree', 'secre'], 'screel': ['sclere', 'screel'], 'screen': ['censer', 'scerne', 'screen', 'secern'], 'screenless': ['censerless', 'screenless'], 'screeny': ['scenery', 'screeny'], 'screet': ['resect', 'screet', 'secret'], 'screwdrive': ['drivescrew', 'screwdrive'], 'scrieve': ['cerevis', 'scrieve', 'service'], 'scrike': ['scrike', 'sicker'], 'scrip': ['crisp', 'scrip'], 'scripee': ['precise', 'scripee'], 'scripula': ['scripula', 'spicular'], 'scrobicula': ['scobicular', 'scrobicula'], 'scrota': ['arctos', 'castor', 'costar', 'scrota'], 'scrouge': ['scourge', 'scrouge'], 'scrouger': ['scourger', 'scrouger'], 'scrout': ['scrout', 'scruto'], 'scroyle': ['cryosel', 'scroyle'], 'scruf': ['scruf', 'scurf'], 'scruffle': ['scruffle', 'scuffler'], 'scruple': ['scruple', 'sculper'], 'scrutate': ['crustate', 'scrutate'], 'scrutation': ['crustation', 'scrutation'], 'scrutinant': ['incrustant', 'scrutinant'], 'scrutinate': ['incrustate', 'scaturient', 'scrutinate'], 'scruto': ['scrout', 'scruto'], 'scudi': ['scudi', 'sudic'], 'scuffler': ['scruffle', 'scuffler'], 'sculper': ['scruple', 'sculper'], 'sculpin': ['insculp', 'sculpin'], 'scup': ['cusp', 'scup'], 'scur': ['crus', 'scur'], 'scurf': ['scruf', 'scurf'], 'scusation': ['cosustain', 'scusation'], 'scuta': ['scaut', 'scuta'], 'scutal': ['scutal', 'suclat'], 'scute': ['cetus', 'scute'], 'scutifer': ['fusteric', 'scutifer'], 'scutigeral': ['gesticular', 'scutigeral'], 'scutula': ['auscult', 'scutula'], 'scye': ['scye', 'syce'], 'scylliidae': ['salicylide', 'scylliidae'], 'scyllium': ['clumsily', 'scyllium'], 'scyphi': ['physic', 'scyphi'], 'scyphomancy': ['psychomancy', 'scyphomancy'], 'scyt': ['cyst', 'scyt'], 'scythe': ['chesty', 'scythe'], 'scytitis': ['cystitis', 'scytitis'], 'se': ['es', 'se'], 'sea': ['aes', 'ase', 'sea'], 'seadog': ['dosage', 'seadog'], 'seagirt': ['seagirt', 'strigae'], 'seah': ['seah', 'shea'], 'seak': ['sake', 'seak'], 'seal': ['elsa', 'sale', 'seal', 'slae'], 'sealable': ['leasable', 'sealable'], 'sealch': ['cashel', 'laches', 'sealch'], 'sealer': ['alerse', 'leaser', 'reales', 'resale', 'reseal', 'sealer'], 'sealet': ['ateles', 'saltee', 'sealet', 'stelae', 'teasel'], 'sealing': ['leasing', 'sealing'], 'sealwort': ['restowal', 'sealwort'], 'seam': ['asem', 'mesa', 'same', 'seam'], 'seamanite': ['anamesite', 'seamanite'], 'seamark': ['kamares', 'seamark'], 'seamer': ['reseam', 'seamer'], 'seamlet': ['maltese', 'seamlet'], 'seamlike': ['mesalike', 'seamlike'], 'seamrend': ['redesman', 'seamrend'], 'seamster': ['masseter', 'seamster'], 'seamus': ['assume', 'seamus'], 'sean': ['anes', 'sane', 'sean'], 'seance': ['encase', 'seance', 'seneca'], 'seaplane': ['seaplane', 'spelaean'], 'seaport': ['esparto', 'petrosa', 'seaport'], 'sear': ['arse', 'rase', 'sare', 'sear', 'sera'], 'searce': ['cesare', 'crease', 'recase', 'searce'], 'searcer': ['creaser', 'searcer'], 'search': ['arches', 'chaser', 'eschar', 'recash', 'search'], 'searcher': ['rechaser', 'research', 'searcher'], 'searchment': ['manchester', 'searchment'], 'searcloth': ['clathrose', 'searcloth'], 'seared': ['erased', 'reseda', 'seared'], 'searer': ['eraser', 'searer'], 'searing': ['searing', 'seringa'], 'seary': ['reasy', 'resay', 'sayer', 'seary'], 'seaside': ['disease', 'seaside'], 'seat': ['ates', 'east', 'eats', 'sate', 'seat', 'seta'], 'seated': ['seated', 'sedate'], 'seater': ['asteer', 'easter', 'eastre', 'reseat', 'saeter', 'seater', 'staree', 'teaser', 'teresa'], 'seating': ['easting', 'gainset', 'genista', 'ingesta', 'seating', 'signate', 'teasing'], 'seatless': ['sateless', 'seatless'], 'seatrain': ['artesian', 'asterina', 'asternia', 'erastian', 'seatrain'], 'seatron': ['noreast', 'rosetan', 'seatron', 'senator', 'treason'], 'seave': ['eaves', 'evase', 'seave'], 'seax': ['axes', 'saxe', 'seax'], 'seba': ['base', 'besa', 'sabe', 'seba'], 'sebastian': ['bassanite', 'sebastian'], 'sebilla': ['sabelli', 'sebilla'], 'sebum': ['embus', 'sebum'], 'secalin': ['celsian', 'escalin', 'sanicle', 'secalin'], 'secaline': ['salience', 'secaline'], 'secant': ['ascent', 'secant', 'stance'], 'secern': ['censer', 'scerne', 'screen', 'secern'], 'secernent': ['secernent', 'sentencer'], 'secondar': ['endosarc', 'secondar'], 'secos': ['cosse', 'secos'], 'secpar': ['casper', 'escarp', 'parsec', 'scrape', 'secpar', 'spacer'], 'secre': ['scree', 'secre'], 'secret': ['resect', 'screet', 'secret'], 'secretarian': ['ascertainer', 'reascertain', 'secretarian'], 'secretion': ['resection', 'secretion'], 'secretional': ['resectional', 'secretional'], 'sect': ['cest', 'sect'], 'sectarian': ['ascertain', 'cartesian', 'cartisane', 'sectarian'], 'sectarianism': ['cartesianism', 'sectarianism'], 'section': ['contise', 'noetics', 'section'], 'sectism': ['sectism', 'smectis'], 'sector': ['corset', 'cortes', 'coster', 'escort', 'scoter', 'sector'], 'sectorial': ['alectoris', 'sarcolite', 'sclerotia', 'sectorial'], 'sectroid': ['decorist', 'sectroid'], 'securable': ['rescuable', 'securable'], 'securance': ['recusance', 'securance'], 'secure': ['cereus', 'ceruse', 'recuse', 'rescue', 'secure'], 'securer': ['recurse', 'rescuer', 'securer'], 'sedan': ['sedan', 'snead'], 'sedanier': ['arsedine', 'arsenide', 'sedanier', 'siderean'], 'sedat': ['sedat', 'stade', 'stead'], 'sedate': ['seated', 'sedate'], 'sedation': ['astonied', 'sedation'], 'sederunt': ['sederunt', 'underset', 'undesert', 'unrested'], 'sedile': ['diesel', 'sedile', 'seidel'], 'sedimetric': ['sedimetric', 'semidirect'], 'sedimetrical': ['decimestrial', 'sedimetrical'], 'sedition': ['desition', 'sedition'], 'sedulity': ['dysluite', 'sedulity'], 'sedum': ['mused', 'sedum'], 'seedbird': ['birdseed', 'seedbird'], 'seeded': ['deseed', 'seeded'], 'seeder': ['reseed', 'seeder'], 'seedlip': ['pelides', 'seedlip'], 'seeing': ['seeing', 'signee'], 'seek': ['kees', 'seek', 'skee'], 'seeker': ['reseek', 'seeker'], 'seel': ['else', 'lees', 'seel', 'sele', 'slee'], 'seem': ['mese', 'seem', 'seme', 'smee'], 'seemer': ['emerse', 'seemer'], 'seen': ['ense', 'esne', 'nese', 'seen', 'snee'], 'seenu': ['ensue', 'seenu', 'unsee'], 'seer': ['erse', 'rees', 'seer', 'sere'], 'seerband': ['seerband', 'serabend'], 'seerhand': ['denshare', 'seerhand'], 'seerhood': ['rhodeose', 'seerhood'], 'seership': ['hesperis', 'seership'], 'seething': ['seething', 'sheeting'], 'seg': ['ges', 'seg'], 'seggar': ['sagger', 'seggar'], 'seggard': ['daggers', 'seggard'], 'sego': ['goes', 'sego'], 'segolate': ['gelatose', 'segolate'], 'segreant': ['estrange', 'segreant', 'sergeant', 'sternage'], 'seid': ['desi', 'ides', 'seid', 'side'], 'seidel': ['diesel', 'sedile', 'seidel'], 'seignioral': ['seignioral', 'seignorial'], 'seignoral': ['gasoliner', 'seignoral'], 'seignorial': ['seignioral', 'seignorial'], 'seine': ['insee', 'seine'], 'seiner': ['inseer', 'nereis', 'seiner', 'serine', 'sirene'], 'seise': ['essie', 'seise'], 'seism': ['seism', 'semis'], 'seismal': ['aimless', 'melissa', 'seismal'], 'seismotic': ['seismotic', 'societism'], 'seit': ['seit', 'site'], 'seizable': ['seizable', 'sizeable'], 'seizer': ['resize', 'seizer'], 'sekane': ['sakeen', 'sekane'], 'sekani': ['kinase', 'sekani'], 'sekar': ['asker', 'reask', 'saker', 'sekar'], 'seker': ['esker', 'keres', 'reesk', 'seker', 'skeer', 'skere'], 'selagite': ['elegiast', 'selagite'], 'selah': ['halse', 'leash', 'selah', 'shale', 'sheal', 'shela'], 'selamin': ['malines', 'salmine', 'selamin', 'seminal'], 'selbergite': ['gilbertese', 'selbergite'], 'seldor': ['dorsel', 'seldor', 'solder'], 'seldseen': ['needless', 'seldseen'], 'sele': ['else', 'lees', 'seel', 'sele', 'slee'], 'selector': ['corselet', 'sclerote', 'selector'], 'selenic': ['license', 'selenic', 'silence'], 'selenion': ['leonines', 'selenion'], 'selenitic': ['insectile', 'selenitic'], 'selenium': ['selenium', 'semilune', 'seminule'], 'selenosis': ['noiseless', 'selenosis'], 'seleucian': ['sauceline', 'seleucian'], 'self': ['fels', 'self'], 'selfsame': ['fameless', 'selfsame'], 'selfsameness': ['famelessness', 'selfsameness'], 'selictar': ['altrices', 'selictar'], 'selina': ['alsine', 'neslia', 'saline', 'selina', 'silane'], 'selion': ['insole', 'leonis', 'lesion', 'selion'], 'seljukian': ['januslike', 'seljukian'], 'sella': ['salle', 'sella'], 'sellably': ['sellably', 'syllable'], 'sellate': ['estella', 'sellate'], 'seller': ['resell', 'seller'], 'selli': ['lisle', 'selli'], 'sellie': ['leslie', 'sellie'], 'sellout': ['outsell', 'sellout'], 'selt': ['lest', 'selt'], 'selter': ['lester', 'selter', 'streel'], 'selung': ['gunsel', 'selung', 'slunge'], 'selva': ['salve', 'selva', 'slave', 'valse'], 'semang': ['magnes', 'semang'], 'semantic': ['amnestic', 'semantic'], 'semaphore': ['mesohepar', 'semaphore'], 'sematic': ['cameist', 'etacism', 'sematic'], 'sematrope': ['perosmate', 'sematrope'], 'seme': ['mese', 'seem', 'seme', 'smee'], 'semen': ['mense', 'mesne', 'semen'], 'semeostoma': ['semeostoma', 'semostomae'], 'semi': ['mise', 'semi', 'sime'], 'semiarch': ['semiarch', 'smachrie'], 'semibald': ['bedismal', 'semibald'], 'semiball': ['mislabel', 'semiball'], 'semic': ['mesic', 'semic'], 'semicircle': ['semicircle', 'semicleric'], 'semicleric': ['semicircle', 'semicleric'], 'semicone': ['nicesome', 'semicone'], 'semicoronet': ['oncosimeter', 'semicoronet'], 'semicrome': ['mesomeric', 'microseme', 'semicrome'], 'semidirect': ['sedimetric', 'semidirect'], 'semidormant': ['memorandist', 'moderantism', 'semidormant'], 'semihard': ['dreamish', 'semihard'], 'semihiant': ['histamine', 'semihiant'], 'semilimber': ['immersible', 'semilimber'], 'semilunar': ['semilunar', 'unrealism'], 'semilune': ['selenium', 'semilune', 'seminule'], 'semiminor': ['immersion', 'semiminor'], 'semimoron': ['monroeism', 'semimoron'], 'seminal': ['malines', 'salmine', 'selamin', 'seminal'], 'seminar': ['remains', 'seminar'], 'seminasal': ['messalian', 'seminasal'], 'seminomadic': ['demoniacism', 'seminomadic'], 'seminomata': ['mastomenia', 'seminomata'], 'seminule': ['selenium', 'semilune', 'seminule'], 'semiopal': ['malpoise', 'semiopal'], 'semiorb': ['boreism', 'semiorb'], 'semiovaloid': ['semiovaloid', 'semiovoidal'], 'semiovoidal': ['semiovaloid', 'semiovoidal'], 'semipolar': ['perisomal', 'semipolar'], 'semipro': ['imposer', 'promise', 'semipro'], 'semipronation': ['impersonation', 'prosemination', 'semipronation'], 'semiquote': ['quietsome', 'semiquote'], 'semirotund': ['semirotund', 'unmortised'], 'semis': ['seism', 'semis'], 'semispan': ['menaspis', 'semispan'], 'semisteel': ['messelite', 'semisteel', 'teleseism'], 'semistill': ['limitless', 'semistill'], 'semistriated': ['disastimeter', 'semistriated'], 'semita': ['samite', 'semita', 'tamise', 'teaism'], 'semitae': ['amesite', 'mesitae', 'semitae'], 'semitour': ['moisture', 'semitour'], 'semiurban': ['semiurban', 'submarine'], 'semiurn': ['neurism', 'semiurn'], 'semivector': ['semivector', 'viscometer'], 'semnae': ['enseam', 'semnae'], 'semola': ['melosa', 'salome', 'semola'], 'semolella': ['lamellose', 'semolella'], 'semolina': ['laminose', 'lemonias', 'semolina'], 'semological': ['mesological', 'semological'], 'semology': ['mesology', 'semology'], 'semostomae': ['semeostoma', 'semostomae'], 'sempiternous': ['sempiternous', 'supermoisten'], 'semuncia': ['muscinae', 'semuncia'], 'semuncial': ['masculine', 'semuncial', 'simulance'], 'sen': ['ens', 'sen'], 'senaite': ['etesian', 'senaite'], 'senam': ['manes', 'manse', 'mensa', 'samen', 'senam'], 'senarius': ['anuresis', 'senarius'], 'senate': ['ensate', 'enseat', 'santee', 'sateen', 'senate'], 'senator': ['noreast', 'rosetan', 'seatron', 'senator', 'treason'], 'senatorian': ['arsenation', 'senatorian', 'sonneratia'], 'senatrices': ['resistance', 'senatrices'], 'sence': ['cense', 'scene', 'sence'], 'senci': ['senci', 'since'], 'send': ['send', 'sned'], 'sender': ['resend', 'sender'], 'seneca': ['encase', 'seance', 'seneca'], 'senega': ['sagene', 'senega'], 'senesce': ['essence', 'senesce'], 'senile': ['enisle', 'ensile', 'senile', 'silene'], 'senilism': ['liminess', 'senilism'], 'senior': ['rosine', 'senior', 'soneri'], 'senlac': ['lances', 'senlac'], 'senna': ['nanes', 'senna'], 'sennit': ['innest', 'sennit', 'sinnet', 'tennis'], 'sennite': ['intense', 'sennite'], 'senocular': ['larcenous', 'senocular'], 'senones': ['oneness', 'senones'], 'sensable': ['ableness', 'blaeness', 'sensable'], 'sensatorial': ['assertional', 'sensatorial'], 'sensical': ['laciness', 'sensical'], 'sensilia': ['sensilia', 'silesian'], 'sensilla': ['nailless', 'sensilla'], 'sension': ['neossin', 'sension'], 'sensuism': ['sensuism', 'senusism'], 'sent': ['nest', 'sent', 'sten'], 'sentencer': ['secernent', 'sentencer'], 'sentition': ['sentition', 'tenonitis'], 'senusism': ['sensuism', 'senusism'], 'sepad': ['depas', 'sepad', 'spade'], 'sepal': ['elaps', 'lapse', 'lepas', 'pales', 'salep', 'saple', 'sepal', 'slape', 'spale', 'speal'], 'sepaled': ['delapse', 'sepaled'], 'sepaloid': ['episodal', 'lapidose', 'sepaloid'], 'separable': ['separable', 'spareable'], 'separate': ['asperate', 'separate'], 'separation': ['anisoptera', 'asperation', 'separation'], 'sephardi': ['diphaser', 'parished', 'raphides', 'sephardi'], 'sephen': ['sephen', 'sphene'], 'sepian': ['sepian', 'spinae'], 'sepic': ['sepic', 'spice'], 'sepion': ['espino', 'sepion'], 'sepoy': ['poesy', 'posey', 'sepoy'], 'seps': ['pess', 'seps'], 'sepsis': ['sepsis', 'speiss'], 'sept': ['pest', 'sept', 'spet', 'step'], 'septa': ['paste', 'septa', 'spate'], 'septal': ['pastel', 'septal', 'staple'], 'septane': ['penates', 'septane'], 'septarium': ['impasture', 'septarium'], 'septenar': ['entrepas', 'septenar'], 'septennium': ['pennisetum', 'septennium'], 'septentrio': ['septentrio', 'tripestone'], 'septerium': ['misrepute', 'septerium'], 'septi': ['septi', 'spite', 'stipe'], 'septicemia': ['episematic', 'septicemia'], 'septicidal': ['pesticidal', 'septicidal'], 'septicopyemia': ['pyosepticemia', 'septicopyemia'], 'septicopyemic': ['pyosepticemic', 'septicopyemic'], 'septier': ['respite', 'septier'], 'septiferous': ['pestiferous', 'septiferous'], 'septile': ['epistle', 'septile'], 'septimal': ['petalism', 'septimal'], 'septocosta': ['septocosta', 'statoscope'], 'septoic': ['poetics', 'septoic'], 'septonasal': ['nasoseptal', 'septonasal'], 'septoria': ['isoptera', 'septoria'], 'septum': ['septum', 'upstem'], 'septuor': ['petrous', 'posture', 'proetus', 'proteus', 'septuor', 'spouter'], 'sequential': ['latinesque', 'sequential'], 'sequin': ['quinse', 'sequin'], 'ser': ['ers', 'ser'], 'sera': ['arse', 'rase', 'sare', 'sear', 'sera'], 'serab': ['barse', 'besra', 'saber', 'serab'], 'serabend': ['seerband', 'serabend'], 'seraglio': ['girasole', 'seraglio'], 'serai': ['aries', 'arise', 'raise', 'serai'], 'serail': ['israel', 'relais', 'resail', 'sailer', 'serail', 'serial'], 'seral': ['arles', 'arsle', 'laser', 'seral', 'slare'], 'serang': ['angers', 'sanger', 'serang'], 'serape': ['parsee', 'persae', 'persea', 'serape'], 'seraph': ['phrase', 'seraph', 'shaper', 'sherpa'], 'seraphic': ['parchesi', 'seraphic'], 'seraphim': ['samphire', 'seraphim'], 'seraphina': ['pharisean', 'seraphina'], 'seraphine': ['hesperian', 'phrenesia', 'seraphine'], 'seraphism': ['misphrase', 'seraphism'], 'serapic': ['epacris', 'scrapie', 'serapic'], 'serapis': ['paresis', 'serapis'], 'serapist': ['piratess', 'serapist', 'tarsipes'], 'serau': ['serau', 'urase'], 'seraw': ['resaw', 'sawer', 'seraw', 'sware', 'swear', 'warse'], 'sercial': ['scleria', 'sercial'], 'sere': ['erse', 'rees', 'seer', 'sere'], 'serean': ['serean', 'serena'], 'sereh': ['herse', 'sereh', 'sheer', 'shree'], 'serena': ['serean', 'serena'], 'serenata': ['arsenate', 'serenata'], 'serene': ['resene', 'serene'], 'serenoa': ['arenose', 'serenoa'], 'serge': ['reges', 'serge'], 'sergeant': ['estrange', 'segreant', 'sergeant', 'sternage'], 'sergei': ['sergei', 'sieger'], 'serger': ['gerres', 'serger'], 'serging': ['serging', 'snigger'], 'sergiu': ['guiser', 'sergiu'], 'seri': ['reis', 'rise', 'seri', 'sier', 'sire'], 'serial': ['israel', 'relais', 'resail', 'sailer', 'serail', 'serial'], 'serialist': ['eristalis', 'serialist'], 'serian': ['arisen', 'arsine', 'resina', 'serian'], 'sericate': ['ecrasite', 'sericate'], 'sericated': ['discreate', 'sericated'], 'sericin': ['irenics', 'resinic', 'sericin', 'sirenic'], 'serific': ['friesic', 'serific'], 'serin': ['reins', 'resin', 'rinse', 'risen', 'serin', 'siren'], 'serine': ['inseer', 'nereis', 'seiner', 'serine', 'sirene'], 'serinette': ['retistene', 'serinette'], 'seringa': ['searing', 'seringa'], 'seringal': ['resignal', 'seringal', 'signaler'], 'serinus': ['russine', 'serinus', 'sunrise'], 'serio': ['osier', 'serio'], 'seriola': ['rosalie', 'seriola'], 'serioludicrous': ['ludicroserious', 'serioludicrous'], 'sermo': ['meros', 'mores', 'morse', 'sermo', 'smore'], 'sermonist': ['monitress', 'sermonist'], 'sero': ['eros', 'rose', 'sero', 'sore'], 'serofibrous': ['fibroserous', 'serofibrous'], 'serolin': ['resinol', 'serolin'], 'seromucous': ['mucoserous', 'seromucous'], 'seron': ['norse', 'noser', 'seron', 'snore'], 'seroon': ['nooser', 'seroon', 'sooner'], 'seroot': ['seroot', 'sooter', 'torose'], 'serotina': ['arsonite', 'asterion', 'oestrian', 'rosinate', 'serotina'], 'serotinal': ['lairstone', 'orleanist', 'serotinal'], 'serotine': ['serotine', 'torinese'], 'serous': ['serous', 'souser'], 'serow': ['owser', 'resow', 'serow', 'sower', 'swore', 'worse'], 'serpari': ['aspirer', 'praiser', 'serpari'], 'serpent': ['penster', 'present', 'serpent', 'strepen'], 'serpentian': ['serpentian', 'serpentina'], 'serpentid': ['president', 'serpentid'], 'serpentina': ['serpentian', 'serpentina'], 'serpentinous': ['serpentinous', 'supertension'], 'serpently': ['presently', 'serpently'], 'serpiginous': ['serpiginous', 'spinigerous'], 'serpolet': ['proteles', 'serpolet'], 'serpula': ['perusal', 'serpula'], 'serpulae': ['pleasure', 'serpulae'], 'serpulan': ['purslane', 'serpulan', 'supernal'], 'serpulidae': ['serpulidae', 'superideal'], 'serpuline': ['serpuline', 'superline'], 'serra': ['ersar', 'raser', 'serra'], 'serrage': ['argeers', 'greaser', 'serrage'], 'serran': ['serran', 'snarer'], 'serrano': ['serrano', 'sornare'], 'serratic': ['crateris', 'serratic'], 'serratodentate': ['dentatoserrate', 'serratodentate'], 'serrature': ['serrature', 'treasurer'], 'serried': ['derries', 'desirer', 'resider', 'serried'], 'serriped': ['presider', 'serriped'], 'sert': ['rest', 'sert', 'stre'], 'serta': ['aster', 'serta', 'stare', 'strae', 'tarse', 'teras'], 'sertum': ['muster', 'sertum', 'stumer'], 'serum': ['muser', 'remus', 'serum'], 'serut': ['serut', 'strue', 'turse', 'uster'], 'servable': ['beslaver', 'servable', 'versable'], 'servage': ['gervase', 'greaves', 'servage'], 'serval': ['salver', 'serval', 'slaver', 'versal'], 'servant': ['servant', 'versant'], 'servation': ['overstain', 'servation', 'versation'], 'serve': ['serve', 'sever', 'verse'], 'server': ['revers', 'server', 'verser'], 'servet': ['revest', 'servet', 'sterve', 'verset', 'vester'], 'servetian': ['invertase', 'servetian'], 'servian': ['servian', 'vansire'], 'service': ['cerevis', 'scrieve', 'service'], 'serviceable': ['receivables', 'serviceable'], 'servient': ['reinvest', 'servient'], 'serviential': ['inversatile', 'serviential'], 'servilize': ['servilize', 'silverize'], 'servite': ['restive', 'servite'], 'servitor': ['overstir', 'servitor'], 'servitude': ['detrusive', 'divesture', 'servitude'], 'servo': ['servo', 'verso'], 'sesma': ['masse', 'sesma'], 'sestertium': ['sestertium', 'trusteeism'], 'sestet': ['sestet', 'testes', 'tsetse'], 'sestiad': ['disseat', 'sestiad'], 'sestian': ['entasis', 'sestian', 'sestina'], 'sestina': ['entasis', 'sestian', 'sestina'], 'sestole': ['osselet', 'sestole', 'toeless'], 'sestuor': ['estrous', 'oestrus', 'sestuor', 'tussore'], 'sesuto': ['sesuto', 'setous'], 'seta': ['ates', 'east', 'eats', 'sate', 'seat', 'seta'], 'setae': ['setae', 'tease'], 'setal': ['least', 'setal', 'slate', 'stale', 'steal', 'stela', 'tales'], 'setaria': ['asarite', 'asteria', 'atresia', 'setaria'], 'setback': ['backset', 'setback'], 'setdown': ['downset', 'setdown'], 'seth': ['esth', 'hest', 'seth'], 'sethead': ['headset', 'sethead'], 'sethian': ['sethian', 'sthenia'], 'sethic': ['ethics', 'sethic'], 'setibo': ['setibo', 'sobeit'], 'setirostral': ['latirostres', 'setirostral'], 'setline': ['leisten', 'setline', 'tensile'], 'setoff': ['offset', 'setoff'], 'seton': ['onset', 'seton', 'steno', 'stone'], 'setous': ['sesuto', 'setous'], 'setout': ['outset', 'setout'], 'setover': ['overset', 'setover'], 'sett': ['sett', 'stet', 'test'], 'settable': ['settable', 'testable'], 'settaine': ['anisette', 'atestine', 'settaine'], 'settee': ['settee', 'testee'], 'setter': ['retest', 'setter', 'street', 'tester'], 'setting': ['setting', 'testing'], 'settler': ['settler', 'sterlet', 'trestle'], 'settlor': ['settlor', 'slotter'], 'setula': ['salute', 'setula'], 'setup': ['setup', 'stupe', 'upset'], 'setwall': ['setwall', 'swallet'], 'seven': ['evens', 'seven'], 'sevener': ['sevener', 'veneres'], 'sever': ['serve', 'sever', 'verse'], 'severer': ['reserve', 'resever', 'reverse', 'severer'], 'sew': ['sew', 'wes'], 'sewed': ['sewed', 'swede'], 'sewer': ['resew', 'sewer', 'sweer'], 'sewered': ['sewered', 'sweered'], 'sewing': ['sewing', 'swinge'], 'sewn': ['news', 'sewn', 'snew'], 'sewround': ['sewround', 'undersow'], 'sexed': ['desex', 'sexed'], 'sextan': ['saxten', 'sextan'], 'sextipartition': ['extirpationist', 'sextipartition'], 'sextodecimo': ['decimosexto', 'sextodecimo'], 'sextry': ['sextry', 'xyster'], 'sexuale': ['esexual', 'sexuale'], 'sey': ['sey', 'sye', 'yes'], 'seymour': ['mousery', 'seymour'], 'sfoot': ['foots', 'sfoot', 'stoof'], 'sgad': ['dags', 'sgad'], 'sha': ['ash', 'sah', 'sha'], 'shab': ['bash', 'shab'], 'shabbily': ['babishly', 'shabbily'], 'shabbiness': ['babishness', 'shabbiness'], 'shabunder': ['husbander', 'shabunder'], 'shad': ['dash', 'sadh', 'shad'], 'shade': ['deash', 'hades', 'sadhe', 'shade'], 'shaded': ['dashed', 'shaded'], 'shader': ['dasher', 'shader', 'sheard'], 'shadily': ['ladyish', 'shadily'], 'shading': ['dashing', 'shading'], 'shadkan': ['dashnak', 'shadkan'], 'shady': ['dashy', 'shady'], 'shafting': ['shafting', 'tangfish'], 'shag': ['gash', 'shag'], 'shagrag': ['ragshag', 'shagrag'], 'shah': ['hash', 'sahh', 'shah'], 'shahi': ['shahi', 'shiah'], 'shaitan': ['ashanti', 'sanhita', 'shaitan', 'thasian'], 'shaivism': ['shaivism', 'shivaism'], 'shaka': ['kasha', 'khasa', 'sakha', 'shaka'], 'shakeout': ['outshake', 'shakeout'], 'shaker': ['kasher', 'shaker'], 'shakil': ['lakish', 'shakil'], 'shaku': ['kusha', 'shaku', 'ushak'], 'shaky': ['hasky', 'shaky'], 'shale': ['halse', 'leash', 'selah', 'shale', 'sheal', 'shela'], 'shalt': ['shalt', 'slath'], 'sham': ['mash', 'samh', 'sham'], 'shama': ['hamsa', 'masha', 'shama'], 'shamable': ['baalshem', 'shamable'], 'shamal': ['mashal', 'shamal'], 'shaman': ['ashman', 'shaman'], 'shamba': ['ambash', 'shamba'], 'shambrier': ['herbarism', 'shambrier'], 'shambu': ['ambush', 'shambu'], 'shame': ['sahme', 'shame'], 'shamer': ['masher', 'ramesh', 'shamer'], 'shamir': ['marish', 'shamir'], 'shammish': ['mishmash', 'shammish'], 'shan': ['hans', 'nash', 'shan'], 'shane': ['ashen', 'hanse', 'shane', 'shean'], 'shang': ['gnash', 'shang'], 'shant': ['shant', 'snath'], 'shap': ['hasp', 'pash', 'psha', 'shap'], 'shape': ['heaps', 'pesah', 'phase', 'shape'], 'shapeless': ['phaseless', 'shapeless'], 'shaper': ['phrase', 'seraph', 'shaper', 'sherpa'], 'shapometer': ['atmosphere', 'shapometer'], 'shapy': ['physa', 'shapy'], 'shardana': ['darshana', 'shardana'], 'share': ['asher', 'share', 'shear'], 'shareman': ['shareman', 'shearman'], 'sharer': ['rasher', 'sharer'], 'sharesman': ['sharesman', 'shearsman'], 'shargar': ['shargar', 'sharrag'], 'shari': ['ashir', 'shari'], 'sharon': ['rhason', 'sharon', 'shoran'], 'sharp': ['sharp', 'shrap'], 'sharpener': ['resharpen', 'sharpener'], 'sharper': ['phraser', 'sharper'], 'sharpy': ['phrasy', 'sharpy'], 'sharrag': ['shargar', 'sharrag'], 'shasta': ['shasta', 'tassah'], 'shaster': ['hatress', 'shaster'], 'shastraik': ['katharsis', 'shastraik'], 'shastri': ['sartish', 'shastri'], 'shat': ['shat', 'tash'], 'shatter': ['rathest', 'shatter'], 'shatterer': ['ratherest', 'shatterer'], 'shattering': ['shattering', 'straighten'], 'shauri': ['shauri', 'surahi'], 'shave': ['shave', 'sheva'], 'shavee': ['shavee', 'sheave'], 'shaver': ['havers', 'shaver', 'shrave'], 'shavery': ['shavery', 'shravey'], 'shaw': ['shaw', 'wash'], 'shawano': ['shawano', 'washoan'], 'shawl': ['shawl', 'walsh'], 'shawy': ['shawy', 'washy'], 'shay': ['ashy', 'shay'], 'shea': ['seah', 'shea'], 'sheal': ['halse', 'leash', 'selah', 'shale', 'sheal', 'shela'], 'shean': ['ashen', 'hanse', 'shane', 'shean'], 'shear': ['asher', 'share', 'shear'], 'shearbill': ['shearbill', 'shillaber'], 'sheard': ['dasher', 'shader', 'sheard'], 'shearer': ['reshare', 'reshear', 'shearer'], 'shearman': ['shareman', 'shearman'], 'shearsman': ['sharesman', 'shearsman'], 'sheat': ['ashet', 'haste', 'sheat'], 'sheave': ['shavee', 'sheave'], 'shebeen': ['benshee', 'shebeen'], 'shechem': ['meshech', 'shechem'], 'sheder': ['hersed', 'sheder'], 'sheely': ['sheely', 'sheyle'], 'sheer': ['herse', 'sereh', 'sheer', 'shree'], 'sheering': ['greenish', 'sheering'], 'sheet': ['sheet', 'these'], 'sheeter': ['sheeter', 'therese'], 'sheeting': ['seething', 'sheeting'], 'sheila': ['elisha', 'hailse', 'sheila'], 'shela': ['halse', 'leash', 'selah', 'shale', 'sheal', 'shela'], 'shelf': ['flesh', 'shelf'], 'shelfful': ['fleshful', 'shelfful'], 'shelflist': ['filthless', 'shelflist'], 'shelfy': ['fleshy', 'shelfy'], 'shelta': ['haslet', 'lesath', 'shelta'], 'shelty': ['shelty', 'thysel'], 'shelve': ['shelve', 'shevel'], 'shemitic': ['ethicism', 'shemitic'], 'shen': ['nesh', 'shen'], 'sheol': ['hosel', 'sheol', 'shole'], 'sher': ['hers', 'resh', 'sher'], 'sherani': ['arshine', 'nearish', 'rhesian', 'sherani'], 'sheratan': ['hanaster', 'sheratan'], 'sheriat': ['atheris', 'sheriat'], 'sherif': ['fisher', 'sherif'], 'sherifate': ['fisheater', 'sherifate'], 'sherify': ['fishery', 'sherify'], 'sheriyat': ['hysteria', 'sheriyat'], 'sherpa': ['phrase', 'seraph', 'shaper', 'sherpa'], 'sherri': ['hersir', 'sherri'], 'sheugh': ['hughes', 'sheugh'], 'sheva': ['shave', 'sheva'], 'shevel': ['shelve', 'shevel'], 'shevri': ['shevri', 'shiver', 'shrive'], 'shewa': ['hawse', 'shewa', 'whase'], 'sheyle': ['sheely', 'sheyle'], 'shi': ['his', 'hsi', 'shi'], 'shiah': ['shahi', 'shiah'], 'shibar': ['barish', 'shibar'], 'shice': ['echis', 'shice'], 'shicer': ['riches', 'shicer'], 'shide': ['shide', 'shied', 'sidhe'], 'shied': ['shide', 'shied', 'sidhe'], 'shiel': ['liesh', 'shiel'], 'shieldable': ['deshabille', 'shieldable'], 'shier': ['hirse', 'shier', 'shire'], 'shiest': ['shiest', 'thesis'], 'shifter': ['reshift', 'shifter'], 'shih': ['hish', 'shih'], 'shiite': ['histie', 'shiite'], 'shik': ['kish', 'shik', 'sikh'], 'shikar': ['rakish', 'riksha', 'shikar', 'shikra', 'sikhra'], 'shikara': ['shikara', 'sikhara'], 'shikari': ['rikisha', 'shikari'], 'shikra': ['rakish', 'riksha', 'shikar', 'shikra', 'sikhra'], 'shillaber': ['shearbill', 'shillaber'], 'shimal': ['lamish', 'shimal'], 'shimmery': ['misrhyme', 'shimmery'], 'shin': ['hisn', 'shin', 'sinh'], 'shina': ['naish', 'shina'], 'shine': ['eshin', 'shine'], 'shiner': ['renish', 'shiner', 'shrine'], 'shingle': ['english', 'shingle'], 'shinto': ['histon', 'shinto', 'tonish'], 'shinty': ['shinty', 'snithy'], 'ship': ['pish', 'ship'], 'shipboy': ['boyship', 'shipboy'], 'shipkeeper': ['keepership', 'shipkeeper'], 'shiplap': ['lappish', 'shiplap'], 'shipman': ['manship', 'shipman'], 'shipmaster': ['mastership', 'shipmaster'], 'shipmate': ['aphetism', 'mateship', 'shipmate', 'spithame'], 'shipowner': ['ownership', 'shipowner'], 'shippage': ['pageship', 'shippage'], 'shipper': ['preship', 'shipper'], 'shippo': ['popish', 'shippo'], 'shipward': ['shipward', 'wardship'], 'shipwork': ['shipwork', 'workship'], 'shipworm': ['shipworm', 'wormship'], 'shire': ['hirse', 'shier', 'shire'], 'shirker': ['shirker', 'skirreh'], 'shirley': ['relishy', 'shirley'], 'shirty': ['shirty', 'thyris'], 'shirvan': ['shirvan', 'varnish'], 'shita': ['shita', 'thais'], 'shivaism': ['shaivism', 'shivaism'], 'shive': ['hives', 'shive'], 'shiver': ['shevri', 'shiver', 'shrive'], 'shlu': ['lush', 'shlu', 'shul'], 'sho': ['sho', 'soh'], 'shoa': ['saho', 'shoa'], 'shoal': ['shoal', 'shola'], 'shoat': ['hoast', 'hosta', 'shoat'], 'shockable': ['shockable', 'shoeblack'], 'shode': ['hosed', 'shode'], 'shoder': ['dehors', 'rhodes', 'shoder', 'shored'], 'shoe': ['hose', 'shoe'], 'shoeblack': ['shockable', 'shoeblack'], 'shoebrush': ['shoebrush', 'shorebush'], 'shoeless': ['hoseless', 'shoeless'], 'shoeman': ['hoseman', 'shoeman'], 'shoer': ['horse', 'shoer', 'shore'], 'shog': ['gosh', 'shog'], 'shoji': ['joshi', 'shoji'], 'shola': ['shoal', 'shola'], 'shole': ['hosel', 'sheol', 'shole'], 'shoo': ['shoo', 'soho'], 'shoot': ['shoot', 'sooth', 'sotho', 'toosh'], 'shooter': ['orthose', 'reshoot', 'shooter', 'soother'], 'shooting': ['shooting', 'soothing'], 'shop': ['phos', 'posh', 'shop', 'soph'], 'shopbook': ['bookshop', 'shopbook'], 'shopmaid': ['phasmoid', 'shopmaid'], 'shopper': ['hoppers', 'shopper'], 'shopwork': ['shopwork', 'workshop'], 'shoran': ['rhason', 'sharon', 'shoran'], 'shore': ['horse', 'shoer', 'shore'], 'shorea': ['ahorse', 'ashore', 'hoarse', 'shorea'], 'shorebush': ['shoebrush', 'shorebush'], 'shored': ['dehors', 'rhodes', 'shoder', 'shored'], 'shoreless': ['horseless', 'shoreless'], 'shoreman': ['horseman', 'rhamnose', 'shoreman'], 'shorer': ['horser', 'shorer'], 'shoreward': ['drawhorse', 'shoreward'], 'shoreweed': ['horseweed', 'shoreweed'], 'shoring': ['horsing', 'shoring'], 'short': ['horst', 'short'], 'shortage': ['hostager', 'shortage'], 'shorten': ['shorten', 'threnos'], 'shot': ['host', 'shot', 'thos', 'tosh'], 'shote': ['ethos', 'shote', 'those'], 'shotgun': ['gunshot', 'shotgun', 'uhtsong'], 'shotless': ['hostless', 'shotless'], 'shotstar': ['shotstar', 'starshot'], 'shou': ['huso', 'shou'], 'shoulderer': ['reshoulder', 'shoulderer'], 'shout': ['shout', 'south'], 'shouter': ['shouter', 'souther'], 'shouting': ['shouting', 'southing'], 'shover': ['shover', 'shrove'], 'showerer': ['reshower', 'showerer'], 'shrab': ['brash', 'shrab'], 'shram': ['marsh', 'shram'], 'shrap': ['sharp', 'shrap'], 'shrave': ['havers', 'shaver', 'shrave'], 'shravey': ['shavery', 'shravey'], 'shree': ['herse', 'sereh', 'sheer', 'shree'], 'shrewly': ['shrewly', 'welshry'], 'shriek': ['shriek', 'shrike'], 'shrieval': ['lavisher', 'shrieval'], 'shrike': ['shriek', 'shrike'], 'shrine': ['renish', 'shiner', 'shrine'], 'shrite': ['shrite', 'theirs'], 'shrive': ['shevri', 'shiver', 'shrive'], 'shriven': ['nervish', 'shriven'], 'shroudy': ['hydrous', 'shroudy'], 'shrove': ['shover', 'shrove'], 'shrub': ['brush', 'shrub'], 'shrubbery': ['berrybush', 'shrubbery'], 'shrubland': ['brushland', 'shrubland'], 'shrubless': ['brushless', 'shrubless'], 'shrublet': ['brushlet', 'shrublet'], 'shrublike': ['brushlike', 'shrublike'], 'shrubwood': ['brushwood', 'shrubwood'], 'shrug': ['grush', 'shrug'], 'shu': ['shu', 'ush'], 'shuba': ['shuba', 'subah'], 'shug': ['gush', 'shug', 'sugh'], 'shul': ['lush', 'shlu', 'shul'], 'shulamite': ['hamulites', 'shulamite'], 'shuler': ['lusher', 'shuler'], 'shunless': ['lushness', 'shunless'], 'shunter': ['reshunt', 'shunter'], 'shure': ['shure', 'usher'], 'shurf': ['frush', 'shurf'], 'shut': ['shut', 'thus', 'tush'], 'shutness': ['shutness', 'thusness'], 'shutout': ['outshut', 'shutout'], 'shuttering': ['hurtingest', 'shuttering'], 'shyam': ['mashy', 'shyam'], 'si': ['is', 'si'], 'sia': ['sai', 'sia'], 'siak': ['saki', 'siak', 'sika'], 'sial': ['lasi', 'lias', 'lisa', 'sail', 'sial'], 'sialagogic': ['isagogical', 'sialagogic'], 'sialic': ['sialic', 'silica'], 'sialid': ['asilid', 'sialid'], 'sialidae': ['asilidae', 'sialidae'], 'siam': ['mias', 'saim', 'siam', 'sima'], 'siamese': ['misease', 'siamese'], 'sib': ['bis', 'sib'], 'sibyl': ['sibyl', 'sybil'], 'sibylla': ['sibylla', 'syllabi'], 'sicana': ['ascian', 'sacian', 'scania', 'sicana'], 'sicani': ['anisic', 'sicani', 'sinaic'], 'sicarius': ['acrisius', 'sicarius'], 'siccate': ['ascetic', 'castice', 'siccate'], 'siccation': ['cocainist', 'siccation'], 'sice': ['cise', 'sice'], 'sicel': ['sicel', 'slice'], 'sicilian': ['anisilic', 'sicilian'], 'sickbed': ['bedsick', 'sickbed'], 'sicker': ['scrike', 'sicker'], 'sickerly': ['sickerly', 'slickery'], 'sickle': ['sickle', 'skelic'], 'sickler': ['sickler', 'slicker'], 'sicklied': ['disclike', 'sicklied'], 'sickling': ['sickling', 'slicking'], 'sicula': ['caulis', 'clusia', 'sicula'], 'siculian': ['luscinia', 'siculian'], 'sid': ['dis', 'sid'], 'sida': ['dais', 'dasi', 'disa', 'said', 'sida'], 'sidalcea': ['diaclase', 'sidalcea'], 'side': ['desi', 'ides', 'seid', 'side'], 'sidearm': ['misread', 'sidearm'], 'sideboard': ['broadside', 'sideboard'], 'sideburns': ['burnsides', 'sideburns'], 'sidecar': ['diceras', 'radices', 'sidecar'], 'sidehill': ['hillside', 'sidehill'], 'siderean': ['arsedine', 'arsenide', 'sedanier', 'siderean'], 'siderin': ['insider', 'siderin'], 'sideronatrite': ['endoarteritis', 'sideronatrite'], 'siderous': ['desirous', 'siderous'], 'sidership': ['sidership', 'spiderish'], 'sidesway': ['sidesway', 'sideways'], 'sidetrack': ['sidetrack', 'trackside'], 'sidewalk': ['sidewalk', 'walkside'], 'sideway': ['sideway', 'wayside'], 'sideways': ['sidesway', 'sideways'], 'sidhe': ['shide', 'shied', 'sidhe'], 'sidle': ['sidle', 'slide'], 'sidler': ['sidler', 'slider'], 'sidling': ['sidling', 'sliding'], 'sidlingly': ['sidlingly', 'slidingly'], 'sieger': ['sergei', 'sieger'], 'siena': ['anise', 'insea', 'siena', 'sinae'], 'sienna': ['insane', 'sienna'], 'sier': ['reis', 'rise', 'seri', 'sier', 'sire'], 'sierra': ['raiser', 'sierra'], 'siesta': ['siesta', 'tassie'], 'siever': ['revise', 'siever'], 'sife': ['feis', 'fise', 'sife'], 'sift': ['fist', 'sift'], 'sifted': ['fisted', 'sifted'], 'sifter': ['fister', 'resift', 'sifter', 'strife'], 'sifting': ['fisting', 'sifting'], 'sigh': ['gish', 'sigh'], 'sigher': ['resigh', 'sigher'], 'sighted': ['desight', 'sighted'], 'sightlily': ['sightlily', 'slightily'], 'sightliness': ['sightliness', 'slightiness'], 'sightly': ['sightly', 'slighty'], 'sigillated': ['distillage', 'sigillated'], 'sigla': ['gisla', 'ligas', 'sigla'], 'sigmatism': ['astigmism', 'sigmatism'], 'sigmoidal': ['dialogism', 'sigmoidal'], 'sign': ['sign', 'sing', 'snig'], 'signable': ['signable', 'singable'], 'signalee': ['ensilage', 'genesial', 'signalee'], 'signaler': ['resignal', 'seringal', 'signaler'], 'signalese': ['agileness', 'signalese'], 'signally': ['signally', 'singally', 'slangily'], 'signary': ['signary', 'syringa'], 'signate': ['easting', 'gainset', 'genista', 'ingesta', 'seating', 'signate', 'teasing'], 'signator': ['orangist', 'organist', 'roasting', 'signator'], 'signee': ['seeing', 'signee'], 'signer': ['resign', 'resing', 'signer', 'singer'], 'signet': ['ingest', 'signet', 'stinge'], 'signorial': ['sailoring', 'signorial'], 'signpost': ['postsign', 'signpost'], 'signum': ['musing', 'signum'], 'sika': ['saki', 'siak', 'sika'], 'sikar': ['kisra', 'sikar', 'skair'], 'siket': ['siket', 'skite'], 'sikh': ['kish', 'shik', 'sikh'], 'sikhara': ['shikara', 'sikhara'], 'sikhra': ['rakish', 'riksha', 'shikar', 'shikra', 'sikhra'], 'sil': ['lis', 'sil'], 'silane': ['alsine', 'neslia', 'saline', 'selina', 'silane'], 'silas': ['silas', 'sisal'], 'silcrete': ['sclerite', 'silcrete'], 'sile': ['isle', 'lise', 'sile'], 'silen': ['elsin', 'lenis', 'niels', 'silen', 'sline'], 'silence': ['license', 'selenic', 'silence'], 'silenced': ['licensed', 'silenced'], 'silencer': ['licenser', 'silencer'], 'silene': ['enisle', 'ensile', 'senile', 'silene'], 'silent': ['enlist', 'listen', 'silent', 'tinsel'], 'silently': ['silently', 'tinselly'], 'silenus': ['insulse', 'silenus'], 'silesian': ['sensilia', 'silesian'], 'silica': ['sialic', 'silica'], 'silicam': ['islamic', 'laicism', 'silicam'], 'silicane': ['silicane', 'silicean'], 'silicean': ['silicane', 'silicean'], 'siliceocalcareous': ['calcareosiliceous', 'siliceocalcareous'], 'silicoaluminate': ['aluminosilicate', 'silicoaluminate'], 'silicone': ['isocline', 'silicone'], 'silicotitanate': ['silicotitanate', 'titanosilicate'], 'silicotungstate': ['silicotungstate', 'tungstosilicate'], 'silicotungstic': ['silicotungstic', 'tungstosilicic'], 'silk': ['lisk', 'silk', 'skil'], 'silkaline': ['silkaline', 'snaillike'], 'silkman': ['klanism', 'silkman'], 'silkness': ['silkness', 'sinkless', 'skinless'], 'silly': ['silly', 'silyl'], 'sillyhow': ['lowishly', 'owlishly', 'sillyhow'], 'silo': ['lois', 'silo', 'siol', 'soil', 'soli'], 'silpha': ['palish', 'silpha'], 'silt': ['list', 'silt', 'slit'], 'silting': ['listing', 'silting'], 'siltlike': ['siltlike', 'slitlike'], 'silva': ['silva', 'slavi'], 'silver': ['silver', 'sliver'], 'silvered': ['desilver', 'silvered'], 'silverer': ['resilver', 'silverer', 'sliverer'], 'silverize': ['servilize', 'silverize'], 'silverlike': ['silverlike', 'sliverlike'], 'silverwood': ['silverwood', 'woodsilver'], 'silvery': ['silvery', 'slivery'], 'silvester': ['rivetless', 'silvester'], 'silyl': ['silly', 'silyl'], 'sim': ['ism', 'sim'], 'sima': ['mias', 'saim', 'siam', 'sima'], 'simal': ['islam', 'ismal', 'simal'], 'simar': ['maris', 'marsi', 'samir', 'simar'], 'sime': ['mise', 'semi', 'sime'], 'simeon': ['eonism', 'mesion', 'oneism', 'simeon'], 'simeonism': ['misoneism', 'simeonism'], 'simiad': ['idiasm', 'simiad'], 'simile': ['milsie', 'simile'], 'simity': ['myitis', 'simity'], 'simling': ['simling', 'smiling'], 'simmer': ['merism', 'mermis', 'simmer'], 'simmon': ['monism', 'nomism', 'simmon'], 'simon': ['minos', 'osmin', 'simon'], 'simonian': ['insomnia', 'simonian'], 'simonist': ['simonist', 'sintoism'], 'simony': ['isonym', 'myosin', 'simony'], 'simple': ['mespil', 'simple'], 'simpleton': ['simpleton', 'spoilment'], 'simplicist': ['simplicist', 'simplistic'], 'simplistic': ['simplicist', 'simplistic'], 'simply': ['limpsy', 'simply'], 'simson': ['nosism', 'simson'], 'simulance': ['masculine', 'semuncial', 'simulance'], 'simulcast': ['masculist', 'simulcast'], 'simuler': ['misrule', 'simuler'], 'sina': ['anis', 'nais', 'nasi', 'nias', 'sain', 'sina'], 'sinae': ['anise', 'insea', 'siena', 'sinae'], 'sinaean': ['nisaean', 'sinaean'], 'sinaic': ['anisic', 'sicani', 'sinaic'], 'sinaitic': ['isatinic', 'sinaitic'], 'sinal': ['sinal', 'slain', 'snail'], 'sinapic': ['panisic', 'piscian', 'piscina', 'sinapic'], 'since': ['senci', 'since'], 'sincere': ['ceresin', 'sincere'], 'sinecure': ['insecure', 'sinecure'], 'sinew': ['sinew', 'swine', 'wisen'], 'sinewed': ['endwise', 'sinewed'], 'sinewy': ['sinewy', 'swiney'], 'sinfonia': ['sainfoin', 'sinfonia'], 'sinfonietta': ['festination', 'infestation', 'sinfonietta'], 'sing': ['sign', 'sing', 'snig'], 'singable': ['signable', 'singable'], 'singally': ['signally', 'singally', 'slangily'], 'singarip': ['aspiring', 'praising', 'singarip'], 'singed': ['design', 'singed'], 'singer': ['resign', 'resing', 'signer', 'singer'], 'single': ['single', 'slinge'], 'singler': ['singler', 'slinger'], 'singles': ['essling', 'singles'], 'singlet': ['glisten', 'singlet'], 'sinh': ['hisn', 'shin', 'sinh'], 'sinico': ['inosic', 'sinico'], 'sinister': ['insister', 'reinsist', 'sinister', 'sisterin'], 'sinistrodextral': ['dextrosinistral', 'sinistrodextral'], 'sink': ['inks', 'sink', 'skin'], 'sinker': ['resink', 'reskin', 'sinker'], 'sinkhead': ['headskin', 'nakedish', 'sinkhead'], 'sinkless': ['silkness', 'sinkless', 'skinless'], 'sinklike': ['sinklike', 'skinlike'], 'sinnet': ['innest', 'sennit', 'sinnet', 'tennis'], 'sinoatrial': ['sinoatrial', 'solitarian'], 'sinogram': ['orangism', 'organism', 'sinogram'], 'sinolog': ['loosing', 'sinolog'], 'sinopia': ['pisonia', 'sinopia'], 'sinople': ['epsilon', 'sinople'], 'sinter': ['estrin', 'insert', 'sinter', 'sterin', 'triens'], 'sinto': ['sinto', 'stion'], 'sintoc': ['nostic', 'sintoc', 'tocsin'], 'sintoism': ['simonist', 'sintoism'], 'sintu': ['sintu', 'suint'], 'sinuatodentate': ['dentatosinuate', 'sinuatodentate'], 'sinuose': ['sinuose', 'suiones'], 'sinus': ['nisus', 'sinus'], 'sinward': ['inwards', 'sinward'], 'siol': ['lois', 'silo', 'siol', 'soil', 'soli'], 'sionite': ['inosite', 'sionite'], 'sip': ['psi', 'sip'], 'sipe': ['pise', 'sipe'], 'siper': ['siper', 'spier', 'spire'], 'siphonal': ['nailshop', 'siphonal'], 'siphuncle': ['siphuncle', 'uncleship'], 'sipling': ['sipling', 'spiling'], 'sipylite': ['pyelitis', 'sipylite'], 'sir': ['sir', 'sri'], 'sire': ['reis', 'rise', 'seri', 'sier', 'sire'], 'siredon': ['indorse', 'ordines', 'siredon', 'sordine'], 'siren': ['reins', 'resin', 'rinse', 'risen', 'serin', 'siren'], 'sirene': ['inseer', 'nereis', 'seiner', 'serine', 'sirene'], 'sirenic': ['irenics', 'resinic', 'sericin', 'sirenic'], 'sirenize': ['resinize', 'sirenize'], 'sirenlike': ['resinlike', 'sirenlike'], 'sirenoid': ['derision', 'ironside', 'resinoid', 'sirenoid'], 'sireny': ['resiny', 'sireny'], 'sirian': ['raisin', 'sirian'], 'sirih': ['irish', 'rishi', 'sirih'], 'sirky': ['risky', 'sirky'], 'sirmian': ['iranism', 'sirmian'], 'sirpea': ['aspire', 'paries', 'praise', 'sirpea', 'spirea'], 'sirple': ['lisper', 'pliers', 'sirple', 'spiler'], 'sirrah': ['arrish', 'harris', 'rarish', 'sirrah'], 'sirree': ['rerise', 'sirree'], 'siruelas': ['russelia', 'siruelas'], 'sirup': ['prius', 'sirup'], 'siruper': ['siruper', 'upriser'], 'siryan': ['siryan', 'syrian'], 'sis': ['sis', 'ssi'], 'sisal': ['silas', 'sisal'], 'sish': ['hiss', 'sish'], 'sisham': ['samish', 'sisham'], 'sisi': ['isis', 'sisi'], 'sisseton': ['sisseton', 'stenosis'], 'sistani': ['nasitis', 'sistani'], 'sister': ['resist', 'restis', 'sister'], 'sisterin': ['insister', 'reinsist', 'sinister', 'sisterin'], 'sistering': ['resisting', 'sistering'], 'sisterless': ['resistless', 'sisterless'], 'sistrum': ['sistrum', 'trismus'], 'sit': ['ist', 'its', 'sit'], 'sita': ['atis', 'sita', 'tsia'], 'sitao': ['sitao', 'staio'], 'sitar': ['arist', 'astir', 'sitar', 'stair', 'stria', 'tarsi', 'tisar', 'trias'], 'sitch': ['sitch', 'stchi', 'stich'], 'site': ['seit', 'site'], 'sith': ['hist', 'sith', 'this', 'tshi'], 'sithens': ['sithens', 'thissen'], 'sitient': ['sitient', 'sittine'], 'sitology': ['sitology', 'tsiology'], 'sittinae': ['satinite', 'sittinae'], 'sittine': ['sitient', 'sittine'], 'situal': ['situal', 'situla', 'tulasi'], 'situate': ['situate', 'usitate'], 'situla': ['situal', 'situla', 'tulasi'], 'situs': ['situs', 'suist'], 'siva': ['avis', 'siva', 'visa'], 'sivaism': ['saivism', 'sivaism'], 'sivan': ['savin', 'sivan'], 'siwan': ['siwan', 'swain'], 'siwash': ['sawish', 'siwash'], 'sixte': ['exist', 'sixte'], 'sixty': ['sixty', 'xysti'], 'sizeable': ['seizable', 'sizeable'], 'sizeman': ['sizeman', 'zamenis'], 'skair': ['kisra', 'sikar', 'skair'], 'skal': ['lask', 'skal'], 'skance': ['sacken', 'skance'], 'skanda': ['sandak', 'skanda'], 'skart': ['karst', 'skart', 'stark'], 'skat': ['skat', 'task'], 'skate': ['skate', 'stake', 'steak'], 'skater': ['skater', 'staker', 'strake', 'streak', 'tasker'], 'skating': ['gitksan', 'skating', 'takings'], 'skean': ['skean', 'snake', 'sneak'], 'skee': ['kees', 'seek', 'skee'], 'skeel': ['skeel', 'sleek'], 'skeeling': ['skeeling', 'sleeking'], 'skeely': ['skeely', 'sleeky'], 'skeen': ['skeen', 'skene'], 'skeer': ['esker', 'keres', 'reesk', 'seker', 'skeer', 'skere'], 'skeery': ['kersey', 'skeery'], 'skeet': ['keest', 'skeet', 'skete', 'steek'], 'skeeter': ['skeeter', 'teskere'], 'skeletin': ['nestlike', 'skeletin'], 'skelic': ['sickle', 'skelic'], 'skelp': ['skelp', 'spelk'], 'skelter': ['kestrel', 'skelter'], 'skene': ['skeen', 'skene'], 'skeo': ['skeo', 'soke'], 'skeptic': ['skeptic', 'spicket'], 'skere': ['esker', 'keres', 'reesk', 'seker', 'skeer', 'skere'], 'sketcher': ['resketch', 'sketcher'], 'skete': ['keest', 'skeet', 'skete', 'steek'], 'skey': ['skey', 'skye'], 'skid': ['disk', 'kids', 'skid'], 'skier': ['kreis', 'skier'], 'skil': ['lisk', 'silk', 'skil'], 'skin': ['inks', 'sink', 'skin'], 'skinch': ['chinks', 'skinch'], 'skinless': ['silkness', 'sinkless', 'skinless'], 'skinlike': ['sinklike', 'skinlike'], 'skip': ['pisk', 'skip'], 'skippel': ['skippel', 'skipple'], 'skipple': ['skippel', 'skipple'], 'skirmish': ['skirmish', 'smirkish'], 'skirreh': ['shirker', 'skirreh'], 'skirret': ['skirret', 'skirter', 'striker'], 'skirt': ['skirt', 'stirk'], 'skirter': ['skirret', 'skirter', 'striker'], 'skirting': ['skirting', 'striking'], 'skirtingly': ['skirtingly', 'strikingly'], 'skirty': ['kirsty', 'skirty'], 'skit': ['kist', 'skit'], 'skite': ['siket', 'skite'], 'skiter': ['skiter', 'strike'], 'skittle': ['kittles', 'skittle'], 'sklate': ['lasket', 'sklate'], 'sklater': ['sklater', 'stalker'], 'sklinter': ['sklinter', 'strinkle'], 'skoal': ['skoal', 'sloka'], 'skoo': ['koso', 'skoo', 'sook'], 'skua': ['kusa', 'skua'], 'skun': ['skun', 'sunk'], 'skye': ['skey', 'skye'], 'sla': ['las', 'sal', 'sla'], 'slab': ['blas', 'slab'], 'slacken': ['slacken', 'snackle'], 'slade': ['leads', 'slade'], 'slae': ['elsa', 'sale', 'seal', 'slae'], 'slain': ['sinal', 'slain', 'snail'], 'slainte': ['elastin', 'salient', 'saltine', 'slainte'], 'slait': ['alist', 'litas', 'slait', 'talis'], 'slake': ['alkes', 'sakel', 'slake'], 'slam': ['alms', 'salm', 'slam'], 'slamp': ['plasm', 'psalm', 'slamp'], 'slandering': ['sanderling', 'slandering'], 'slane': ['ansel', 'slane'], 'slang': ['glans', 'slang'], 'slangily': ['signally', 'singally', 'slangily'], 'slangish': ['slangish', 'slashing'], 'slangishly': ['slangishly', 'slashingly'], 'slangster': ['slangster', 'strangles'], 'slap': ['salp', 'slap'], 'slape': ['elaps', 'lapse', 'lepas', 'pales', 'salep', 'saple', 'sepal', 'slape', 'spale', 'speal'], 'slare': ['arles', 'arsle', 'laser', 'seral', 'slare'], 'slasher': ['reslash', 'slasher'], 'slashing': ['slangish', 'slashing'], 'slashingly': ['slangishly', 'slashingly'], 'slat': ['last', 'salt', 'slat'], 'slate': ['least', 'setal', 'slate', 'stale', 'steal', 'stela', 'tales'], 'slater': ['laster', 'lastre', 'rastle', 'relast', 'resalt', 'salter', 'slater', 'stelar'], 'slath': ['shalt', 'slath'], 'slather': ['hastler', 'slather'], 'slatiness': ['saintless', 'saltiness', 'slatiness', 'stainless'], 'slating': ['anglist', 'lasting', 'salting', 'slating', 'staling'], 'slatish': ['saltish', 'slatish'], 'slatter': ['rattles', 'slatter', 'starlet', 'startle'], 'slaty': ['lasty', 'salty', 'slaty'], 'slaughter': ['lethargus', 'slaughter'], 'slaughterman': ['manslaughter', 'slaughterman'], 'slaum': ['lamus', 'malus', 'musal', 'slaum'], 'slave': ['salve', 'selva', 'slave', 'valse'], 'slaver': ['salver', 'serval', 'slaver', 'versal'], 'slaverer': ['reserval', 'reversal', 'slaverer'], 'slavey': ['slavey', 'sylvae'], 'slavi': ['silva', 'slavi'], 'slavian': ['salivan', 'slavian'], 'slavic': ['clavis', 'slavic'], 'slavonic': ['slavonic', 'volscian'], 'slay': ['lyas', 'slay'], 'slayer': ['reslay', 'slayer'], 'sleave': ['leaves', 'sleave'], 'sledger': ['redlegs', 'sledger'], 'slee': ['else', 'lees', 'seel', 'sele', 'slee'], 'sleech': ['lesche', 'sleech'], 'sleek': ['skeel', 'sleek'], 'sleeking': ['skeeling', 'sleeking'], 'sleeky': ['skeely', 'sleeky'], 'sleep': ['sleep', 'speel'], 'sleepless': ['sleepless', 'speelless'], 'sleepry': ['presley', 'sleepry'], 'sleet': ['sleet', 'slete', 'steel', 'stele'], 'sleetiness': ['sleetiness', 'steeliness'], 'sleeting': ['sleeting', 'steeling'], 'sleetproof': ['sleetproof', 'steelproof'], 'sleety': ['sleety', 'steely'], 'slept': ['slept', 'spelt', 'splet'], 'slete': ['sleet', 'slete', 'steel', 'stele'], 'sleuth': ['hustle', 'sleuth'], 'slew': ['slew', 'wels'], 'slewing': ['slewing', 'swingle'], 'sley': ['lyse', 'sley'], 'slice': ['sicel', 'slice'], 'slicht': ['slicht', 'slitch'], 'slicken': ['slicken', 'snickle'], 'slicker': ['sickler', 'slicker'], 'slickery': ['sickerly', 'slickery'], 'slicking': ['sickling', 'slicking'], 'slidable': ['sabellid', 'slidable'], 'slidden': ['slidden', 'sniddle'], 'slide': ['sidle', 'slide'], 'slider': ['sidler', 'slider'], 'sliding': ['sidling', 'sliding'], 'slidingly': ['sidlingly', 'slidingly'], 'slifter': ['slifter', 'stifler'], 'slightily': ['sightlily', 'slightily'], 'slightiness': ['sightliness', 'slightiness'], 'slighty': ['sightly', 'slighty'], 'slime': ['limes', 'miles', 'slime', 'smile'], 'slimeman': ['melanism', 'slimeman'], 'slimer': ['slimer', 'smiler'], 'slimy': ['limsy', 'slimy', 'smily'], 'sline': ['elsin', 'lenis', 'niels', 'silen', 'sline'], 'slinge': ['single', 'slinge'], 'slinger': ['singler', 'slinger'], 'slink': ['links', 'slink'], 'slip': ['lisp', 'slip'], 'slipcoat': ['postical', 'slipcoat'], 'slipe': ['piles', 'plies', 'slipe', 'spiel', 'spile'], 'slipover': ['overslip', 'slipover'], 'slipway': ['slipway', 'waspily'], 'slit': ['list', 'silt', 'slit'], 'slitch': ['slicht', 'slitch'], 'slite': ['islet', 'istle', 'slite', 'stile'], 'slithy': ['hylist', 'slithy'], 'slitless': ['listless', 'slitless'], 'slitlike': ['siltlike', 'slitlike'], 'slitted': ['slitted', 'stilted'], 'slitter': ['litster', 'slitter', 'stilter', 'testril'], 'slitty': ['slitty', 'stilty'], 'slive': ['elvis', 'levis', 'slive'], 'sliver': ['silver', 'sliver'], 'sliverer': ['resilver', 'silverer', 'sliverer'], 'sliverlike': ['silverlike', 'sliverlike'], 'slivery': ['silvery', 'slivery'], 'sloan': ['salon', 'sloan', 'solan'], 'slod': ['slod', 'sold'], 'sloe': ['lose', 'sloe', 'sole'], 'sloka': ['skoal', 'sloka'], 'slone': ['slone', 'solen'], 'sloo': ['sloo', 'solo', 'sool'], 'sloom': ['mools', 'sloom'], 'sloop': ['polos', 'sloop', 'spool'], 'slope': ['elops', 'slope', 'spole'], 'sloper': ['sloper', 'splore'], 'slot': ['lost', 'lots', 'slot'], 'slote': ['slote', 'stole'], 'sloted': ['sloted', 'stoled'], 'slotter': ['settlor', 'slotter'], 'slouch': ['holcus', 'lochus', 'slouch'], 'slouchiness': ['cushionless', 'slouchiness'], 'slouchy': ['chylous', 'slouchy'], 'slovenian': ['slovenian', 'venosinal'], 'slow': ['slow', 'sowl'], 'slud': ['slud', 'suld'], 'slue': ['lues', 'slue'], 'sluit': ['litus', 'sluit', 'tulsi'], 'slunge': ['gunsel', 'selung', 'slunge'], 'slurp': ['slurp', 'spurl'], 'slut': ['lust', 'slut'], 'sluther': ['hulster', 'hustler', 'sluther'], 'slutter': ['slutter', 'trustle'], 'sly': ['lys', 'sly'], 'sma': ['mas', 'sam', 'sma'], 'smachrie': ['semiarch', 'smachrie'], 'smallen': ['ensmall', 'smallen'], 'smalltime': ['metallism', 'smalltime'], 'smaltine': ['mentalis', 'smaltine', 'stileman'], 'smaltite': ['metalist', 'smaltite'], 'smart': ['smart', 'stram'], 'smarten': ['sarment', 'smarten'], 'smashage': ['gamashes', 'smashage'], 'smeary': ['ramsey', 'smeary'], 'smectis': ['sectism', 'smectis'], 'smee': ['mese', 'seem', 'seme', 'smee'], 'smeech': ['scheme', 'smeech'], 'smeek': ['meeks', 'smeek'], 'smeer': ['merse', 'smeer'], 'smeeth': ['smeeth', 'smethe'], 'smeller': ['resmell', 'smeller'], 'smelly': ['mysell', 'smelly'], 'smelter': ['melters', 'resmelt', 'smelter'], 'smethe': ['smeeth', 'smethe'], 'smilax': ['laxism', 'smilax'], 'smile': ['limes', 'miles', 'slime', 'smile'], 'smiler': ['slimer', 'smiler'], 'smilet': ['mistle', 'smilet'], 'smiling': ['simling', 'smiling'], 'smily': ['limsy', 'slimy', 'smily'], 'sminthian': ['mitannish', 'sminthian'], 'smirch': ['chrism', 'smirch'], 'smirkish': ['skirmish', 'smirkish'], 'smit': ['mist', 'smit', 'stim'], 'smite': ['metis', 'smite', 'stime', 'times'], 'smiter': ['merist', 'mister', 'smiter'], 'smither': ['rhemist', 'smither'], 'smithian': ['isthmian', 'smithian'], 'smoker': ['mosker', 'smoker'], 'smoot': ['moost', 'smoot'], 'smoother': ['resmooth', 'romeshot', 'smoother'], 'smoothingly': ['hymnologist', 'smoothingly'], 'smore': ['meros', 'mores', 'morse', 'sermo', 'smore'], 'smote': ['moste', 'smote'], 'smother': ['smother', 'thermos'], 'smouse': ['mousse', 'smouse'], 'smouser': ['osmerus', 'smouser'], 'smuggle': ['muggles', 'smuggle'], 'smut': ['must', 'smut', 'stum'], 'smyrniot': ['smyrniot', 'tyronism'], 'smyrniote': ['myristone', 'smyrniote'], 'snab': ['nabs', 'snab'], 'snackle': ['slacken', 'snackle'], 'snag': ['sang', 'snag'], 'snagrel': ['sangrel', 'snagrel'], 'snail': ['sinal', 'slain', 'snail'], 'snaillike': ['silkaline', 'snaillike'], 'snaily': ['anisyl', 'snaily'], 'snaith': ['snaith', 'tahsin'], 'snake': ['skean', 'snake', 'sneak'], 'snap': ['snap', 'span'], 'snape': ['aspen', 'panse', 'snape', 'sneap', 'spane', 'spean'], 'snaper': ['resnap', 'respan', 'snaper'], 'snapless': ['snapless', 'spanless'], 'snapy': ['pansy', 'snapy'], 'snare': ['anser', 'nares', 'rasen', 'snare'], 'snarer': ['serran', 'snarer'], 'snaste': ['assent', 'snaste'], 'snatch': ['chanst', 'snatch', 'stanch'], 'snatchable': ['snatchable', 'stanchable'], 'snatcher': ['resnatch', 'snatcher', 'stancher'], 'snath': ['shant', 'snath'], 'snathe': ['athens', 'hasten', 'snathe', 'sneath'], 'snaw': ['sawn', 'snaw', 'swan'], 'snead': ['sedan', 'snead'], 'sneak': ['skean', 'snake', 'sneak'], 'sneaker': ['keresan', 'sneaker'], 'sneaksman': ['masskanne', 'sneaksman'], 'sneap': ['aspen', 'panse', 'snape', 'sneap', 'spane', 'spean'], 'sneath': ['athens', 'hasten', 'snathe', 'sneath'], 'sneathe': ['sneathe', 'thesean'], 'sned': ['send', 'sned'], 'snee': ['ense', 'esne', 'nese', 'seen', 'snee'], 'sneer': ['renes', 'sneer'], 'snew': ['news', 'sewn', 'snew'], 'snib': ['nibs', 'snib'], 'snickle': ['slicken', 'snickle'], 'sniddle': ['slidden', 'sniddle'], 'snide': ['denis', 'snide'], 'snig': ['sign', 'sing', 'snig'], 'snigger': ['serging', 'snigger'], 'snip': ['snip', 'spin'], 'snipe': ['penis', 'snipe', 'spine'], 'snipebill': ['snipebill', 'spinebill'], 'snipelike': ['snipelike', 'spinelike'], 'sniper': ['pernis', 'respin', 'sniper'], 'snipocracy': ['conspiracy', 'snipocracy'], 'snipper': ['nippers', 'snipper'], 'snippet': ['snippet', 'stippen'], 'snipy': ['snipy', 'spiny'], 'snitcher': ['christen', 'snitcher'], 'snite': ['inset', 'neist', 'snite', 'stein', 'stine', 'tsine'], 'snithy': ['shinty', 'snithy'], 'sniveler': ['ensilver', 'sniveler'], 'snively': ['snively', 'sylvine'], 'snob': ['bosn', 'nobs', 'snob'], 'snocker': ['conkers', 'snocker'], 'snod': ['snod', 'sond'], 'snoek': ['snoek', 'snoke', 'soken'], 'snog': ['snog', 'song'], 'snoke': ['snoek', 'snoke', 'soken'], 'snook': ['onkos', 'snook'], 'snoop': ['snoop', 'spoon'], 'snooper': ['snooper', 'spooner'], 'snoopy': ['snoopy', 'spoony'], 'snoot': ['snoot', 'stoon'], 'snore': ['norse', 'noser', 'seron', 'snore'], 'snorer': ['snorer', 'sorner'], 'snoring': ['snoring', 'sorning'], 'snork': ['norsk', 'snork'], 'snotter': ['snotter', 'stentor', 'torsten'], 'snout': ['notus', 'snout', 'stoun', 'tonus'], 'snouter': ['snouter', 'tonsure', 'unstore'], 'snow': ['snow', 'sown'], 'snowie': ['nowise', 'snowie'], 'snowish': ['snowish', 'whisson'], 'snowy': ['snowy', 'wyson'], 'snug': ['snug', 'sung'], 'snup': ['snup', 'spun'], 'snurp': ['snurp', 'spurn'], 'snurt': ['snurt', 'turns'], 'so': ['os', 'so'], 'soak': ['asok', 'soak', 'soka'], 'soaker': ['arkose', 'resoak', 'soaker'], 'soally': ['soally', 'sollya'], 'soam': ['amos', 'soam', 'soma'], 'soap': ['asop', 'sapo', 'soap'], 'soaper': ['resoap', 'soaper'], 'soar': ['asor', 'rosa', 'soar', 'sora'], 'sob': ['bos', 'sob'], 'sobeit': ['setibo', 'sobeit'], 'sober': ['boser', 'brose', 'sober'], 'sobralite': ['sobralite', 'strobilae'], 'soc': ['cos', 'osc', 'soc'], 'socager': ['corsage', 'socager'], 'social': ['colias', 'scolia', 'social'], 'socialite': ['aeolistic', 'socialite'], 'societal': ['cosalite', 'societal'], 'societism': ['seismotic', 'societism'], 'socinian': ['oscinian', 'socinian'], 'sociobiological': ['biosociological', 'sociobiological'], 'sociolegal': ['oligoclase', 'sociolegal'], 'socius': ['scious', 'socius'], 'socle': ['close', 'socle'], 'soco': ['coos', 'soco'], 'socotran': ['ostracon', 'socotran'], 'socotrine': ['certosino', 'cortisone', 'socotrine'], 'socratean': ['ostracean', 'socratean'], 'socratic': ['acrostic', 'sarcotic', 'socratic'], 'socratical': ['acrostical', 'socratical'], 'socratically': ['acrostically', 'socratically'], 'socraticism': ['acrosticism', 'socraticism'], 'socratism': ['ostracism', 'socratism'], 'socratize': ['ostracize', 'socratize'], 'sod': ['dos', 'ods', 'sod'], 'soda': ['dosa', 'sado', 'soda'], 'sodalite': ['diastole', 'isolated', 'sodalite', 'solidate'], 'sodium': ['modius', 'sodium'], 'sodom': ['dooms', 'sodom'], 'sodomitic': ['diosmotic', 'sodomitic'], 'soe': ['oes', 'ose', 'soe'], 'soft': ['soft', 'stof'], 'soften': ['oftens', 'soften'], 'softener': ['resoften', 'softener'], 'sog': ['gos', 'sog'], 'soga': ['sago', 'soga'], 'soger': ['gorse', 'soger'], 'soh': ['sho', 'soh'], 'soho': ['shoo', 'soho'], 'soil': ['lois', 'silo', 'siol', 'soil', 'soli'], 'soiled': ['isolde', 'soiled'], 'sojourner': ['resojourn', 'sojourner'], 'sok': ['kos', 'sok'], 'soka': ['asok', 'soak', 'soka'], 'soke': ['skeo', 'soke'], 'soken': ['snoek', 'snoke', 'soken'], 'sola': ['also', 'sola'], 'solacer': ['escolar', 'solacer'], 'solan': ['salon', 'sloan', 'solan'], 'solar': ['rosal', 'solar', 'soral'], 'solaristics': ['scissortail', 'solaristics'], 'solate': ['lotase', 'osteal', 'solate', 'stolae', 'talose'], 'sold': ['slod', 'sold'], 'solder': ['dorsel', 'seldor', 'solder'], 'solderer': ['resolder', 'solderer'], 'soldi': ['soldi', 'solid'], 'soldo': ['soldo', 'solod'], 'sole': ['lose', 'sloe', 'sole'], 'solea': ['alose', 'osela', 'solea'], 'solecist': ['solecist', 'solstice'], 'solen': ['slone', 'solen'], 'soleness': ['noseless', 'soleness'], 'solenial': ['lesional', 'solenial'], 'solenite': ['noselite', 'solenite'], 'solenium': ['emulsion', 'solenium'], 'solenopsis': ['poisonless', 'solenopsis'], 'solent': ['solent', 'stolen', 'telson'], 'solentine': ['nelsonite', 'solentine'], 'soler': ['loser', 'orsel', 'rosel', 'soler'], 'solera': ['roseal', 'solera'], 'soles': ['loess', 'soles'], 'soli': ['lois', 'silo', 'siol', 'soil', 'soli'], 'soliative': ['isolative', 'soliative'], 'solicit': ['colitis', 'solicit'], 'solicitation': ['coalitionist', 'solicitation'], 'soliciter': ['resolicit', 'soliciter'], 'soliciting': ['ignicolist', 'soliciting'], 'solicitude': ['isodulcite', 'solicitude'], 'solid': ['soldi', 'solid'], 'solidate': ['diastole', 'isolated', 'sodalite', 'solidate'], 'solidus': ['dissoul', 'dulosis', 'solidus'], 'solilunar': ['lunisolar', 'solilunar'], 'soliped': ['despoil', 'soliped', 'spoiled'], 'solitarian': ['sinoatrial', 'solitarian'], 'solitary': ['royalist', 'solitary'], 'soliterraneous': ['salinoterreous', 'soliterraneous'], 'solitude': ['outslide', 'solitude'], 'sollya': ['soally', 'sollya'], 'solmizate': ['solmizate', 'zealotism'], 'solo': ['sloo', 'solo', 'sool'], 'solod': ['soldo', 'solod'], 'solon': ['olson', 'solon'], 'solonic': ['scolion', 'solonic'], 'soloth': ['soloth', 'tholos'], 'solotink': ['solotink', 'solotnik'], 'solotnik': ['solotink', 'solotnik'], 'solstice': ['solecist', 'solstice'], 'solum': ['mosul', 'mouls', 'solum'], 'solute': ['lutose', 'solute', 'tousle'], 'solutioner': ['resolution', 'solutioner'], 'soma': ['amos', 'soam', 'soma'], 'somacule': ['maculose', 'somacule'], 'somal': ['salmo', 'somal'], 'somali': ['limosa', 'somali'], 'somasthenia': ['anhematosis', 'somasthenia'], 'somatic': ['atomics', 'catoism', 'cosmati', 'osmatic', 'somatic'], 'somatics': ['acosmist', 'massicot', 'somatics'], 'somatism': ['osmatism', 'somatism'], 'somatophyte': ['hepatostomy', 'somatophyte'], 'somatophytic': ['hypostomatic', 'somatophytic'], 'somatopleuric': ['micropetalous', 'somatopleuric'], 'somatopsychic': ['psychosomatic', 'somatopsychic'], 'somatosplanchnic': ['somatosplanchnic', 'splanchnosomatic'], 'somatous': ['astomous', 'somatous'], 'somber': ['somber', 'sombre'], 'sombre': ['somber', 'sombre'], 'some': ['meso', 'mose', 'some'], 'someday': ['samoyed', 'someday'], 'somers': ['messor', 'mosser', 'somers'], 'somnambule': ['somnambule', 'summonable'], 'somnial': ['malison', 'manolis', 'osmanli', 'somnial'], 'somnopathy': ['phytomonas', 'somnopathy'], 'somnorific': ['onisciform', 'somnorific'], 'son': ['ons', 'son'], 'sonant': ['santon', 'sonant', 'stanno'], 'sonantic': ['canonist', 'sanction', 'sonantic'], 'sonar': ['arson', 'saron', 'sonar'], 'sonatina': ['ansation', 'sonatina'], 'sond': ['snod', 'sond'], 'sondation': ['anisodont', 'sondation'], 'sondeli': ['indoles', 'sondeli'], 'soneri': ['rosine', 'senior', 'soneri'], 'song': ['snog', 'song'], 'songoi': ['isogon', 'songoi'], 'songy': ['gonys', 'songy'], 'sonic': ['oscin', 'scion', 'sonic'], 'sonja': ['janos', 'jason', 'jonas', 'sonja'], 'sonneratia': ['arsenation', 'senatorian', 'sonneratia'], 'sonnet': ['sonnet', 'stonen', 'tenson'], 'sonnetwise': ['sonnetwise', 'swinestone'], 'sonrai': ['arsino', 'rasion', 'sonrai'], 'sontag': ['sontag', 'tongas'], 'soodle': ['dolose', 'oodles', 'soodle'], 'sook': ['koso', 'skoo', 'sook'], 'sool': ['sloo', 'solo', 'sool'], 'soon': ['oons', 'soon'], 'sooner': ['nooser', 'seroon', 'sooner'], 'sooter': ['seroot', 'sooter', 'torose'], 'sooth': ['shoot', 'sooth', 'sotho', 'toosh'], 'soother': ['orthose', 'reshoot', 'shooter', 'soother'], 'soothing': ['shooting', 'soothing'], 'sootiness': ['enostosis', 'sootiness'], 'sooty': ['sooty', 'soyot'], 'sope': ['epos', 'peso', 'pose', 'sope'], 'soph': ['phos', 'posh', 'shop', 'soph'], 'sophister': ['posterish', 'prothesis', 'sophister', 'storeship', 'tephrosis'], 'sophistical': ['postischial', 'sophistical'], 'sophomore': ['osmophore', 'sophomore'], 'sopition': ['position', 'sopition'], 'sopor': ['poros', 'proso', 'sopor', 'spoor'], 'soprani': ['parison', 'soprani'], 'sopranist': ['postnaris', 'sopranist'], 'soprano': ['pronaos', 'soprano'], 'sora': ['asor', 'rosa', 'soar', 'sora'], 'sorabian': ['abrasion', 'sorabian'], 'soral': ['rosal', 'solar', 'soral'], 'sorbate': ['barotse', 'boaster', 'reboast', 'sorbate'], 'sorbin': ['insorb', 'sorbin'], 'sorcer': ['scorer', 'sorcer'], 'sorchin': ['cornish', 'cronish', 'sorchin'], 'sorda': ['sarod', 'sorda'], 'sordes': ['dosser', 'sordes'], 'sordine': ['indorse', 'ordines', 'siredon', 'sordine'], 'sordino': ['indoors', 'sordino'], 'sore': ['eros', 'rose', 'sero', 'sore'], 'soredia': ['ardoise', 'aroides', 'soredia'], 'sorediate': ['oestridae', 'ostreidae', 'sorediate'], 'soredium': ['dimerous', 'soredium'], 'soree': ['erose', 'soree'], 'sorefoot': ['footsore', 'sorefoot'], 'sorehead': ['rosehead', 'sorehead'], 'sorehon': ['onshore', 'sorehon'], 'sorema': ['amores', 'ramose', 'sorema'], 'soricid': ['cirsoid', 'soricid'], 'soricident': ['discretion', 'soricident'], 'soricine': ['recision', 'soricine'], 'sorite': ['restio', 'sorite', 'sortie', 'triose'], 'sorites': ['rossite', 'sorites'], 'sornare': ['serrano', 'sornare'], 'sorner': ['snorer', 'sorner'], 'sorning': ['snoring', 'sorning'], 'sororial': ['rosorial', 'sororial'], 'sorption': ['notropis', 'positron', 'sorption'], 'sortable': ['sortable', 'storable'], 'sorted': ['sorted', 'strode'], 'sorter': ['resort', 'roster', 'sorter', 'storer'], 'sortie': ['restio', 'sorite', 'sortie', 'triose'], 'sortilegus': ['sortilegus', 'strigulose'], 'sortiment': ['sortiment', 'trimstone'], 'sortly': ['sortly', 'styrol'], 'sorty': ['sorty', 'story', 'stroy'], 'sorva': ['savor', 'sorva'], 'sory': ['rosy', 'sory'], 'sosia': ['oasis', 'sosia'], 'sostenuto': ['ostentous', 'sostenuto'], 'soter': ['roset', 'rotse', 'soter', 'stero', 'store', 'torse'], 'soterial': ['soterial', 'striolae'], 'sotho': ['shoot', 'sooth', 'sotho', 'toosh'], 'sotie': ['sotie', 'toise'], 'sotnia': ['sotnia', 'tinosa'], 'sotol': ['sotol', 'stool'], 'sots': ['sots', 'toss'], 'sotter': ['sotter', 'testor'], 'soucar': ['acorus', 'soucar'], 'souchet': ['souchet', 'techous', 'tousche'], 'souly': ['lousy', 'souly'], 'soum': ['soum', 'sumo'], 'soumansite': ['soumansite', 'stamineous'], 'sound': ['nodus', 'ounds', 'sound'], 'sounder': ['resound', 'sounder', 'unrosed'], 'soup': ['opus', 'soup'], 'souper': ['poseur', 'pouser', 'souper', 'uprose'], 'sour': ['ours', 'sour'], 'source': ['cerous', 'course', 'crouse', 'source'], 'soured': ['douser', 'soured'], 'souredness': ['rousedness', 'souredness'], 'souren': ['souren', 'unsore', 'ursone'], 'sourer': ['rouser', 'sourer'], 'souring': ['nigrous', 'rousing', 'souring'], 'sourly': ['lusory', 'sourly'], 'soursop': ['psorous', 'soursop', 'sporous'], 'soury': ['soury', 'yours'], 'souser': ['serous', 'souser'], 'souter': ['ouster', 'souter', 'touser', 'trouse'], 'souterrain': ['souterrain', 'ternarious', 'trouserian'], 'south': ['shout', 'south'], 'souther': ['shouter', 'souther'], 'southerland': ['southerland', 'southlander'], 'southing': ['shouting', 'southing'], 'southlander': ['southerland', 'southlander'], 'soviet': ['soviet', 'sovite'], 'sovite': ['soviet', 'sovite'], 'sowdones': ['sowdones', 'woodness'], 'sowel': ['sowel', 'sowle'], 'sower': ['owser', 'resow', 'serow', 'sower', 'swore', 'worse'], 'sowl': ['slow', 'sowl'], 'sowle': ['sowel', 'sowle'], 'sown': ['snow', 'sown'], 'sowt': ['sowt', 'stow', 'swot', 'wots'], 'soyot': ['sooty', 'soyot'], 'spa': ['asp', 'sap', 'spa'], 'space': ['capes', 'scape', 'space'], 'spaceless': ['scapeless', 'spaceless'], 'spacer': ['casper', 'escarp', 'parsec', 'scrape', 'secpar', 'spacer'], 'spade': ['depas', 'sepad', 'spade'], 'spader': ['rasped', 'spader', 'spread'], 'spadiceous': ['dipsaceous', 'spadiceous'], 'spadone': ['espadon', 'spadone'], 'spadonic': ['spadonic', 'spondaic', 'spondiac'], 'spadrone': ['parsoned', 'spadrone'], 'spae': ['apse', 'pesa', 'spae'], 'spaer': ['asper', 'parse', 'prase', 'spaer', 'spare', 'spear'], 'spahi': ['aphis', 'apish', 'hispa', 'saiph', 'spahi'], 'spaid': ['sapid', 'spaid'], 'spaik': ['askip', 'spaik'], 'spairge': ['prisage', 'spairge'], 'spalacine': ['asclepian', 'spalacine'], 'spale': ['elaps', 'lapse', 'lepas', 'pales', 'salep', 'saple', 'sepal', 'slape', 'spale', 'speal'], 'spalt': ['spalt', 'splat'], 'span': ['snap', 'span'], 'spancel': ['enclasp', 'spancel'], 'spane': ['aspen', 'panse', 'snape', 'sneap', 'spane', 'spean'], 'spanemia': ['paeanism', 'spanemia'], 'spangler': ['spangler', 'sprangle'], 'spangolite': ['postgenial', 'spangolite'], 'spaniel': ['espinal', 'pinales', 'spaniel'], 'spaniol': ['sanpoil', 'spaniol'], 'spanless': ['snapless', 'spanless'], 'spar': ['rasp', 'spar'], 'sparable': ['parsable', 'prebasal', 'sparable'], 'spare': ['asper', 'parse', 'prase', 'spaer', 'spare', 'spear'], 'spareable': ['separable', 'spareable'], 'sparely': ['parsley', 'pyrales', 'sparely', 'splayer'], 'sparer': ['parser', 'rasper', 'sparer'], 'sparerib': ['ribspare', 'sparerib'], 'sparge': ['gasper', 'sparge'], 'sparger': ['grasper', 'regrasp', 'sparger'], 'sparidae': ['paradise', 'sparidae'], 'sparing': ['aspring', 'rasping', 'sparing'], 'sparingly': ['raspingly', 'sparingly'], 'sparingness': ['raspingness', 'sparingness'], 'sparling': ['laspring', 'sparling', 'springal'], 'sparoid': ['prasoid', 'sparoid'], 'sparse': ['passer', 'repass', 'sparse'], 'spart': ['spart', 'sprat', 'strap', 'traps'], 'spartanic': ['sacripant', 'spartanic'], 'sparteine': ['pistareen', 'sparteine'], 'sparterie': ['periaster', 'sparterie'], 'spartina': ['aspirant', 'partisan', 'spartina'], 'spartle': ['palster', 'persalt', 'plaster', 'psalter', 'spartle', 'stapler'], 'spary': ['raspy', 'spary', 'spray'], 'spat': ['past', 'spat', 'stap', 'taps'], 'spate': ['paste', 'septa', 'spate'], 'spathal': ['asphalt', 'spathal', 'taplash'], 'spathe': ['spathe', 'thapes'], 'spathic': ['haptics', 'spathic'], 'spatling': ['spatling', 'stapling'], 'spatter': ['spatter', 'tapster'], 'spattering': ['spattering', 'tapestring'], 'spattle': ['peltast', 'spattle'], 'spatular': ['pastural', 'spatular'], 'spatule': ['pulsate', 'spatule', 'upsteal'], 'spave': ['spave', 'vespa'], 'speak': ['sapek', 'speak'], 'speaker': ['respeak', 'speaker'], 'speal': ['elaps', 'lapse', 'lepas', 'pales', 'salep', 'saple', 'sepal', 'slape', 'spale', 'speal'], 'spean': ['aspen', 'panse', 'snape', 'sneap', 'spane', 'spean'], 'spear': ['asper', 'parse', 'prase', 'spaer', 'spare', 'spear'], 'spearman': ['parmesan', 'spearman'], 'spearmint': ['spearmint', 'spermatin'], 'speary': ['presay', 'speary'], 'spec': ['ceps', 'spec'], 'spectatorial': ['poetastrical', 'spectatorial'], 'specter': ['respect', 'scepter', 'specter'], 'spectered': ['sceptered', 'spectered'], 'spectra': ['precast', 'spectra'], 'spectral': ['sceptral', 'scraplet', 'spectral'], 'spectromicroscope': ['microspectroscope', 'spectromicroscope'], 'spectrotelescope': ['spectrotelescope', 'telespectroscope'], 'spectrous': ['spectrous', 'susceptor', 'suspector'], 'spectry': ['precyst', 'sceptry', 'spectry'], 'specula': ['capsule', 'specula', 'upscale'], 'specular': ['capsuler', 'specular'], 'speed': ['pedes', 'speed'], 'speel': ['sleep', 'speel'], 'speelless': ['sleepless', 'speelless'], 'speer': ['peres', 'perse', 'speer', 'spree'], 'speerity': ['perseity', 'speerity'], 'speiss': ['sepsis', 'speiss'], 'spelaean': ['seaplane', 'spelaean'], 'spelk': ['skelp', 'spelk'], 'speller': ['presell', 'respell', 'speller'], 'spelt': ['slept', 'spelt', 'splet'], 'spenerism': ['primeness', 'spenerism'], 'speos': ['posse', 'speos'], 'sperate': ['perates', 'repaste', 'sperate'], 'sperity': ['pyrites', 'sperity'], 'sperling': ['sperling', 'springle'], 'spermalist': ['psalmister', 'spermalist'], 'spermathecal': ['chapelmaster', 'spermathecal'], 'spermatid': ['predatism', 'spermatid'], 'spermatin': ['spearmint', 'spermatin'], 'spermatogonium': ['protomagnesium', 'spermatogonium'], 'spermatozoic': ['spermatozoic', 'zoospermatic'], 'spermiogenesis': ['geissospermine', 'spermiogenesis'], 'spermocarp': ['carposperm', 'spermocarp'], 'spet': ['pest', 'sept', 'spet', 'step'], 'spew': ['spew', 'swep'], 'sphacelation': ['lipsanotheca', 'sphacelation'], 'sphecidae': ['cheapside', 'sphecidae'], 'sphene': ['sephen', 'sphene'], 'sphenoethmoid': ['ethmosphenoid', 'sphenoethmoid'], 'sphenoethmoidal': ['ethmosphenoidal', 'sphenoethmoidal'], 'sphenotic': ['phonetics', 'sphenotic'], 'spheral': ['plasher', 'spheral'], 'spheration': ['opisthenar', 'spheration'], 'sphere': ['herpes', 'hesper', 'sphere'], 'sphery': ['sphery', 'sypher'], 'sphyraenid': ['dysphrenia', 'sphyraenid', 'sphyrnidae'], 'sphyrnidae': ['dysphrenia', 'sphyraenid', 'sphyrnidae'], 'spica': ['aspic', 'spica'], 'spicate': ['aseptic', 'spicate'], 'spice': ['sepic', 'spice'], 'spicer': ['crepis', 'cripes', 'persic', 'precis', 'spicer'], 'spiciferous': ['pisciferous', 'spiciferous'], 'spiciform': ['pisciform', 'spiciform'], 'spicket': ['skeptic', 'spicket'], 'spicular': ['scripula', 'spicular'], 'spiculate': ['euplastic', 'spiculate'], 'spiculated': ['disculpate', 'spiculated'], 'spicule': ['clipeus', 'spicule'], 'spider': ['spider', 'spired', 'spried'], 'spiderish': ['sidership', 'spiderish'], 'spiderlike': ['predislike', 'spiderlike'], 'spiel': ['piles', 'plies', 'slipe', 'spiel', 'spile'], 'spier': ['siper', 'spier', 'spire'], 'spikelet': ['spikelet', 'steplike'], 'spiking': ['pigskin', 'spiking'], 'spiky': ['pisky', 'spiky'], 'spile': ['piles', 'plies', 'slipe', 'spiel', 'spile'], 'spiler': ['lisper', 'pliers', 'sirple', 'spiler'], 'spiling': ['sipling', 'spiling'], 'spiloma': ['imposal', 'spiloma'], 'spilt': ['spilt', 'split'], 'spin': ['snip', 'spin'], 'spina': ['pisan', 'sapin', 'spina'], 'spinae': ['sepian', 'spinae'], 'spinales': ['painless', 'spinales'], 'spinate': ['panties', 'sapient', 'spinate'], 'spindled': ['spindled', 'splendid'], 'spindler': ['spindler', 'splinder'], 'spine': ['penis', 'snipe', 'spine'], 'spinebill': ['snipebill', 'spinebill'], 'spinel': ['spinel', 'spline'], 'spinelike': ['snipelike', 'spinelike'], 'spinet': ['instep', 'spinet'], 'spinigerous': ['serpiginous', 'spinigerous'], 'spinigrade': ['despairing', 'spinigrade'], 'spinoid': ['spinoid', 'spionid'], 'spinoneural': ['spinoneural', 'unipersonal'], 'spinotectal': ['entoplastic', 'spinotectal', 'tectospinal', 'tenoplastic'], 'spiny': ['snipy', 'spiny'], 'spionid': ['spinoid', 'spionid'], 'spiracle': ['calipers', 'spiracle'], 'spiracula': ['auriscalp', 'spiracula'], 'spiral': ['prisal', 'spiral'], 'spiralism': ['misprisal', 'spiralism'], 'spiraloid': ['spiraloid', 'sporidial'], 'spiran': ['spiran', 'sprain'], 'spirant': ['spirant', 'spraint'], 'spirate': ['piaster', 'piastre', 'raspite', 'spirate', 'traipse'], 'spire': ['siper', 'spier', 'spire'], 'spirea': ['aspire', 'paries', 'praise', 'sirpea', 'spirea'], 'spired': ['spider', 'spired', 'spried'], 'spirelet': ['epistler', 'spirelet'], 'spireme': ['emprise', 'imprese', 'premise', 'spireme'], 'spiritally': ['pistillary', 'spiritally'], 'spiriter': ['respirit', 'spiriter'], 'spirometer': ['prisometer', 'spirometer'], 'spironema': ['mesropian', 'promnesia', 'spironema'], 'spirt': ['spirt', 'sprit', 'stirp', 'strip'], 'spirula': ['parulis', 'spirula', 'uprisal'], 'spit': ['pist', 'spit'], 'spital': ['alpist', 'pastil', 'spital'], 'spite': ['septi', 'spite', 'stipe'], 'spithame': ['aphetism', 'mateship', 'shipmate', 'spithame'], 'spitter': ['spitter', 'tipster'], 'splairge': ['aspergil', 'splairge'], 'splanchnosomatic': ['somatosplanchnic', 'splanchnosomatic'], 'splasher': ['harpless', 'splasher'], 'splat': ['spalt', 'splat'], 'splay': ['palsy', 'splay'], 'splayed': ['pylades', 'splayed'], 'splayer': ['parsley', 'pyrales', 'sparely', 'splayer'], 'spleet': ['pestle', 'spleet'], 'splender': ['resplend', 'splender'], 'splendid': ['spindled', 'splendid'], 'splenium': ['splenium', 'unsimple'], 'splenolaparotomy': ['laparosplenotomy', 'splenolaparotomy'], 'splenoma': ['neoplasm', 'pleonasm', 'polesman', 'splenoma'], 'splenomegalia': ['megalosplenia', 'splenomegalia'], 'splenonephric': ['phrenosplenic', 'splenonephric', 'splenophrenic'], 'splenophrenic': ['phrenosplenic', 'splenonephric', 'splenophrenic'], 'splet': ['slept', 'spelt', 'splet'], 'splice': ['clipse', 'splice'], 'spliceable': ['eclipsable', 'spliceable'], 'splinder': ['spindler', 'splinder'], 'spline': ['spinel', 'spline'], 'split': ['spilt', 'split'], 'splitter': ['splitter', 'striplet'], 'splore': ['sloper', 'splore'], 'spogel': ['gospel', 'spogel'], 'spoil': ['polis', 'spoil'], 'spoilage': ['pelasgoi', 'spoilage'], 'spoilation': ['positional', 'spoilation', 'spoliation'], 'spoiled': ['despoil', 'soliped', 'spoiled'], 'spoiler': ['leporis', 'spoiler'], 'spoilment': ['simpleton', 'spoilment'], 'spoilt': ['pistol', 'postil', 'spoilt'], 'spole': ['elops', 'slope', 'spole'], 'spoliation': ['positional', 'spoilation', 'spoliation'], 'spondaic': ['spadonic', 'spondaic', 'spondiac'], 'spondiac': ['spadonic', 'spondaic', 'spondiac'], 'spongily': ['posingly', 'spongily'], 'sponsal': ['plasson', 'sponsal'], 'sponsalia': ['passional', 'sponsalia'], 'spool': ['polos', 'sloop', 'spool'], 'spoon': ['snoop', 'spoon'], 'spooner': ['snooper', 'spooner'], 'spoony': ['snoopy', 'spoony'], 'spoonyism': ['spoonyism', 'symposion'], 'spoor': ['poros', 'proso', 'sopor', 'spoor'], 'spoot': ['spoot', 'stoop'], 'sporangia': ['agapornis', 'sporangia'], 'spore': ['poser', 'prose', 'ropes', 'spore'], 'sporidial': ['spiraloid', 'sporidial'], 'sporification': ['antisoporific', 'prosification', 'sporification'], 'sporogeny': ['gynospore', 'sporogeny'], 'sporoid': ['psoroid', 'sporoid'], 'sporotrichum': ['sporotrichum', 'trichosporum'], 'sporous': ['psorous', 'soursop', 'sporous'], 'sporozoic': ['sporozoic', 'zoosporic'], 'sport': ['sport', 'strop'], 'sporter': ['sporter', 'strepor'], 'sportula': ['postural', 'pulsator', 'sportula'], 'sportulae': ['opulaster', 'sportulae', 'sporulate'], 'sporulate': ['opulaster', 'sportulae', 'sporulate'], 'sporule': ['leprous', 'pelorus', 'sporule'], 'sposhy': ['hyssop', 'phossy', 'sposhy'], 'spot': ['post', 'spot', 'stop', 'tops'], 'spotless': ['postless', 'spotless', 'stopless'], 'spotlessness': ['spotlessness', 'stoplessness'], 'spotlike': ['postlike', 'spotlike'], 'spottedly': ['spottedly', 'spotteldy'], 'spotteldy': ['spottedly', 'spotteldy'], 'spotter': ['protest', 'spotter'], 'spouse': ['esopus', 'spouse'], 'spout': ['spout', 'stoup'], 'spouter': ['petrous', 'posture', 'proetus', 'proteus', 'septuor', 'spouter'], 'sprag': ['grasp', 'sprag'], 'sprain': ['spiran', 'sprain'], 'spraint': ['spirant', 'spraint'], 'sprangle': ['spangler', 'sprangle'], 'sprat': ['spart', 'sprat', 'strap', 'traps'], 'spray': ['raspy', 'spary', 'spray'], 'sprayer': ['respray', 'sprayer'], 'spread': ['rasped', 'spader', 'spread'], 'spreadboard': ['broadspread', 'spreadboard'], 'spreader': ['respread', 'spreader'], 'spreadover': ['overspread', 'spreadover'], 'spree': ['peres', 'perse', 'speer', 'spree'], 'spret': ['prest', 'spret'], 'spried': ['spider', 'spired', 'spried'], 'sprier': ['risper', 'sprier'], 'spriest': ['persist', 'spriest'], 'springal': ['laspring', 'sparling', 'springal'], 'springe': ['presign', 'springe'], 'springer': ['respring', 'springer'], 'springhead': ['headspring', 'springhead'], 'springhouse': ['springhouse', 'surgeonship'], 'springle': ['sperling', 'springle'], 'sprit': ['spirt', 'sprit', 'stirp', 'strip'], 'sprite': ['priest', 'pteris', 'sprite', 'stripe'], 'spritehood': ['priesthood', 'spritehood'], 'sproat': ['asport', 'pastor', 'sproat'], 'sprocket': ['prestock', 'sprocket'], 'sprout': ['sprout', 'stroup', 'stupor'], 'sprouter': ['posturer', 'resprout', 'sprouter'], 'sprouting': ['outspring', 'sprouting'], 'sprue': ['purse', 'resup', 'sprue', 'super'], 'spruer': ['purser', 'spruer'], 'spruit': ['purist', 'spruit', 'uprist', 'upstir'], 'spun': ['snup', 'spun'], 'spunkie': ['spunkie', 'unspike'], 'spuriae': ['spuriae', 'uparise', 'upraise'], 'spurl': ['slurp', 'spurl'], 'spurlet': ['purslet', 'spurlet', 'spurtle'], 'spurn': ['snurp', 'spurn'], 'spurt': ['spurt', 'turps'], 'spurtive': ['spurtive', 'upstrive'], 'spurtle': ['purslet', 'spurlet', 'spurtle'], 'sputa': ['sputa', 'staup', 'stupa'], 'sputumary': ['sputumary', 'sumptuary'], 'sputumous': ['sputumous', 'sumptuous'], 'spyer': ['pryse', 'spyer'], 'spyros': ['prossy', 'spyros'], 'squail': ['squail', 'squali'], 'squali': ['squail', 'squali'], 'squamatine': ['antimasque', 'squamatine'], 'squame': ['masque', 'squame', 'squeam'], 'squameous': ['squameous', 'squeamous'], 'squamopetrosal': ['petrosquamosal', 'squamopetrosal'], 'squamosoparietal': ['parietosquamosal', 'squamosoparietal'], 'squareman': ['marquesan', 'squareman'], 'squeaker': ['resqueak', 'squeaker'], 'squeal': ['lasque', 'squeal'], 'squeam': ['masque', 'squame', 'squeam'], 'squeamous': ['squameous', 'squeamous'], 'squillian': ['nisqualli', 'squillian'], 'squire': ['risque', 'squire'], 'squiret': ['querist', 'squiret'], 'squit': ['quits', 'squit'], 'sramana': ['ramanas', 'sramana'], 'sri': ['sir', 'sri'], 'srivatsan': ['ravissant', 'srivatsan'], 'ssi': ['sis', 'ssi'], 'ssu': ['ssu', 'sus'], 'staab': ['basta', 'staab'], 'stab': ['bast', 'bats', 'stab'], 'stabile': ['astilbe', 'bestial', 'blastie', 'stabile'], 'stable': ['ablest', 'stable', 'tables'], 'stableful': ['bullfeast', 'stableful'], 'stabler': ['blaster', 'reblast', 'stabler'], 'stabling': ['blasting', 'stabling'], 'stably': ['blasty', 'stably'], 'staccato': ['staccato', 'stoccata'], 'stacey': ['cytase', 'stacey'], 'stacher': ['stacher', 'thraces'], 'stacker': ['restack', 'stacker'], 'stackman': ['stackman', 'tacksman'], 'stacy': ['stacy', 'styca'], 'stade': ['sedat', 'stade', 'stead'], 'stadic': ['dicast', 'stadic'], 'stadium': ['dumaist', 'stadium'], 'staffer': ['restaff', 'staffer'], 'stag': ['gast', 'stag'], 'stager': ['gaster', 'stager'], 'stagily': ['stagily', 'stygial'], 'stagnation': ['antagonist', 'stagnation'], 'stagnum': ['mustang', 'stagnum'], 'stain': ['saint', 'satin', 'stain'], 'stainable': ['balanites', 'basaltine', 'stainable'], 'stainer': ['asterin', 'eranist', 'restain', 'stainer', 'starnie', 'stearin'], 'stainful': ['inflatus', 'stainful'], 'stainless': ['saintless', 'saltiness', 'slatiness', 'stainless'], 'staio': ['sitao', 'staio'], 'stair': ['arist', 'astir', 'sitar', 'stair', 'stria', 'tarsi', 'tisar', 'trias'], 'staircase': ['caesarist', 'staircase'], 'staired': ['astride', 'diaster', 'disrate', 'restiad', 'staired'], 'staithman': ['staithman', 'thanatism'], 'staiver': ['staiver', 'taivers'], 'stake': ['skate', 'stake', 'steak'], 'staker': ['skater', 'staker', 'strake', 'streak', 'tasker'], 'stalagmitic': ['stalagmitic', 'stigmatical'], 'stale': ['least', 'setal', 'slate', 'stale', 'steal', 'stela', 'tales'], 'staling': ['anglist', 'lasting', 'salting', 'slating', 'staling'], 'stalker': ['sklater', 'stalker'], 'staller': ['staller', 'stellar'], 'stam': ['mast', 'mats', 'stam'], 'stamen': ['mantes', 'stamen'], 'stamin': ['manist', 'mantis', 'matins', 'stamin'], 'stamina': ['amanist', 'stamina'], 'staminal': ['staminal', 'tailsman', 'talisman'], 'staminate': ['emanatist', 'staminate', 'tasmanite'], 'stamineous': ['soumansite', 'stamineous'], 'staminode': ['ademonist', 'demoniast', 'staminode'], 'stammer': ['stammer', 'stremma'], 'stampede': ['stampede', 'stepdame'], 'stamper': ['restamp', 'stamper'], 'stampian': ['mainpast', 'mantispa', 'panamist', 'stampian'], 'stan': ['nast', 'sant', 'stan'], 'stance': ['ascent', 'secant', 'stance'], 'stanch': ['chanst', 'snatch', 'stanch'], 'stanchable': ['snatchable', 'stanchable'], 'stancher': ['resnatch', 'snatcher', 'stancher'], 'stand': ['dasnt', 'stand'], 'standage': ['dagestan', 'standage'], 'standee': ['edestan', 'standee'], 'stander': ['stander', 'sternad'], 'standout': ['outstand', 'standout'], 'standstill': ['standstill', 'stillstand'], 'stane': ['antes', 'nates', 'stane', 'stean'], 'stang': ['angst', 'stang', 'tangs'], 'stangeria': ['agrestian', 'gerastian', 'stangeria'], 'stanine': ['ensaint', 'stanine'], 'stanly': ['nylast', 'stanly'], 'stanno': ['santon', 'sonant', 'stanno'], 'stap': ['past', 'spat', 'stap', 'taps'], 'staple': ['pastel', 'septal', 'staple'], 'stapler': ['palster', 'persalt', 'plaster', 'psalter', 'spartle', 'stapler'], 'stapling': ['spatling', 'stapling'], 'star': ['sart', 'star', 'stra', 'tars', 'tsar'], 'starch': ['scarth', 'scrath', 'starch'], 'stardom': ['stardom', 'tsardom'], 'stare': ['aster', 'serta', 'stare', 'strae', 'tarse', 'teras'], 'staree': ['asteer', 'easter', 'eastre', 'reseat', 'saeter', 'seater', 'staree', 'teaser', 'teresa'], 'starer': ['arrest', 'astrer', 'raster', 'starer'], 'starful': ['flustra', 'starful'], 'staring': ['gastrin', 'staring'], 'staringly': ['staringly', 'strayling'], 'stark': ['karst', 'skart', 'stark'], 'starky': ['starky', 'straky'], 'starlet': ['rattles', 'slatter', 'starlet', 'startle'], 'starlit': ['starlit', 'trisalt'], 'starlite': ['starlite', 'taistrel'], 'starnel': ['saltern', 'starnel', 'sternal'], 'starnie': ['asterin', 'eranist', 'restain', 'stainer', 'starnie', 'stearin'], 'starnose': ['assentor', 'essorant', 'starnose'], 'starship': ['starship', 'tsarship'], 'starshot': ['shotstar', 'starshot'], 'starter': ['restart', 'starter'], 'startle': ['rattles', 'slatter', 'starlet', 'startle'], 'starve': ['starve', 'staver', 'strave', 'tavers', 'versta'], 'starwise': ['starwise', 'waitress'], 'stary': ['satyr', 'stary', 'stray', 'trasy'], 'stases': ['assets', 'stases'], 'stasis': ['assist', 'stasis'], 'statable': ['statable', 'tastable'], 'state': ['state', 'taste', 'tates', 'testa'], 'stated': ['stated', 'tasted'], 'stateful': ['stateful', 'tasteful'], 'statefully': ['statefully', 'tastefully'], 'statefulness': ['statefulness', 'tastefulness'], 'stateless': ['stateless', 'tasteless'], 'statelich': ['athletics', 'statelich'], 'stately': ['stately', 'stylate'], 'statement': ['statement', 'testament'], 'stater': ['stater', 'taster', 'testar'], 'statesider': ['dissertate', 'statesider'], 'static': ['static', 'sticta'], 'statice': ['etacist', 'statice'], 'stational': ['saltation', 'stational'], 'stationarily': ['antiroyalist', 'stationarily'], 'stationer': ['nitrosate', 'stationer'], 'statoscope': ['septocosta', 'statoscope'], 'statue': ['astute', 'statue'], 'stature': ['stature', 'stauter'], 'staumer': ['staumer', 'strumae'], 'staun': ['staun', 'suant'], 'staunch': ['canthus', 'staunch'], 'staup': ['sputa', 'staup', 'stupa'], 'staurion': ['staurion', 'sutorian'], 'stauter': ['stature', 'stauter'], 'stave': ['stave', 'vesta'], 'staver': ['starve', 'staver', 'strave', 'tavers', 'versta'], 'staw': ['sawt', 'staw', 'swat', 'taws', 'twas', 'wast'], 'stawn': ['stawn', 'wasnt'], 'stayable': ['stayable', 'teasably'], 'stayed': ['stayed', 'steady'], 'stayer': ['atresy', 'estray', 'reasty', 'stayer'], 'staynil': ['nastily', 'saintly', 'staynil'], 'stchi': ['sitch', 'stchi', 'stich'], 'stead': ['sedat', 'stade', 'stead'], 'steady': ['stayed', 'steady'], 'steak': ['skate', 'stake', 'steak'], 'steal': ['least', 'setal', 'slate', 'stale', 'steal', 'stela', 'tales'], 'stealer': ['realest', 'reslate', 'resteal', 'stealer', 'teasler'], 'stealing': ['galenist', 'genitals', 'stealing'], 'stealy': ['alytes', 'astely', 'lysate', 'stealy'], 'steam': ['steam', 'stema'], 'steaming': ['misagent', 'steaming'], 'stean': ['antes', 'nates', 'stane', 'stean'], 'stearic': ['atresic', 'stearic'], 'stearin': ['asterin', 'eranist', 'restain', 'stainer', 'starnie', 'stearin'], 'stearone': ['orestean', 'resonate', 'stearone'], 'stearyl': ['saltery', 'stearyl'], 'steatin': ['atenist', 'instate', 'satient', 'steatin'], 'steatoma': ['atmostea', 'steatoma'], 'steatornis': ['steatornis', 'treasonist'], 'stech': ['chest', 'stech'], 'steek': ['keest', 'skeet', 'skete', 'steek'], 'steel': ['sleet', 'slete', 'steel', 'stele'], 'steeler': ['reestle', 'resteel', 'steeler'], 'steeliness': ['sleetiness', 'steeliness'], 'steeling': ['sleeting', 'steeling'], 'steelproof': ['sleetproof', 'steelproof'], 'steely': ['sleety', 'steely'], 'steen': ['steen', 'teens', 'tense'], 'steep': ['peste', 'steep'], 'steeper': ['estrepe', 'resteep', 'steeper'], 'steepy': ['steepy', 'typees'], 'steer': ['ester', 'estre', 'reest', 'reset', 'steer', 'stere', 'stree', 'terse', 'tsere'], 'steerer': ['reester', 'steerer'], 'steering': ['energist', 'steering'], 'steerling': ['esterling', 'steerling'], 'steeve': ['steeve', 'vestee'], 'stefan': ['fasten', 'nefast', 'stefan'], 'steg': ['gest', 'steg'], 'stegodon': ['dogstone', 'stegodon'], 'steid': ['deist', 'steid'], 'steigh': ['gesith', 'steigh'], 'stein': ['inset', 'neist', 'snite', 'stein', 'stine', 'tsine'], 'stela': ['least', 'setal', 'slate', 'stale', 'steal', 'stela', 'tales'], 'stelae': ['ateles', 'saltee', 'sealet', 'stelae', 'teasel'], 'stelai': ['isleta', 'litsea', 'salite', 'stelai'], 'stelar': ['laster', 'lastre', 'rastle', 'relast', 'resalt', 'salter', 'slater', 'stelar'], 'stele': ['sleet', 'slete', 'steel', 'stele'], 'stella': ['sallet', 'stella', 'talles'], 'stellar': ['staller', 'stellar'], 'stellaria': ['lateralis', 'stellaria'], 'stema': ['steam', 'stema'], 'stemlike': ['meletski', 'stemlike'], 'sten': ['nest', 'sent', 'sten'], 'stenar': ['astern', 'enstar', 'stenar', 'sterna'], 'stencil': ['lentisc', 'scintle', 'stencil'], 'stenciler': ['crestline', 'stenciler'], 'stenion': ['stenion', 'tension'], 'steno': ['onset', 'seton', 'steno', 'stone'], 'stenopaic': ['aspection', 'stenopaic'], 'stenosis': ['sisseton', 'stenosis'], 'stenotic': ['stenotic', 'tonetics'], 'stentor': ['snotter', 'stentor', 'torsten'], 'step': ['pest', 'sept', 'spet', 'step'], 'stepaunt': ['nettapus', 'stepaunt'], 'stepbairn': ['breastpin', 'stepbairn'], 'stepdame': ['stampede', 'stepdame'], 'stephana': ['pheasant', 'stephana'], 'stephanic': ['cathepsin', 'stephanic'], 'steplike': ['spikelet', 'steplike'], 'sterculia': ['sterculia', 'urticales'], 'stere': ['ester', 'estre', 'reest', 'reset', 'steer', 'stere', 'stree', 'terse', 'tsere'], 'stereograph': ['preshortage', 'stereograph'], 'stereometric': ['crestmoreite', 'stereometric'], 'stereophotograph': ['photostereograph', 'stereophotograph'], 'stereotelescope': ['stereotelescope', 'telestereoscope'], 'stereotomic': ['osteometric', 'stereotomic'], 'stereotomical': ['osteometrical', 'stereotomical'], 'stereotomy': ['osteometry', 'stereotomy'], 'steric': ['certis', 'steric'], 'sterigma': ['gemarist', 'magister', 'sterigma'], 'sterigmata': ['magistrate', 'sterigmata'], 'sterile': ['leister', 'sterile'], 'sterilize': ['listerize', 'sterilize'], 'sterin': ['estrin', 'insert', 'sinter', 'sterin', 'triens'], 'sterlet': ['settler', 'sterlet', 'trestle'], 'stern': ['ernst', 'stern'], 'sterna': ['astern', 'enstar', 'stenar', 'sterna'], 'sternad': ['stander', 'sternad'], 'sternage': ['estrange', 'segreant', 'sergeant', 'sternage'], 'sternal': ['saltern', 'starnel', 'sternal'], 'sternalis': ['sternalis', 'trainless'], 'sternite': ['insetter', 'interest', 'interset', 'sternite'], 'sterno': ['nestor', 'sterno', 'stoner', 'strone', 'tensor'], 'sternocostal': ['costosternal', 'sternocostal'], 'sternovertebral': ['sternovertebral', 'vertebrosternal'], 'stero': ['roset', 'rotse', 'soter', 'stero', 'store', 'torse'], 'steroid': ['oestrid', 'steroid', 'storied'], 'sterol': ['relost', 'reslot', 'rostel', 'sterol', 'torsel'], 'stert': ['stert', 'stret', 'trest'], 'sterve': ['revest', 'servet', 'sterve', 'verset', 'vester'], 'stet': ['sett', 'stet', 'test'], 'stevan': ['stevan', 'svante'], 'stevel': ['stevel', 'svelte'], 'stevia': ['itaves', 'stevia'], 'stew': ['stew', 'west'], 'stewart': ['stewart', 'swatter'], 'stewed': ['stewed', 'wedset'], 'stewy': ['stewy', 'westy'], 'stey': ['stey', 'yest'], 'sthenia': ['sethian', 'sthenia'], 'stich': ['sitch', 'stchi', 'stich'], 'stichid': ['distich', 'stichid'], 'sticker': ['rickets', 'sticker'], 'stickler': ['stickler', 'strickle'], 'sticta': ['static', 'sticta'], 'stife': ['feist', 'stife'], 'stiffener': ['restiffen', 'stiffener'], 'stifle': ['itself', 'stifle'], 'stifler': ['slifter', 'stifler'], 'stigmai': ['imagist', 'stigmai'], 'stigmatical': ['stalagmitic', 'stigmatical'], 'stilbene': ['nebelist', 'stilbene', 'tensible'], 'stile': ['islet', 'istle', 'slite', 'stile'], 'stileman': ['mentalis', 'smaltine', 'stileman'], 'stillage': ['legalist', 'stillage'], 'stiller': ['stiller', 'trellis'], 'stillstand': ['standstill', 'stillstand'], 'stilted': ['slitted', 'stilted'], 'stilter': ['litster', 'slitter', 'stilter', 'testril'], 'stilty': ['slitty', 'stilty'], 'stim': ['mist', 'smit', 'stim'], 'stime': ['metis', 'smite', 'stime', 'times'], 'stimulancy': ['stimulancy', 'unmystical'], 'stimy': ['misty', 'stimy'], 'stine': ['inset', 'neist', 'snite', 'stein', 'stine', 'tsine'], 'stinge': ['ingest', 'signet', 'stinge'], 'stinger': ['resting', 'stinger'], 'stinker': ['kirsten', 'kristen', 'stinker'], 'stinkstone': ['knottiness', 'stinkstone'], 'stinted': ['dentist', 'distent', 'stinted'], 'stion': ['sinto', 'stion'], 'stipa': ['piast', 'stipa', 'tapis'], 'stipe': ['septi', 'spite', 'stipe'], 'stipel': ['pistle', 'stipel'], 'stippen': ['snippet', 'stippen'], 'stipula': ['paulist', 'stipula'], 'stir': ['rist', 'stir'], 'stirk': ['skirt', 'stirk'], 'stirp': ['spirt', 'sprit', 'stirp', 'strip'], 'stitcher': ['restitch', 'stitcher'], 'stiver': ['stiver', 'strive', 'verist'], 'stoa': ['oast', 'stoa', 'taos'], 'stoach': ['stoach', 'stocah'], 'stoat': ['stoat', 'toast'], 'stoater': ['retoast', 'rosetta', 'stoater', 'toaster'], 'stocah': ['stoach', 'stocah'], 'stoccata': ['staccato', 'stoccata'], 'stocker': ['restock', 'stocker'], 'stoep': ['estop', 'stoep', 'stope'], 'stof': ['soft', 'stof'], 'stog': ['stog', 'togs'], 'stogie': ['egoist', 'stogie'], 'stoic': ['ostic', 'sciot', 'stoic'], 'stoically': ['callosity', 'stoically'], 'stoker': ['stoker', 'stroke'], 'stolae': ['lotase', 'osteal', 'solate', 'stolae', 'talose'], 'stole': ['slote', 'stole'], 'stoled': ['sloted', 'stoled'], 'stolen': ['solent', 'stolen', 'telson'], 'stoma': ['atmos', 'stoma', 'tomas'], 'stomatode': ['mootstead', 'stomatode'], 'stomatomy': ['mastotomy', 'stomatomy'], 'stomatopoda': ['podostomata', 'stomatopoda'], 'stomatopodous': ['podostomatous', 'stomatopodous'], 'stomper': ['pomster', 'stomper'], 'stone': ['onset', 'seton', 'steno', 'stone'], 'stonebird': ['birdstone', 'stonebird'], 'stonebreak': ['breakstone', 'stonebreak'], 'stoned': ['doesnt', 'stoned'], 'stonegall': ['gallstone', 'stonegall'], 'stonehand': ['handstone', 'stonehand'], 'stonehead': ['headstone', 'stonehead'], 'stonen': ['sonnet', 'stonen', 'tenson'], 'stoner': ['nestor', 'sterno', 'stoner', 'strone', 'tensor'], 'stonewood': ['stonewood', 'woodstone'], 'stong': ['stong', 'tongs'], 'stonker': ['stonker', 'storken'], 'stoof': ['foots', 'sfoot', 'stoof'], 'stool': ['sotol', 'stool'], 'stoon': ['snoot', 'stoon'], 'stoop': ['spoot', 'stoop'], 'stop': ['post', 'spot', 'stop', 'tops'], 'stopback': ['backstop', 'stopback'], 'stope': ['estop', 'stoep', 'stope'], 'stoper': ['poster', 'presto', 'repost', 'respot', 'stoper'], 'stoping': ['posting', 'stoping'], 'stopless': ['postless', 'spotless', 'stopless'], 'stoplessness': ['spotlessness', 'stoplessness'], 'stoppeur': ['pteropus', 'stoppeur'], 'storable': ['sortable', 'storable'], 'storage': ['storage', 'tagsore'], 'store': ['roset', 'rotse', 'soter', 'stero', 'store', 'torse'], 'storeen': ['enstore', 'estrone', 'storeen', 'tornese'], 'storeman': ['monaster', 'monstera', 'nearmost', 'storeman'], 'storer': ['resort', 'roster', 'sorter', 'storer'], 'storeship': ['posterish', 'prothesis', 'sophister', 'storeship', 'tephrosis'], 'storesman': ['nosesmart', 'storesman'], 'storge': ['groset', 'storge'], 'storiate': ['astroite', 'ostraite', 'storiate'], 'storied': ['oestrid', 'steroid', 'storied'], 'storier': ['roister', 'storier'], 'stork': ['stork', 'torsk'], 'storken': ['stonker', 'storken'], 'storm': ['storm', 'strom'], 'stormwind': ['stormwind', 'windstorm'], 'story': ['sorty', 'story', 'stroy'], 'stot': ['stot', 'tost'], 'stotter': ['stotter', 'stretto'], 'stoun': ['notus', 'snout', 'stoun', 'tonus'], 'stoup': ['spout', 'stoup'], 'stour': ['roust', 'rusot', 'stour', 'sutor', 'torus'], 'stouring': ['rousting', 'stouring'], 'stoutly': ['stoutly', 'tylotus'], 'stove': ['ovest', 'stove'], 'stover': ['stover', 'strove'], 'stow': ['sowt', 'stow', 'swot', 'wots'], 'stowable': ['bestowal', 'stowable'], 'stower': ['restow', 'stower', 'towser', 'worset'], 'stra': ['sart', 'star', 'stra', 'tars', 'tsar'], 'strad': ['darst', 'darts', 'strad'], 'stradine': ['stradine', 'strained', 'tarnside'], 'strae': ['aster', 'serta', 'stare', 'strae', 'tarse', 'teras'], 'strafe': ['farset', 'faster', 'strafe'], 'stragular': ['gastrular', 'stragular'], 'straighten': ['shattering', 'straighten'], 'straightener': ['restraighten', 'straightener'], 'straightup': ['straightup', 'upstraight'], 'straik': ['rastik', 'sarkit', 'straik'], 'strain': ['instar', 'santir', 'strain'], 'strained': ['stradine', 'strained', 'tarnside'], 'strainer': ['restrain', 'strainer', 'transire'], 'strainerman': ['strainerman', 'transmarine'], 'straint': ['straint', 'transit', 'tristan'], 'strait': ['artist', 'strait', 'strati'], 'strake': ['skater', 'staker', 'strake', 'streak', 'tasker'], 'straky': ['starky', 'straky'], 'stram': ['smart', 'stram'], 'strange': ['angster', 'garnets', 'nagster', 'strange'], 'strangles': ['slangster', 'strangles'], 'strap': ['spart', 'sprat', 'strap', 'traps'], 'strapless': ['psaltress', 'strapless'], 'strata': ['astart', 'strata'], 'strategi': ['strategi', 'strigate'], 'strath': ['strath', 'thrast'], 'strati': ['artist', 'strait', 'strati'], 'stratic': ['astrict', 'cartist', 'stratic'], 'stratonic': ['narcotist', 'stratonic'], 'stratonical': ['intracostal', 'stratonical'], 'strave': ['starve', 'staver', 'strave', 'tavers', 'versta'], 'straw': ['straw', 'swart', 'warst'], 'strawy': ['strawy', 'swarty'], 'stray': ['satyr', 'stary', 'stray', 'trasy'], 'strayling': ['staringly', 'strayling'], 'stre': ['rest', 'sert', 'stre'], 'streak': ['skater', 'staker', 'strake', 'streak', 'tasker'], 'streakily': ['satyrlike', 'streakily'], 'stream': ['martes', 'master', 'remast', 'stream'], 'streamer': ['masterer', 'restream', 'streamer'], 'streamful': ['masterful', 'streamful'], 'streamhead': ['headmaster', 'headstream', 'streamhead'], 'streaming': ['germanist', 'streaming'], 'streamless': ['masterless', 'streamless'], 'streamlike': ['masterlike', 'streamlike'], 'streamline': ['eternalism', 'streamline'], 'streamling': ['masterling', 'streamling'], 'streamside': ['mediatress', 'streamside'], 'streamwort': ['masterwort', 'streamwort'], 'streamy': ['mastery', 'streamy'], 'stree': ['ester', 'estre', 'reest', 'reset', 'steer', 'stere', 'stree', 'terse', 'tsere'], 'streek': ['streek', 'streke'], 'streel': ['lester', 'selter', 'streel'], 'streen': ['ernest', 'nester', 'resent', 'streen'], 'streep': ['pester', 'preset', 'restep', 'streep'], 'street': ['retest', 'setter', 'street', 'tester'], 'streetcar': ['scatterer', 'streetcar'], 'streke': ['streek', 'streke'], 'strelitz': ['strelitz', 'streltzi'], 'streltzi': ['strelitz', 'streltzi'], 'stremma': ['stammer', 'stremma'], 'strengthener': ['restrengthen', 'strengthener'], 'strepen': ['penster', 'present', 'serpent', 'strepen'], 'strepera': ['pasterer', 'strepera'], 'strepor': ['sporter', 'strepor'], 'strepsinema': ['esperantism', 'strepsinema'], 'streptothricosis': ['streptothricosis', 'streptotrichosis'], 'streptotrichosis': ['streptothricosis', 'streptotrichosis'], 'stresser': ['restress', 'stresser'], 'stret': ['stert', 'stret', 'trest'], 'stretcher': ['restretch', 'stretcher'], 'stretcherman': ['stretcherman', 'trenchmaster'], 'stretto': ['stotter', 'stretto'], 'strew': ['strew', 'trews', 'wrest'], 'strewer': ['strewer', 'wrester'], 'strey': ['resty', 'strey'], 'streyne': ['streyne', 'styrene', 'yestern'], 'stria': ['arist', 'astir', 'sitar', 'stair', 'stria', 'tarsi', 'tisar', 'trias'], 'striae': ['satire', 'striae'], 'strial': ['latris', 'strial'], 'striatal': ['altarist', 'striatal'], 'striate': ['artiste', 'striate'], 'striated': ['distater', 'striated'], 'strich': ['christ', 'strich'], 'strickle': ['stickler', 'strickle'], 'stride': ['driest', 'stride'], 'strife': ['fister', 'resift', 'sifter', 'strife'], 'strig': ['grist', 'grits', 'strig'], 'striga': ['gratis', 'striga'], 'strigae': ['seagirt', 'strigae'], 'strigate': ['strategi', 'strigate'], 'striges': ['striges', 'tigress'], 'strigulose': ['sortilegus', 'strigulose'], 'strike': ['skiter', 'strike'], 'striker': ['skirret', 'skirter', 'striker'], 'striking': ['skirting', 'striking'], 'strikingly': ['skirtingly', 'strikingly'], 'stringer': ['restring', 'ringster', 'stringer'], 'strinkle': ['sklinter', 'strinkle'], 'striola': ['aristol', 'oralist', 'ortalis', 'striola'], 'striolae': ['soterial', 'striolae'], 'strip': ['spirt', 'sprit', 'stirp', 'strip'], 'stripe': ['priest', 'pteris', 'sprite', 'stripe'], 'stripeless': ['priestless', 'stripeless'], 'striper': ['restrip', 'striper'], 'striplet': ['splitter', 'striplet'], 'strippit': ['strippit', 'trippist'], 'strit': ['strit', 'trist'], 'strive': ['stiver', 'strive', 'verist'], 'stroam': ['stroam', 'stroma'], 'strobila': ['laborist', 'strobila'], 'strobilae': ['sobralite', 'strobilae'], 'strobilate': ['brasiletto', 'strobilate'], 'strode': ['sorted', 'strode'], 'stroke': ['stoker', 'stroke'], 'strom': ['storm', 'strom'], 'stroma': ['stroam', 'stroma'], 'stromatic': ['microstat', 'stromatic'], 'strone': ['nestor', 'sterno', 'stoner', 'strone', 'tensor'], 'stronghead': ['headstrong', 'stronghead'], 'strontian': ['strontian', 'trisonant'], 'strontianite': ['interstation', 'strontianite'], 'strop': ['sport', 'strop'], 'strophaic': ['actorship', 'strophaic'], 'strophiolate': ['strophiolate', 'theatropolis'], 'strophomena': ['nephrostoma', 'strophomena'], 'strounge': ['strounge', 'sturgeon'], 'stroup': ['sprout', 'stroup', 'stupor'], 'strove': ['stover', 'strove'], 'strow': ['strow', 'worst'], 'stroy': ['sorty', 'story', 'stroy'], 'strub': ['burst', 'strub'], 'struck': ['struck', 'trucks'], 'strue': ['serut', 'strue', 'turse', 'uster'], 'strumae': ['staumer', 'strumae'], 'strut': ['strut', 'sturt', 'trust'], 'struth': ['struth', 'thrust'], 'struthian': ['struthian', 'unathirst'], 'stu': ['stu', 'ust'], 'stuart': ['astrut', 'rattus', 'stuart'], 'stub': ['bust', 'stub'], 'stuber': ['berust', 'buster', 'stuber'], 'stud': ['dust', 'stud'], 'studdie': ['studdie', 'studied'], 'student': ['student', 'stunted'], 'studia': ['aditus', 'studia'], 'studied': ['studdie', 'studied'], 'study': ['dusty', 'study'], 'stue': ['stue', 'suet'], 'stuffer': ['restuff', 'stuffer'], 'stug': ['gust', 'stug'], 'stuiver': ['revuist', 'stuiver'], 'stum': ['must', 'smut', 'stum'], 'stumer': ['muster', 'sertum', 'stumer'], 'stumper': ['stumper', 'sumpter'], 'stun': ['stun', 'sunt', 'tsun'], 'stunner': ['stunner', 'unstern'], 'stunted': ['student', 'stunted'], 'stunter': ['entrust', 'stunter', 'trusten'], 'stupa': ['sputa', 'staup', 'stupa'], 'stupe': ['setup', 'stupe', 'upset'], 'stupor': ['sprout', 'stroup', 'stupor'], 'stuprate': ['stuprate', 'upstater'], 'stupulose': ['pustulose', 'stupulose'], 'sturdiness': ['sturdiness', 'undistress'], 'sturgeon': ['strounge', 'sturgeon'], 'sturine': ['intruse', 'sturine'], 'sturionine': ['reunionist', 'sturionine'], 'sturmian': ['naturism', 'sturmian', 'turanism'], 'sturnidae': ['disnature', 'sturnidae', 'truandise'], 'sturninae': ['neustrian', 'saturnine', 'sturninae'], 'sturnus': ['sturnus', 'untruss'], 'sturt': ['strut', 'sturt', 'trust'], 'sturtin': ['intrust', 'sturtin'], 'stut': ['stut', 'tuts'], 'stutter': ['stutter', 'tutster'], 'styan': ['nasty', 'styan', 'tansy'], 'styca': ['stacy', 'styca'], 'stycerin': ['nycteris', 'stycerin'], 'stygial': ['stagily', 'stygial'], 'stylate': ['stately', 'stylate'], 'styledom': ['modestly', 'styledom'], 'stylite': ['stylite', 'testily'], 'styloid': ['odylist', 'styloid'], 'stylometer': ['metrostyle', 'stylometer'], 'stylopidae': ['ideoplasty', 'stylopidae'], 'styphelia': ['physalite', 'styphelia'], 'styrene': ['streyne', 'styrene', 'yestern'], 'styrol': ['sortly', 'styrol'], 'stythe': ['stythe', 'tethys'], 'styx': ['styx', 'xyst'], 'suability': ['suability', 'usability'], 'suable': ['suable', 'usable'], 'sualocin': ['sualocin', 'unsocial'], 'suant': ['staun', 'suant'], 'suasible': ['basileus', 'issuable', 'suasible'], 'suasion': ['sanious', 'suasion'], 'suasory': ['ossuary', 'suasory'], 'suave': ['sauve', 'suave'], 'sub': ['bus', 'sub'], 'subah': ['shuba', 'subah'], 'subalpine': ['subalpine', 'unspiable'], 'subanal': ['balanus', 'nabalus', 'subanal'], 'subcaecal': ['accusable', 'subcaecal'], 'subcantor': ['obscurant', 'subcantor'], 'subcapsular': ['subcapsular', 'subscapular'], 'subcenter': ['rubescent', 'subcenter'], 'subchela': ['chasuble', 'subchela'], 'subcool': ['colobus', 'subcool'], 'subcortical': ['scorbutical', 'subcortical'], 'subcortically': ['scorbutically', 'subcortically'], 'subdealer': ['subdealer', 'subleader'], 'subdean': ['subdean', 'unbased'], 'subdeltaic': ['discutable', 'subdeltaic', 'subdialect'], 'subdialect': ['discutable', 'subdeltaic', 'subdialect'], 'subdie': ['busied', 'subdie'], 'suber': ['burse', 'rebus', 'suber'], 'subessential': ['subessential', 'suitableness'], 'subherd': ['brushed', 'subherd'], 'subhero': ['herbous', 'subhero'], 'subhuman': ['subhuman', 'unambush'], 'subimago': ['bigamous', 'subimago'], 'sublanate': ['sublanate', 'unsatable'], 'sublate': ['balteus', 'sublate'], 'sublative': ['sublative', 'vestibula'], 'subleader': ['subdealer', 'subleader'], 'sublet': ['bustle', 'sublet', 'subtle'], 'sublinear': ['insurable', 'sublinear'], 'sublumbar': ['sublumbar', 'subumbral'], 'submaid': ['misdaub', 'submaid'], 'subman': ['busman', 'subman'], 'submarine': ['semiurban', 'submarine'], 'subnarcotic': ['obscurantic', 'subnarcotic'], 'subnitrate': ['subnitrate', 'subtertian'], 'subnote': ['subnote', 'subtone', 'unbesot'], 'suboval': ['suboval', 'subvola'], 'subpeltate': ['subpeltate', 'upsettable'], 'subplat': ['subplat', 'upblast'], 'subra': ['abrus', 'bursa', 'subra'], 'subscapular': ['subcapsular', 'subscapular'], 'subserve': ['subserve', 'subverse'], 'subsider': ['disburse', 'subsider'], 'substernal': ['substernal', 'turbanless'], 'substraction': ['obscurantist', 'substraction'], 'subtack': ['sackbut', 'subtack'], 'subterraneal': ['subterraneal', 'unarrestable'], 'subtertian': ['subnitrate', 'subtertian'], 'subtle': ['bustle', 'sublet', 'subtle'], 'subtone': ['subnote', 'subtone', 'unbesot'], 'subtread': ['daubster', 'subtread'], 'subtutor': ['outburst', 'subtutor'], 'subulate': ['baetulus', 'subulate'], 'subumbral': ['sublumbar', 'subumbral'], 'subverse': ['subserve', 'subverse'], 'subvola': ['suboval', 'subvola'], 'succade': ['accused', 'succade'], 'succeeder': ['resucceed', 'succeeder'], 'succin': ['cnicus', 'succin'], 'succinate': ['encaustic', 'succinate'], 'succor': ['crocus', 'succor'], 'such': ['cush', 'such'], 'suck': ['cusk', 'suck'], 'sucker': ['resuck', 'sucker'], 'suckling': ['lungsick', 'suckling'], 'suclat': ['scutal', 'suclat'], 'sucramine': ['muscarine', 'sucramine'], 'sucre': ['cruse', 'curse', 'sucre'], 'suction': ['cotinus', 'suction', 'unstoic'], 'suctional': ['suctional', 'sulcation', 'unstoical'], 'suctoria': ['cotarius', 'octarius', 'suctoria'], 'suctorial': ['ocularist', 'suctorial'], 'sud': ['sud', 'uds'], 'sudamen': ['medusan', 'sudamen'], 'sudan': ['sudan', 'unsad'], 'sudanese': ['danseuse', 'sudanese'], 'sudani': ['sudani', 'unsaid'], 'sudation': ['adustion', 'sudation'], 'sudic': ['scudi', 'sudic'], 'sudra': ['rudas', 'sudra'], 'sue': ['sue', 'use'], 'suer': ['ruse', 'suer', 'sure', 'user'], 'suet': ['stue', 'suet'], 'sufferer': ['resuffer', 'sufferer'], 'sufflate': ['feastful', 'sufflate'], 'suffocate': ['offuscate', 'suffocate'], 'suffocation': ['offuscation', 'suffocation'], 'sugamo': ['amusgo', 'sugamo'], 'sugan': ['agnus', 'angus', 'sugan'], 'sugar': ['argus', 'sugar'], 'sugared': ['desugar', 'sugared'], 'sugarlike': ['arguslike', 'sugarlike'], 'suggester': ['resuggest', 'suggester'], 'suggestionism': ['missuggestion', 'suggestionism'], 'sugh': ['gush', 'shug', 'sugh'], 'suidae': ['asideu', 'suidae'], 'suimate': ['metusia', 'suimate', 'timaeus'], 'suina': ['ianus', 'suina'], 'suint': ['sintu', 'suint'], 'suiones': ['sinuose', 'suiones'], 'suist': ['situs', 'suist'], 'suitable': ['sabulite', 'suitable'], 'suitableness': ['subessential', 'suitableness'], 'suitor': ['suitor', 'tursio'], 'sula': ['saul', 'sula'], 'sulcal': ['callus', 'sulcal'], 'sulcar': ['cursal', 'sulcar'], 'sulcation': ['suctional', 'sulcation', 'unstoical'], 'suld': ['slud', 'suld'], 'sulfamide': ['feudalism', 'sulfamide'], 'sulfonium': ['fulminous', 'sulfonium'], 'sulfuret': ['frustule', 'sulfuret'], 'sulk': ['lusk', 'sulk'], 'sulka': ['klaus', 'lukas', 'sulka'], 'sulky': ['lusky', 'sulky'], 'sulphinide': ['delphinius', 'sulphinide'], 'sulphohydrate': ['hydrosulphate', 'sulphohydrate'], 'sulphoproteid': ['protosulphide', 'sulphoproteid'], 'sulphurea': ['elaphurus', 'sulphurea'], 'sultan': ['sultan', 'unsalt'], 'sultane': ['sultane', 'unslate'], 'sultanian': ['annualist', 'sultanian'], 'sultanin': ['insulant', 'sultanin'], 'sultone': ['lentous', 'sultone'], 'sultry': ['rustly', 'sultry'], 'sum': ['mus', 'sum'], 'sumac': ['camus', 'musca', 'scaum', 'sumac'], 'sumak': ['kusam', 'sumak'], 'sumatra': ['artamus', 'sumatra'], 'sumerian': ['aneurism', 'arsenium', 'sumerian'], 'sumitro': ['sumitro', 'tourism'], 'summit': ['mutism', 'summit'], 'summonable': ['somnambule', 'summonable'], 'summoner': ['resummon', 'summoner'], 'sumo': ['soum', 'sumo'], 'sumpit': ['misput', 'sumpit'], 'sumpitan': ['putanism', 'sumpitan'], 'sumpter': ['stumper', 'sumpter'], 'sumptuary': ['sputumary', 'sumptuary'], 'sumptuous': ['sputumous', 'sumptuous'], 'sunbeamed': ['sunbeamed', 'unembased'], 'sundar': ['nardus', 'sundar', 'sundra'], 'sundek': ['dusken', 'sundek'], 'sundra': ['nardus', 'sundar', 'sundra'], 'sung': ['snug', 'sung'], 'sunil': ['linus', 'sunil'], 'sunk': ['skun', 'sunk'], 'sunlighted': ['sunlighted', 'unslighted'], 'sunlit': ['insult', 'sunlit', 'unlist', 'unslit'], 'sunni': ['sunni', 'unsin'], 'sunray': ['sunray', 'surnay', 'synura'], 'sunrise': ['russine', 'serinus', 'sunrise'], 'sunshade': ['sunshade', 'unsashed'], 'sunt': ['stun', 'sunt', 'tsun'], 'sunup': ['sunup', 'upsun'], 'sunweed': ['sunweed', 'unsewed'], 'suomic': ['musico', 'suomic'], 'sup': ['pus', 'sup'], 'supa': ['apus', 'supa', 'upas'], 'super': ['purse', 'resup', 'sprue', 'super'], 'superable': ['perusable', 'superable'], 'supercarpal': ['prescapular', 'supercarpal'], 'superclaim': ['premusical', 'superclaim'], 'supercontrol': ['preconsultor', 'supercontrol'], 'supercool': ['escropulo', 'supercool'], 'superheater': ['resuperheat', 'superheater'], 'superideal': ['serpulidae', 'superideal'], 'superintender': ['superintender', 'unenterprised'], 'superline': ['serpuline', 'superline'], 'supermoisten': ['sempiternous', 'supermoisten'], 'supernacular': ['supernacular', 'supranuclear'], 'supernal': ['purslane', 'serpulan', 'supernal'], 'superoanterior': ['anterosuperior', 'superoanterior'], 'superoposterior': ['posterosuperior', 'superoposterior'], 'superpose': ['resuppose', 'superpose'], 'superposition': ['resupposition', 'superposition'], 'supersaint': ['presustain', 'puritaness', 'supersaint'], 'supersalt': ['pertussal', 'supersalt'], 'superservice': ['repercussive', 'superservice'], 'supersonic': ['croupiness', 'percussion', 'supersonic'], 'supertare': ['repasture', 'supertare'], 'supertension': ['serpentinous', 'supertension'], 'supertotal': ['supertotal', 'tetraplous'], 'supertrain': ['rupestrian', 'supertrain'], 'supinator': ['rainspout', 'supinator'], 'supine': ['puisne', 'supine'], 'supper': ['supper', 'uppers'], 'supple': ['peplus', 'supple'], 'suppletory': ['polypterus', 'suppletory'], 'supplier': ['periplus', 'supplier'], 'supporter': ['resupport', 'supporter'], 'suppresser': ['resuppress', 'suppresser'], 'suprahyoid': ['hyporadius', 'suprahyoid'], 'supranuclear': ['supernacular', 'supranuclear'], 'supreme': ['presume', 'supreme'], 'sur': ['rus', 'sur', 'urs'], 'sura': ['rusa', 'saur', 'sura', 'ursa', 'usar'], 'surah': ['ashur', 'surah'], 'surahi': ['shauri', 'surahi'], 'sural': ['larus', 'sural', 'ursal'], 'surat': ['astur', 'surat', 'sutra'], 'surbase': ['rubasse', 'surbase'], 'surbate': ['bursate', 'surbate'], 'surcrue': ['crureus', 'surcrue'], 'sure': ['ruse', 'suer', 'sure', 'user'], 'suresh': ['rhesus', 'suresh'], 'surette': ['surette', 'trustee'], 'surge': ['grues', 'surge'], 'surgent': ['gunster', 'surgent'], 'surgeonship': ['springhouse', 'surgeonship'], 'surgy': ['gyrus', 'surgy'], 'suriana': ['saurian', 'suriana'], 'surinam': ['surinam', 'uranism'], 'surma': ['musar', 'ramus', 'rusma', 'surma'], 'surmisant': ['saturnism', 'surmisant'], 'surmise': ['misuser', 'surmise'], 'surnap': ['surnap', 'unspar'], 'surnay': ['sunray', 'surnay', 'synura'], 'surprisement': ['surprisement', 'trumperiness'], 'surrenderer': ['resurrender', 'surrenderer'], 'surrogate': ['surrogate', 'urogaster'], 'surrounder': ['resurround', 'surrounder'], 'surya': ['saury', 'surya'], 'sus': ['ssu', 'sus'], 'susan': ['nasus', 'susan'], 'suscept': ['suscept', 'suspect'], 'susceptible': ['susceptible', 'suspectible'], 'susceptor': ['spectrous', 'susceptor', 'suspector'], 'susie': ['issue', 'susie'], 'suspect': ['suscept', 'suspect'], 'suspecter': ['resuspect', 'suspecter'], 'suspectible': ['susceptible', 'suspectible'], 'suspector': ['spectrous', 'susceptor', 'suspector'], 'suspender': ['resuspend', 'suspender', 'unpressed'], 'sustain': ['issuant', 'sustain'], 'suther': ['reshut', 'suther', 'thurse', 'tusher'], 'sutler': ['luster', 'result', 'rustle', 'sutler', 'ulster'], 'suto': ['otus', 'oust', 'suto'], 'sutor': ['roust', 'rusot', 'stour', 'sutor', 'torus'], 'sutorian': ['staurion', 'sutorian'], 'sutorious': ['sutorious', 'ustorious'], 'sutra': ['astur', 'surat', 'sutra'], 'suttin': ['suttin', 'tunist'], 'suture': ['suture', 'uterus'], 'svante': ['stevan', 'svante'], 'svelte': ['stevel', 'svelte'], 'swa': ['saw', 'swa', 'was'], 'swage': ['swage', 'wages'], 'swain': ['siwan', 'swain'], 'swale': ['swale', 'sweal', 'wasel'], 'swaler': ['swaler', 'warsel', 'warsle'], 'swallet': ['setwall', 'swallet'], 'swallo': ['sallow', 'swallo'], 'swallower': ['reswallow', 'swallower'], 'swami': ['aswim', 'swami'], 'swan': ['sawn', 'snaw', 'swan'], 'swap': ['swap', 'wasp'], 'swarbie': ['barwise', 'swarbie'], 'sware': ['resaw', 'sawer', 'seraw', 'sware', 'swear', 'warse'], 'swarmer': ['reswarm', 'swarmer'], 'swart': ['straw', 'swart', 'warst'], 'swarty': ['strawy', 'swarty'], 'swarve': ['swarve', 'swaver'], 'swat': ['sawt', 'staw', 'swat', 'taws', 'twas', 'wast'], 'swath': ['swath', 'whats'], 'swathe': ['swathe', 'sweath'], 'swati': ['swati', 'waist'], 'swatter': ['stewart', 'swatter'], 'swaver': ['swarve', 'swaver'], 'sway': ['sway', 'ways', 'yaws'], 'swayer': ['sawyer', 'swayer'], 'sweal': ['swale', 'sweal', 'wasel'], 'swear': ['resaw', 'sawer', 'seraw', 'sware', 'swear', 'warse'], 'swearer': ['resawer', 'reswear', 'swearer'], 'sweat': ['awest', 'sweat', 'tawse', 'waste'], 'sweater': ['resweat', 'sweater'], 'sweatful': ['sweatful', 'wasteful'], 'sweath': ['swathe', 'sweath'], 'sweatily': ['sweatily', 'tileways'], 'sweatless': ['sweatless', 'wasteless'], 'sweatproof': ['sweatproof', 'wasteproof'], 'swede': ['sewed', 'swede'], 'sweep': ['sweep', 'weeps'], 'sweeper': ['resweep', 'sweeper'], 'sweer': ['resew', 'sewer', 'sweer'], 'sweered': ['sewered', 'sweered'], 'sweet': ['sweet', 'weste'], 'sweetbread': ['breastweed', 'sweetbread'], 'sweller': ['reswell', 'sweller'], 'swelter': ['swelter', 'wrestle'], 'swep': ['spew', 'swep'], 'swertia': ['swertia', 'waister'], 'swile': ['lewis', 'swile'], 'swiller': ['reswill', 'swiller'], 'swindle': ['swindle', 'windles'], 'swine': ['sinew', 'swine', 'wisen'], 'swinestone': ['sonnetwise', 'swinestone'], 'swiney': ['sinewy', 'swiney'], 'swingback': ['backswing', 'swingback'], 'swinge': ['sewing', 'swinge'], 'swingle': ['slewing', 'swingle'], 'swingtree': ['swingtree', 'westering'], 'swipy': ['swipy', 'wispy'], 'swire': ['swire', 'wiser'], 'swith': ['swith', 'whist', 'whits', 'wisht'], 'swithe': ['swithe', 'whites'], 'swither': ['swither', 'whister', 'withers'], 'swoon': ['swoon', 'woons'], 'swordman': ['sandworm', 'swordman', 'wordsman'], 'swordmanship': ['swordmanship', 'wordsmanship'], 'swore': ['owser', 'resow', 'serow', 'sower', 'swore', 'worse'], 'swot': ['sowt', 'stow', 'swot', 'wots'], 'sybarite': ['bestiary', 'sybarite'], 'sybil': ['sibyl', 'sybil'], 'syce': ['scye', 'syce'], 'sycones': ['coyness', 'sycones'], 'syconoid': ['syconoid', 'syodicon'], 'sye': ['sey', 'sye', 'yes'], 'syenitic': ['cytisine', 'syenitic'], 'syllabi': ['sibylla', 'syllabi'], 'syllable': ['sellably', 'syllable'], 'sylva': ['salvy', 'sylva'], 'sylvae': ['slavey', 'sylvae'], 'sylvine': ['snively', 'sylvine'], 'sylvite': ['levyist', 'sylvite'], 'symbol': ['blosmy', 'symbol'], 'symmetric': ['mycterism', 'symmetric'], 'sympathy': ['sympathy', 'symphyta'], 'symphonic': ['cyphonism', 'symphonic'], 'symphyta': ['sympathy', 'symphyta'], 'symposion': ['spoonyism', 'symposion'], 'synapse': ['synapse', 'yapness'], 'synaptera': ['peasantry', 'synaptera'], 'syncopator': ['antroscopy', 'syncopator'], 'syndicate': ['asyndetic', 'cystidean', 'syndicate'], 'synedral': ['lysander', 'synedral'], 'syngamic': ['gymnasic', 'syngamic'], 'syngenic': ['ensigncy', 'syngenic'], 'synura': ['sunray', 'surnay', 'synura'], 'syodicon': ['syconoid', 'syodicon'], 'sypher': ['sphery', 'sypher'], 'syphiloid': ['hypsiloid', 'syphiloid'], 'syrian': ['siryan', 'syrian'], 'syringa': ['signary', 'syringa'], 'syringeful': ['refusingly', 'syringeful'], 'syrup': ['pursy', 'pyrus', 'syrup'], 'system': ['mystes', 'system'], 'systole': ['systole', 'toyless'], 'ta': ['at', 'ta'], 'taa': ['ata', 'taa'], 'taal': ['lata', 'taal', 'tala'], 'taar': ['rata', 'taar', 'tara'], 'tab': ['bat', 'tab'], 'tabanus': ['sabanut', 'sabutan', 'tabanus'], 'tabaret': ['baretta', 'rabatte', 'tabaret'], 'tabber': ['barbet', 'rabbet', 'tabber'], 'tabella': ['ballate', 'tabella'], 'tabes': ['baste', 'beast', 'tabes'], 'tabet': ['betta', 'tabet'], 'tabinet': ['bettina', 'tabinet', 'tibetan'], 'tabira': ['arabit', 'tabira'], 'tabitha': ['habitat', 'tabitha'], 'tabitude': ['dubitate', 'tabitude'], 'table': ['batel', 'blate', 'bleat', 'table'], 'tabled': ['dablet', 'tabled'], 'tablemaker': ['marketable', 'tablemaker'], 'tabler': ['albert', 'balter', 'labret', 'tabler'], 'tables': ['ablest', 'stable', 'tables'], 'tablet': ['battel', 'battle', 'tablet'], 'tabletary': ['tabletary', 'treatably'], 'tabling': ['batling', 'tabling'], 'tabophobia': ['batophobia', 'tabophobia'], 'tabor': ['abort', 'tabor'], 'taborer': ['arboret', 'roberta', 'taborer'], 'taboret': ['abettor', 'taboret'], 'taborin': ['abortin', 'taborin'], 'tabour': ['outbar', 'rubato', 'tabour'], 'tabouret': ['obturate', 'tabouret'], 'tabret': ['batter', 'bertat', 'tabret', 'tarbet'], 'tabu': ['abut', 'tabu', 'tuba'], 'tabula': ['ablaut', 'tabula'], 'tabulare': ['bataleur', 'tabulare'], 'tabule': ['batule', 'betula', 'tabule'], 'taccaceae': ['cactaceae', 'taccaceae'], 'taccaceous': ['cactaceous', 'taccaceous'], 'tach': ['chat', 'tach'], 'tache': ['cheat', 'tache', 'teach', 'theca'], 'tacheless': ['tacheless', 'teachless'], 'tachina': ['ithacan', 'tachina'], 'tachinidae': ['anthicidae', 'tachinidae'], 'tachograph': ['cathograph', 'tachograph'], 'tacit': ['attic', 'catti', 'tacit'], 'tacitly': ['cattily', 'tacitly'], 'tacitness': ['cattiness', 'tacitness'], 'taciturn': ['taciturn', 'urticant'], 'tacker': ['racket', 'retack', 'tacker'], 'tacksman': ['stackman', 'tacksman'], 'taconian': ['catonian', 'taconian'], 'taconic': ['cantico', 'catonic', 'taconic'], 'tacso': ['ascot', 'coast', 'costa', 'tacso', 'tasco'], 'tacsonia': ['acontias', 'tacsonia'], 'tactile': ['lattice', 'tactile'], 'tade': ['adet', 'date', 'tade', 'tead', 'teda'], 'tadpole': ['platode', 'tadpole'], 'tae': ['ate', 'eat', 'eta', 'tae', 'tea'], 'tael': ['atle', 'laet', 'late', 'leat', 'tael', 'tale', 'teal'], 'taen': ['ante', 'aten', 'etna', 'nate', 'neat', 'taen', 'tane', 'tean'], 'taenia': ['aetian', 'antiae', 'taenia'], 'taeniada': ['anatidae', 'taeniada'], 'taenial': ['laniate', 'natalie', 'taenial'], 'taenian': ['ananite', 'anatine', 'taenian'], 'taenicide': ['deciatine', 'diacetine', 'taenicide', 'teniacide'], 'taeniform': ['forminate', 'fremontia', 'taeniform'], 'taenioid': ['ideation', 'iodinate', 'taenioid'], 'taetsia': ['isatate', 'satiate', 'taetsia'], 'tag': ['gat', 'tag'], 'tagetes': ['gestate', 'tagetes'], 'tagetol': ['lagetto', 'tagetol'], 'tagged': ['gadget', 'tagged'], 'tagger': ['garget', 'tagger'], 'tagilite': ['litigate', 'tagilite'], 'tagish': ['ghaist', 'tagish'], 'taglike': ['glaiket', 'taglike'], 'tagrag': ['ragtag', 'tagrag'], 'tagsore': ['storage', 'tagsore'], 'taheen': ['ethane', 'taheen'], 'tahil': ['ihlat', 'tahil'], 'tahin': ['ahint', 'hiant', 'tahin'], 'tahr': ['hart', 'rath', 'tahr', 'thar', 'trah'], 'tahsil': ['latish', 'tahsil'], 'tahsin': ['snaith', 'tahsin'], 'tai': ['ait', 'ati', 'ita', 'tai'], 'taich': ['aitch', 'chait', 'chati', 'chita', 'taich', 'tchai'], 'taigle': ['aiglet', 'ligate', 'taigle', 'tailge'], 'tail': ['alit', 'tail', 'tali'], 'tailage': ['agalite', 'tailage', 'taliage'], 'tailboard': ['broadtail', 'tailboard'], 'tailed': ['detail', 'dietal', 'dilate', 'edital', 'tailed'], 'tailer': ['lirate', 'retail', 'retial', 'tailer'], 'tailet': ['latite', 'tailet', 'tailte', 'talite'], 'tailge': ['aiglet', 'ligate', 'taigle', 'tailge'], 'tailing': ['gitalin', 'tailing'], 'taille': ['taille', 'telial'], 'tailoring': ['gratiolin', 'largition', 'tailoring'], 'tailorman': ['antimoral', 'tailorman'], 'tailory': ['orality', 'tailory'], 'tailpin': ['pintail', 'tailpin'], 'tailsman': ['staminal', 'tailsman', 'talisman'], 'tailte': ['latite', 'tailet', 'tailte', 'talite'], 'taily': ['laity', 'taily'], 'taimen': ['etamin', 'inmate', 'taimen', 'tamein'], 'tain': ['aint', 'anti', 'tain', 'tina'], 'tainan': ['naiant', 'tainan'], 'taino': ['niota', 'taino'], 'taint': ['taint', 'tanti', 'tinta', 'titan'], 'tainture': ['tainture', 'unattire'], 'taipan': ['aptian', 'patina', 'taipan'], 'taipo': ['patio', 'taipo', 'topia'], 'tairge': ['gaiter', 'tairge', 'triage'], 'tairn': ['riant', 'tairn', 'tarin', 'train'], 'taise': ['saite', 'taise'], 'taistrel': ['starlite', 'taistrel'], 'taistril': ['taistril', 'trialist'], 'taivers': ['staiver', 'taivers'], 'taj': ['jat', 'taj'], 'tajik': ['jatki', 'tajik'], 'takar': ['katar', 'takar'], 'take': ['kate', 'keta', 'take', 'teak'], 'takedown': ['downtake', 'takedown'], 'taker': ['kerat', 'taker'], 'takin': ['kitan', 'takin'], 'takings': ['gitksan', 'skating', 'takings'], 'taky': ['katy', 'kyat', 'taky'], 'tal': ['alt', 'lat', 'tal'], 'tala': ['lata', 'taal', 'tala'], 'talapoin': ['palation', 'talapoin'], 'talar': ['altar', 'artal', 'ratal', 'talar'], 'talari': ['altair', 'atrail', 'atrial', 'lariat', 'latria', 'talari'], 'talc': ['clat', 'talc'], 'talcer': ['carlet', 'cartel', 'claret', 'rectal', 'talcer'], 'talcher': ['clethra', 'latcher', 'ratchel', 'relatch', 'talcher', 'trachle'], 'talcoid': ['cotidal', 'lactoid', 'talcoid'], 'talcose': ['alecost', 'lactose', 'scotale', 'talcose'], 'talcous': ['costula', 'locusta', 'talcous'], 'tald': ['dalt', 'tald'], 'tale': ['atle', 'laet', 'late', 'leat', 'tael', 'tale', 'teal'], 'taled': ['adlet', 'dealt', 'delta', 'lated', 'taled'], 'talent': ['latent', 'latten', 'nattle', 'talent', 'tantle'], 'taler': ['alert', 'alter', 'artel', 'later', 'ratel', 'taler', 'telar'], 'tales': ['least', 'setal', 'slate', 'stale', 'steal', 'stela', 'tales'], 'tali': ['alit', 'tail', 'tali'], 'taliage': ['agalite', 'tailage', 'taliage'], 'taligrade': ['taligrade', 'tragedial'], 'talinum': ['multani', 'talinum'], 'talion': ['italon', 'lation', 'talion'], 'taliped': ['plaited', 'taliped'], 'talipedic': ['talipedic', 'talpicide'], 'talipes': ['aliptes', 'pastile', 'talipes'], 'talipot': ['ptilota', 'talipot', 'toptail'], 'talis': ['alist', 'litas', 'slait', 'talis'], 'talisman': ['staminal', 'tailsman', 'talisman'], 'talite': ['latite', 'tailet', 'tailte', 'talite'], 'talker': ['kartel', 'retalk', 'talker'], 'tallage': ['gallate', 'tallage'], 'tallero': ['reallot', 'rotella', 'tallero'], 'talles': ['sallet', 'stella', 'talles'], 'talliage': ['allagite', 'alligate', 'talliage'], 'tallier': ['literal', 'tallier'], 'tallyho': ['loathly', 'tallyho'], 'talon': ['notal', 'ontal', 'talon', 'tolan', 'tonal'], 'taloned': ['taloned', 'toledan'], 'talonid': ['itoland', 'talonid', 'tindalo'], 'talose': ['lotase', 'osteal', 'solate', 'stolae', 'talose'], 'talpa': ['aptal', 'palta', 'talpa'], 'talpicide': ['talipedic', 'talpicide'], 'talpidae': ['lapidate', 'talpidae'], 'talpine': ['pantile', 'pentail', 'platine', 'talpine'], 'talpoid': ['platoid', 'talpoid'], 'taluche': ['auchlet', 'cutheal', 'taluche'], 'taluka': ['latuka', 'taluka'], 'talus': ['latus', 'sault', 'talus'], 'tam': ['amt', 'mat', 'tam'], 'tama': ['atma', 'tama'], 'tamale': ['malate', 'meatal', 'tamale'], 'tamanac': ['matacan', 'tamanac'], 'tamanaca': ['atacaman', 'tamanaca'], 'tamanoir': ['animator', 'tamanoir'], 'tamanu': ['anatum', 'mantua', 'tamanu'], 'tamara': ['armata', 'matara', 'tamara'], 'tamarao': ['tamarao', 'tamaroa'], 'tamarin': ['martian', 'tamarin'], 'tamaroa': ['tamarao', 'tamaroa'], 'tambor': ['tambor', 'tromba'], 'tamboura': ['marabout', 'marabuto', 'tamboura'], 'tambourer': ['arboretum', 'tambourer'], 'tambreet': ['ambrette', 'tambreet'], 'tamburan': ['rambutan', 'tamburan'], 'tame': ['mate', 'meat', 'meta', 'tame', 'team', 'tema'], 'tamein': ['etamin', 'inmate', 'taimen', 'tamein'], 'tameless': ['mateless', 'meatless', 'tameless', 'teamless'], 'tamelessness': ['matelessness', 'tamelessness'], 'tamely': ['mately', 'tamely'], 'tamer': ['armet', 'mater', 'merat', 'metra', 'ramet', 'tamer', 'terma', 'trame', 'trema'], 'tamise': ['samite', 'semita', 'tamise', 'teaism'], 'tampin': ['pitman', 'tampin', 'tipman'], 'tampion': ['maintop', 'ptomain', 'tampion', 'timpano'], 'tampioned': ['ademption', 'tampioned'], 'tampon': ['potman', 'tampon', 'topman'], 'tamul': ['lamut', 'tamul'], 'tamus': ['matsu', 'tamus', 'tsuma'], 'tan': ['ant', 'nat', 'tan'], 'tana': ['anat', 'anta', 'tana'], 'tanach': ['acanth', 'anchat', 'tanach'], 'tanager': ['argante', 'granate', 'tanager'], 'tanagridae': ['tanagridae', 'tangaridae'], 'tanagrine': ['argentina', 'tanagrine'], 'tanagroid': ['gradation', 'indagator', 'tanagroid'], 'tanak': ['kanat', 'tanak', 'tanka'], 'tanaka': ['nataka', 'tanaka'], 'tanala': ['atalan', 'tanala'], 'tanan': ['annat', 'tanan'], 'tanbur': ['tanbur', 'turban'], 'tancel': ['cantle', 'cental', 'lancet', 'tancel'], 'tanchoir': ['anorthic', 'anthroic', 'tanchoir'], 'tandemist': ['misattend', 'tandemist'], 'tandle': ['dental', 'tandle'], 'tandour': ['rotunda', 'tandour'], 'tane': ['ante', 'aten', 'etna', 'nate', 'neat', 'taen', 'tane', 'tean'], 'tang': ['gant', 'gnat', 'tang'], 'tanga': ['ganta', 'tanga'], 'tangaridae': ['tanagridae', 'tangaridae'], 'tangelo': ['angelot', 'tangelo'], 'tanger': ['argent', 'garnet', 'garten', 'tanger'], 'tangerine': ['argentine', 'tangerine'], 'tangfish': ['shafting', 'tangfish'], 'tangi': ['giant', 'tangi', 'tiang'], 'tangibile': ['bigential', 'tangibile'], 'tangible': ['bleating', 'tangible'], 'tangie': ['eating', 'ingate', 'tangie'], 'tangier': ['angrite', 'granite', 'ingrate', 'tangier', 'tearing', 'tigrean'], 'tangle': ['tangle', 'telang'], 'tangling': ['gnatling', 'tangling'], 'tango': ['tango', 'tonga'], 'tangs': ['angst', 'stang', 'tangs'], 'tangue': ['gunate', 'tangue'], 'tangum': ['tangum', 'tugman'], 'tangun': ['tangun', 'tungan'], 'tanh': ['hant', 'tanh', 'than'], 'tanha': ['atnah', 'tanha', 'thana'], 'tania': ['anita', 'niata', 'tania'], 'tanica': ['actian', 'natica', 'tanica'], 'tanier': ['nerita', 'ratine', 'retain', 'retina', 'tanier'], 'tanist': ['astint', 'tanist'], 'tanitic': ['tanitic', 'titanic'], 'tanka': ['kanat', 'tanak', 'tanka'], 'tankle': ['anklet', 'lanket', 'tankle'], 'tanling': ['antling', 'tanling'], 'tannaic': ['cantina', 'tannaic'], 'tannase': ['annates', 'tannase'], 'tannogallate': ['gallotannate', 'tannogallate'], 'tannogallic': ['gallotannic', 'tannogallic'], 'tannogen': ['nonagent', 'tannogen'], 'tanproof': ['antproof', 'tanproof'], 'tanquen': ['quannet', 'tanquen'], 'tanrec': ['canter', 'creant', 'cretan', 'nectar', 'recant', 'tanrec', 'trance'], 'tansy': ['nasty', 'styan', 'tansy'], 'tantalean': ['antenatal', 'atlantean', 'tantalean'], 'tantalic': ['atlantic', 'tantalic'], 'tantalite': ['atlantite', 'tantalite'], 'tantara': ['tantara', 'tartana'], 'tantarara': ['tantarara', 'tarantara'], 'tanti': ['taint', 'tanti', 'tinta', 'titan'], 'tantle': ['latent', 'latten', 'nattle', 'talent', 'tantle'], 'tantra': ['rattan', 'tantra', 'tartan'], 'tantrism': ['tantrism', 'transmit'], 'tantum': ['mutant', 'tantum', 'tutman'], 'tanzeb': ['batzen', 'bezant', 'tanzeb'], 'tao': ['oat', 'tao', 'toa'], 'taoistic': ['iotacist', 'taoistic'], 'taos': ['oast', 'stoa', 'taos'], 'tap': ['apt', 'pat', 'tap'], 'tapa': ['atap', 'pata', 'tapa'], 'tapalo': ['patola', 'tapalo'], 'tapas': ['patas', 'tapas'], 'tape': ['pate', 'peat', 'tape', 'teap'], 'tapeline': ['petaline', 'tapeline'], 'tapeman': ['peatman', 'tapeman'], 'tapen': ['enapt', 'paten', 'penta', 'tapen'], 'taper': ['apert', 'pater', 'peart', 'prate', 'taper', 'terap'], 'tapered': ['padtree', 'predate', 'tapered'], 'tapering': ['partigen', 'tapering'], 'taperly': ['apertly', 'peartly', 'platery', 'pteryla', 'taperly'], 'taperness': ['apertness', 'peartness', 'taperness'], 'tapestring': ['spattering', 'tapestring'], 'tapestry': ['tapestry', 'tryptase'], 'tapet': ['patte', 'tapet'], 'tapete': ['pattee', 'tapete'], 'taphouse': ['outshape', 'taphouse'], 'taphria': ['pitarah', 'taphria'], 'taphrina': ['parthian', 'taphrina'], 'tapir': ['atrip', 'tapir'], 'tapiro': ['portia', 'tapiro'], 'tapirus': ['tapirus', 'upstair'], 'tapis': ['piast', 'stipa', 'tapis'], 'taplash': ['asphalt', 'spathal', 'taplash'], 'tapmost': ['tapmost', 'topmast'], 'tapnet': ['patent', 'patten', 'tapnet'], 'tapoa': ['opata', 'patao', 'tapoa'], 'taposa': ['sapota', 'taposa'], 'taproom': ['protoma', 'taproom'], 'taproot': ['potator', 'taproot'], 'taps': ['past', 'spat', 'stap', 'taps'], 'tapster': ['spatter', 'tapster'], 'tapu': ['patu', 'paut', 'tapu'], 'tapuyo': ['outpay', 'tapuyo'], 'taqua': ['quata', 'taqua'], 'tar': ['art', 'rat', 'tar', 'tra'], 'tara': ['rata', 'taar', 'tara'], 'taraf': ['taraf', 'tarfa'], 'tarai': ['arati', 'atria', 'riata', 'tarai', 'tiara'], 'taranchi': ['taranchi', 'thracian'], 'tarantara': ['tantarara', 'tarantara'], 'tarapin': ['patarin', 'tarapin'], 'tarasc': ['castra', 'tarasc'], 'tarbet': ['batter', 'bertat', 'tabret', 'tarbet'], 'tardle': ['dartle', 'tardle'], 'tardy': ['tardy', 'trady'], 'tare': ['rate', 'tare', 'tear', 'tera'], 'tarente': ['entreat', 'ratteen', 'tarente', 'ternate', 'tetrane'], 'tarentine': ['entertain', 'tarentine', 'terentian'], 'tarfa': ['taraf', 'tarfa'], 'targe': ['gater', 'grate', 'great', 'greta', 'retag', 'targe'], 'targeman': ['grateman', 'mangrate', 'mentagra', 'targeman'], 'targer': ['garret', 'garter', 'grater', 'targer'], 'target': ['gatter', 'target'], 'targetman': ['targetman', 'termagant'], 'targum': ['artgum', 'targum'], 'tarheel': ['leather', 'tarheel'], 'tarheeler': ['leatherer', 'releather', 'tarheeler'], 'tari': ['airt', 'rita', 'tari', 'tiar'], 'tarie': ['arite', 'artie', 'irate', 'retia', 'tarie'], 'tarin': ['riant', 'tairn', 'tarin', 'train'], 'tarish': ['rashti', 'tarish'], 'tarletan': ['alterant', 'tarletan'], 'tarlike': ['artlike', 'ratlike', 'tarlike'], 'tarmac': ['mactra', 'tarmac'], 'tarman': ['mantra', 'tarman'], 'tarmi': ['mitra', 'tarmi', 'timar', 'tirma'], 'tarn': ['natr', 'rant', 'tarn', 'tran'], 'tarnal': ['antral', 'tarnal'], 'tarnish': ['tarnish', 'trishna'], 'tarnside': ['stradine', 'strained', 'tarnside'], 'taro': ['rota', 'taro', 'tora'], 'taroc': ['actor', 'corta', 'croat', 'rocta', 'taroc', 'troca'], 'tarocco': ['coactor', 'tarocco'], 'tarok': ['kotar', 'tarok'], 'tarot': ['ottar', 'tarot', 'torta', 'troat'], 'tarp': ['part', 'prat', 'rapt', 'tarp', 'trap'], 'tarpan': ['partan', 'tarpan'], 'tarpaulin': ['tarpaulin', 'unpartial'], 'tarpeian': ['patarine', 'tarpeian'], 'tarpon': ['patron', 'tarpon'], 'tarquin': ['quatrin', 'tarquin'], 'tarragon': ['arrogant', 'tarragon'], 'tarred': ['darter', 'dartre', 'redart', 'retard', 'retrad', 'tarred', 'trader'], 'tarrer': ['tarrer', 'terrar'], 'tarriance': ['antiracer', 'tarriance'], 'tarrie': ['arriet', 'tarrie'], 'tars': ['sart', 'star', 'stra', 'tars', 'tsar'], 'tarsal': ['astral', 'tarsal'], 'tarsale': ['alaster', 'tarsale'], 'tarsalgia': ['astragali', 'tarsalgia'], 'tarse': ['aster', 'serta', 'stare', 'strae', 'tarse', 'teras'], 'tarsi': ['arist', 'astir', 'sitar', 'stair', 'stria', 'tarsi', 'tisar', 'trias'], 'tarsia': ['arista', 'tarsia'], 'tarsier': ['astrier', 'tarsier'], 'tarsipes': ['piratess', 'serapist', 'tarsipes'], 'tarsitis': ['satirist', 'tarsitis'], 'tarsome': ['maestro', 'tarsome'], 'tarsonemid': ['mosandrite', 'tarsonemid'], 'tarsonemus': ['sarmentous', 'tarsonemus'], 'tarsus': ['rastus', 'tarsus'], 'tartan': ['rattan', 'tantra', 'tartan'], 'tartana': ['tantara', 'tartana'], 'tartaret': ['tartaret', 'tartrate'], 'tartarin': ['tartarin', 'triratna'], 'tartarous': ['saturator', 'tartarous'], 'tarten': ['attern', 'natter', 'ratten', 'tarten'], 'tartish': ['athirst', 'rattish', 'tartish'], 'tartle': ['artlet', 'latter', 'rattle', 'tartle', 'tatler'], 'tartlet': ['tartlet', 'tattler'], 'tartly': ['rattly', 'tartly'], 'tartrate': ['tartaret', 'tartrate'], 'taruma': ['taruma', 'trauma'], 'tarve': ['avert', 'tarve', 'taver', 'trave'], 'tarweed': ['dewater', 'tarweed', 'watered'], 'tarwood': ['ratwood', 'tarwood'], 'taryba': ['baryta', 'taryba'], 'tasco': ['ascot', 'coast', 'costa', 'tacso', 'tasco'], 'tash': ['shat', 'tash'], 'tasheriff': ['fireshaft', 'tasheriff'], 'tashie': ['saithe', 'tashie', 'teaish'], 'tashrif': ['ratfish', 'tashrif'], 'tasian': ['astian', 'tasian'], 'tasimetry': ['myristate', 'tasimetry'], 'task': ['skat', 'task'], 'tasker': ['skater', 'staker', 'strake', 'streak', 'tasker'], 'taslet': ['latest', 'sattle', 'taslet'], 'tasmanite': ['emanatist', 'staminate', 'tasmanite'], 'tassah': ['shasta', 'tassah'], 'tasse': ['asset', 'tasse'], 'tassel': ['lasset', 'tassel'], 'tasseler': ['rateless', 'tasseler', 'tearless', 'tesseral'], 'tasser': ['assert', 'tasser'], 'tassie': ['siesta', 'tassie'], 'tastable': ['statable', 'tastable'], 'taste': ['state', 'taste', 'tates', 'testa'], 'tasted': ['stated', 'tasted'], 'tasteful': ['stateful', 'tasteful'], 'tastefully': ['statefully', 'tastefully'], 'tastefulness': ['statefulness', 'tastefulness'], 'tasteless': ['stateless', 'tasteless'], 'taster': ['stater', 'taster', 'testar'], 'tasu': ['saut', 'tasu', 'utas'], 'tatar': ['attar', 'tatar'], 'tatarize': ['tatarize', 'zaratite'], 'tatchy': ['chatty', 'tatchy'], 'tate': ['etta', 'tate', 'teat'], 'tater': ['atter', 'tater', 'teart', 'tetra', 'treat'], 'tates': ['state', 'taste', 'tates', 'testa'], 'tath': ['hatt', 'tath', 'that'], 'tatian': ['attain', 'tatian'], 'tatler': ['artlet', 'latter', 'rattle', 'tartle', 'tatler'], 'tatterly': ['tatterly', 'tattlery'], 'tattler': ['tartlet', 'tattler'], 'tattlery': ['tatterly', 'tattlery'], 'tatu': ['tatu', 'taut'], 'tau': ['tau', 'tua', 'uta'], 'taube': ['butea', 'taube', 'tubae'], 'taula': ['aluta', 'taula'], 'taum': ['muta', 'taum'], 'taun': ['antu', 'aunt', 'naut', 'taun', 'tuan', 'tuna'], 'taungthu': ['taungthu', 'untaught'], 'taupe': ['taupe', 'upeat'], 'taupo': ['apout', 'taupo'], 'taur': ['ruta', 'taur'], 'taurean': ['taurean', 'uranate'], 'tauric': ['tauric', 'uratic', 'urtica'], 'taurine': ['ruinate', 'taurine', 'uranite', 'urinate'], 'taurocol': ['outcarol', 'taurocol'], 'taut': ['tatu', 'taut'], 'tauten': ['attune', 'nutate', 'tauten'], 'tautomeric': ['autometric', 'tautomeric'], 'tautomery': ['autometry', 'tautomery'], 'tav': ['tav', 'vat'], 'tavast': ['sattva', 'tavast'], 'tave': ['tave', 'veta'], 'taver': ['avert', 'tarve', 'taver', 'trave'], 'tavers': ['starve', 'staver', 'strave', 'tavers', 'versta'], 'tavert': ['tavert', 'vatter'], 'tavola': ['tavola', 'volata'], 'taw': ['taw', 'twa', 'wat'], 'tawa': ['awat', 'tawa'], 'tawer': ['tawer', 'water', 'wreat'], 'tawery': ['tawery', 'watery'], 'tawite': ['tawite', 'tawtie', 'twaite'], 'tawn': ['nawt', 'tawn', 'want'], 'tawny': ['tawny', 'wanty'], 'taws': ['sawt', 'staw', 'swat', 'taws', 'twas', 'wast'], 'tawse': ['awest', 'sweat', 'tawse', 'waste'], 'tawtie': ['tawite', 'tawtie', 'twaite'], 'taxed': ['detax', 'taxed'], 'taxer': ['extra', 'retax', 'taxer'], 'tay': ['tay', 'yat'], 'tayer': ['tayer', 'teary'], 'tchai': ['aitch', 'chait', 'chati', 'chita', 'taich', 'tchai'], 'tche': ['chet', 'etch', 'tche', 'tech'], 'tchi': ['chit', 'itch', 'tchi'], 'tchu': ['chut', 'tchu', 'utch'], 'tchwi': ['tchwi', 'wicht', 'witch'], 'tea': ['ate', 'eat', 'eta', 'tae', 'tea'], 'teaberry': ['betrayer', 'eatberry', 'rebetray', 'teaberry'], 'teaboy': ['betoya', 'teaboy'], 'teacart': ['caretta', 'teacart', 'tearcat'], 'teach': ['cheat', 'tache', 'teach', 'theca'], 'teachable': ['cheatable', 'teachable'], 'teachableness': ['cheatableness', 'teachableness'], 'teache': ['achete', 'hecate', 'teache', 'thecae'], 'teacher': ['cheater', 'hectare', 'recheat', 'reteach', 'teacher'], 'teachery': ['cheatery', 'cytherea', 'teachery'], 'teaching': ['cheating', 'teaching'], 'teachingly': ['cheatingly', 'teachingly'], 'teachless': ['tacheless', 'teachless'], 'tead': ['adet', 'date', 'tade', 'tead', 'teda'], 'teaer': ['arete', 'eater', 'teaer'], 'teagle': ['eaglet', 'legate', 'teagle', 'telega'], 'teaish': ['saithe', 'tashie', 'teaish'], 'teaism': ['samite', 'semita', 'tamise', 'teaism'], 'teak': ['kate', 'keta', 'take', 'teak'], 'teal': ['atle', 'laet', 'late', 'leat', 'tael', 'tale', 'teal'], 'team': ['mate', 'meat', 'meta', 'tame', 'team', 'tema'], 'teamer': ['reetam', 'retame', 'teamer'], 'teaming': ['mintage', 'teaming', 'tegmina'], 'teamless': ['mateless', 'meatless', 'tameless', 'teamless'], 'teamman': ['meatman', 'teamman'], 'teamster': ['teamster', 'trametes'], 'tean': ['ante', 'aten', 'etna', 'nate', 'neat', 'taen', 'tane', 'tean'], 'teanal': ['anteal', 'lanate', 'teanal'], 'teap': ['pate', 'peat', 'tape', 'teap'], 'teapot': ['aptote', 'optate', 'potate', 'teapot'], 'tear': ['rate', 'tare', 'tear', 'tera'], 'tearable': ['elabrate', 'tearable'], 'tearably': ['betrayal', 'tearably'], 'tearcat': ['caretta', 'teacart', 'tearcat'], 'teardown': ['danewort', 'teardown'], 'teardrop': ['predator', 'protrade', 'teardrop'], 'tearer': ['rerate', 'retare', 'tearer'], 'tearful': ['faulter', 'refutal', 'tearful'], 'tearing': ['angrite', 'granite', 'ingrate', 'tangier', 'tearing', 'tigrean'], 'tearless': ['rateless', 'tasseler', 'tearless', 'tesseral'], 'tearlike': ['keralite', 'tearlike'], 'tearpit': ['partite', 'tearpit'], 'teart': ['atter', 'tater', 'teart', 'tetra', 'treat'], 'teary': ['tayer', 'teary'], 'teasably': ['stayable', 'teasably'], 'tease': ['setae', 'tease'], 'teasel': ['ateles', 'saltee', 'sealet', 'stelae', 'teasel'], 'teaser': ['asteer', 'easter', 'eastre', 'reseat', 'saeter', 'seater', 'staree', 'teaser', 'teresa'], 'teasing': ['easting', 'gainset', 'genista', 'ingesta', 'seating', 'signate', 'teasing'], 'teasler': ['realest', 'reslate', 'resteal', 'stealer', 'teasler'], 'teasy': ['teasy', 'yeast'], 'teat': ['etta', 'tate', 'teat'], 'teather': ['teather', 'theater', 'thereat'], 'tebu': ['bute', 'tebu', 'tube'], 'teca': ['cate', 'teca'], 'tecali': ['calite', 'laetic', 'tecali'], 'tech': ['chet', 'etch', 'tche', 'tech'], 'techily': ['ethylic', 'techily'], 'technica': ['atechnic', 'catechin', 'technica'], 'technocracy': ['conycatcher', 'technocracy'], 'technopsychology': ['psychotechnology', 'technopsychology'], 'techous': ['souchet', 'techous', 'tousche'], 'techy': ['techy', 'tyche'], 'tecla': ['cleat', 'eclat', 'ectal', 'lacet', 'tecla'], 'teco': ['cote', 'teco'], 'tecoma': ['comate', 'metoac', 'tecoma'], 'tecomin': ['centimo', 'entomic', 'tecomin'], 'tecon': ['cento', 'conte', 'tecon'], 'tectal': ['cattle', 'tectal'], 'tectology': ['ctetology', 'tectology'], 'tectona': ['oncetta', 'tectona'], 'tectospinal': ['entoplastic', 'spinotectal', 'tectospinal', 'tenoplastic'], 'tecuma': ['acetum', 'tecuma'], 'tecuna': ['tecuna', 'uncate'], 'teda': ['adet', 'date', 'tade', 'tead', 'teda'], 'tedious': ['outside', 'tedious'], 'tediousness': ['outsideness', 'tediousness'], 'teedle': ['delete', 'teedle'], 'teel': ['leet', 'lete', 'teel', 'tele'], 'teem': ['meet', 'mete', 'teem'], 'teemer': ['meeter', 'remeet', 'teemer'], 'teeming': ['meeting', 'teeming', 'tegmine'], 'teems': ['teems', 'temse'], 'teen': ['neet', 'nete', 'teen'], 'teens': ['steen', 'teens', 'tense'], 'teer': ['reet', 'teer', 'tree'], 'teerer': ['retree', 'teerer'], 'teest': ['teest', 'teste'], 'teet': ['teet', 'tete'], 'teeter': ['teeter', 'terete'], 'teeth': ['teeth', 'theet'], 'teething': ['genthite', 'teething'], 'teg': ['get', 'teg'], 'tegean': ['geneat', 'negate', 'tegean'], 'tegmina': ['mintage', 'teaming', 'tegmina'], 'tegminal': ['ligament', 'metaling', 'tegminal'], 'tegmine': ['meeting', 'teeming', 'tegmine'], 'tegular': ['gaulter', 'tegular'], 'teheran': ['earthen', 'enheart', 'hearten', 'naether', 'teheran', 'traheen'], 'tehsildar': ['heraldist', 'tehsildar'], 'teian': ['entia', 'teian', 'tenai', 'tinea'], 'teicher': ['erethic', 'etheric', 'heretic', 'heteric', 'teicher'], 'teil': ['lite', 'teil', 'teli', 'tile'], 'teind': ['detin', 'teind', 'tined'], 'teinder': ['nitered', 'redient', 'teinder'], 'teinland': ['dentinal', 'teinland', 'tendinal'], 'teioid': ['iodite', 'teioid'], 'teju': ['jute', 'teju'], 'telamon': ['omental', 'telamon'], 'telang': ['tangle', 'telang'], 'telar': ['alert', 'alter', 'artel', 'later', 'ratel', 'taler', 'telar'], 'telarian': ['retainal', 'telarian'], 'telary': ['lyrate', 'raylet', 'realty', 'telary'], 'tele': ['leet', 'lete', 'teel', 'tele'], 'telecast': ['castelet', 'telecast'], 'telega': ['eaglet', 'legate', 'teagle', 'telega'], 'telegn': ['gentle', 'telegn'], 'telegrapher': ['retelegraph', 'telegrapher'], 'telei': ['elite', 'telei'], 'telephone': ['phenetole', 'telephone'], 'telephony': ['polythene', 'telephony'], 'telephotograph': ['phototelegraph', 'telephotograph'], 'telephotographic': ['phototelegraphic', 'telephotographic'], 'telephotography': ['phototelegraphy', 'telephotography'], 'teleradiophone': ['radiotelephone', 'teleradiophone'], 'teleran': ['alterne', 'enteral', 'eternal', 'teleran', 'teneral'], 'teleseism': ['messelite', 'semisteel', 'teleseism'], 'telespectroscope': ['spectrotelescope', 'telespectroscope'], 'telestereoscope': ['stereotelescope', 'telestereoscope'], 'telestial': ['satellite', 'telestial'], 'telestic': ['telestic', 'testicle'], 'telfer': ['felter', 'telfer', 'trefle'], 'teli': ['lite', 'teil', 'teli', 'tile'], 'telial': ['taille', 'telial'], 'telic': ['clite', 'telic'], 'telinga': ['atingle', 'gelatin', 'genital', 'langite', 'telinga'], 'tellach': ['hellcat', 'tellach'], 'teller': ['retell', 'teller'], 'tellima': ['mitella', 'tellima'], 'tellina': ['nitella', 'tellina'], 'tellurian': ['tellurian', 'unliteral'], 'telome': ['omelet', 'telome'], 'telonism': ['melonist', 'telonism'], 'telopsis': ['polistes', 'telopsis'], 'telpath': ['pathlet', 'telpath'], 'telson': ['solent', 'stolen', 'telson'], 'telsonic': ['lentisco', 'telsonic'], 'telt': ['lett', 'telt'], 'tema': ['mate', 'meat', 'meta', 'tame', 'team', 'tema'], 'teman': ['ament', 'meant', 'teman'], 'temin': ['metin', 'temin', 'timne'], 'temp': ['empt', 'temp'], 'tempean': ['peteman', 'tempean'], 'temper': ['temper', 'tempre'], 'tempera': ['premate', 'tempera'], 'temperer': ['retemper', 'temperer'], 'temperish': ['herpetism', 'metership', 'metreship', 'temperish'], 'templar': ['templar', 'trample'], 'template': ['palmette', 'template'], 'temple': ['pelmet', 'temple'], 'tempora': ['pteroma', 'tempora'], 'temporarily': ['polarimetry', 'premorality', 'temporarily'], 'temporofrontal': ['frontotemporal', 'temporofrontal'], 'temporooccipital': ['occipitotemporal', 'temporooccipital'], 'temporoparietal': ['parietotemporal', 'temporoparietal'], 'tempre': ['temper', 'tempre'], 'tempter': ['retempt', 'tempter'], 'temse': ['teems', 'temse'], 'temser': ['mester', 'restem', 'temser', 'termes'], 'temulent': ['temulent', 'unmettle'], 'ten': ['net', 'ten'], 'tenable': ['beltane', 'tenable'], 'tenace': ['cetane', 'tenace'], 'tenai': ['entia', 'teian', 'tenai', 'tinea'], 'tenanter': ['retenant', 'tenanter'], 'tenantless': ['latentness', 'tenantless'], 'tencteri': ['reticent', 'tencteri'], 'tend': ['dent', 'tend'], 'tender': ['denter', 'rented', 'tender'], 'tenderer': ['retender', 'tenderer'], 'tenderish': ['disherent', 'hinderest', 'tenderish'], 'tendinal': ['dentinal', 'teinland', 'tendinal'], 'tendinitis': ['dentinitis', 'tendinitis'], 'tendour': ['tendour', 'unroted'], 'tendril': ['tendril', 'trindle'], 'tendron': ['donnert', 'tendron'], 'teneral': ['alterne', 'enteral', 'eternal', 'teleran', 'teneral'], 'teneriffe': ['fifteener', 'teneriffe'], 'tenesmus': ['muteness', 'tenesmus'], 'teng': ['gent', 'teng'], 'tengu': ['tengu', 'unget'], 'teniacidal': ['acetanilid', 'laciniated', 'teniacidal'], 'teniacide': ['deciatine', 'diacetine', 'taenicide', 'teniacide'], 'tenible': ['beltine', 'tenible'], 'tenino': ['intone', 'tenino'], 'tenline': ['lenient', 'tenline'], 'tenner': ['rennet', 'tenner'], 'tennis': ['innest', 'sennit', 'sinnet', 'tennis'], 'tenomyotomy': ['myotenotomy', 'tenomyotomy'], 'tenon': ['nonet', 'tenon'], 'tenoner': ['enteron', 'tenoner'], 'tenonian': ['annotine', 'tenonian'], 'tenonitis': ['sentition', 'tenonitis'], 'tenontophyma': ['nematophyton', 'tenontophyma'], 'tenophyte': ['entophyte', 'tenophyte'], 'tenoplastic': ['entoplastic', 'spinotectal', 'tectospinal', 'tenoplastic'], 'tenor': ['noter', 'tenor', 'toner', 'trone'], 'tenorist': ['ortstein', 'tenorist'], 'tenovaginitis': ['investigation', 'tenovaginitis'], 'tenpin': ['pinnet', 'tenpin'], 'tenrec': ['center', 'recent', 'tenrec'], 'tense': ['steen', 'teens', 'tense'], 'tensible': ['nebelist', 'stilbene', 'tensible'], 'tensile': ['leisten', 'setline', 'tensile'], 'tension': ['stenion', 'tension'], 'tensional': ['alstonine', 'tensional'], 'tensive': ['estevin', 'tensive'], 'tenson': ['sonnet', 'stonen', 'tenson'], 'tensor': ['nestor', 'sterno', 'stoner', 'strone', 'tensor'], 'tentable': ['nettable', 'tentable'], 'tentacle': ['ectental', 'tentacle'], 'tentage': ['genetta', 'tentage'], 'tentation': ['attention', 'tentation'], 'tentative': ['attentive', 'tentative'], 'tentatively': ['attentively', 'tentatively'], 'tentativeness': ['attentiveness', 'tentativeness'], 'tented': ['detent', 'netted', 'tented'], 'tenter': ['netter', 'retent', 'tenter'], 'tention': ['nettion', 'tention', 'tontine'], 'tentorial': ['natrolite', 'tentorial'], 'tenty': ['netty', 'tenty'], 'tenuiroster': ['tenuiroster', 'urosternite'], 'tenuistriate': ['intersituate', 'tenuistriate'], 'tenure': ['neuter', 'retune', 'runtee', 'tenure', 'tureen'], 'tenurial': ['lutrinae', 'retinula', 'rutelian', 'tenurial'], 'teocalli': ['colletia', 'teocalli'], 'teosinte': ['noisette', 'teosinte'], 'tepache': ['heptace', 'tepache'], 'tepal': ['leapt', 'palet', 'patel', 'pelta', 'petal', 'plate', 'pleat', 'tepal'], 'tepanec': ['pentace', 'tepanec'], 'tepecano': ['conepate', 'tepecano'], 'tephrite': ['perthite', 'tephrite'], 'tephritic': ['perthitic', 'tephritic'], 'tephroite': ['heptorite', 'tephroite'], 'tephrosis': ['posterish', 'prothesis', 'sophister', 'storeship', 'tephrosis'], 'tepor': ['poter', 'prote', 'repot', 'tepor', 'toper', 'trope'], 'tequila': ['liquate', 'tequila'], 'tera': ['rate', 'tare', 'tear', 'tera'], 'teraglin': ['integral', 'teraglin', 'triangle'], 'terap': ['apert', 'pater', 'peart', 'prate', 'taper', 'terap'], 'teras': ['aster', 'serta', 'stare', 'strae', 'tarse', 'teras'], 'teratism': ['mistreat', 'teratism'], 'terbia': ['baiter', 'barite', 'rebait', 'terbia'], 'terbium': ['burmite', 'imbrute', 'terbium'], 'tercelet': ['electret', 'tercelet'], 'terceron': ['corrente', 'terceron'], 'tercia': ['acrite', 'arcite', 'tercia', 'triace', 'tricae'], 'tercine': ['citrene', 'enteric', 'enticer', 'tercine'], 'tercio': ['erotic', 'tercio'], 'terebilic': ['celtiberi', 'terebilic'], 'terebinthian': ['terebinthian', 'terebinthina'], 'terebinthina': ['terebinthian', 'terebinthina'], 'terebra': ['rebater', 'terebra'], 'terebral': ['barrelet', 'terebral'], 'terentian': ['entertain', 'tarentine', 'terentian'], 'teresa': ['asteer', 'easter', 'eastre', 'reseat', 'saeter', 'seater', 'staree', 'teaser', 'teresa'], 'teresian': ['arsenite', 'resinate', 'teresian', 'teresina'], 'teresina': ['arsenite', 'resinate', 'teresian', 'teresina'], 'terete': ['teeter', 'terete'], 'teretial': ['laterite', 'literate', 'teretial'], 'tereus': ['retuse', 'tereus'], 'tergal': ['raglet', 'tergal'], 'tergant': ['garnett', 'gnatter', 'gratten', 'tergant'], 'tergeminous': ['mentigerous', 'tergeminous'], 'teri': ['iter', 'reit', 'rite', 'teri', 'tier', 'tire'], 'teriann': ['entrain', 'teriann'], 'terma': ['armet', 'mater', 'merat', 'metra', 'ramet', 'tamer', 'terma', 'trame', 'trema'], 'termagant': ['targetman', 'termagant'], 'termes': ['mester', 'restem', 'temser', 'termes'], 'termin': ['minter', 'remint', 'termin'], 'terminal': ['terminal', 'tramline'], 'terminalia': ['laminarite', 'terminalia'], 'terminate': ['antimeter', 'attermine', 'interteam', 'terminate', 'tetramine'], 'termini': ['interim', 'termini'], 'terminine': ['intermine', 'nemertini', 'terminine'], 'terminus': ['numerist', 'terminus'], 'termital': ['remittal', 'termital'], 'termite': ['emitter', 'termite'], 'termly': ['myrtle', 'termly'], 'termon': ['mentor', 'merton', 'termon', 'tormen'], 'termor': ['termor', 'tremor'], 'tern': ['rent', 'tern'], 'terna': ['antre', 'arent', 'retan', 'terna'], 'ternal': ['altern', 'antler', 'learnt', 'rental', 'ternal'], 'ternar': ['arrent', 'errant', 'ranter', 'ternar'], 'ternarious': ['souterrain', 'ternarious', 'trouserian'], 'ternate': ['entreat', 'ratteen', 'tarente', 'ternate', 'tetrane'], 'terne': ['enter', 'neter', 'renet', 'terne', 'treen'], 'ternion': ['intoner', 'ternion'], 'ternlet': ['nettler', 'ternlet'], 'terp': ['pert', 'petr', 'terp'], 'terpane': ['patener', 'pearten', 'petrean', 'terpane'], 'terpeneless': ['repleteness', 'terpeneless'], 'terpin': ['nipter', 'terpin'], 'terpine': ['petrine', 'terpine'], 'terpineol': ['interlope', 'interpole', 'repletion', 'terpineol'], 'terpinol': ['pointrel', 'terpinol'], 'terrace': ['caterer', 'recrate', 'retrace', 'terrace'], 'terraciform': ['crateriform', 'terraciform'], 'terrage': ['greater', 'regrate', 'terrage'], 'terrain': ['arterin', 'retrain', 'terrain', 'trainer'], 'terral': ['retral', 'terral'], 'terrance': ['canterer', 'recanter', 'recreant', 'terrance'], 'terrapin': ['pretrain', 'terrapin'], 'terrar': ['tarrer', 'terrar'], 'terrence': ['centerer', 'recenter', 'recentre', 'terrence'], 'terrene': ['enterer', 'terrene'], 'terret': ['retter', 'terret'], 'terri': ['terri', 'tirer', 'trier'], 'terrier': ['retirer', 'terrier'], 'terrine': ['reinter', 'terrine'], 'terron': ['terron', 'treron', 'troner'], 'terry': ['retry', 'terry'], 'terse': ['ester', 'estre', 'reest', 'reset', 'steer', 'stere', 'stree', 'terse', 'tsere'], 'tersely': ['restyle', 'tersely'], 'tersion': ['oestrin', 'tersion'], 'tertia': ['attire', 'ratite', 'tertia'], 'tertian': ['intreat', 'iterant', 'nitrate', 'tertian'], 'tertiana': ['attainer', 'reattain', 'tertiana'], 'terton': ['rotten', 'terton'], 'tervee': ['revete', 'tervee'], 'terzina': ['retzian', 'terzina'], 'terzo': ['terzo', 'tozer'], 'tesack': ['casket', 'tesack'], 'teskere': ['skeeter', 'teskere'], 'tessella': ['satelles', 'tessella'], 'tesseral': ['rateless', 'tasseler', 'tearless', 'tesseral'], 'test': ['sett', 'stet', 'test'], 'testa': ['state', 'taste', 'tates', 'testa'], 'testable': ['settable', 'testable'], 'testament': ['statement', 'testament'], 'testar': ['stater', 'taster', 'testar'], 'teste': ['teest', 'teste'], 'tested': ['detest', 'tested'], 'testee': ['settee', 'testee'], 'tester': ['retest', 'setter', 'street', 'tester'], 'testes': ['sestet', 'testes', 'tsetse'], 'testicle': ['telestic', 'testicle'], 'testicular': ['testicular', 'trisulcate'], 'testily': ['stylite', 'testily'], 'testing': ['setting', 'testing'], 'teston': ['ostent', 'teston'], 'testor': ['sotter', 'testor'], 'testril': ['litster', 'slitter', 'stilter', 'testril'], 'testy': ['testy', 'tyste'], 'tetanic': ['nictate', 'tetanic'], 'tetanical': ['cantalite', 'lactinate', 'tetanical'], 'tetanoid': ['antidote', 'tetanoid'], 'tetanus': ['tetanus', 'unstate', 'untaste'], 'tetarconid': ['detraction', 'doctrinate', 'tetarconid'], 'tetard': ['tetard', 'tetrad'], 'tetchy': ['chetty', 'tetchy'], 'tete': ['teet', 'tete'], 'tetel': ['ettle', 'tetel'], 'tether': ['hetter', 'tether'], 'tethys': ['stythe', 'tethys'], 'tetra': ['atter', 'tater', 'teart', 'tetra', 'treat'], 'tetracid': ['citrated', 'tetracid', 'tetradic'], 'tetrad': ['tetard', 'tetrad'], 'tetradic': ['citrated', 'tetracid', 'tetradic'], 'tetragonia': ['giornatate', 'tetragonia'], 'tetrahexahedron': ['hexatetrahedron', 'tetrahexahedron'], 'tetrakishexahedron': ['hexakistetrahedron', 'tetrakishexahedron'], 'tetralin': ['tetralin', 'triental'], 'tetramin': ['intermat', 'martinet', 'tetramin'], 'tetramine': ['antimeter', 'attermine', 'interteam', 'terminate', 'tetramine'], 'tetrander': ['retardent', 'tetrander'], 'tetrandrous': ['tetrandrous', 'unrostrated'], 'tetrane': ['entreat', 'ratteen', 'tarente', 'ternate', 'tetrane'], 'tetrao': ['rotate', 'tetrao'], 'tetraodon': ['detonator', 'tetraodon'], 'tetraonine': ['entoretina', 'tetraonine'], 'tetraplous': ['supertotal', 'tetraplous'], 'tetrasporic': ['tetrasporic', 'triceratops'], 'tetraxonia': ['retaxation', 'tetraxonia'], 'tetrical': ['tetrical', 'tractile'], 'tetricous': ['tetricous', 'toreutics'], 'tetronic': ['contrite', 'tetronic'], 'tetrose': ['rosette', 'tetrose'], 'tetterous': ['outstreet', 'tetterous'], 'teucri': ['curite', 'teucri', 'uretic'], 'teucrian': ['anuretic', 'centauri', 'centuria', 'teucrian'], 'teucrin': ['nutrice', 'teucrin'], 'teuk': ['ketu', 'teuk', 'tuke'], 'tew': ['tew', 'wet'], 'tewa': ['tewa', 'twae', 'weta'], 'tewel': ['tewel', 'tweel'], 'tewer': ['rewet', 'tewer', 'twere'], 'tewit': ['tewit', 'twite'], 'tewly': ['tewly', 'wetly'], 'tha': ['aht', 'hat', 'tha'], 'thai': ['hati', 'thai'], 'thais': ['shita', 'thais'], 'thalami': ['hamital', 'thalami'], 'thaler': ['arthel', 'halter', 'lather', 'thaler'], 'thalia': ['hiatal', 'thalia'], 'thaliard': ['hardtail', 'thaliard'], 'thamesis': ['mathesis', 'thamesis'], 'than': ['hant', 'tanh', 'than'], 'thana': ['atnah', 'tanha', 'thana'], 'thanan': ['nathan', 'thanan'], 'thanatism': ['staithman', 'thanatism'], 'thanatotic': ['chattation', 'thanatotic'], 'thane': ['enhat', 'ethan', 'nathe', 'neath', 'thane'], 'thanker': ['rethank', 'thanker'], 'thapes': ['spathe', 'thapes'], 'thar': ['hart', 'rath', 'tahr', 'thar', 'trah'], 'tharen': ['anther', 'nather', 'tharen', 'thenar'], 'tharm': ['tharm', 'thram'], 'thasian': ['ashanti', 'sanhita', 'shaitan', 'thasian'], 'that': ['hatt', 'tath', 'that'], 'thatcher': ['rethatch', 'thatcher'], 'thaw': ['thaw', 'wath', 'what'], 'thawer': ['rethaw', 'thawer', 'wreath'], 'the': ['het', 'the'], 'thea': ['ahet', 'haet', 'hate', 'heat', 'thea'], 'theah': ['heath', 'theah'], 'thearchy': ['hatchery', 'thearchy'], 'theat': ['theat', 'theta'], 'theater': ['teather', 'theater', 'thereat'], 'theatricism': ['chemiatrist', 'chrismatite', 'theatricism'], 'theatropolis': ['strophiolate', 'theatropolis'], 'theatry': ['hattery', 'theatry'], 'theb': ['beth', 'theb'], 'thebaid': ['habited', 'thebaid'], 'theca': ['cheat', 'tache', 'teach', 'theca'], 'thecae': ['achete', 'hecate', 'teache', 'thecae'], 'thecal': ['achtel', 'chalet', 'thecal', 'thecla'], 'thecasporal': ['archapostle', 'thecasporal'], 'thecata': ['attache', 'thecata'], 'thecitis': ['ethicist', 'thecitis', 'theistic'], 'thecla': ['achtel', 'chalet', 'thecal', 'thecla'], 'theer': ['ether', 'rethe', 'theer', 'there', 'three'], 'theet': ['teeth', 'theet'], 'thegn': ['ghent', 'thegn'], 'thegnly': ['lengthy', 'thegnly'], 'theine': ['ethine', 'theine'], 'their': ['ither', 'their'], 'theirn': ['hinter', 'nither', 'theirn'], 'theirs': ['shrite', 'theirs'], 'theism': ['theism', 'themis'], 'theist': ['theist', 'thetis'], 'theistic': ['ethicist', 'thecitis', 'theistic'], 'thema': ['ahmet', 'thema'], 'thematic': ['mathetic', 'thematic'], 'thematist': ['hattemist', 'thematist'], 'themer': ['mether', 'themer'], 'themis': ['theism', 'themis'], 'themistian': ['antitheism', 'themistian'], 'then': ['hent', 'neth', 'then'], 'thenal': ['ethnal', 'hantle', 'lathen', 'thenal'], 'thenar': ['anther', 'nather', 'tharen', 'thenar'], 'theobald': ['bolthead', 'theobald'], 'theocrasia': ['oireachtas', 'theocrasia'], 'theocrat': ['theocrat', 'trochate'], 'theocratic': ['rheotactic', 'theocratic'], 'theodora': ['dorothea', 'theodora'], 'theodore': ['theodore', 'treehood'], 'theogonal': ['halogeton', 'theogonal'], 'theologic': ['ethologic', 'theologic'], 'theological': ['ethological', 'lethologica', 'theological'], 'theologism': ['hemologist', 'theologism'], 'theology': ['ethology', 'theology'], 'theophanic': ['phaethonic', 'theophanic'], 'theophilist': ['philotheist', 'theophilist'], 'theopsychism': ['psychotheism', 'theopsychism'], 'theorbo': ['boother', 'theorbo'], 'theorematic': ['heteratomic', 'theorematic'], 'theoretic': ['heterotic', 'theoretic'], 'theoretician': ['heretication', 'theoretician'], 'theorician': ['antiheroic', 'theorician'], 'theorics': ['chirotes', 'theorics'], 'theorism': ['homerist', 'isotherm', 'otherism', 'theorism'], 'theorist': ['otherist', 'theorist'], 'theorizer': ['rhetorize', 'theorizer'], 'theorum': ['mouther', 'theorum'], 'theotherapy': ['heteropathy', 'theotherapy'], 'therblig': ['blighter', 'therblig'], 'there': ['ether', 'rethe', 'theer', 'there', 'three'], 'thereas': ['thereas', 'theresa'], 'thereat': ['teather', 'theater', 'thereat'], 'therein': ['enherit', 'etherin', 'neither', 'therein'], 'thereness': ['retheness', 'thereness', 'threeness'], 'thereology': ['heterology', 'thereology'], 'theres': ['esther', 'hester', 'theres'], 'theresa': ['thereas', 'theresa'], 'therese': ['sheeter', 'therese'], 'therewithal': ['therewithal', 'whitleather'], 'theriac': ['certhia', 'rhaetic', 'theriac'], 'therial': ['hairlet', 'therial'], 'theriodic': ['dichroite', 'erichtoid', 'theriodic'], 'theriodonta': ['dehortation', 'theriodonta'], 'thermantic': ['intermatch', 'thermantic'], 'thermo': ['mother', 'thermo'], 'thermobarograph': ['barothermograph', 'thermobarograph'], 'thermoelectric': ['electrothermic', 'thermoelectric'], 'thermoelectrometer': ['electrothermometer', 'thermoelectrometer'], 'thermogalvanometer': ['galvanothermometer', 'thermogalvanometer'], 'thermogeny': ['mythogreen', 'thermogeny'], 'thermography': ['mythographer', 'thermography'], 'thermology': ['mythologer', 'thermology'], 'thermos': ['smother', 'thermos'], 'thermotype': ['phytometer', 'thermotype'], 'thermotypic': ['phytometric', 'thermotypic'], 'thermotypy': ['phytometry', 'thermotypy'], 'theroid': ['rhodite', 'theroid'], 'theron': ['hornet', 'nother', 'theron', 'throne'], 'thersitical': ['thersitical', 'trachelitis'], 'these': ['sheet', 'these'], 'thesean': ['sneathe', 'thesean'], 'thesial': ['heliast', 'thesial'], 'thesis': ['shiest', 'thesis'], 'theta': ['theat', 'theta'], 'thetical': ['athletic', 'thetical'], 'thetis': ['theist', 'thetis'], 'thew': ['hewt', 'thew', 'whet'], 'they': ['they', 'yeth'], 'theyre': ['theyre', 'yether'], 'thicken': ['kitchen', 'thicken'], 'thickener': ['kitchener', 'rethicken', 'thickener'], 'thicket': ['chettik', 'thicket'], 'thienyl': ['ethylin', 'thienyl'], 'thig': ['gith', 'thig'], 'thigh': ['hight', 'thigh'], 'thill': ['illth', 'thill'], 'thin': ['hint', 'thin'], 'thing': ['night', 'thing'], 'thingal': ['halting', 'lathing', 'thingal'], 'thingless': ['lightness', 'nightless', 'thingless'], 'thinglet': ['thinglet', 'thlinget'], 'thinglike': ['nightlike', 'thinglike'], 'thingly': ['nightly', 'thingly'], 'thingman': ['nightman', 'thingman'], 'thinker': ['rethink', 'thinker'], 'thio': ['hoit', 'hoti', 'thio'], 'thiocresol': ['holosteric', 'thiocresol'], 'thiol': ['litho', 'thiol', 'tholi'], 'thiolacetic': ['heliotactic', 'thiolacetic'], 'thiophenol': ['lithophone', 'thiophenol'], 'thiopyran': ['phoniatry', 'thiopyran'], 'thirlage': ['litharge', 'thirlage'], 'this': ['hist', 'sith', 'this', 'tshi'], 'thissen': ['sithens', 'thissen'], 'thistle': ['lettish', 'thistle'], 'thlinget': ['thinglet', 'thlinget'], 'tho': ['hot', 'tho'], 'thob': ['both', 'thob'], 'thole': ['helot', 'hotel', 'thole'], 'tholi': ['litho', 'thiol', 'tholi'], 'tholos': ['soloth', 'tholos'], 'thomaean': ['amaethon', 'thomaean'], 'thomasine': ['hematosin', 'thomasine'], 'thomisid': ['isthmoid', 'thomisid'], 'thomsonite': ['monotheist', 'thomsonite'], 'thonder': ['thonder', 'thorned'], 'thonga': ['gnatho', 'thonga'], 'thoo': ['hoot', 'thoo', 'toho'], 'thoom': ['mooth', 'thoom'], 'thoracectomy': ['chromatocyte', 'thoracectomy'], 'thoracic': ['thoracic', 'tocharic', 'trochaic'], 'thoral': ['harlot', 'orthal', 'thoral'], 'thore': ['other', 'thore', 'throe', 'toher'], 'thoric': ['chorti', 'orthic', 'thoric', 'trochi'], 'thorina': ['orthian', 'thorina'], 'thorite': ['hortite', 'orthite', 'thorite'], 'thorn': ['north', 'thorn'], 'thorned': ['thonder', 'thorned'], 'thornhead': ['rhodanthe', 'thornhead'], 'thorny': ['rhyton', 'thorny'], 'thoro': ['ortho', 'thoro'], 'thort': ['thort', 'troth'], 'thos': ['host', 'shot', 'thos', 'tosh'], 'those': ['ethos', 'shote', 'those'], 'thowel': ['howlet', 'thowel'], 'thraces': ['stacher', 'thraces'], 'thracian': ['taranchi', 'thracian'], 'thraep': ['thraep', 'threap'], 'thrain': ['hartin', 'thrain'], 'thram': ['tharm', 'thram'], 'thrang': ['granth', 'thrang'], 'thrasher': ['rethrash', 'thrasher'], 'thrast': ['strath', 'thrast'], 'thraw': ['thraw', 'warth', 'whart', 'wrath'], 'thread': ['dearth', 'hatred', 'rathed', 'thread'], 'threaden': ['adherent', 'headrent', 'neatherd', 'threaden'], 'threader': ['rethread', 'threader'], 'threadworm': ['motherward', 'threadworm'], 'thready': ['hydrate', 'thready'], 'threap': ['thraep', 'threap'], 'threat': ['hatter', 'threat'], 'threatener': ['rethreaten', 'threatener'], 'three': ['ether', 'rethe', 'theer', 'there', 'three'], 'threeling': ['lightener', 'relighten', 'threeling'], 'threeness': ['retheness', 'thereness', 'threeness'], 'threne': ['erthen', 'henter', 'nether', 'threne'], 'threnode': ['dethrone', 'threnode'], 'threnodic': ['chondrite', 'threnodic'], 'threnos': ['shorten', 'threnos'], 'thresher': ['rethresh', 'thresher'], 'thrice': ['cither', 'thrice'], 'thriller': ['rethrill', 'thriller'], 'thripel': ['philter', 'thripel'], 'thripidae': ['rhipidate', 'thripidae'], 'throat': ['athort', 'throat'], 'throb': ['broth', 'throb'], 'throe': ['other', 'thore', 'throe', 'toher'], 'thronal': ['althorn', 'anthrol', 'thronal'], 'throne': ['hornet', 'nother', 'theron', 'throne'], 'throu': ['routh', 'throu'], 'throughout': ['outthrough', 'throughout'], 'throw': ['throw', 'whort', 'worth', 'wroth'], 'throwdown': ['downthrow', 'throwdown'], 'thrower': ['rethrow', 'thrower'], 'throwing': ['ingrowth', 'throwing'], 'throwout': ['outthrow', 'outworth', 'throwout'], 'thrum': ['thrum', 'thurm'], 'thrust': ['struth', 'thrust'], 'thruster': ['rethrust', 'thruster'], 'thuan': ['ahunt', 'haunt', 'thuan', 'unhat'], 'thulr': ['thulr', 'thurl'], 'thunderbearing': ['thunderbearing', 'underbreathing'], 'thunderer': ['rethunder', 'thunderer'], 'thundering': ['thundering', 'underthing'], 'thuoc': ['couth', 'thuoc', 'touch'], 'thurl': ['thulr', 'thurl'], 'thurm': ['thrum', 'thurm'], 'thurse': ['reshut', 'suther', 'thurse', 'tusher'], 'thurt': ['thurt', 'truth'], 'thus': ['shut', 'thus', 'tush'], 'thusness': ['shutness', 'thusness'], 'thwacker': ['thwacker', 'whatreck'], 'thwartover': ['overthwart', 'thwartover'], 'thymelic': ['methylic', 'thymelic'], 'thymetic': ['hymettic', 'thymetic'], 'thymus': ['mythus', 'thymus'], 'thyreogenous': ['heterogynous', 'thyreogenous'], 'thyreohyoid': ['hyothyreoid', 'thyreohyoid'], 'thyreoid': ['hydriote', 'thyreoid'], 'thyreoidal': ['thyreoidal', 'thyroideal'], 'thyreosis': ['oysterish', 'thyreosis'], 'thyris': ['shirty', 'thyris'], 'thyrocricoid': ['cricothyroid', 'thyrocricoid'], 'thyrogenic': ['thyrogenic', 'trichogyne'], 'thyrohyoid': ['hyothyroid', 'thyrohyoid'], 'thyroideal': ['thyreoidal', 'thyroideal'], 'thyroiodin': ['iodothyrin', 'thyroiodin'], 'thyroprivic': ['thyroprivic', 'vitrophyric'], 'thysanopteran': ['parasyntheton', 'thysanopteran'], 'thysel': ['shelty', 'thysel'], 'ti': ['it', 'ti'], 'tiang': ['giant', 'tangi', 'tiang'], 'tiao': ['iota', 'tiao'], 'tiar': ['airt', 'rita', 'tari', 'tiar'], 'tiara': ['arati', 'atria', 'riata', 'tarai', 'tiara'], 'tiarella': ['arillate', 'tiarella'], 'tib': ['bit', 'tib'], 'tibetan': ['bettina', 'tabinet', 'tibetan'], 'tibial': ['bilati', 'tibial'], 'tibiale': ['biliate', 'tibiale'], 'tibiofemoral': ['femorotibial', 'tibiofemoral'], 'tic': ['cit', 'tic'], 'ticca': ['cacti', 'ticca'], 'tice': ['ceti', 'cite', 'tice'], 'ticer': ['citer', 'recti', 'ticer', 'trice'], 'tichodroma': ['chromatoid', 'tichodroma'], 'ticketer': ['reticket', 'ticketer'], 'tickler': ['tickler', 'trickle'], 'tickproof': ['prickfoot', 'tickproof'], 'ticuna': ['anicut', 'nautic', 'ticuna', 'tunica'], 'ticunan': ['ticunan', 'tunican'], 'tid': ['dit', 'tid'], 'tidal': ['datil', 'dital', 'tidal', 'tilda'], 'tiddley': ['lyddite', 'tiddley'], 'tide': ['diet', 'dite', 'edit', 'tide', 'tied'], 'tidely': ['idlety', 'lydite', 'tidely', 'tidley'], 'tiding': ['tiding', 'tingid'], 'tidley': ['idlety', 'lydite', 'tidely', 'tidley'], 'tied': ['diet', 'dite', 'edit', 'tide', 'tied'], 'tien': ['iten', 'neti', 'tien', 'tine'], 'tiepin': ['pinite', 'tiepin'], 'tier': ['iter', 'reit', 'rite', 'teri', 'tier', 'tire'], 'tierce': ['cerite', 'certie', 'recite', 'tierce'], 'tiered': ['dieter', 'tiered'], 'tierer': ['errite', 'reiter', 'retier', 'retire', 'tierer'], 'tiffy': ['fifty', 'tiffy'], 'tifter': ['fitter', 'tifter'], 'tig': ['git', 'tig'], 'tigella': ['tigella', 'tillage'], 'tiger': ['tiger', 'tigre'], 'tigereye': ['geyerite', 'tigereye'], 'tightener': ['retighten', 'tightener'], 'tiglinic': ['lignitic', 'tiglinic'], 'tigre': ['tiger', 'tigre'], 'tigrean': ['angrite', 'granite', 'ingrate', 'tangier', 'tearing', 'tigrean'], 'tigress': ['striges', 'tigress'], 'tigrine': ['igniter', 'ringite', 'tigrine'], 'tigurine': ['intrigue', 'tigurine'], 'tikka': ['katik', 'tikka'], 'tikur': ['tikur', 'turki'], 'til': ['lit', 'til'], 'tilaite': ['italite', 'letitia', 'tilaite'], 'tilda': ['datil', 'dital', 'tidal', 'tilda'], 'tilde': ['tilde', 'tiled'], 'tile': ['lite', 'teil', 'teli', 'tile'], 'tiled': ['tilde', 'tiled'], 'tiler': ['liter', 'tiler'], 'tilery': ['tilery', 'tilyer'], 'tileways': ['sweatily', 'tileways'], 'tileyard': ['dielytra', 'tileyard'], 'tilia': ['itali', 'tilia'], 'tilikum': ['kulimit', 'tilikum'], 'till': ['lilt', 'till'], 'tillable': ['belltail', 'bletilla', 'tillable'], 'tillaea': ['alalite', 'tillaea'], 'tillage': ['tigella', 'tillage'], 'tiller': ['retill', 'rillet', 'tiller'], 'tilmus': ['litmus', 'tilmus'], 'tilpah': ['lapith', 'tilpah'], 'tilter': ['litter', 'tilter', 'titler'], 'tilting': ['tilting', 'titling', 'tlingit'], 'tiltup': ['tiltup', 'uptilt'], 'tilyer': ['tilery', 'tilyer'], 'timable': ['limbate', 'timable', 'timbale'], 'timaeus': ['metusia', 'suimate', 'timaeus'], 'timaline': ['meliatin', 'timaline'], 'timani': ['intima', 'timani'], 'timar': ['mitra', 'tarmi', 'timar', 'tirma'], 'timbal': ['limbat', 'timbal'], 'timbale': ['limbate', 'timable', 'timbale'], 'timber': ['betrim', 'timber', 'timbre'], 'timbered': ['bemitred', 'timbered'], 'timberer': ['retimber', 'timberer'], 'timberlike': ['kimberlite', 'timberlike'], 'timbre': ['betrim', 'timber', 'timbre'], 'time': ['emit', 'item', 'mite', 'time'], 'timecard': ['dermatic', 'timecard'], 'timed': ['demit', 'timed'], 'timeproof': ['miteproof', 'timeproof'], 'timer': ['merit', 'miter', 'mitre', 'remit', 'timer'], 'times': ['metis', 'smite', 'stime', 'times'], 'timesaving': ['negativism', 'timesaving'], 'timework': ['timework', 'worktime'], 'timid': ['dimit', 'timid'], 'timidly': ['mytilid', 'timidly'], 'timidness': ['destinism', 'timidness'], 'timish': ['isthmi', 'timish'], 'timne': ['metin', 'temin', 'timne'], 'timo': ['itmo', 'moit', 'omit', 'timo'], 'timon': ['minot', 'timon', 'tomin'], 'timorese': ['rosetime', 'timorese', 'tiresome'], 'timpani': ['impaint', 'timpani'], 'timpano': ['maintop', 'ptomain', 'tampion', 'timpano'], 'tin': ['nit', 'tin'], 'tina': ['aint', 'anti', 'tain', 'tina'], 'tincal': ['catlin', 'tincal'], 'tinchel': ['linchet', 'tinchel'], 'tinctorial': ['tinctorial', 'trinoctial'], 'tind': ['dint', 'tind'], 'tindal': ['antlid', 'tindal'], 'tindalo': ['itoland', 'talonid', 'tindalo'], 'tinder': ['dirten', 'rident', 'tinder'], 'tindered': ['dendrite', 'tindered'], 'tinderous': ['detrusion', 'tinderous', 'unstoried'], 'tine': ['iten', 'neti', 'tien', 'tine'], 'tinea': ['entia', 'teian', 'tenai', 'tinea'], 'tineal': ['entail', 'tineal'], 'tinean': ['annite', 'innate', 'tinean'], 'tined': ['detin', 'teind', 'tined'], 'tineid': ['indite', 'tineid'], 'tineman': ['mannite', 'tineman'], 'tineoid': ['edition', 'odinite', 'otidine', 'tineoid'], 'tinetare': ['intereat', 'tinetare'], 'tinety': ['entity', 'tinety'], 'tinged': ['nidget', 'tinged'], 'tinger': ['engirt', 'tinger'], 'tingid': ['tiding', 'tingid'], 'tingitidae': ['indigitate', 'tingitidae'], 'tingler': ['ringlet', 'tingler', 'tringle'], 'tinhouse': ['outshine', 'tinhouse'], 'tink': ['knit', 'tink'], 'tinker': ['reknit', 'tinker'], 'tinkerer': ['retinker', 'tinkerer'], 'tinkler': ['tinkler', 'trinkle'], 'tinlet': ['litten', 'tinlet'], 'tinne': ['innet', 'tinne'], 'tinned': ['dentin', 'indent', 'intend', 'tinned'], 'tinner': ['intern', 'tinner'], 'tinnet': ['intent', 'tinnet'], 'tino': ['into', 'nito', 'oint', 'tino'], 'tinoceras': ['atroscine', 'certosina', 'ostracine', 'tinoceras', 'tricosane'], 'tinosa': ['sotnia', 'tinosa'], 'tinsel': ['enlist', 'listen', 'silent', 'tinsel'], 'tinselly': ['silently', 'tinselly'], 'tinta': ['taint', 'tanti', 'tinta', 'titan'], 'tintage': ['attinge', 'tintage'], 'tinter': ['nitter', 'tinter'], 'tintie': ['tintie', 'titien'], 'tintiness': ['insistent', 'tintiness'], 'tinty': ['nitty', 'tinty'], 'tinworker': ['interwork', 'tinworker'], 'tionontates': ['ostentation', 'tionontates'], 'tip': ['pit', 'tip'], 'tipe': ['piet', 'tipe'], 'tipful': ['tipful', 'uplift'], 'tipless': ['pitless', 'tipless'], 'tipman': ['pitman', 'tampin', 'tipman'], 'tipper': ['rippet', 'tipper'], 'tippler': ['ripplet', 'tippler', 'tripple'], 'tipster': ['spitter', 'tipster'], 'tipstock': ['potstick', 'tipstock'], 'tipula': ['tipula', 'tulipa'], 'tiralee': ['atelier', 'tiralee'], 'tire': ['iter', 'reit', 'rite', 'teri', 'tier', 'tire'], 'tired': ['diter', 'tired', 'tried'], 'tiredly': ['tiredly', 'triedly'], 'tiredness': ['dissenter', 'tiredness'], 'tireless': ['riteless', 'tireless'], 'tirelessness': ['ritelessness', 'tirelessness'], 'tiremaid': ['dimetria', 'mitridae', 'tiremaid', 'triamide'], 'tireman': ['minaret', 'raiment', 'tireman'], 'tirer': ['terri', 'tirer', 'trier'], 'tiresmith': ['tiresmith', 'tritheism'], 'tiresome': ['rosetime', 'timorese', 'tiresome'], 'tirma': ['mitra', 'tarmi', 'timar', 'tirma'], 'tirolean': ['oriental', 'relation', 'tirolean'], 'tirolese': ['literose', 'roselite', 'tirolese'], 'tirve': ['rivet', 'tirve', 'tiver'], 'tisane': ['satine', 'tisane'], 'tisar': ['arist', 'astir', 'sitar', 'stair', 'stria', 'tarsi', 'tisar', 'trias'], 'titan': ['taint', 'tanti', 'tinta', 'titan'], 'titaness': ['antistes', 'titaness'], 'titanic': ['tanitic', 'titanic'], 'titano': ['otiant', 'titano'], 'titanocolumbate': ['columbotitanate', 'titanocolumbate'], 'titanofluoride': ['rotundifoliate', 'titanofluoride'], 'titanosaur': ['saturation', 'titanosaur'], 'titanosilicate': ['silicotitanate', 'titanosilicate'], 'titanous': ['outsaint', 'titanous'], 'titanyl': ['nattily', 'titanyl'], 'titar': ['ratti', 'titar', 'trait'], 'titer': ['titer', 'titre', 'trite'], 'tithable': ['hittable', 'tithable'], 'tither': ['hitter', 'tither'], 'tithonic': ['chinotti', 'tithonic'], 'titien': ['tintie', 'titien'], 'titleboard': ['titleboard', 'trilobated'], 'titler': ['litter', 'tilter', 'titler'], 'titling': ['tilting', 'titling', 'tlingit'], 'titrate': ['attrite', 'titrate'], 'titration': ['attrition', 'titration'], 'titre': ['titer', 'titre', 'trite'], 'tiver': ['rivet', 'tirve', 'tiver'], 'tiza': ['itza', 'tiza', 'zati'], 'tlaco': ['lacto', 'tlaco'], 'tlingit': ['tilting', 'titling', 'tlingit'], 'tmesis': ['misset', 'tmesis'], 'toa': ['oat', 'tao', 'toa'], 'toad': ['doat', 'toad', 'toda'], 'toader': ['doater', 'toader'], 'toadflower': ['floodwater', 'toadflower', 'waterflood'], 'toadier': ['roadite', 'toadier'], 'toadish': ['doatish', 'toadish'], 'toady': ['toady', 'today'], 'toadyish': ['toadyish', 'todayish'], 'toag': ['goat', 'toag', 'toga'], 'toast': ['stoat', 'toast'], 'toaster': ['retoast', 'rosetta', 'stoater', 'toaster'], 'toba': ['boat', 'bota', 'toba'], 'tobe': ['bote', 'tobe'], 'tobiah': ['bhotia', 'tobiah'], 'tobine': ['botein', 'tobine'], 'toccata': ['attacco', 'toccata'], 'tocharese': ['escheator', 'tocharese'], 'tocharian': ['archontia', 'tocharian'], 'tocharic': ['thoracic', 'tocharic', 'trochaic'], 'tocher': ['hector', 'rochet', 'tocher', 'troche'], 'toco': ['coot', 'coto', 'toco'], 'tocogenetic': ['geotectonic', 'tocogenetic'], 'tocometer': ['octometer', 'rectotome', 'tocometer'], 'tocsin': ['nostic', 'sintoc', 'tocsin'], 'tod': ['dot', 'tod'], 'toda': ['doat', 'toad', 'toda'], 'today': ['toady', 'today'], 'todayish': ['toadyish', 'todayish'], 'toddle': ['dodlet', 'toddle'], 'tode': ['dote', 'tode', 'toed'], 'todea': ['deota', 'todea'], 'tody': ['doty', 'tody'], 'toecap': ['capote', 'toecap'], 'toed': ['dote', 'tode', 'toed'], 'toeless': ['osselet', 'sestole', 'toeless'], 'toenail': ['alnoite', 'elation', 'toenail'], 'tog': ['got', 'tog'], 'toga': ['goat', 'toag', 'toga'], 'togaed': ['dogate', 'dotage', 'togaed'], 'togalike': ['goatlike', 'togalike'], 'toggel': ['goglet', 'toggel', 'toggle'], 'toggle': ['goglet', 'toggel', 'toggle'], 'togs': ['stog', 'togs'], 'toher': ['other', 'thore', 'throe', 'toher'], 'toho': ['hoot', 'thoo', 'toho'], 'tohunga': ['hangout', 'tohunga'], 'toi': ['ito', 'toi'], 'toil': ['ilot', 'toil'], 'toiler': ['loiter', 'toiler', 'triole'], 'toilet': ['lottie', 'toilet', 'tolite'], 'toiletry': ['toiletry', 'tyrolite'], 'toise': ['sotie', 'toise'], 'tokay': ['otyak', 'tokay'], 'toke': ['keto', 'oket', 'toke'], 'toko': ['koto', 'toko', 'took'], 'tol': ['lot', 'tol'], 'tolamine': ['lomatine', 'tolamine'], 'tolan': ['notal', 'ontal', 'talon', 'tolan', 'tonal'], 'tolane': ['etalon', 'tolane'], 'told': ['dolt', 'told'], 'tole': ['leto', 'lote', 'tole'], 'toledan': ['taloned', 'toledan'], 'toledo': ['toledo', 'toodle'], 'tolerance': ['antrocele', 'coeternal', 'tolerance'], 'tolerancy': ['alectryon', 'tolerancy'], 'tolidine': ['lindoite', 'tolidine'], 'tolite': ['lottie', 'toilet', 'tolite'], 'tollery': ['tollery', 'trolley'], 'tolly': ['tolly', 'tolyl'], 'tolpatch': ['potlatch', 'tolpatch'], 'tolsey': ['tolsey', 'tylose'], 'tolter': ['lotter', 'rottle', 'tolter'], 'tolu': ['lout', 'tolu'], 'toluic': ['coutil', 'toluic'], 'toluifera': ['foliature', 'toluifera'], 'tolyl': ['tolly', 'tolyl'], 'tom': ['mot', 'tom'], 'toma': ['atmo', 'atom', 'moat', 'toma'], 'toman': ['manto', 'toman'], 'tomas': ['atmos', 'stoma', 'tomas'], 'tombac': ['combat', 'tombac'], 'tome': ['mote', 'tome'], 'tomentose': ['metosteon', 'tomentose'], 'tomial': ['lomita', 'tomial'], 'tomin': ['minot', 'timon', 'tomin'], 'tomographic': ['motographic', 'tomographic'], 'tomorn': ['morton', 'tomorn'], 'tomorrow': ['moorwort', 'rootworm', 'tomorrow', 'wormroot'], 'ton': ['not', 'ton'], 'tonal': ['notal', 'ontal', 'talon', 'tolan', 'tonal'], 'tonalitive': ['levitation', 'tonalitive', 'velitation'], 'tonation': ['notation', 'tonation'], 'tone': ['note', 'tone'], 'toned': ['donet', 'noted', 'toned'], 'toneless': ['noteless', 'toneless'], 'tonelessly': ['notelessly', 'tonelessly'], 'tonelessness': ['notelessness', 'tonelessness'], 'toner': ['noter', 'tenor', 'toner', 'trone'], 'tonetic': ['entotic', 'tonetic'], 'tonetics': ['stenotic', 'tonetics'], 'tonga': ['tango', 'tonga'], 'tongan': ['ganton', 'tongan'], 'tongas': ['sontag', 'tongas'], 'tonger': ['geront', 'tonger'], 'tongrian': ['ignorant', 'tongrian'], 'tongs': ['stong', 'tongs'], 'tonicize': ['nicotize', 'tonicize'], 'tonicoclonic': ['clonicotonic', 'tonicoclonic'], 'tonify': ['notify', 'tonify'], 'tonish': ['histon', 'shinto', 'tonish'], 'tonk': ['knot', 'tonk'], 'tonkin': ['inknot', 'tonkin'], 'tonna': ['anton', 'notan', 'tonna'], 'tonological': ['ontological', 'tonological'], 'tonology': ['ontology', 'tonology'], 'tonsorial': ['tonsorial', 'torsional'], 'tonsure': ['snouter', 'tonsure', 'unstore'], 'tonsured': ['tonsured', 'unsorted', 'unstored'], 'tontine': ['nettion', 'tention', 'tontine'], 'tonus': ['notus', 'snout', 'stoun', 'tonus'], 'tony': ['tony', 'yont'], 'too': ['oto', 'too'], 'toodle': ['toledo', 'toodle'], 'took': ['koto', 'toko', 'took'], 'tool': ['loot', 'tool'], 'tooler': ['looter', 'retool', 'rootle', 'tooler'], 'tooling': ['ilongot', 'tooling'], 'toom': ['moot', 'toom'], 'toon': ['onto', 'oont', 'toon'], 'toona': ['naoto', 'toona'], 'toop': ['poot', 'toop', 'topo'], 'toosh': ['shoot', 'sooth', 'sotho', 'toosh'], 'toot': ['otto', 'toot', 'toto'], 'toother': ['retooth', 'toother'], 'toothpick': ['picktooth', 'toothpick'], 'tootler': ['rootlet', 'tootler'], 'top': ['opt', 'pot', 'top'], 'toparch': ['caphtor', 'toparch'], 'topass': ['potass', 'topass'], 'topchrome': ['ectomorph', 'topchrome'], 'tope': ['peto', 'poet', 'pote', 'tope'], 'toper': ['poter', 'prote', 'repot', 'tepor', 'toper', 'trope'], 'topfull': ['plotful', 'topfull'], 'toph': ['phot', 'toph'], 'tophus': ['tophus', 'upshot'], 'topia': ['patio', 'taipo', 'topia'], 'topiarist': ['parotitis', 'topiarist'], 'topic': ['optic', 'picot', 'topic'], 'topical': ['capitol', 'coalpit', 'optical', 'topical'], 'topically': ['optically', 'topically'], 'toplike': ['kitlope', 'potlike', 'toplike'], 'topline': ['pointel', 'pontile', 'topline'], 'topmaker': ['potmaker', 'topmaker'], 'topmaking': ['potmaking', 'topmaking'], 'topman': ['potman', 'tampon', 'topman'], 'topmast': ['tapmost', 'topmast'], 'topo': ['poot', 'toop', 'topo'], 'topographics': ['coprophagist', 'topographics'], 'topography': ['optography', 'topography'], 'topological': ['optological', 'topological'], 'topologist': ['optologist', 'topologist'], 'topology': ['optology', 'topology'], 'toponymal': ['monotypal', 'toponymal'], 'toponymic': ['monotypic', 'toponymic'], 'toponymical': ['monotypical', 'toponymical'], 'topophone': ['optophone', 'topophone'], 'topotype': ['optotype', 'topotype'], 'topple': ['loppet', 'topple'], 'toppler': ['preplot', 'toppler'], 'toprail': ['portail', 'toprail'], 'tops': ['post', 'spot', 'stop', 'tops'], 'topsail': ['apostil', 'topsail'], 'topside': ['deposit', 'topside'], 'topsman': ['postman', 'topsman'], 'topsoil': ['loopist', 'poloist', 'topsoil'], 'topstone': ['potstone', 'topstone'], 'toptail': ['ptilota', 'talipot', 'toptail'], 'toque': ['quote', 'toque'], 'tor': ['ort', 'rot', 'tor'], 'tora': ['rota', 'taro', 'tora'], 'toral': ['latro', 'rotal', 'toral'], 'toran': ['orant', 'rotan', 'toran', 'trona'], 'torbanite': ['abortient', 'torbanite'], 'torcel': ['colter', 'lector', 'torcel'], 'torch': ['chort', 'rotch', 'torch'], 'tore': ['rote', 'tore'], 'tored': ['doter', 'tored', 'trode'], 'torenia': ['otarine', 'torenia'], 'torero': ['reroot', 'rooter', 'torero'], 'toreutics': ['tetricous', 'toreutics'], 'torfel': ['floret', 'forlet', 'lofter', 'torfel'], 'torgot': ['grotto', 'torgot'], 'toric': ['toric', 'troic'], 'torinese': ['serotine', 'torinese'], 'torma': ['amort', 'morat', 'torma'], 'tormen': ['mentor', 'merton', 'termon', 'tormen'], 'tormina': ['amintor', 'tormina'], 'torn': ['torn', 'tron'], 'tornachile': ['chlorinate', 'ectorhinal', 'tornachile'], 'tornado': ['donator', 'odorant', 'tornado'], 'tornal': ['latron', 'lontar', 'tornal'], 'tornaria': ['rotarian', 'tornaria'], 'tornarian': ['narration', 'tornarian'], 'tornese': ['enstore', 'estrone', 'storeen', 'tornese'], 'torney': ['torney', 'tyrone'], 'tornit': ['intort', 'tornit', 'triton'], 'tornus': ['tornus', 'unsort'], 'toro': ['root', 'roto', 'toro'], 'torose': ['seroot', 'sooter', 'torose'], 'torpent': ['portent', 'torpent'], 'torpescent': ['precontest', 'torpescent'], 'torpid': ['torpid', 'tripod'], 'torpify': ['portify', 'torpify'], 'torpor': ['portor', 'torpor'], 'torque': ['quoter', 'roquet', 'torque'], 'torques': ['questor', 'torques'], 'torrubia': ['rubiator', 'torrubia'], 'torsade': ['rosated', 'torsade'], 'torse': ['roset', 'rotse', 'soter', 'stero', 'store', 'torse'], 'torsel': ['relost', 'reslot', 'rostel', 'sterol', 'torsel'], 'torsile': ['estriol', 'torsile'], 'torsion': ['isotron', 'torsion'], 'torsional': ['tonsorial', 'torsional'], 'torsk': ['stork', 'torsk'], 'torso': ['roost', 'torso'], 'torsten': ['snotter', 'stentor', 'torsten'], 'tort': ['tort', 'trot'], 'torta': ['ottar', 'tarot', 'torta', 'troat'], 'torteau': ['outrate', 'outtear', 'torteau'], 'torticone': ['torticone', 'tritocone'], 'tortile': ['lotrite', 'tortile', 'triolet'], 'tortilla': ['littoral', 'tortilla'], 'tortonian': ['intonator', 'tortonian'], 'tortrices': ['tortrices', 'trisector'], 'torture': ['torture', 'trouter', 'tutorer'], 'toru': ['rout', 'toru', 'tour'], 'torula': ['rotula', 'torula'], 'torulaform': ['formulator', 'torulaform'], 'toruliform': ['rotuliform', 'toruliform'], 'torulose': ['outsoler', 'torulose'], 'torulus': ['rotulus', 'torulus'], 'torus': ['roust', 'rusot', 'stour', 'sutor', 'torus'], 'torve': ['overt', 'rovet', 'torve', 'trove', 'voter'], 'tory': ['royt', 'ryot', 'tory', 'troy', 'tyro'], 'toryish': ['history', 'toryish'], 'toryism': ['toryism', 'trisomy'], 'tosephtas': ['posthaste', 'tosephtas'], 'tosh': ['host', 'shot', 'thos', 'tosh'], 'tosher': ['hoster', 'tosher'], 'toshly': ['hostly', 'toshly'], 'toshnail': ['histonal', 'toshnail'], 'toss': ['sots', 'toss'], 'tosser': ['retoss', 'tosser'], 'tossily': ['tossily', 'tylosis'], 'tossup': ['tossup', 'uptoss'], 'tost': ['stot', 'tost'], 'total': ['lotta', 'total'], 'totanine': ['intonate', 'totanine'], 'totaquin': ['quintato', 'totaquin'], 'totchka': ['hattock', 'totchka'], 'totem': ['motet', 'motte', 'totem'], 'toter': ['ortet', 'otter', 'toter'], 'tother': ['hotter', 'tother'], 'toto': ['otto', 'toot', 'toto'], 'toty': ['toty', 'tyto'], 'tou': ['out', 'tou'], 'toucan': ['toucan', 'tucano', 'uncoat'], 'touch': ['couth', 'thuoc', 'touch'], 'toucher': ['retouch', 'toucher'], 'touchily': ['couthily', 'touchily'], 'touchiness': ['couthiness', 'touchiness'], 'touching': ['touching', 'ungothic'], 'touchless': ['couthless', 'touchless'], 'toug': ['gout', 'toug'], 'tough': ['ought', 'tough'], 'toughness': ['oughtness', 'toughness'], 'toup': ['pout', 'toup'], 'tour': ['rout', 'toru', 'tour'], 'tourer': ['retour', 'router', 'tourer'], 'touring': ['outgrin', 'outring', 'routing', 'touring'], 'tourism': ['sumitro', 'tourism'], 'touristy': ['touristy', 'yttrious'], 'tourmalinic': ['latrocinium', 'tourmalinic'], 'tournamental': ['tournamental', 'ultramontane'], 'tourte': ['tourte', 'touter'], 'tousche': ['souchet', 'techous', 'tousche'], 'touser': ['ouster', 'souter', 'touser', 'trouse'], 'tousle': ['lutose', 'solute', 'tousle'], 'touter': ['tourte', 'touter'], 'tovaria': ['aviator', 'tovaria'], 'tow': ['tow', 'two', 'wot'], 'towel': ['owlet', 'towel'], 'tower': ['rowet', 'tower', 'wrote'], 'town': ['nowt', 'town', 'wont'], 'towned': ['towned', 'wonted'], 'towser': ['restow', 'stower', 'towser', 'worset'], 'towy': ['towy', 'yowt'], 'toxemia': ['oximate', 'toxemia'], 'toy': ['toy', 'yot'], 'toyer': ['royet', 'toyer'], 'toyful': ['outfly', 'toyful'], 'toyless': ['systole', 'toyless'], 'toysome': ['myosote', 'toysome'], 'tozer': ['terzo', 'tozer'], 'tra': ['art', 'rat', 'tar', 'tra'], 'trabea': ['abater', 'artabe', 'eartab', 'trabea'], 'trace': ['caret', 'carte', 'cater', 'crate', 'creat', 'creta', 'react', 'recta', 'trace'], 'traceable': ['creatable', 'traceable'], 'tracer': ['arrect', 'carter', 'crater', 'recart', 'tracer'], 'tracheata': ['cathartae', 'tracheata'], 'trachelitis': ['thersitical', 'trachelitis'], 'tracheolaryngotomy': ['laryngotracheotomy', 'tracheolaryngotomy'], 'trachinoid': ['anhidrotic', 'trachinoid'], 'trachitis': ['citharist', 'trachitis'], 'trachle': ['clethra', 'latcher', 'ratchel', 'relatch', 'talcher', 'trachle'], 'trachoma': ['achromat', 'trachoma'], 'trachylinae': ['chatelainry', 'trachylinae'], 'trachyte': ['chattery', 'ratchety', 'trachyte'], 'tracker': ['retrack', 'tracker'], 'trackside': ['sidetrack', 'trackside'], 'tractator': ['attractor', 'tractator'], 'tractile': ['tetrical', 'tractile'], 'tracy': ['carty', 'tracy'], 'trade': ['dater', 'derat', 'detar', 'drate', 'rated', 'trade', 'tread'], 'trader': ['darter', 'dartre', 'redart', 'retard', 'retrad', 'tarred', 'trader'], 'trading': ['darting', 'trading'], 'tradite': ['attired', 'tradite'], 'traditioner': ['retradition', 'traditioner'], 'traditionism': ['mistradition', 'traditionism'], 'traditorship': ['podarthritis', 'traditorship'], 'traducent': ['reductant', 'traducent', 'truncated'], 'trady': ['tardy', 'trady'], 'trag': ['grat', 'trag'], 'tragedial': ['taligrade', 'tragedial'], 'tragicomedy': ['comitragedy', 'tragicomedy'], 'tragulina': ['tragulina', 'triangula'], 'traguline': ['granulite', 'traguline'], 'trah': ['hart', 'rath', 'tahr', 'thar', 'trah'], 'traheen': ['earthen', 'enheart', 'hearten', 'naether', 'teheran', 'traheen'], 'traik': ['kitar', 'krait', 'rakit', 'traik'], 'trail': ['litra', 'trail', 'trial'], 'trailer': ['retiral', 'retrial', 'trailer'], 'trailery': ['literary', 'trailery'], 'trailing': ['ringtail', 'trailing'], 'trailside': ['dialister', 'trailside'], 'train': ['riant', 'tairn', 'tarin', 'train'], 'trainable': ['albertina', 'trainable'], 'trainage': ['antiager', 'trainage'], 'trainboy': ['bonitary', 'trainboy'], 'trained': ['antired', 'detrain', 'randite', 'trained'], 'trainee': ['enteria', 'trainee', 'triaene'], 'trainer': ['arterin', 'retrain', 'terrain', 'trainer'], 'trainless': ['sternalis', 'trainless'], 'trainster': ['restraint', 'retransit', 'trainster', 'transiter'], 'traintime': ['intimater', 'traintime'], 'trainy': ['rytina', 'trainy', 'tyrian'], 'traipse': ['piaster', 'piastre', 'raspite', 'spirate', 'traipse'], 'trait': ['ratti', 'titar', 'trait'], 'tram': ['mart', 'tram'], 'trama': ['matar', 'matra', 'trama'], 'tramal': ['matral', 'tramal'], 'trame': ['armet', 'mater', 'merat', 'metra', 'ramet', 'tamer', 'terma', 'trame', 'trema'], 'trametes': ['teamster', 'trametes'], 'tramline': ['terminal', 'tramline'], 'tramper': ['retramp', 'tramper'], 'trample': ['templar', 'trample'], 'trampoline': ['intemporal', 'trampoline'], 'tran': ['natr', 'rant', 'tarn', 'tran'], 'trance': ['canter', 'creant', 'cretan', 'nectar', 'recant', 'tanrec', 'trance'], 'tranced': ['cantred', 'centrad', 'tranced'], 'trancelike': ['nectarlike', 'trancelike'], 'trankum': ['trankum', 'turkman'], 'transamination': ['transamination', 'transanimation'], 'transanimation': ['transamination', 'transanimation'], 'transept': ['prestant', 'transept'], 'transeptally': ['platysternal', 'transeptally'], 'transformer': ['retransform', 'transformer'], 'transfuge': ['afterguns', 'transfuge'], 'transient': ['instanter', 'transient'], 'transigent': ['astringent', 'transigent'], 'transimpression': ['pretransmission', 'transimpression'], 'transire': ['restrain', 'strainer', 'transire'], 'transit': ['straint', 'transit', 'tristan'], 'transiter': ['restraint', 'retransit', 'trainster', 'transiter'], 'transitive': ['revisitant', 'transitive'], 'transmarine': ['strainerman', 'transmarine'], 'transmit': ['tantrism', 'transmit'], 'transmold': ['landstorm', 'transmold'], 'transoceanic': ['narcaciontes', 'transoceanic'], 'transonic': ['constrain', 'transonic'], 'transpire': ['prestrain', 'transpire'], 'transplanter': ['retransplant', 'transplanter'], 'transportee': ['paternoster', 'prosternate', 'transportee'], 'transporter': ['retransport', 'transporter'], 'transpose': ['patroness', 'transpose'], 'transposer': ['transposer', 'transprose'], 'transprose': ['transposer', 'transprose'], 'trap': ['part', 'prat', 'rapt', 'tarp', 'trap'], 'trapa': ['apart', 'trapa'], 'trapes': ['paster', 'repast', 'trapes'], 'trapfall': ['pratfall', 'trapfall'], 'traphole': ['plethora', 'traphole'], 'trappean': ['apparent', 'trappean'], 'traps': ['spart', 'sprat', 'strap', 'traps'], 'traship': ['harpist', 'traship'], 'trasy': ['satyr', 'stary', 'stray', 'trasy'], 'traulism': ['altruism', 'muralist', 'traulism', 'ultraism'], 'trauma': ['taruma', 'trauma'], 'travale': ['larvate', 'lavaret', 'travale'], 'trave': ['avert', 'tarve', 'taver', 'trave'], 'travel': ['travel', 'varlet'], 'traveler': ['retravel', 'revertal', 'traveler'], 'traversion': ['overstrain', 'traversion'], 'travertine': ['travertine', 'trinervate'], 'travoy': ['travoy', 'votary'], 'tray': ['arty', 'atry', 'tray'], 'treacle': ['electra', 'treacle'], 'tread': ['dater', 'derat', 'detar', 'drate', 'rated', 'trade', 'tread'], 'treader': ['derater', 'retrade', 'retread', 'treader'], 'treading': ['gradient', 'treading'], 'treadle': ['delater', 'related', 'treadle'], 'treason': ['noreast', 'rosetan', 'seatron', 'senator', 'treason'], 'treasonish': ['astonisher', 'reastonish', 'treasonish'], 'treasonist': ['steatornis', 'treasonist'], 'treasonous': ['anoestrous', 'treasonous'], 'treasurer': ['serrature', 'treasurer'], 'treat': ['atter', 'tater', 'teart', 'tetra', 'treat'], 'treatably': ['tabletary', 'treatably'], 'treatee': ['ateeter', 'treatee'], 'treater': ['ettarre', 'retreat', 'treater'], 'treatise': ['estriate', 'treatise'], 'treaty': ['attery', 'treaty', 'yatter'], 'treble': ['belter', 'elbert', 'treble'], 'treculia': ['arculite', 'cutleria', 'lucretia', 'reticula', 'treculia'], 'tree': ['reet', 'teer', 'tree'], 'treed': ['deter', 'treed'], 'treeful': ['fleuret', 'treeful'], 'treehood': ['theodore', 'treehood'], 'treemaker': ['marketeer', 'treemaker'], 'treeman': ['remanet', 'remeant', 'treeman'], 'treen': ['enter', 'neter', 'renet', 'terne', 'treen'], 'treenail': ['elaterin', 'entailer', 'treenail'], 'treeship': ['hepteris', 'treeship'], 'tref': ['fret', 'reft', 'tref'], 'trefle': ['felter', 'telfer', 'trefle'], 'trellis': ['stiller', 'trellis'], 'trema': ['armet', 'mater', 'merat', 'metra', 'ramet', 'tamer', 'terma', 'trame', 'trema'], 'trematoid': ['meditator', 'trematoid'], 'tremella': ['realmlet', 'tremella'], 'tremie': ['metier', 'retime', 'tremie'], 'tremolo': ['roomlet', 'tremolo'], 'tremor': ['termor', 'tremor'], 'trenail': ['entrail', 'latiner', 'latrine', 'ratline', 'reliant', 'retinal', 'trenail'], 'trenchant': ['centranth', 'trenchant'], 'trencher': ['retrench', 'trencher'], 'trenchmaster': ['stretcherman', 'trenchmaster'], 'trenchwise': ['trenchwise', 'winchester'], 'trentine': ['renitent', 'trentine'], 'trepan': ['arpent', 'enrapt', 'entrap', 'panter', 'parent', 'pretan', 'trepan'], 'trephine': ['nephrite', 'prehnite', 'trephine'], 'trepid': ['dipter', 'trepid'], 'trepidation': ['departition', 'partitioned', 'trepidation'], 'treron': ['terron', 'treron', 'troner'], 'treronidae': ['reordinate', 'treronidae'], 'tressed': ['dessert', 'tressed'], 'tressful': ['tressful', 'turfless'], 'tressour': ['tressour', 'trousers'], 'trest': ['stert', 'stret', 'trest'], 'trestle': ['settler', 'sterlet', 'trestle'], 'trevor': ['trevor', 'trover'], 'trews': ['strew', 'trews', 'wrest'], 'trey': ['trey', 'tyre'], 'tri': ['rit', 'tri'], 'triable': ['betrail', 'librate', 'triable', 'trilabe'], 'triace': ['acrite', 'arcite', 'tercia', 'triace', 'tricae'], 'triacid': ['arctiid', 'triacid', 'triadic'], 'triacontane': ['recantation', 'triacontane'], 'triaconter': ['retraction', 'triaconter'], 'triactine': ['intricate', 'triactine'], 'triadic': ['arctiid', 'triacid', 'triadic'], 'triadical': ['raticidal', 'triadical'], 'triadist': ['distrait', 'triadist'], 'triaene': ['enteria', 'trainee', 'triaene'], 'triage': ['gaiter', 'tairge', 'triage'], 'trial': ['litra', 'trail', 'trial'], 'trialism': ['mistrial', 'trialism'], 'trialist': ['taistril', 'trialist'], 'triamide': ['dimetria', 'mitridae', 'tiremaid', 'triamide'], 'triamino': ['miniator', 'triamino'], 'triandria': ['irradiant', 'triandria'], 'triangle': ['integral', 'teraglin', 'triangle'], 'triangula': ['tragulina', 'triangula'], 'triannual': ['innatural', 'triannual'], 'triannulate': ['antineutral', 'triannulate'], 'triantelope': ['interpolate', 'triantelope'], 'triapsidal': ['lapidarist', 'triapsidal'], 'triareal': ['arterial', 'triareal'], 'trias': ['arist', 'astir', 'sitar', 'stair', 'stria', 'tarsi', 'tisar', 'trias'], 'triassic': ['sarcitis', 'triassic'], 'triazane': ['nazarite', 'nazirate', 'triazane'], 'triazine': ['nazirite', 'triazine'], 'tribade': ['redbait', 'tribade'], 'tribase': ['baister', 'tribase'], 'tribe': ['biter', 'tribe'], 'tribelet': ['belitter', 'tribelet'], 'triblet': ['blitter', 'brittle', 'triblet'], 'tribonema': ['brominate', 'tribonema'], 'tribuna': ['arbutin', 'tribuna'], 'tribunal': ['tribunal', 'turbinal', 'untribal'], 'tribunate': ['tribunate', 'turbinate'], 'tribune': ['tribune', 'tuberin', 'turbine'], 'tricae': ['acrite', 'arcite', 'tercia', 'triace', 'tricae'], 'trice': ['citer', 'recti', 'ticer', 'trice'], 'tricennial': ['encrinital', 'tricennial'], 'triceratops': ['tetrasporic', 'triceratops'], 'triceria': ['criteria', 'triceria'], 'tricerion': ['criterion', 'tricerion'], 'tricerium': ['criterium', 'tricerium'], 'trichinous': ['trichinous', 'unhistoric'], 'trichogyne': ['thyrogenic', 'trichogyne'], 'trichoid': ['hidrotic', 'trichoid'], 'trichomanes': ['anchoretism', 'trichomanes'], 'trichome': ['chromite', 'trichome'], 'trichopore': ['horopteric', 'rheotropic', 'trichopore'], 'trichosis': ['historics', 'trichosis'], 'trichosporum': ['sporotrichum', 'trichosporum'], 'trichroic': ['cirrhotic', 'trichroic'], 'trichroism': ['trichroism', 'triorchism'], 'trichromic': ['microcrith', 'trichromic'], 'tricia': ['iatric', 'tricia'], 'trickle': ['tickler', 'trickle'], 'triclinate': ['intractile', 'triclinate'], 'tricolumnar': ['tricolumnar', 'ultramicron'], 'tricosane': ['atroscine', 'certosina', 'ostracine', 'tinoceras', 'tricosane'], 'tridacna': ['antacrid', 'cardiant', 'radicant', 'tridacna'], 'tridecane': ['nectaried', 'tridecane'], 'tridecene': ['intercede', 'tridecene'], 'tridecyl': ['directly', 'tridecyl'], 'tridiapason': ['disparation', 'tridiapason'], 'tried': ['diter', 'tired', 'tried'], 'triedly': ['tiredly', 'triedly'], 'triene': ['entire', 'triene'], 'triens': ['estrin', 'insert', 'sinter', 'sterin', 'triens'], 'triental': ['tetralin', 'triental'], 'triequal': ['quartile', 'requital', 'triequal'], 'trier': ['terri', 'tirer', 'trier'], 'trifle': ['fertil', 'filter', 'lifter', 'relift', 'trifle'], 'trifler': ['flirter', 'trifler'], 'triflet': ['flitter', 'triflet'], 'trifling': ['flirting', 'trifling'], 'triflingly': ['flirtingly', 'triflingly'], 'trifolium': ['lituiform', 'trifolium'], 'trig': ['girt', 'grit', 'trig'], 'trigona': ['grotian', 'trigona'], 'trigone': ['ergotin', 'genitor', 'negrito', 'ogtiern', 'trigone'], 'trigonia': ['rigation', 'trigonia'], 'trigonid': ['trigonid', 'tringoid'], 'trigyn': ['trigyn', 'trying'], 'trilabe': ['betrail', 'librate', 'triable', 'trilabe'], 'trilineate': ['retinalite', 'trilineate'], 'trilisa': ['liatris', 'trilisa'], 'trillet': ['rillett', 'trillet'], 'trilobate': ['latrobite', 'trilobate'], 'trilobated': ['titleboard', 'trilobated'], 'trimacular': ['matricular', 'trimacular'], 'trimensual': ['neutralism', 'trimensual'], 'trimer': ['mitrer', 'retrim', 'trimer'], 'trimesic': ['meristic', 'trimesic', 'trisemic'], 'trimesitinic': ['interimistic', 'trimesitinic'], 'trimesyl': ['trimesyl', 'tylerism'], 'trimeter': ['remitter', 'trimeter'], 'trimstone': ['sortiment', 'trimstone'], 'trinalize': ['latinizer', 'trinalize'], 'trindle': ['tendril', 'trindle'], 'trine': ['inert', 'inter', 'niter', 'retin', 'trine'], 'trinely': ['elytrin', 'inertly', 'trinely'], 'trinervate': ['travertine', 'trinervate'], 'trinerve': ['inverter', 'reinvert', 'trinerve'], 'trineural': ['retinular', 'trineural'], 'tringa': ['rating', 'tringa'], 'tringle': ['ringlet', 'tingler', 'tringle'], 'tringoid': ['trigonid', 'tringoid'], 'trinket': ['knitter', 'trinket'], 'trinkle': ['tinkler', 'trinkle'], 'trinoctial': ['tinctorial', 'trinoctial'], 'trinodine': ['rendition', 'trinodine'], 'trintle': ['lettrin', 'trintle'], 'trio': ['riot', 'roit', 'trio'], 'triode': ['editor', 'triode'], 'trioecism': ['eroticism', 'isometric', 'meroistic', 'trioecism'], 'triole': ['loiter', 'toiler', 'triole'], 'trioleic': ['elicitor', 'trioleic'], 'triolet': ['lotrite', 'tortile', 'triolet'], 'trionymal': ['normality', 'trionymal'], 'triopidae': ['poritidae', 'triopidae'], 'triops': ['ripost', 'triops', 'tripos'], 'triorchism': ['trichroism', 'triorchism'], 'triose': ['restio', 'sorite', 'sortie', 'triose'], 'tripe': ['perit', 'retip', 'tripe'], 'tripedal': ['dipteral', 'tripedal'], 'tripel': ['tripel', 'triple'], 'tripeman': ['imperant', 'pairment', 'partimen', 'premiant', 'tripeman'], 'tripersonal': ['intersporal', 'tripersonal'], 'tripestone': ['septentrio', 'tripestone'], 'triphane': ['perianth', 'triphane'], 'triplane': ['interlap', 'repliant', 'triplane'], 'triplasian': ['airplanist', 'triplasian'], 'triplasic': ['pilastric', 'triplasic'], 'triple': ['tripel', 'triple'], 'triplice': ['perlitic', 'triplice'], 'triplopia': ['propitial', 'triplopia'], 'tripod': ['torpid', 'tripod'], 'tripodal': ['dioptral', 'tripodal'], 'tripodic': ['dioptric', 'tripodic'], 'tripodical': ['dioptrical', 'tripodical'], 'tripody': ['dioptry', 'tripody'], 'tripos': ['ripost', 'triops', 'tripos'], 'trippist': ['strippit', 'trippist'], 'tripple': ['ripplet', 'tippler', 'tripple'], 'tripsis': ['pristis', 'tripsis'], 'tripsome': ['imposter', 'tripsome'], 'tripudiant': ['antiputrid', 'tripudiant'], 'tripyrenous': ['neurotripsy', 'tripyrenous'], 'triratna': ['tartarin', 'triratna'], 'trireme': ['meriter', 'miterer', 'trireme'], 'trisalt': ['starlit', 'trisalt'], 'trisected': ['decretist', 'trisected'], 'trisector': ['tortrices', 'trisector'], 'trisemic': ['meristic', 'trimesic', 'trisemic'], 'trisetose': ['esoterist', 'trisetose'], 'trishna': ['tarnish', 'trishna'], 'trisilane': ['listerian', 'trisilane'], 'triskele': ['kreistle', 'triskele'], 'trismus': ['sistrum', 'trismus'], 'trisome': ['erotism', 'mortise', 'trisome'], 'trisomy': ['toryism', 'trisomy'], 'trisonant': ['strontian', 'trisonant'], 'trispinose': ['pirssonite', 'trispinose'], 'trist': ['strit', 'trist'], 'tristan': ['straint', 'transit', 'tristan'], 'trisula': ['latirus', 'trisula'], 'trisulcate': ['testicular', 'trisulcate'], 'tritanope': ['antitrope', 'patronite', 'tritanope'], 'tritanopic': ['antitropic', 'tritanopic'], 'trite': ['titer', 'titre', 'trite'], 'tritely': ['littery', 'tritely'], 'triterpene': ['preterient', 'triterpene'], 'tritheism': ['tiresmith', 'tritheism'], 'trithionate': ['anorthitite', 'trithionate'], 'tritocone': ['torticone', 'tritocone'], 'tritoma': ['mattoir', 'tritoma'], 'triton': ['intort', 'tornit', 'triton'], 'triune': ['runite', 'triune', 'uniter', 'untire'], 'trivalence': ['cantilever', 'trivalence'], 'trivial': ['trivial', 'vitrail'], 'trivialist': ['trivialist', 'vitrailist'], 'troat': ['ottar', 'tarot', 'torta', 'troat'], 'troca': ['actor', 'corta', 'croat', 'rocta', 'taroc', 'troca'], 'trocar': ['carrot', 'trocar'], 'trochaic': ['thoracic', 'tocharic', 'trochaic'], 'trochate': ['theocrat', 'trochate'], 'troche': ['hector', 'rochet', 'tocher', 'troche'], 'trochi': ['chorti', 'orthic', 'thoric', 'trochi'], 'trochidae': ['charioted', 'trochidae'], 'trochila': ['acrolith', 'trochila'], 'trochilic': ['chloritic', 'trochilic'], 'trochlea': ['chlorate', 'trochlea'], 'trochlearis': ['rhetoricals', 'trochlearis'], 'trode': ['doter', 'tored', 'trode'], 'trog': ['grot', 'trog'], 'trogonidae': ['derogation', 'trogonidae'], 'troiades': ['asteroid', 'troiades'], 'troic': ['toric', 'troic'], 'troika': ['korait', 'troika'], 'trolley': ['tollery', 'trolley'], 'tromba': ['tambor', 'tromba'], 'trombe': ['retomb', 'trombe'], 'trompe': ['emptor', 'trompe'], 'tron': ['torn', 'tron'], 'trona': ['orant', 'rotan', 'toran', 'trona'], 'tronage': ['negator', 'tronage'], 'trone': ['noter', 'tenor', 'toner', 'trone'], 'troner': ['terron', 'treron', 'troner'], 'troop': ['porto', 'proto', 'troop'], 'trooper': ['protore', 'trooper'], 'tropaeolum': ['pleurotoma', 'tropaeolum'], 'tropaion': ['opinator', 'tropaion'], 'tropal': ['patrol', 'portal', 'tropal'], 'troparion': ['proration', 'troparion'], 'tropary': ['parroty', 'portray', 'tropary'], 'trope': ['poter', 'prote', 'repot', 'tepor', 'toper', 'trope'], 'tropeic': ['perotic', 'proteic', 'tropeic'], 'tropeine': ['ereption', 'tropeine'], 'troper': ['porret', 'porter', 'report', 'troper'], 'trophema': ['metaphor', 'trophema'], 'trophesial': ['hospitaler', 'trophesial'], 'trophical': ['carpolith', 'politarch', 'trophical'], 'trophodisc': ['doctorship', 'trophodisc'], 'trophonema': ['homopteran', 'trophonema'], 'trophotropic': ['prototrophic', 'trophotropic'], 'tropical': ['plicator', 'tropical'], 'tropically': ['polycitral', 'tropically'], 'tropidine': ['direption', 'perdition', 'tropidine'], 'tropine': ['pointer', 'protein', 'pterion', 'repoint', 'tropine'], 'tropism': ['primost', 'tropism'], 'tropist': ['protist', 'tropist'], 'tropistic': ['proctitis', 'protistic', 'tropistic'], 'tropophyte': ['protophyte', 'tropophyte'], 'tropophytic': ['protophytic', 'tropophytic'], 'tropyl': ['portly', 'protyl', 'tropyl'], 'trostera': ['rostrate', 'trostera'], 'trot': ['tort', 'trot'], 'troth': ['thort', 'troth'], 'trotline': ['interlot', 'trotline'], 'trouble': ['boulter', 'trouble'], 'troughy': ['troughy', 'yoghurt'], 'trounce': ['cornute', 'counter', 'recount', 'trounce'], 'troupe': ['pouter', 'roupet', 'troupe'], 'trouse': ['ouster', 'souter', 'touser', 'trouse'], 'trouser': ['rouster', 'trouser'], 'trouserian': ['souterrain', 'ternarious', 'trouserian'], 'trousers': ['tressour', 'trousers'], 'trout': ['trout', 'tutor'], 'trouter': ['torture', 'trouter', 'tutorer'], 'troutless': ['troutless', 'tutorless'], 'trouty': ['trouty', 'tryout', 'tutory'], 'trouvere': ['overtrue', 'overture', 'trouvere'], 'trove': ['overt', 'rovet', 'torve', 'trove', 'voter'], 'trover': ['trevor', 'trover'], 'trow': ['trow', 'wort'], 'trowel': ['rowlet', 'trowel', 'wolter'], 'troy': ['royt', 'ryot', 'tory', 'troy', 'tyro'], 'truandise': ['disnature', 'sturnidae', 'truandise'], 'truant': ['truant', 'turtan'], 'trub': ['brut', 'burt', 'trub', 'turb'], 'trubu': ['burut', 'trubu'], 'truce': ['cruet', 'eruct', 'recut', 'truce'], 'truceless': ['cutleress', 'lecturess', 'truceless'], 'trucial': ['curtail', 'trucial'], 'trucks': ['struck', 'trucks'], 'truculent': ['truculent', 'unclutter'], 'truelove': ['revolute', 'truelove'], 'truffle': ['fretful', 'truffle'], 'trug': ['gurt', 'trug'], 'truistical': ['altruistic', 'truistical', 'ultraistic'], 'truly': ['rutyl', 'truly'], 'trumperiness': ['surprisement', 'trumperiness'], 'trumpie': ['imputer', 'trumpie'], 'trun': ['runt', 'trun', 'turn'], 'truncated': ['reductant', 'traducent', 'truncated'], 'trundle': ['rundlet', 'trundle'], 'trush': ['hurst', 'trush'], 'trusion': ['nitrous', 'trusion'], 'trust': ['strut', 'sturt', 'trust'], 'trustee': ['surette', 'trustee'], 'trusteeism': ['sestertium', 'trusteeism'], 'trusten': ['entrust', 'stunter', 'trusten'], 'truster': ['retrust', 'truster'], 'trustle': ['slutter', 'trustle'], 'truth': ['thurt', 'truth'], 'trying': ['trigyn', 'trying'], 'tryma': ['marty', 'tryma'], 'tryout': ['trouty', 'tryout', 'tutory'], 'trypa': ['party', 'trypa'], 'trypan': ['pantry', 'trypan'], 'tryptase': ['tapestry', 'tryptase'], 'tsar': ['sart', 'star', 'stra', 'tars', 'tsar'], 'tsardom': ['stardom', 'tsardom'], 'tsarina': ['artisan', 'astrain', 'sartain', 'tsarina'], 'tsarship': ['starship', 'tsarship'], 'tsatlee': ['atelets', 'tsatlee'], 'tsere': ['ester', 'estre', 'reest', 'reset', 'steer', 'stere', 'stree', 'terse', 'tsere'], 'tsetse': ['sestet', 'testes', 'tsetse'], 'tshi': ['hist', 'sith', 'this', 'tshi'], 'tsia': ['atis', 'sita', 'tsia'], 'tsine': ['inset', 'neist', 'snite', 'stein', 'stine', 'tsine'], 'tsiology': ['sitology', 'tsiology'], 'tsoneca': ['costean', 'tsoneca'], 'tsonecan': ['noncaste', 'tsonecan'], 'tsuga': ['agust', 'tsuga'], 'tsuma': ['matsu', 'tamus', 'tsuma'], 'tsun': ['stun', 'sunt', 'tsun'], 'tu': ['tu', 'ut'], 'tua': ['tau', 'tua', 'uta'], 'tuan': ['antu', 'aunt', 'naut', 'taun', 'tuan', 'tuna'], 'tuareg': ['argute', 'guetar', 'rugate', 'tuareg'], 'tuarn': ['arnut', 'tuarn', 'untar'], 'tub': ['but', 'tub'], 'tuba': ['abut', 'tabu', 'tuba'], 'tubae': ['butea', 'taube', 'tubae'], 'tubal': ['balut', 'tubal'], 'tubar': ['bruta', 'tubar'], 'tubate': ['battue', 'tubate'], 'tube': ['bute', 'tebu', 'tube'], 'tuber': ['brute', 'buret', 'rebut', 'tuber'], 'tubercula': ['lucubrate', 'tubercula'], 'tuberin': ['tribune', 'tuberin', 'turbine'], 'tuberless': ['butleress', 'tuberless'], 'tublet': ['buttle', 'tublet'], 'tuboovarial': ['ovariotubal', 'tuboovarial'], 'tucana': ['canaut', 'tucana'], 'tucano': ['toucan', 'tucano', 'uncoat'], 'tuchun': ['tuchun', 'uncuth'], 'tucker': ['retuck', 'tucker'], 'tue': ['tue', 'ute'], 'tueiron': ['routine', 'tueiron'], 'tug': ['gut', 'tug'], 'tughra': ['raught', 'tughra'], 'tugless': ['gutless', 'tugless'], 'tuglike': ['gutlike', 'tuglike'], 'tugman': ['tangum', 'tugman'], 'tuism': ['muist', 'tuism'], 'tuke': ['ketu', 'teuk', 'tuke'], 'tukra': ['kraut', 'tukra'], 'tulare': ['tulare', 'uretal'], 'tulasi': ['situal', 'situla', 'tulasi'], 'tulchan': ['tulchan', 'unlatch'], 'tule': ['lute', 'tule'], 'tulipa': ['tipula', 'tulipa'], 'tulisan': ['latinus', 'tulisan', 'unalist'], 'tulsi': ['litus', 'sluit', 'tulsi'], 'tumbler': ['tumbler', 'tumbrel'], 'tumbrel': ['tumbler', 'tumbrel'], 'tume': ['mute', 'tume'], 'tumescence': ['mutescence', 'tumescence'], 'tumorous': ['mortuous', 'tumorous'], 'tumulary': ['mutulary', 'tumulary'], 'tun': ['nut', 'tun'], 'tuna': ['antu', 'aunt', 'naut', 'taun', 'tuan', 'tuna'], 'tunable': ['abluent', 'tunable'], 'tunbellied': ['tunbellied', 'unbilleted'], 'tunca': ['tunca', 'unact'], 'tund': ['dunt', 'tund'], 'tunder': ['runted', 'tunder', 'turned'], 'tundra': ['durant', 'tundra'], 'tuner': ['enrut', 'tuner', 'urent'], 'tunga': ['gaunt', 'tunga'], 'tungan': ['tangun', 'tungan'], 'tungate': ['tungate', 'tutenag'], 'tungo': ['tungo', 'ungot'], 'tungstosilicate': ['silicotungstate', 'tungstosilicate'], 'tungstosilicic': ['silicotungstic', 'tungstosilicic'], 'tunic': ['cutin', 'incut', 'tunic'], 'tunica': ['anicut', 'nautic', 'ticuna', 'tunica'], 'tunican': ['ticunan', 'tunican'], 'tunicary': ['nycturia', 'tunicary'], 'tunicle': ['linecut', 'tunicle'], 'tunicless': ['lentiscus', 'tunicless'], 'tunist': ['suttin', 'tunist'], 'tunk': ['knut', 'tunk'], 'tunker': ['tunker', 'turken'], 'tunlike': ['nutlike', 'tunlike'], 'tunna': ['naunt', 'tunna'], 'tunnel': ['nunlet', 'tunnel', 'unlent'], 'tunnelman': ['annulment', 'tunnelman'], 'tunner': ['runnet', 'tunner', 'unrent'], 'tunnor': ['tunnor', 'untorn'], 'tuno': ['tuno', 'unto'], 'tup': ['put', 'tup'], 'tur': ['rut', 'tur'], 'turacin': ['curtain', 'turacin', 'turcian'], 'turanian': ['nutarian', 'turanian'], 'turanism': ['naturism', 'sturmian', 'turanism'], 'turb': ['brut', 'burt', 'trub', 'turb'], 'turban': ['tanbur', 'turban'], 'turbaned': ['breadnut', 'turbaned'], 'turbanless': ['substernal', 'turbanless'], 'turbeh': ['hubert', 'turbeh'], 'turbinal': ['tribunal', 'turbinal', 'untribal'], 'turbinate': ['tribunate', 'turbinate'], 'turbine': ['tribune', 'tuberin', 'turbine'], 'turbined': ['turbined', 'underbit'], 'turcian': ['curtain', 'turacin', 'turcian'], 'turco': ['court', 'crout', 'turco'], 'turcoman': ['courtman', 'turcoman'], 'turdinae': ['indurate', 'turdinae'], 'turdine': ['intrude', 'turdine', 'untired', 'untried'], 'tureen': ['neuter', 'retune', 'runtee', 'tenure', 'tureen'], 'turfed': ['dufter', 'turfed'], 'turfen': ['turfen', 'unfret'], 'turfless': ['tressful', 'turfless'], 'turgent': ['grutten', 'turgent'], 'turk': ['kurt', 'turk'], 'turken': ['tunker', 'turken'], 'turki': ['tikur', 'turki'], 'turkman': ['trankum', 'turkman'], 'turma': ['martu', 'murat', 'turma'], 'turn': ['runt', 'trun', 'turn'], 'turndown': ['downturn', 'turndown'], 'turned': ['runted', 'tunder', 'turned'], 'turnel': ['runlet', 'turnel'], 'turner': ['return', 'turner'], 'turnhall': ['turnhall', 'unthrall'], 'turnout': ['outturn', 'turnout'], 'turnover': ['overturn', 'turnover'], 'turnpin': ['turnpin', 'unprint'], 'turns': ['snurt', 'turns'], 'turntail': ['rutilant', 'turntail'], 'turnup': ['turnup', 'upturn'], 'turp': ['prut', 'turp'], 'turpid': ['putrid', 'turpid'], 'turpidly': ['putridly', 'turpidly'], 'turps': ['spurt', 'turps'], 'turret': ['rutter', 'turret'], 'turricula': ['turricula', 'utricular'], 'turse': ['serut', 'strue', 'turse', 'uster'], 'tursenoi': ['rutinose', 'tursenoi'], 'tursio': ['suitor', 'tursio'], 'turtan': ['truant', 'turtan'], 'tuscan': ['cantus', 'tuscan', 'uncast'], 'tusche': ['schute', 'tusche'], 'tush': ['shut', 'thus', 'tush'], 'tusher': ['reshut', 'suther', 'thurse', 'tusher'], 'tussal': ['saltus', 'tussal'], 'tusser': ['russet', 'tusser'], 'tussore': ['estrous', 'oestrus', 'sestuor', 'tussore'], 'tutelo': ['outlet', 'tutelo'], 'tutenag': ['tungate', 'tutenag'], 'tutman': ['mutant', 'tantum', 'tutman'], 'tutor': ['trout', 'tutor'], 'tutorer': ['torture', 'trouter', 'tutorer'], 'tutorial': ['outtrail', 'tutorial'], 'tutorism': ['mistutor', 'tutorism'], 'tutorless': ['troutless', 'tutorless'], 'tutory': ['trouty', 'tryout', 'tutory'], 'tuts': ['stut', 'tuts'], 'tutster': ['stutter', 'tutster'], 'twa': ['taw', 'twa', 'wat'], 'twae': ['tewa', 'twae', 'weta'], 'twain': ['atwin', 'twain', 'witan'], 'twaite': ['tawite', 'tawtie', 'twaite'], 'twal': ['twal', 'walt'], 'twas': ['sawt', 'staw', 'swat', 'taws', 'twas', 'wast'], 'twat': ['twat', 'watt'], 'twee': ['twee', 'weet'], 'tweel': ['tewel', 'tweel'], 'twere': ['rewet', 'tewer', 'twere'], 'twi': ['twi', 'wit'], 'twigsome': ['twigsome', 'wegotism'], 'twin': ['twin', 'wint'], 'twiner': ['twiner', 'winter'], 'twingle': ['twingle', 'welting', 'winglet'], 'twinkle': ['twinkle', 'winklet'], 'twinkler': ['twinkler', 'wrinklet'], 'twinter': ['twinter', 'written'], 'twire': ['twire', 'write'], 'twister': ['retwist', 'twister'], 'twitchety': ['twitchety', 'witchetty'], 'twite': ['tewit', 'twite'], 'two': ['tow', 'two', 'wot'], 'twoling': ['lingtow', 'twoling'], 'tyche': ['techy', 'tyche'], 'tydie': ['deity', 'tydie'], 'tye': ['tye', 'yet'], 'tyke': ['kyte', 'tyke'], 'tylerism': ['trimesyl', 'tylerism'], 'tyloma': ['latomy', 'tyloma'], 'tylose': ['tolsey', 'tylose'], 'tylosis': ['tossily', 'tylosis'], 'tylotus': ['stoutly', 'tylotus'], 'tylus': ['lusty', 'tylus'], 'typal': ['aptly', 'patly', 'platy', 'typal'], 'typees': ['steepy', 'typees'], 'typer': ['perty', 'typer'], 'typha': ['pathy', 'typha'], 'typhia': ['pythia', 'typhia'], 'typhic': ['phytic', 'pitchy', 'pythic', 'typhic'], 'typhlopidae': ['heptaploidy', 'typhlopidae'], 'typhoean': ['anophyte', 'typhoean'], 'typhogenic': ['phytogenic', 'pythogenic', 'typhogenic'], 'typhoid': ['phytoid', 'typhoid'], 'typhonian': ['antiphony', 'typhonian'], 'typhonic': ['hypnotic', 'phytonic', 'pythonic', 'typhonic'], 'typhosis': ['phytosis', 'typhosis'], 'typica': ['atypic', 'typica'], 'typographer': ['petrography', 'pterography', 'typographer'], 'typographic': ['graphotypic', 'pictography', 'typographic'], 'typology': ['logotypy', 'typology'], 'typophile': ['hippolyte', 'typophile'], 'tyre': ['trey', 'tyre'], 'tyrian': ['rytina', 'trainy', 'tyrian'], 'tyro': ['royt', 'ryot', 'tory', 'troy', 'tyro'], 'tyrocidin': ['nordicity', 'tyrocidin'], 'tyrolean': ['neolatry', 'ornately', 'tyrolean'], 'tyrolite': ['toiletry', 'tyrolite'], 'tyrone': ['torney', 'tyrone'], 'tyronism': ['smyrniot', 'tyronism'], 'tyrosine': ['tyrosine', 'tyrsenoi'], 'tyrrheni': ['erythrin', 'tyrrheni'], 'tyrsenoi': ['tyrosine', 'tyrsenoi'], 'tyste': ['testy', 'tyste'], 'tyto': ['toty', 'tyto'], 'uang': ['gaun', 'guan', 'guna', 'uang'], 'ucal': ['caul', 'ucal'], 'udal': ['auld', 'dual', 'laud', 'udal'], 'udaler': ['lauder', 'udaler'], 'udalman': ['ladanum', 'udalman'], 'udo': ['duo', 'udo'], 'uds': ['sud', 'uds'], 'ugh': ['hug', 'ugh'], 'uglisome': ['eulogism', 'uglisome'], 'ugrian': ['gurian', 'ugrian'], 'ugric': ['guric', 'ugric'], 'uhtsong': ['gunshot', 'shotgun', 'uhtsong'], 'uinal': ['inula', 'luian', 'uinal'], 'uinta': ['uinta', 'uniat'], 'ulcer': ['cruel', 'lucre', 'ulcer'], 'ulcerate': ['celature', 'ulcerate'], 'ulcerous': ['ulcerous', 'urceolus'], 'ule': ['leu', 'lue', 'ule'], 'ulema': ['amelu', 'leuma', 'ulema'], 'uletic': ['lucite', 'luetic', 'uletic'], 'ulex': ['luxe', 'ulex'], 'ulla': ['lula', 'ulla'], 'ulling': ['ulling', 'ungill'], 'ulmin': ['linum', 'ulmin'], 'ulminic': ['clinium', 'ulminic'], 'ulmo': ['moul', 'ulmo'], 'ulna': ['laun', 'luna', 'ulna', 'unal'], 'ulnad': ['dunal', 'laund', 'lunda', 'ulnad'], 'ulnar': ['lunar', 'ulnar', 'urnal'], 'ulnare': ['lunare', 'neural', 'ulnare', 'unreal'], 'ulnaria': ['lunaria', 'ulnaria', 'uralian'], 'ulotrichi': ['ulotrichi', 'urolithic'], 'ulster': ['luster', 'result', 'rustle', 'sutler', 'ulster'], 'ulstered': ['deluster', 'ulstered'], 'ulsterian': ['neuralist', 'ulsterian', 'unrealist'], 'ulstering': ['resulting', 'ulstering'], 'ulsterman': ['menstrual', 'ulsterman'], 'ultima': ['mulita', 'ultima'], 'ultimate': ['mutilate', 'ultimate'], 'ultimation': ['mutilation', 'ultimation'], 'ultonian': ['lunation', 'ultonian'], 'ultra': ['lutra', 'ultra'], 'ultrabasic': ['arcubalist', 'ultrabasic'], 'ultraism': ['altruism', 'muralist', 'traulism', 'ultraism'], 'ultraist': ['altruist', 'ultraist'], 'ultraistic': ['altruistic', 'truistical', 'ultraistic'], 'ultramicron': ['tricolumnar', 'ultramicron'], 'ultraminute': ['intermutual', 'ultraminute'], 'ultramontane': ['tournamental', 'ultramontane'], 'ultranice': ['centurial', 'lucretian', 'ultranice'], 'ultrasterile': ['reillustrate', 'ultrasterile'], 'ulua': ['aulu', 'ulua'], 'ulva': ['ulva', 'uval'], 'um': ['mu', 'um'], 'umbel': ['umbel', 'umble'], 'umbellar': ['umbellar', 'umbrella'], 'umber': ['brume', 'umber'], 'umbilic': ['bulimic', 'umbilic'], 'umbiliform': ['bulimiform', 'umbiliform'], 'umble': ['umbel', 'umble'], 'umbonial': ['olibanum', 'umbonial'], 'umbral': ['brumal', 'labrum', 'lumbar', 'umbral'], 'umbrel': ['lumber', 'rumble', 'umbrel'], 'umbrella': ['umbellar', 'umbrella'], 'umbrous': ['brumous', 'umbrous'], 'ume': ['emu', 'ume'], 'umlaut': ['mutual', 'umlaut'], 'umph': ['hump', 'umph'], 'umpire': ['impure', 'umpire'], 'un': ['nu', 'un'], 'unabetted': ['debutante', 'unabetted'], 'unabhorred': ['unabhorred', 'unharbored'], 'unable': ['nebula', 'unable', 'unbale'], 'unaccumulate': ['acutenaculum', 'unaccumulate'], 'unact': ['tunca', 'unact'], 'unadherent': ['unadherent', 'underneath', 'underthane'], 'unadmire': ['unadmire', 'underaim'], 'unadmired': ['unadmired', 'undermaid'], 'unadored': ['unadored', 'unroaded'], 'unadvertised': ['disadventure', 'unadvertised'], 'unafire': ['fuirena', 'unafire'], 'unaged': ['augend', 'engaud', 'unaged'], 'unagreed': ['dungaree', 'guardeen', 'unagreed', 'underage', 'ungeared'], 'unailing': ['inguinal', 'unailing'], 'unaimed': ['numidae', 'unaimed'], 'unaisled': ['unaisled', 'unsailed'], 'unakite': ['kutenai', 'unakite'], 'unal': ['laun', 'luna', 'ulna', 'unal'], 'unalarming': ['unalarming', 'unmarginal'], 'unalert': ['laurent', 'neutral', 'unalert'], 'unalertly': ['neutrally', 'unalertly'], 'unalertness': ['neutralness', 'unalertness'], 'unalimentary': ['anteluminary', 'unalimentary'], 'unalist': ['latinus', 'tulisan', 'unalist'], 'unallotted': ['unallotted', 'untotalled'], 'unalmsed': ['dulseman', 'unalmsed'], 'unaltered': ['unaltered', 'unrelated'], 'unaltering': ['unaltering', 'unrelating'], 'unamassed': ['mussaenda', 'unamassed'], 'unambush': ['subhuman', 'unambush'], 'unamenability': ['unamenability', 'unnameability'], 'unamenable': ['unamenable', 'unnameable'], 'unamenableness': ['unamenableness', 'unnameableness'], 'unamenably': ['unamenably', 'unnameably'], 'unamend': ['mundane', 'unamend', 'unmaned', 'unnamed'], 'unami': ['maniu', 'munia', 'unami'], 'unapt': ['punta', 'unapt', 'untap'], 'unarising': ['grusinian', 'unarising'], 'unarm': ['muran', 'ruman', 'unarm', 'unram', 'urman'], 'unarmed': ['duramen', 'maunder', 'unarmed'], 'unarray': ['unarray', 'yaruran'], 'unarrestable': ['subterraneal', 'unarrestable'], 'unarrested': ['unarrested', 'unserrated'], 'unarted': ['daunter', 'unarted', 'unrated', 'untread'], 'unarticled': ['denticular', 'unarticled'], 'unartistic': ['naturistic', 'unartistic'], 'unartistical': ['naturalistic', 'unartistical'], 'unartistically': ['naturistically', 'unartistically'], 'unary': ['anury', 'unary', 'unray'], 'unastray': ['auntsary', 'unastray'], 'unathirst': ['struthian', 'unathirst'], 'unattire': ['tainture', 'unattire'], 'unattuned': ['unattuned', 'untaunted'], 'unaverted': ['adventure', 'unaverted'], 'unavertible': ['unavertible', 'unveritable'], 'unbag': ['bugan', 'bunga', 'unbag'], 'unbain': ['nubian', 'unbain'], 'unbale': ['nebula', 'unable', 'unbale'], 'unbar': ['buran', 'unbar', 'urban'], 'unbare': ['eburna', 'unbare', 'unbear', 'urbane'], 'unbarred': ['errabund', 'unbarred'], 'unbased': ['subdean', 'unbased'], 'unbaste': ['unbaste', 'unbeast'], 'unbatted': ['debutant', 'unbatted'], 'unbay': ['bunya', 'unbay'], 'unbe': ['benu', 'unbe'], 'unbear': ['eburna', 'unbare', 'unbear', 'urbane'], 'unbearded': ['unbearded', 'unbreaded'], 'unbeast': ['unbaste', 'unbeast'], 'unbeavered': ['unbeavered', 'unbereaved'], 'unbelied': ['unbelied', 'unedible'], 'unbereaved': ['unbeavered', 'unbereaved'], 'unbesot': ['subnote', 'subtone', 'unbesot'], 'unbias': ['anubis', 'unbias'], 'unbillet': ['bulletin', 'unbillet'], 'unbilleted': ['tunbellied', 'unbilleted'], 'unblasted': ['dunstable', 'unblasted', 'unstabled'], 'unbled': ['bundle', 'unbled'], 'unboasted': ['eastbound', 'unboasted'], 'unboat': ['outban', 'unboat'], 'unboding': ['bounding', 'unboding'], 'unbog': ['bungo', 'unbog'], 'unboiled': ['unboiled', 'unilobed'], 'unboned': ['bounden', 'unboned'], 'unborder': ['unborder', 'underorb'], 'unbored': ['beround', 'bounder', 'rebound', 'unbored', 'unorbed', 'unrobed'], 'unboweled': ['unboweled', 'unelbowed'], 'unbrace': ['bucrane', 'unbrace'], 'unbraceleted': ['unbraceleted', 'uncelebrated'], 'unbraid': ['barundi', 'unbraid'], 'unbrailed': ['indurable', 'unbrailed', 'unridable'], 'unbreaded': ['unbearded', 'unbreaded'], 'unbred': ['bunder', 'burden', 'burned', 'unbred'], 'unbribed': ['unbribed', 'unribbed'], 'unbrief': ['unbrief', 'unfiber'], 'unbriefed': ['unbriefed', 'unfibered'], 'unbroiled': ['unbroiled', 'underboil'], 'unbrushed': ['unbrushed', 'underbush'], 'unbud': ['bundu', 'unbud', 'undub'], 'unburden': ['unburden', 'unburned'], 'unburned': ['unburden', 'unburned'], 'unbuttered': ['unbuttered', 'unrebutted'], 'unca': ['cuna', 'unca'], 'uncage': ['cangue', 'uncage'], 'uncambered': ['uncambered', 'unembraced'], 'uncamerated': ['uncamerated', 'unmacerated'], 'uncapable': ['uncapable', 'unpacable'], 'uncaptious': ['uncaptious', 'usucaption'], 'uncarted': ['uncarted', 'uncrated', 'underact', 'untraced'], 'uncartooned': ['uncartooned', 'uncoronated'], 'uncase': ['uncase', 'usance'], 'uncask': ['uncask', 'unsack'], 'uncasked': ['uncasked', 'unsacked'], 'uncast': ['cantus', 'tuscan', 'uncast'], 'uncatalogued': ['uncatalogued', 'uncoagulated'], 'uncate': ['tecuna', 'uncate'], 'uncaused': ['uncaused', 'unsauced'], 'uncavalier': ['naviculare', 'uncavalier'], 'uncelebrated': ['unbraceleted', 'uncelebrated'], 'uncellar': ['lucernal', 'nucellar', 'uncellar'], 'uncenter': ['uncenter', 'unrecent'], 'uncertain': ['encurtain', 'runcinate', 'uncertain'], 'uncertifiable': ['uncertifiable', 'unrectifiable'], 'uncertified': ['uncertified', 'unrectified'], 'unchain': ['chunnia', 'unchain'], 'unchair': ['chunari', 'unchair'], 'unchalked': ['unchalked', 'unhackled'], 'uncharge': ['gunreach', 'uncharge'], 'uncharm': ['uncharm', 'unmarch'], 'uncharming': ['uncharming', 'unmarching'], 'uncharred': ['uncharred', 'underarch'], 'uncheat': ['uncheat', 'unteach'], 'uncheating': ['uncheating', 'unteaching'], 'unchoked': ['unchoked', 'unhocked'], 'unchoosable': ['chaenolobus', 'unchoosable'], 'unchosen': ['nonesuch', 'unchosen'], 'uncial': ['cunila', 'lucian', 'lucina', 'uncial'], 'unciferous': ['nuciferous', 'unciferous'], 'unciform': ['nuciform', 'unciform'], 'uncinate': ['nunciate', 'uncinate'], 'unclaimed': ['unclaimed', 'undecimal', 'unmedical'], 'unclay': ['lunacy', 'unclay'], 'unclead': ['unclead', 'unlaced'], 'unclear': ['crenula', 'lucarne', 'nuclear', 'unclear'], 'uncleared': ['uncleared', 'undeclare'], 'uncledom': ['columned', 'uncledom'], 'uncleship': ['siphuncle', 'uncleship'], 'uncloister': ['cornulites', 'uncloister'], 'unclose': ['counsel', 'unclose'], 'unclutter': ['truculent', 'unclutter'], 'unco': ['cuon', 'unco'], 'uncoagulated': ['uncatalogued', 'uncoagulated'], 'uncoat': ['toucan', 'tucano', 'uncoat'], 'uncoated': ['outdance', 'uncoated'], 'uncoiled': ['nucleoid', 'uncoiled'], 'uncoin': ['nuncio', 'uncoin'], 'uncollapsed': ['uncollapsed', 'unscalloped'], 'uncolored': ['uncolored', 'undercool'], 'uncomic': ['muconic', 'uncomic'], 'uncompatible': ['incomputable', 'uncompatible'], 'uncomplaint': ['uncomplaint', 'uncompliant'], 'uncomplete': ['couplement', 'uncomplete'], 'uncompliant': ['uncomplaint', 'uncompliant'], 'unconcerted': ['unconcerted', 'unconcreted'], 'unconcreted': ['unconcerted', 'unconcreted'], 'unconservable': ['unconservable', 'unconversable'], 'unconstraint': ['noncurantist', 'unconstraint'], 'uncontrasted': ['counterstand', 'uncontrasted'], 'unconversable': ['unconservable', 'unconversable'], 'uncoop': ['coupon', 'uncoop'], 'uncooped': ['couponed', 'uncooped'], 'uncope': ['pounce', 'uncope'], 'uncopied': ['cupidone', 'uncopied'], 'uncore': ['conure', 'rounce', 'uncore'], 'uncored': ['crunode', 'uncored'], 'uncorked': ['uncorked', 'unrocked'], 'uncoronated': ['uncartooned', 'uncoronated'], 'uncorrect': ['cocurrent', 'occurrent', 'uncorrect'], 'uncorrugated': ['counterguard', 'uncorrugated'], 'uncorseted': ['uncorseted', 'unescorted'], 'uncostumed': ['uncostumed', 'uncustomed'], 'uncoursed': ['uncoursed', 'unscoured'], 'uncouth': ['uncouth', 'untouch'], 'uncoverable': ['uncoverable', 'unrevocable'], 'uncradled': ['uncradled', 'underclad'], 'uncrated': ['uncarted', 'uncrated', 'underact', 'untraced'], 'uncreased': ['uncreased', 'undercase'], 'uncreatable': ['uncreatable', 'untraceable'], 'uncreatableness': ['uncreatableness', 'untraceableness'], 'uncreation': ['enunciator', 'uncreation'], 'uncreative': ['uncreative', 'unreactive'], 'uncredited': ['uncredited', 'undirected'], 'uncrest': ['encrust', 'uncrest'], 'uncrested': ['uncrested', 'undersect'], 'uncried': ['inducer', 'uncried'], 'uncrooked': ['uncrooked', 'undercook'], 'uncrude': ['uncrude', 'uncured'], 'unctional': ['continual', 'inoculant', 'unctional'], 'unctioneer': ['recontinue', 'unctioneer'], 'uncured': ['uncrude', 'uncured'], 'uncustomed': ['uncostumed', 'uncustomed'], 'uncuth': ['tuchun', 'uncuth'], 'undam': ['maund', 'munda', 'numda', 'undam', 'unmad'], 'undangered': ['undangered', 'underanged', 'ungardened'], 'undarken': ['undarken', 'unranked'], 'undashed': ['undashed', 'unshaded'], 'undate': ['nudate', 'undate'], 'unde': ['dune', 'nude', 'unde'], 'undean': ['duenna', 'undean'], 'undear': ['endura', 'neurad', 'undear', 'unread'], 'undeceiver': ['undeceiver', 'unreceived'], 'undecimal': ['unclaimed', 'undecimal', 'unmedical'], 'undeclare': ['uncleared', 'undeclare'], 'undecolic': ['coinclude', 'undecolic'], 'undecorated': ['undecorated', 'undercoated'], 'undefiled': ['undefiled', 'unfielded'], 'undeified': ['undeified', 'unedified'], 'undelible': ['undelible', 'unlibeled'], 'undelight': ['undelight', 'unlighted'], 'undelude': ['undelude', 'uneluded'], 'undeluding': ['undeluding', 'unindulged'], 'undemanded': ['undemanded', 'unmaddened'], 'unden': ['dunne', 'unden'], 'undeparted': ['dunderpate', 'undeparted'], 'undepraved': ['undepraved', 'unpervaded'], 'under': ['runed', 'under', 'unred'], 'underact': ['uncarted', 'uncrated', 'underact', 'untraced'], 'underacted': ['underacted', 'unredacted'], 'underaction': ['denunciator', 'underaction'], 'underage': ['dungaree', 'guardeen', 'unagreed', 'underage', 'ungeared'], 'underaid': ['underaid', 'unraided'], 'underaim': ['unadmire', 'underaim'], 'underanged': ['undangered', 'underanged', 'ungardened'], 'underarch': ['uncharred', 'underarch'], 'underarm': ['underarm', 'unmarred'], 'underbake': ['underbake', 'underbeak'], 'underbeak': ['underbake', 'underbeak'], 'underbeat': ['eburnated', 'underbeat', 'unrebated'], 'underbit': ['turbined', 'underbit'], 'underboil': ['unbroiled', 'underboil'], 'underbreathing': ['thunderbearing', 'underbreathing'], 'underbrush': ['underbrush', 'undershrub'], 'underbush': ['unbrushed', 'underbush'], 'undercase': ['uncreased', 'undercase'], 'underchap': ['underchap', 'unparched'], 'underclad': ['uncradled', 'underclad'], 'undercoat': ['cornuated', 'undercoat'], 'undercoated': ['undecorated', 'undercoated'], 'undercook': ['uncrooked', 'undercook'], 'undercool': ['uncolored', 'undercool'], 'undercut': ['undercut', 'unreduct'], 'underdead': ['underdead', 'undreaded'], 'underdig': ['underdig', 'ungirded', 'unridged'], 'underdive': ['underdive', 'underived'], 'underdo': ['redound', 'rounded', 'underdo'], 'underdoer': ['underdoer', 'unordered'], 'underdog': ['grounded', 'underdog', 'undergod'], 'underdown': ['underdown', 'undrowned'], 'underdrag': ['underdrag', 'undergrad'], 'underdraw': ['underdraw', 'underward'], 'undereat': ['denature', 'undereat'], 'underer': ['endurer', 'underer'], 'underfiend': ['underfiend', 'unfriended'], 'underfill': ['underfill', 'unfrilled'], 'underfire': ['underfire', 'unferried'], 'underflow': ['underflow', 'wonderful'], 'underfur': ['underfur', 'unfurred'], 'undergo': ['guerdon', 'undergo', 'ungored'], 'undergod': ['grounded', 'underdog', 'undergod'], 'undergoer': ['guerdoner', 'reundergo', 'undergoer', 'undergore'], 'undergore': ['guerdoner', 'reundergo', 'undergoer', 'undergore'], 'undergown': ['undergown', 'unwronged'], 'undergrad': ['underdrag', 'undergrad'], 'undergrade': ['undergrade', 'unregarded'], 'underheat': ['underheat', 'unearthed'], 'underhonest': ['underhonest', 'unshortened'], 'underhorse': ['underhorse', 'undershore'], 'underived': ['underdive', 'underived'], 'underkind': ['underkind', 'unkindred'], 'underlap': ['pendular', 'underlap', 'uplander'], 'underleaf': ['underleaf', 'unfederal'], 'underlease': ['underlease', 'unreleased'], 'underlegate': ['underlegate', 'unrelegated'], 'underlid': ['underlid', 'unriddle'], 'underlive': ['underlive', 'unreviled'], 'underlying': ['enduringly', 'underlying'], 'undermade': ['undermade', 'undreamed'], 'undermaid': ['unadmired', 'undermaid'], 'undermaker': ['undermaker', 'unremarked'], 'undermaster': ['undermaster', 'understream'], 'undermeal': ['denumeral', 'undermeal', 'unrealmed'], 'undermine': ['undermine', 'unermined'], 'undermost': ['undermost', 'unstormed'], 'undermotion': ['undermotion', 'unmonitored'], 'undern': ['dunner', 'undern'], 'underneath': ['unadherent', 'underneath', 'underthane'], 'undernote': ['undernote', 'undertone'], 'undernoted': ['undernoted', 'undertoned'], 'underntide': ['indentured', 'underntide'], 'underorb': ['unborder', 'underorb'], 'underpay': ['underpay', 'unprayed'], 'underpeer': ['perendure', 'underpeer'], 'underpick': ['underpick', 'unpricked'], 'underpier': ['underpier', 'underripe'], 'underpile': ['underpile', 'unreplied'], 'underpose': ['underpose', 'unreposed'], 'underpuke': ['underpuke', 'unperuked'], 'underream': ['maunderer', 'underream'], 'underripe': ['underpier', 'underripe'], 'underrobe': ['rebounder', 'underrobe'], 'undersap': ['undersap', 'unparsed', 'unrasped', 'unspared', 'unspread'], 'undersea': ['undersea', 'unerased', 'unseared'], 'underseam': ['underseam', 'unsmeared'], 'undersect': ['uncrested', 'undersect'], 'underserve': ['underserve', 'underverse', 'undeserver', 'unreserved', 'unreversed'], 'underset': ['sederunt', 'underset', 'undesert', 'unrested'], 'undershapen': ['undershapen', 'unsharpened'], 'undershore': ['underhorse', 'undershore'], 'undershrub': ['underbrush', 'undershrub'], 'underside': ['underside', 'undesired'], 'undersoil': ['undersoil', 'unsoldier'], 'undersow': ['sewround', 'undersow'], 'underspar': ['underspar', 'unsparred'], 'understain': ['understain', 'unstrained'], 'understand': ['understand', 'unstranded'], 'understream': ['undermaster', 'understream'], 'underthane': ['unadherent', 'underneath', 'underthane'], 'underthing': ['thundering', 'underthing'], 'undertide': ['durdenite', 'undertide'], 'undertime': ['undertime', 'unmerited'], 'undertimed': ['demiturned', 'undertimed'], 'undertitle': ['undertitle', 'unlittered'], 'undertone': ['undernote', 'undertone'], 'undertoned': ['undernoted', 'undertoned'], 'undertow': ['undertow', 'untrowed'], 'undertread': ['undertread', 'unretarded'], 'undertutor': ['undertutor', 'untortured'], 'underverse': ['underserve', 'underverse', 'undeserver', 'unreserved', 'unreversed'], 'underwage': ['underwage', 'unwagered'], 'underward': ['underdraw', 'underward'], 'underwarp': ['underwarp', 'underwrap'], 'underwave': ['underwave', 'unwavered'], 'underwrap': ['underwarp', 'underwrap'], 'undesert': ['sederunt', 'underset', 'undesert', 'unrested'], 'undeserve': ['undeserve', 'unsevered'], 'undeserver': ['underserve', 'underverse', 'undeserver', 'unreserved', 'unreversed'], 'undesign': ['undesign', 'unsigned', 'unsinged'], 'undesired': ['underside', 'undesired'], 'undeviated': ['denudative', 'undeviated'], 'undieted': ['undieted', 'unedited'], 'undig': ['gundi', 'undig'], 'undirect': ['undirect', 'untriced'], 'undirected': ['uncredited', 'undirected'], 'undiscerned': ['undiscerned', 'unrescinded'], 'undiscretion': ['discontinuer', 'undiscretion'], 'undistress': ['sturdiness', 'undistress'], 'undiverse': ['undiverse', 'unrevised'], 'undog': ['undog', 'ungod'], 'undrab': ['durban', 'undrab'], 'undrag': ['durgan', 'undrag'], 'undrape': ['undrape', 'unpared', 'unraped'], 'undreaded': ['underdead', 'undreaded'], 'undreamed': ['undermade', 'undreamed'], 'undrowned': ['underdown', 'undrowned'], 'undrugged': ['undrugged', 'ungrudged'], 'undryable': ['endurably', 'undryable'], 'undub': ['bundu', 'unbud', 'undub'], 'undumped': ['pudendum', 'undumped'], 'undy': ['duny', 'undy'], 'uneager': ['geneura', 'uneager'], 'unearned': ['unearned', 'unneared'], 'unearnest': ['unearnest', 'uneastern'], 'unearth': ['haunter', 'nauther', 'unearth', 'unheart', 'urethan'], 'unearthed': ['underheat', 'unearthed'], 'unearthly': ['unearthly', 'urethylan'], 'uneastern': ['unearnest', 'uneastern'], 'uneath': ['uneath', 'unhate'], 'unebriate': ['beraunite', 'unebriate'], 'unedge': ['dengue', 'unedge'], 'unedible': ['unbelied', 'unedible'], 'unedified': ['undeified', 'unedified'], 'unedited': ['undieted', 'unedited'], 'unelapsed': ['unelapsed', 'unpleased'], 'unelated': ['antelude', 'unelated'], 'unelbowed': ['unboweled', 'unelbowed'], 'unelidible': ['ineludible', 'unelidible'], 'uneluded': ['undelude', 'uneluded'], 'unembased': ['sunbeamed', 'unembased'], 'unembraced': ['uncambered', 'unembraced'], 'unenabled': ['unenabled', 'unendable'], 'unencored': ['denouncer', 'unencored'], 'unendable': ['unenabled', 'unendable'], 'unending': ['unending', 'unginned'], 'unenervated': ['unenervated', 'unvenerated'], 'unenlisted': ['unenlisted', 'unlistened', 'untinseled'], 'unenterprised': ['superintender', 'unenterprised'], 'unenviable': ['unenviable', 'unveniable'], 'unenvied': ['unenvied', 'unveined'], 'unequitable': ['unequitable', 'unquietable'], 'unerased': ['undersea', 'unerased', 'unseared'], 'unermined': ['undermine', 'unermined'], 'unerratic': ['recurtain', 'unerratic'], 'unerupted': ['unerupted', 'unreputed'], 'unescorted': ['uncorseted', 'unescorted'], 'unevil': ['unevil', 'unlive', 'unveil'], 'unexactly': ['exultancy', 'unexactly'], 'unexceptable': ['unexceptable', 'unexpectable'], 'unexcepted': ['unexcepted', 'unexpected'], 'unexcepting': ['unexcepting', 'unexpecting'], 'unexpectable': ['unexceptable', 'unexpectable'], 'unexpected': ['unexcepted', 'unexpected'], 'unexpecting': ['unexcepting', 'unexpecting'], 'unfabled': ['fundable', 'unfabled'], 'unfaceted': ['fecundate', 'unfaceted'], 'unfactional': ['afunctional', 'unfactional'], 'unfactored': ['fecundator', 'unfactored'], 'unfainting': ['antifungin', 'unfainting'], 'unfallible': ['unfallible', 'unfillable'], 'unfar': ['furan', 'unfar'], 'unfarmed': ['unfarmed', 'unframed'], 'unfederal': ['underleaf', 'unfederal'], 'unfeeding': ['unfeeding', 'unfeigned'], 'unfeeling': ['unfeeling', 'unfleeing'], 'unfeigned': ['unfeeding', 'unfeigned'], 'unfelt': ['fluent', 'netful', 'unfelt', 'unleft'], 'unfelted': ['defluent', 'unfelted'], 'unferried': ['underfire', 'unferried'], 'unfiber': ['unbrief', 'unfiber'], 'unfibered': ['unbriefed', 'unfibered'], 'unfielded': ['undefiled', 'unfielded'], 'unfiend': ['unfiend', 'unfined'], 'unfiery': ['reunify', 'unfiery'], 'unfillable': ['unfallible', 'unfillable'], 'unfined': ['unfiend', 'unfined'], 'unfired': ['unfired', 'unfried'], 'unflag': ['fungal', 'unflag'], 'unflat': ['flaunt', 'unflat'], 'unfleeing': ['unfeeling', 'unfleeing'], 'unfloured': ['unfloured', 'unfoldure'], 'unfolder': ['flounder', 'reunfold', 'unfolder'], 'unfolding': ['foundling', 'unfolding'], 'unfoldure': ['unfloured', 'unfoldure'], 'unforest': ['furstone', 'unforest'], 'unforested': ['unforested', 'unfostered'], 'unformality': ['fulminatory', 'unformality'], 'unforward': ['unforward', 'unfroward'], 'unfostered': ['unforested', 'unfostered'], 'unfrail': ['rainful', 'unfrail'], 'unframed': ['unfarmed', 'unframed'], 'unfret': ['turfen', 'unfret'], 'unfriable': ['funebrial', 'unfriable'], 'unfried': ['unfired', 'unfried'], 'unfriended': ['underfiend', 'unfriended'], 'unfriending': ['unfriending', 'uninfringed'], 'unfrilled': ['underfill', 'unfrilled'], 'unfroward': ['unforward', 'unfroward'], 'unfurl': ['unfurl', 'urnful'], 'unfurred': ['underfur', 'unfurred'], 'ungaite': ['ungaite', 'unitage'], 'unganged': ['unganged', 'unnagged'], 'ungardened': ['undangered', 'underanged', 'ungardened'], 'ungarnish': ['ungarnish', 'unsharing'], 'ungear': ['nauger', 'raunge', 'ungear'], 'ungeared': ['dungaree', 'guardeen', 'unagreed', 'underage', 'ungeared'], 'ungelt': ['englut', 'gluten', 'ungelt'], 'ungenerable': ['ungenerable', 'ungreenable'], 'unget': ['tengu', 'unget'], 'ungilded': ['deluding', 'ungilded'], 'ungill': ['ulling', 'ungill'], 'ungilt': ['glutin', 'luting', 'ungilt'], 'unginned': ['unending', 'unginned'], 'ungird': ['during', 'ungird'], 'ungirded': ['underdig', 'ungirded', 'unridged'], 'ungirdle': ['indulger', 'ungirdle'], 'ungirt': ['ungirt', 'untrig'], 'ungirth': ['hurting', 'ungirth', 'unright'], 'ungirthed': ['ungirthed', 'unrighted'], 'unglad': ['gandul', 'unglad'], 'unglued': ['unglued', 'unguled'], 'ungod': ['undog', 'ungod'], 'ungold': ['dungol', 'ungold'], 'ungone': ['guenon', 'ungone'], 'ungored': ['guerdon', 'undergo', 'ungored'], 'ungorge': ['gurgeon', 'ungorge'], 'ungot': ['tungo', 'ungot'], 'ungothic': ['touching', 'ungothic'], 'ungraphic': ['ungraphic', 'uparching'], 'ungreenable': ['ungenerable', 'ungreenable'], 'ungrieved': ['gerundive', 'ungrieved'], 'ungroined': ['ungroined', 'unignored'], 'ungrudged': ['undrugged', 'ungrudged'], 'ungual': ['ungual', 'ungula'], 'ungueal': ['ungueal', 'ungulae'], 'ungula': ['ungual', 'ungula'], 'ungulae': ['ungueal', 'ungulae'], 'unguled': ['unglued', 'unguled'], 'ungulp': ['ungulp', 'unplug'], 'unhabit': ['bhutani', 'unhabit'], 'unhackled': ['unchalked', 'unhackled'], 'unhairer': ['rhineura', 'unhairer'], 'unhalsed': ['unhalsed', 'unlashed', 'unshaled'], 'unhalted': ['unhalted', 'unlathed'], 'unhalter': ['lutheran', 'unhalter'], 'unhaltered': ['unhaltered', 'unlathered'], 'unhamper': ['prehuman', 'unhamper'], 'unharbored': ['unabhorred', 'unharbored'], 'unhasped': ['unhasped', 'unphased', 'unshaped'], 'unhat': ['ahunt', 'haunt', 'thuan', 'unhat'], 'unhate': ['uneath', 'unhate'], 'unhatingly': ['hauntingly', 'unhatingly'], 'unhayed': ['unhayed', 'unheady'], 'unheady': ['unhayed', 'unheady'], 'unhearsed': ['unhearsed', 'unsheared'], 'unheart': ['haunter', 'nauther', 'unearth', 'unheart', 'urethan'], 'unhid': ['hindu', 'hundi', 'unhid'], 'unhistoric': ['trichinous', 'unhistoric'], 'unhittable': ['unhittable', 'untithable'], 'unhoarded': ['roundhead', 'unhoarded'], 'unhocked': ['unchoked', 'unhocked'], 'unhoisted': ['hudsonite', 'unhoisted'], 'unhorse': ['unhorse', 'unshore'], 'unhose': ['unhose', 'unshoe'], 'unhosed': ['unhosed', 'unshoed'], 'unhurt': ['unhurt', 'unruth'], 'uniat': ['uinta', 'uniat'], 'uniate': ['auntie', 'uniate'], 'unible': ['nubile', 'unible'], 'uniced': ['induce', 'uniced'], 'unicentral': ['incruental', 'unicentral'], 'unideal': ['aliunde', 'unideal'], 'unidentified': ['indefinitude', 'unidentified'], 'unidly': ['unidly', 'yildun'], 'unie': ['niue', 'unie'], 'unifilar': ['friulian', 'unifilar'], 'uniflorate': ['antifouler', 'fluorinate', 'uniflorate'], 'unigenous': ['ingenuous', 'unigenous'], 'unignored': ['ungroined', 'unignored'], 'unilobar': ['orbulina', 'unilobar'], 'unilobed': ['unboiled', 'unilobed'], 'unimedial': ['aluminide', 'unimedial'], 'unimpair': ['manipuri', 'unimpair'], 'unimparted': ['diparentum', 'unimparted'], 'unimportance': ['importunance', 'unimportance'], 'unimpressible': ['unimpressible', 'unpermissible'], 'unimpressive': ['unimpressive', 'unpermissive'], 'unindented': ['unindented', 'unintended'], 'unindulged': ['undeluding', 'unindulged'], 'uninervate': ['aventurine', 'uninervate'], 'uninfringed': ['unfriending', 'uninfringed'], 'uningested': ['uningested', 'unsigneted'], 'uninn': ['nunni', 'uninn'], 'uninnate': ['eutannin', 'uninnate'], 'uninodal': ['annuloid', 'uninodal'], 'unintended': ['unindented', 'unintended'], 'unintoned': ['nonunited', 'unintoned'], 'uninured': ['uninured', 'unruined'], 'unionist': ['inustion', 'unionist'], 'unipersonal': ['spinoneural', 'unipersonal'], 'unipod': ['dupion', 'unipod'], 'uniradial': ['nidularia', 'uniradial'], 'unireme': ['erineum', 'unireme'], 'uniserrate': ['arseniuret', 'uniserrate'], 'unison': ['nonius', 'unison'], 'unitage': ['ungaite', 'unitage'], 'unital': ['inlaut', 'unital'], 'unite': ['intue', 'unite', 'untie'], 'united': ['dunite', 'united', 'untied'], 'uniter': ['runite', 'triune', 'uniter', 'untire'], 'unitiveness': ['unitiveness', 'unsensitive'], 'unitrope': ['eruption', 'unitrope'], 'univied': ['univied', 'viduine'], 'unket': ['knute', 'unket'], 'unkilned': ['unkilned', 'unlinked'], 'unkin': ['nunki', 'unkin'], 'unkindred': ['underkind', 'unkindred'], 'unlabiate': ['laubanite', 'unlabiate'], 'unlabored': ['burdalone', 'unlabored'], 'unlace': ['auncel', 'cuneal', 'lacune', 'launce', 'unlace'], 'unlaced': ['unclead', 'unlaced'], 'unlade': ['unlade', 'unlead'], 'unlaid': ['dualin', 'ludian', 'unlaid'], 'unlame': ['manuel', 'unlame'], 'unlapped': ['unlapped', 'unpalped'], 'unlarge': ['granule', 'unlarge', 'unregal'], 'unlashed': ['unhalsed', 'unlashed', 'unshaled'], 'unlasting': ['unlasting', 'unslating'], 'unlatch': ['tulchan', 'unlatch'], 'unlathed': ['unhalted', 'unlathed'], 'unlathered': ['unhaltered', 'unlathered'], 'unlay': ['unlay', 'yulan'], 'unlead': ['unlade', 'unlead'], 'unleasable': ['unleasable', 'unsealable'], 'unleased': ['unleased', 'unsealed'], 'unleash': ['hulsean', 'unleash'], 'unled': ['lendu', 'unled'], 'unleft': ['fluent', 'netful', 'unfelt', 'unleft'], 'unlent': ['nunlet', 'tunnel', 'unlent'], 'unlevied': ['unlevied', 'unveiled'], 'unlibeled': ['undelible', 'unlibeled'], 'unliberal': ['brunellia', 'unliberal'], 'unlicensed': ['unlicensed', 'unsilenced'], 'unlighted': ['undelight', 'unlighted'], 'unliken': ['nunlike', 'unliken'], 'unlime': ['lumine', 'unlime'], 'unlinked': ['unkilned', 'unlinked'], 'unlist': ['insult', 'sunlit', 'unlist', 'unslit'], 'unlistened': ['unenlisted', 'unlistened', 'untinseled'], 'unlit': ['unlit', 'until'], 'unliteral': ['tellurian', 'unliteral'], 'unlittered': ['undertitle', 'unlittered'], 'unlive': ['unevil', 'unlive', 'unveil'], 'unloaded': ['duodenal', 'unloaded'], 'unloaden': ['unloaden', 'unloaned'], 'unloader': ['unloader', 'urodelan'], 'unloaned': ['unloaden', 'unloaned'], 'unlodge': ['unlodge', 'unogled'], 'unlogic': ['gulonic', 'unlogic'], 'unlooped': ['unlooped', 'unpooled'], 'unlooted': ['unlooted', 'untooled'], 'unlost': ['unlost', 'unslot'], 'unlowered': ['unlowered', 'unroweled'], 'unlucid': ['nuculid', 'unlucid'], 'unlumped': ['pendulum', 'unlumped', 'unplumed'], 'unlured': ['unlured', 'unruled'], 'unlyrical': ['runically', 'unlyrical'], 'unmacerated': ['uncamerated', 'unmacerated'], 'unmad': ['maund', 'munda', 'numda', 'undam', 'unmad'], 'unmadded': ['addendum', 'unmadded'], 'unmaddened': ['undemanded', 'unmaddened'], 'unmaid': ['numida', 'unmaid'], 'unmail': ['alumni', 'unmail'], 'unmailed': ['adlumine', 'unmailed'], 'unmaned': ['mundane', 'unamend', 'unmaned', 'unnamed'], 'unmantle': ['unmantle', 'unmental'], 'unmarch': ['uncharm', 'unmarch'], 'unmarching': ['uncharming', 'unmarching'], 'unmarginal': ['unalarming', 'unmarginal'], 'unmarred': ['underarm', 'unmarred'], 'unmashed': ['unmashed', 'unshamed'], 'unmate': ['unmate', 'untame', 'unteam'], 'unmated': ['unmated', 'untamed'], 'unmaterial': ['manualiter', 'unmaterial'], 'unmeated': ['unmeated', 'unteamed'], 'unmedical': ['unclaimed', 'undecimal', 'unmedical'], 'unmeet': ['unmeet', 'unteem'], 'unmemoired': ['unmemoired', 'unmemoried'], 'unmemoried': ['unmemoired', 'unmemoried'], 'unmental': ['unmantle', 'unmental'], 'unmerged': ['gerendum', 'unmerged'], 'unmerited': ['undertime', 'unmerited'], 'unmettle': ['temulent', 'unmettle'], 'unminable': ['nelumbian', 'unminable'], 'unmined': ['minuend', 'unmined'], 'unminted': ['indument', 'unminted'], 'unmisled': ['muslined', 'unmisled', 'unsmiled'], 'unmiter': ['minuter', 'unmiter'], 'unmodest': ['mudstone', 'unmodest'], 'unmodish': ['muishond', 'unmodish'], 'unmomentary': ['monumentary', 'unmomentary'], 'unmonitored': ['undermotion', 'unmonitored'], 'unmorbid': ['moribund', 'unmorbid'], 'unmorose': ['enormous', 'unmorose'], 'unmortised': ['semirotund', 'unmortised'], 'unmotived': ['unmotived', 'unvomited'], 'unmystical': ['stimulancy', 'unmystical'], 'unnagged': ['unganged', 'unnagged'], 'unnail': ['alnuin', 'unnail'], 'unnameability': ['unamenability', 'unnameability'], 'unnameable': ['unamenable', 'unnameable'], 'unnameableness': ['unamenableness', 'unnameableness'], 'unnameably': ['unamenably', 'unnameably'], 'unnamed': ['mundane', 'unamend', 'unmaned', 'unnamed'], 'unnational': ['annulation', 'unnational'], 'unnative': ['unnative', 'venutian'], 'unneared': ['unearned', 'unneared'], 'unnest': ['unnest', 'unsent'], 'unnetted': ['unnetted', 'untented'], 'unnose': ['nonuse', 'unnose'], 'unnoted': ['unnoted', 'untoned'], 'unnoticed': ['continued', 'unnoticed'], 'unoared': ['rondeau', 'unoared'], 'unogled': ['unlodge', 'unogled'], 'unomitted': ['dumontite', 'unomitted'], 'unoperatic': ['precaution', 'unoperatic'], 'unorbed': ['beround', 'bounder', 'rebound', 'unbored', 'unorbed', 'unrobed'], 'unorder': ['rondure', 'rounder', 'unorder'], 'unordered': ['underdoer', 'unordered'], 'unoriented': ['nonerudite', 'unoriented'], 'unown': ['unown', 'unwon'], 'unowned': ['enwound', 'unowned'], 'unpacable': ['uncapable', 'unpacable'], 'unpacker': ['reunpack', 'unpacker'], 'unpaired': ['unpaired', 'unrepaid'], 'unpale': ['unpale', 'uplane'], 'unpalped': ['unlapped', 'unpalped'], 'unpanel': ['unpanel', 'unpenal'], 'unparceled': ['unparceled', 'unreplaced'], 'unparched': ['underchap', 'unparched'], 'unpared': ['undrape', 'unpared', 'unraped'], 'unparsed': ['undersap', 'unparsed', 'unrasped', 'unspared', 'unspread'], 'unparted': ['depurant', 'unparted'], 'unpartial': ['tarpaulin', 'unpartial'], 'unpenal': ['unpanel', 'unpenal'], 'unpenetrable': ['unpenetrable', 'unrepentable'], 'unpent': ['punnet', 'unpent'], 'unperch': ['puncher', 'unperch'], 'unpercolated': ['counterpaled', 'counterplead', 'unpercolated'], 'unpermissible': ['unimpressible', 'unpermissible'], 'unpermissive': ['unimpressive', 'unpermissive'], 'unperuked': ['underpuke', 'unperuked'], 'unpervaded': ['undepraved', 'unpervaded'], 'unpetal': ['plutean', 'unpetal', 'unpleat'], 'unpharasaic': ['parasuchian', 'unpharasaic'], 'unphased': ['unhasped', 'unphased', 'unshaped'], 'unphrased': ['unphrased', 'unsharped'], 'unpickled': ['dunpickle', 'unpickled'], 'unpierced': ['preinduce', 'unpierced'], 'unpile': ['lupine', 'unpile', 'upline'], 'unpiled': ['unpiled', 'unplied'], 'unplace': ['cleanup', 'unplace'], 'unplain': ['pinnula', 'unplain'], 'unplait': ['nuptial', 'unplait'], 'unplanted': ['pendulant', 'unplanted'], 'unplat': ['puntal', 'unplat'], 'unpleased': ['unelapsed', 'unpleased'], 'unpleat': ['plutean', 'unpetal', 'unpleat'], 'unpleated': ['pendulate', 'unpleated'], 'unplied': ['unpiled', 'unplied'], 'unplug': ['ungulp', 'unplug'], 'unplumed': ['pendulum', 'unlumped', 'unplumed'], 'unpoled': ['duplone', 'unpoled'], 'unpolished': ['disulphone', 'unpolished'], 'unpolitic': ['punctilio', 'unpolitic'], 'unpooled': ['unlooped', 'unpooled'], 'unposted': ['outspend', 'unposted'], 'unpot': ['punto', 'unpot', 'untop'], 'unprayed': ['underpay', 'unprayed'], 'unprelatic': ['periculant', 'unprelatic'], 'unpressed': ['resuspend', 'suspender', 'unpressed'], 'unpricked': ['underpick', 'unpricked'], 'unprint': ['turnpin', 'unprint'], 'unprosaic': ['inocarpus', 'unprosaic'], 'unproselyted': ['pseudelytron', 'unproselyted'], 'unproud': ['roundup', 'unproud'], 'unpursued': ['unpursued', 'unusurped'], 'unpursuing': ['unpursuing', 'unusurping'], 'unquietable': ['unequitable', 'unquietable'], 'unrabbeted': ['beturbaned', 'unrabbeted'], 'unraced': ['durance', 'redunca', 'unraced'], 'unraided': ['underaid', 'unraided'], 'unraised': ['denarius', 'desaurin', 'unraised'], 'unram': ['muran', 'ruman', 'unarm', 'unram', 'urman'], 'unranked': ['undarken', 'unranked'], 'unraped': ['undrape', 'unpared', 'unraped'], 'unrasped': ['undersap', 'unparsed', 'unrasped', 'unspared', 'unspread'], 'unrated': ['daunter', 'unarted', 'unrated', 'untread'], 'unravel': ['unravel', 'venular'], 'unray': ['anury', 'unary', 'unray'], 'unrayed': ['unrayed', 'unready'], 'unreactive': ['uncreative', 'unreactive'], 'unread': ['endura', 'neurad', 'undear', 'unread'], 'unready': ['unrayed', 'unready'], 'unreal': ['lunare', 'neural', 'ulnare', 'unreal'], 'unrealism': ['semilunar', 'unrealism'], 'unrealist': ['neuralist', 'ulsterian', 'unrealist'], 'unrealmed': ['denumeral', 'undermeal', 'unrealmed'], 'unrebated': ['eburnated', 'underbeat', 'unrebated'], 'unrebutted': ['unbuttered', 'unrebutted'], 'unreceived': ['undeceiver', 'unreceived'], 'unrecent': ['uncenter', 'unrecent'], 'unrecited': ['centuried', 'unrecited'], 'unrectifiable': ['uncertifiable', 'unrectifiable'], 'unrectified': ['uncertified', 'unrectified'], 'unred': ['runed', 'under', 'unred'], 'unredacted': ['underacted', 'unredacted'], 'unreduct': ['undercut', 'unreduct'], 'unreeve': ['revenue', 'unreeve'], 'unreeving': ['unreeving', 'unveering'], 'unregal': ['granule', 'unlarge', 'unregal'], 'unregard': ['grandeur', 'unregard'], 'unregarded': ['undergrade', 'unregarded'], 'unrein': ['enruin', 'neurin', 'unrein'], 'unreinstated': ['unreinstated', 'unstraitened'], 'unrelated': ['unaltered', 'unrelated'], 'unrelating': ['unaltering', 'unrelating'], 'unreleased': ['underlease', 'unreleased'], 'unrelegated': ['underlegate', 'unrelegated'], 'unremarked': ['undermaker', 'unremarked'], 'unrent': ['runnet', 'tunner', 'unrent'], 'unrented': ['unrented', 'untender'], 'unrepaid': ['unpaired', 'unrepaid'], 'unrepentable': ['unpenetrable', 'unrepentable'], 'unrepined': ['unrepined', 'unripened'], 'unrepining': ['unrepining', 'unripening'], 'unreplaced': ['unparceled', 'unreplaced'], 'unreplied': ['underpile', 'unreplied'], 'unreposed': ['underpose', 'unreposed'], 'unreputed': ['unerupted', 'unreputed'], 'unrescinded': ['undiscerned', 'unrescinded'], 'unrescued': ['unrescued', 'unsecured'], 'unreserved': ['underserve', 'underverse', 'undeserver', 'unreserved', 'unreversed'], 'unresisted': ['unresisted', 'unsistered'], 'unresolve': ['nervulose', 'unresolve', 'vulnerose'], 'unrespect': ['unrespect', 'unscepter', 'unsceptre'], 'unrespected': ['unrespected', 'unsceptered'], 'unrested': ['sederunt', 'underset', 'undesert', 'unrested'], 'unresting': ['insurgent', 'unresting'], 'unretarded': ['undertread', 'unretarded'], 'unreticent': ['entincture', 'unreticent'], 'unretired': ['reintrude', 'unretired'], 'unrevered': ['enverdure', 'unrevered'], 'unreversed': ['underserve', 'underverse', 'undeserver', 'unreserved', 'unreversed'], 'unreviled': ['underlive', 'unreviled'], 'unrevised': ['undiverse', 'unrevised'], 'unrevocable': ['uncoverable', 'unrevocable'], 'unribbed': ['unbribed', 'unribbed'], 'unrich': ['unrich', 'urchin'], 'unrid': ['rundi', 'unrid'], 'unridable': ['indurable', 'unbrailed', 'unridable'], 'unriddle': ['underlid', 'unriddle'], 'unride': ['diurne', 'inured', 'ruined', 'unride'], 'unridged': ['underdig', 'ungirded', 'unridged'], 'unrig': ['irgun', 'ruing', 'unrig'], 'unright': ['hurting', 'ungirth', 'unright'], 'unrighted': ['ungirthed', 'unrighted'], 'unring': ['unring', 'urning'], 'unringed': ['enduring', 'unringed'], 'unripe': ['purine', 'unripe', 'uprein'], 'unripely': ['pyruline', 'unripely'], 'unripened': ['unrepined', 'unripened'], 'unripening': ['unrepining', 'unripening'], 'unroaded': ['unadored', 'unroaded'], 'unrobed': ['beround', 'bounder', 'rebound', 'unbored', 'unorbed', 'unrobed'], 'unrocked': ['uncorked', 'unrocked'], 'unroot': ['notour', 'unroot'], 'unroped': ['pounder', 'repound', 'unroped'], 'unrosed': ['resound', 'sounder', 'unrosed'], 'unrostrated': ['tetrandrous', 'unrostrated'], 'unrotated': ['rotundate', 'unrotated'], 'unroted': ['tendour', 'unroted'], 'unroused': ['unroused', 'unsoured'], 'unrouted': ['unrouted', 'untoured'], 'unrowed': ['rewound', 'unrowed', 'wounder'], 'unroweled': ['unlowered', 'unroweled'], 'unroyalist': ['unroyalist', 'unsolitary'], 'unruined': ['uninured', 'unruined'], 'unruled': ['unlured', 'unruled'], 'unrun': ['unrun', 'unurn'], 'unruth': ['unhurt', 'unruth'], 'unsack': ['uncask', 'unsack'], 'unsacked': ['uncasked', 'unsacked'], 'unsacred': ['unsacred', 'unscared'], 'unsad': ['sudan', 'unsad'], 'unsadden': ['unsadden', 'unsanded'], 'unsage': ['gnaeus', 'unsage'], 'unsaid': ['sudani', 'unsaid'], 'unsailed': ['unaisled', 'unsailed'], 'unsaint': ['antisun', 'unsaint', 'unsatin', 'unstain'], 'unsainted': ['unsainted', 'unstained'], 'unsalt': ['sultan', 'unsalt'], 'unsalted': ['unsalted', 'unslated', 'unstaled'], 'unsanded': ['unsadden', 'unsanded'], 'unsardonic': ['andronicus', 'unsardonic'], 'unsashed': ['sunshade', 'unsashed'], 'unsatable': ['sublanate', 'unsatable'], 'unsatiable': ['balaustine', 'unsatiable'], 'unsatin': ['antisun', 'unsaint', 'unsatin', 'unstain'], 'unsauced': ['uncaused', 'unsauced'], 'unscale': ['censual', 'unscale'], 'unscalloped': ['uncollapsed', 'unscalloped'], 'unscaly': ['ancylus', 'unscaly'], 'unscared': ['unsacred', 'unscared'], 'unscepter': ['unrespect', 'unscepter', 'unsceptre'], 'unsceptered': ['unrespected', 'unsceptered'], 'unsceptre': ['unrespect', 'unscepter', 'unsceptre'], 'unscoured': ['uncoursed', 'unscoured'], 'unseal': ['elanus', 'unseal'], 'unsealable': ['unleasable', 'unsealable'], 'unsealed': ['unleased', 'unsealed'], 'unseared': ['undersea', 'unerased', 'unseared'], 'unseat': ['nasute', 'nauset', 'unseat'], 'unseated': ['unseated', 'unsedate', 'unteased'], 'unsecured': ['unrescued', 'unsecured'], 'unsedate': ['unseated', 'unsedate', 'unteased'], 'unsee': ['ensue', 'seenu', 'unsee'], 'unseethed': ['unseethed', 'unsheeted'], 'unseizable': ['unseizable', 'unsizeable'], 'unselect': ['esculent', 'unselect'], 'unsensed': ['nudeness', 'unsensed'], 'unsensitive': ['unitiveness', 'unsensitive'], 'unsent': ['unnest', 'unsent'], 'unsepulcher': ['unsepulcher', 'unsepulchre'], 'unsepulchre': ['unsepulcher', 'unsepulchre'], 'unserrated': ['unarrested', 'unserrated'], 'unserved': ['unserved', 'unversed'], 'unset': ['unset', 'usent'], 'unsevered': ['undeserve', 'unsevered'], 'unsewed': ['sunweed', 'unsewed'], 'unsex': ['nexus', 'unsex'], 'unshaded': ['undashed', 'unshaded'], 'unshaled': ['unhalsed', 'unlashed', 'unshaled'], 'unshamed': ['unmashed', 'unshamed'], 'unshaped': ['unhasped', 'unphased', 'unshaped'], 'unsharing': ['ungarnish', 'unsharing'], 'unsharped': ['unphrased', 'unsharped'], 'unsharpened': ['undershapen', 'unsharpened'], 'unsheared': ['unhearsed', 'unsheared'], 'unsheet': ['enthuse', 'unsheet'], 'unsheeted': ['unseethed', 'unsheeted'], 'unship': ['inpush', 'punish', 'unship'], 'unshipment': ['punishment', 'unshipment'], 'unshoe': ['unhose', 'unshoe'], 'unshoed': ['unhosed', 'unshoed'], 'unshore': ['unhorse', 'unshore'], 'unshored': ['enshroud', 'unshored'], 'unshortened': ['underhonest', 'unshortened'], 'unsicker': ['cruisken', 'unsicker'], 'unsickled': ['klendusic', 'unsickled'], 'unsight': ['gutnish', 'husting', 'unsight'], 'unsignable': ['unsignable', 'unsingable'], 'unsigned': ['undesign', 'unsigned', 'unsinged'], 'unsigneted': ['uningested', 'unsigneted'], 'unsilenced': ['unlicensed', 'unsilenced'], 'unsimple': ['splenium', 'unsimple'], 'unsin': ['sunni', 'unsin'], 'unsingable': ['unsignable', 'unsingable'], 'unsinged': ['undesign', 'unsigned', 'unsinged'], 'unsistered': ['unresisted', 'unsistered'], 'unsizeable': ['unseizable', 'unsizeable'], 'unskin': ['insunk', 'unskin'], 'unslate': ['sultane', 'unslate'], 'unslated': ['unsalted', 'unslated', 'unstaled'], 'unslating': ['unlasting', 'unslating'], 'unslept': ['unslept', 'unspelt'], 'unslighted': ['sunlighted', 'unslighted'], 'unslit': ['insult', 'sunlit', 'unlist', 'unslit'], 'unslot': ['unlost', 'unslot'], 'unsmeared': ['underseam', 'unsmeared'], 'unsmiled': ['muslined', 'unmisled', 'unsmiled'], 'unsnap': ['pannus', 'sannup', 'unsnap', 'unspan'], 'unsnatch': ['unsnatch', 'unstanch'], 'unsnow': ['unsnow', 'unsown'], 'unsocial': ['sualocin', 'unsocial'], 'unsoil': ['insoul', 'linous', 'nilous', 'unsoil'], 'unsoiled': ['delusion', 'unsoiled'], 'unsoldier': ['undersoil', 'unsoldier'], 'unsole': ['ensoul', 'olenus', 'unsole'], 'unsolitary': ['unroyalist', 'unsolitary'], 'unsomber': ['unsomber', 'unsombre'], 'unsombre': ['unsomber', 'unsombre'], 'unsome': ['nomeus', 'unsome'], 'unsore': ['souren', 'unsore', 'ursone'], 'unsort': ['tornus', 'unsort'], 'unsortable': ['neuroblast', 'unsortable'], 'unsorted': ['tonsured', 'unsorted', 'unstored'], 'unsoured': ['unroused', 'unsoured'], 'unsown': ['unsnow', 'unsown'], 'unspan': ['pannus', 'sannup', 'unsnap', 'unspan'], 'unspar': ['surnap', 'unspar'], 'unspared': ['undersap', 'unparsed', 'unrasped', 'unspared', 'unspread'], 'unsparred': ['underspar', 'unsparred'], 'unspecterlike': ['unspecterlike', 'unspectrelike'], 'unspectrelike': ['unspecterlike', 'unspectrelike'], 'unsped': ['unsped', 'upsend'], 'unspelt': ['unslept', 'unspelt'], 'unsphering': ['gunnership', 'unsphering'], 'unspiable': ['subalpine', 'unspiable'], 'unspike': ['spunkie', 'unspike'], 'unspit': ['ptinus', 'unspit'], 'unspoil': ['pulsion', 'unspoil', 'upsilon'], 'unspot': ['pontus', 'unspot', 'unstop'], 'unspread': ['undersap', 'unparsed', 'unrasped', 'unspared', 'unspread'], 'unstabled': ['dunstable', 'unblasted', 'unstabled'], 'unstain': ['antisun', 'unsaint', 'unsatin', 'unstain'], 'unstained': ['unsainted', 'unstained'], 'unstaled': ['unsalted', 'unslated', 'unstaled'], 'unstanch': ['unsnatch', 'unstanch'], 'unstar': ['saturn', 'unstar'], 'unstatable': ['unstatable', 'untastable'], 'unstate': ['tetanus', 'unstate', 'untaste'], 'unstateable': ['unstateable', 'untasteable'], 'unstated': ['unstated', 'untasted'], 'unstating': ['unstating', 'untasting'], 'unstayed': ['unstayed', 'unsteady'], 'unsteady': ['unstayed', 'unsteady'], 'unstercorated': ['countertrades', 'unstercorated'], 'unstern': ['stunner', 'unstern'], 'unstocked': ['duckstone', 'unstocked'], 'unstoic': ['cotinus', 'suction', 'unstoic'], 'unstoical': ['suctional', 'sulcation', 'unstoical'], 'unstop': ['pontus', 'unspot', 'unstop'], 'unstopple': ['pulpstone', 'unstopple'], 'unstore': ['snouter', 'tonsure', 'unstore'], 'unstored': ['tonsured', 'unsorted', 'unstored'], 'unstoried': ['detrusion', 'tinderous', 'unstoried'], 'unstormed': ['undermost', 'unstormed'], 'unstrain': ['insurant', 'unstrain'], 'unstrained': ['understain', 'unstrained'], 'unstraitened': ['unreinstated', 'unstraitened'], 'unstranded': ['understand', 'unstranded'], 'unstrewed': ['unstrewed', 'unwrested'], 'unsucculent': ['centunculus', 'unsucculent'], 'unsued': ['unsued', 'unused'], 'unsusceptible': ['unsusceptible', 'unsuspectible'], 'unsusceptive': ['unsusceptive', 'unsuspective'], 'unsuspectible': ['unsusceptible', 'unsuspectible'], 'unsuspective': ['unsusceptive', 'unsuspective'], 'untactful': ['fluctuant', 'untactful'], 'untailed': ['nidulate', 'untailed'], 'untame': ['unmate', 'untame', 'unteam'], 'untamed': ['unmated', 'untamed'], 'untanned': ['nunnated', 'untanned'], 'untap': ['punta', 'unapt', 'untap'], 'untar': ['arnut', 'tuarn', 'untar'], 'untastable': ['unstatable', 'untastable'], 'untaste': ['tetanus', 'unstate', 'untaste'], 'untasteable': ['unstateable', 'untasteable'], 'untasted': ['unstated', 'untasted'], 'untasting': ['unstating', 'untasting'], 'untaught': ['taungthu', 'untaught'], 'untaunted': ['unattuned', 'untaunted'], 'unteach': ['uncheat', 'unteach'], 'unteaching': ['uncheating', 'unteaching'], 'unteam': ['unmate', 'untame', 'unteam'], 'unteamed': ['unmeated', 'unteamed'], 'unteased': ['unseated', 'unsedate', 'unteased'], 'unteem': ['unmeet', 'unteem'], 'untemper': ['erumpent', 'untemper'], 'untender': ['unrented', 'untender'], 'untented': ['unnetted', 'untented'], 'unthatch': ['nuthatch', 'unthatch'], 'unthick': ['kutchin', 'unthick'], 'unthrall': ['turnhall', 'unthrall'], 'untiaraed': ['diuranate', 'untiaraed'], 'untidy': ['nudity', 'untidy'], 'untie': ['intue', 'unite', 'untie'], 'untied': ['dunite', 'united', 'untied'], 'until': ['unlit', 'until'], 'untile': ['lutein', 'untile'], 'untiled': ['diluent', 'untiled'], 'untilted': ['dilutent', 'untilted', 'untitled'], 'untimely': ['minutely', 'untimely'], 'untin': ['nintu', 'ninut', 'untin'], 'untine': ['ineunt', 'untine'], 'untinseled': ['unenlisted', 'unlistened', 'untinseled'], 'untirable': ['untirable', 'untriable'], 'untire': ['runite', 'triune', 'uniter', 'untire'], 'untired': ['intrude', 'turdine', 'untired', 'untried'], 'untithable': ['unhittable', 'untithable'], 'untitled': ['dilutent', 'untilted', 'untitled'], 'unto': ['tuno', 'unto'], 'untoiled': ['outlined', 'untoiled'], 'untoned': ['unnoted', 'untoned'], 'untooled': ['unlooted', 'untooled'], 'untop': ['punto', 'unpot', 'untop'], 'untorn': ['tunnor', 'untorn'], 'untortured': ['undertutor', 'untortured'], 'untotalled': ['unallotted', 'untotalled'], 'untouch': ['uncouth', 'untouch'], 'untoured': ['unrouted', 'untoured'], 'untrace': ['centaur', 'untrace'], 'untraceable': ['uncreatable', 'untraceable'], 'untraceableness': ['uncreatableness', 'untraceableness'], 'untraced': ['uncarted', 'uncrated', 'underact', 'untraced'], 'untraceried': ['antireducer', 'reincrudate', 'untraceried'], 'untradeable': ['untradeable', 'untreadable'], 'untrain': ['antirun', 'untrain', 'urinant'], 'untread': ['daunter', 'unarted', 'unrated', 'untread'], 'untreadable': ['untradeable', 'untreadable'], 'untreatable': ['entablature', 'untreatable'], 'untreed': ['denture', 'untreed'], 'untriable': ['untirable', 'untriable'], 'untribal': ['tribunal', 'turbinal', 'untribal'], 'untriced': ['undirect', 'untriced'], 'untried': ['intrude', 'turdine', 'untired', 'untried'], 'untrig': ['ungirt', 'untrig'], 'untrod': ['rotund', 'untrod'], 'untropical': ['ponticular', 'untropical'], 'untroubled': ['outblunder', 'untroubled'], 'untrowed': ['undertow', 'untrowed'], 'untruss': ['sturnus', 'untruss'], 'untutored': ['outturned', 'untutored'], 'unurn': ['unrun', 'unurn'], 'unused': ['unsued', 'unused'], 'unusurped': ['unpursued', 'unusurped'], 'unusurping': ['unpursuing', 'unusurping'], 'unvailable': ['invaluable', 'unvailable'], 'unveering': ['unreeving', 'unveering'], 'unveil': ['unevil', 'unlive', 'unveil'], 'unveiled': ['unlevied', 'unveiled'], 'unveined': ['unenvied', 'unveined'], 'unvenerated': ['unenervated', 'unvenerated'], 'unveniable': ['unenviable', 'unveniable'], 'unveritable': ['unavertible', 'unveritable'], 'unversed': ['unserved', 'unversed'], 'unvessel': ['unvessel', 'usselven'], 'unvest': ['unvest', 'venust'], 'unvomited': ['unmotived', 'unvomited'], 'unwagered': ['underwage', 'unwagered'], 'unwan': ['unwan', 'wunna'], 'unware': ['unware', 'wauner'], 'unwarp': ['unwarp', 'unwrap'], 'unwary': ['runway', 'unwary'], 'unwavered': ['underwave', 'unwavered'], 'unwept': ['unwept', 'upwent'], 'unwon': ['unown', 'unwon'], 'unwrap': ['unwarp', 'unwrap'], 'unwrested': ['unstrewed', 'unwrested'], 'unwronged': ['undergown', 'unwronged'], 'unyoung': ['unyoung', 'youngun'], 'unze': ['unze', 'zenu'], 'up': ['pu', 'up'], 'uparching': ['ungraphic', 'uparching'], 'uparise': ['spuriae', 'uparise', 'upraise'], 'uparna': ['purana', 'uparna'], 'upas': ['apus', 'supa', 'upas'], 'upblast': ['subplat', 'upblast'], 'upblow': ['blowup', 'upblow'], 'upbreak': ['breakup', 'upbreak'], 'upbuild': ['buildup', 'upbuild'], 'upcast': ['catsup', 'upcast'], 'upcatch': ['catchup', 'upcatch'], 'upclimb': ['plumbic', 'upclimb'], 'upclose': ['culpose', 'ploceus', 'upclose'], 'upcock': ['cockup', 'upcock'], 'upcoil': ['oilcup', 'upcoil'], 'upcourse': ['cupreous', 'upcourse'], 'upcover': ['overcup', 'upcover'], 'upcreep': ['prepuce', 'upcreep'], 'upcurrent': ['puncturer', 'upcurrent'], 'upcut': ['cutup', 'upcut'], 'updo': ['doup', 'updo'], 'updraw': ['updraw', 'upward'], 'updry': ['prudy', 'purdy', 'updry'], 'upeat': ['taupe', 'upeat'], 'upflare': ['rapeful', 'upflare'], 'upflower': ['powerful', 'upflower'], 'upgale': ['plague', 'upgale'], 'upget': ['getup', 'upget'], 'upgirt': ['ripgut', 'upgirt'], 'upgo': ['goup', 'ogpu', 'upgo'], 'upgrade': ['guepard', 'upgrade'], 'uphelm': ['phleum', 'uphelm'], 'uphold': ['holdup', 'uphold'], 'upholder': ['reuphold', 'upholder'], 'upholsterer': ['reupholster', 'upholsterer'], 'upla': ['paul', 'upla'], 'upland': ['dunlap', 'upland'], 'uplander': ['pendular', 'underlap', 'uplander'], 'uplane': ['unpale', 'uplane'], 'upleap': ['papule', 'upleap'], 'uplift': ['tipful', 'uplift'], 'uplifter': ['reuplift', 'uplifter'], 'upline': ['lupine', 'unpile', 'upline'], 'uplock': ['lockup', 'uplock'], 'upon': ['noup', 'puno', 'upon'], 'uppers': ['supper', 'uppers'], 'uppish': ['hippus', 'uppish'], 'upraise': ['spuriae', 'uparise', 'upraise'], 'uprear': ['parure', 'uprear'], 'uprein': ['purine', 'unripe', 'uprein'], 'uprip': ['ripup', 'uprip'], 'uprisal': ['parulis', 'spirula', 'uprisal'], 'uprisement': ['episternum', 'uprisement'], 'upriser': ['siruper', 'upriser'], 'uprist': ['purist', 'spruit', 'uprist', 'upstir'], 'uproad': ['podura', 'uproad'], 'uproom': ['moorup', 'uproom'], 'uprose': ['poseur', 'pouser', 'souper', 'uprose'], 'upscale': ['capsule', 'specula', 'upscale'], 'upseal': ['apulse', 'upseal'], 'upsend': ['unsped', 'upsend'], 'upset': ['setup', 'stupe', 'upset'], 'upsettable': ['subpeltate', 'upsettable'], 'upsetter': ['upsetter', 'upstreet'], 'upshore': ['ephorus', 'orpheus', 'upshore'], 'upshot': ['tophus', 'upshot'], 'upshut': ['pushtu', 'upshut'], 'upsilon': ['pulsion', 'unspoil', 'upsilon'], 'upsit': ['puist', 'upsit'], 'upslant': ['pulsant', 'upslant'], 'upsmite': ['impetus', 'upsmite'], 'upsoar': ['parous', 'upsoar'], 'upstair': ['tapirus', 'upstair'], 'upstand': ['dustpan', 'upstand'], 'upstare': ['pasteur', 'pasture', 'upstare'], 'upstater': ['stuprate', 'upstater'], 'upsteal': ['pulsate', 'spatule', 'upsteal'], 'upstem': ['septum', 'upstem'], 'upstir': ['purist', 'spruit', 'uprist', 'upstir'], 'upstraight': ['straightup', 'upstraight'], 'upstreet': ['upsetter', 'upstreet'], 'upstrive': ['spurtive', 'upstrive'], 'upsun': ['sunup', 'upsun'], 'upsway': ['upsway', 'upways'], 'uptake': ['ketupa', 'uptake'], 'uptend': ['pudent', 'uptend'], 'uptilt': ['tiltup', 'uptilt'], 'uptoss': ['tossup', 'uptoss'], 'uptrace': ['capture', 'uptrace'], 'uptrain': ['pintura', 'puritan', 'uptrain'], 'uptree': ['repute', 'uptree'], 'uptrend': ['prudent', 'prunted', 'uptrend'], 'upturn': ['turnup', 'upturn'], 'upward': ['updraw', 'upward'], 'upwarp': ['upwarp', 'upwrap'], 'upways': ['upsway', 'upways'], 'upwent': ['unwept', 'upwent'], 'upwind': ['upwind', 'windup'], 'upwrap': ['upwarp', 'upwrap'], 'ura': ['aru', 'rua', 'ura'], 'uracil': ['curial', 'lauric', 'uracil', 'uralic'], 'uraemic': ['maurice', 'uraemic'], 'uraeus': ['aureus', 'uraeus'], 'ural': ['alur', 'laur', 'lura', 'raul', 'ural'], 'urali': ['rauli', 'urali', 'urial'], 'uralian': ['lunaria', 'ulnaria', 'uralian'], 'uralic': ['curial', 'lauric', 'uracil', 'uralic'], 'uralite': ['laurite', 'uralite'], 'uralitize': ['ritualize', 'uralitize'], 'uramido': ['doarium', 'uramido'], 'uramil': ['rimula', 'uramil'], 'uramino': ['mainour', 'uramino'], 'uran': ['raun', 'uran', 'urna'], 'uranate': ['taurean', 'uranate'], 'urania': ['anuria', 'urania'], 'uranic': ['anuric', 'cinura', 'uranic'], 'uranine': ['aneurin', 'uranine'], 'uranism': ['surinam', 'uranism'], 'uranite': ['ruinate', 'taurine', 'uranite', 'urinate'], 'uranographist': ['guarantorship', 'uranographist'], 'uranolite': ['outlinear', 'uranolite'], 'uranoscope': ['oenocarpus', 'uranoscope'], 'uranospinite': ['resupination', 'uranospinite'], 'uranotil': ['rotulian', 'uranotil'], 'uranous': ['anurous', 'uranous'], 'uranyl': ['lunary', 'uranyl'], 'uranylic': ['culinary', 'uranylic'], 'urari': ['aurir', 'urari'], 'urase': ['serau', 'urase'], 'uratic': ['tauric', 'uratic', 'urtica'], 'urazine': ['azurine', 'urazine'], 'urban': ['buran', 'unbar', 'urban'], 'urbane': ['eburna', 'unbare', 'unbear', 'urbane'], 'urbanite': ['braunite', 'urbanite', 'urbinate'], 'urbian': ['burian', 'urbian'], 'urbification': ['rubification', 'urbification'], 'urbify': ['rubify', 'urbify'], 'urbinate': ['braunite', 'urbanite', 'urbinate'], 'urceiform': ['eruciform', 'urceiform'], 'urceole': ['urceole', 'urocele'], 'urceolina': ['aleuronic', 'urceolina'], 'urceolus': ['ulcerous', 'urceolus'], 'urchin': ['unrich', 'urchin'], 'urd': ['rud', 'urd'], 'urde': ['duer', 'dure', 'rude', 'urde'], 'urdee': ['redue', 'urdee'], 'ure': ['rue', 'ure'], 'ureal': ['alure', 'ureal'], 'uredine': ['reindue', 'uredine'], 'ureic': ['curie', 'ureic'], 'uremia': ['aumrie', 'uremia'], 'uremic': ['cerium', 'uremic'], 'urena': ['urena', 'urnae'], 'urent': ['enrut', 'tuner', 'urent'], 'uresis': ['issuer', 'uresis'], 'uretal': ['tulare', 'uretal'], 'ureter': ['retrue', 'ureter'], 'ureteropyelogram': ['pyeloureterogram', 'ureteropyelogram'], 'urethan': ['haunter', 'nauther', 'unearth', 'unheart', 'urethan'], 'urethrascope': ['heterocarpus', 'urethrascope'], 'urethrocystitis': ['cystourethritis', 'urethrocystitis'], 'urethylan': ['unearthly', 'urethylan'], 'uretic': ['curite', 'teucri', 'uretic'], 'urf': ['fur', 'urf'], 'urge': ['grue', 'urge'], 'urgent': ['gunter', 'gurnet', 'urgent'], 'urger': ['regur', 'urger'], 'uria': ['arui', 'uria'], 'uriah': ['huari', 'uriah'], 'urial': ['rauli', 'urali', 'urial'], 'urian': ['aurin', 'urian'], 'uric': ['cuir', 'uric'], 'urinal': ['laurin', 'urinal'], 'urinant': ['antirun', 'untrain', 'urinant'], 'urinate': ['ruinate', 'taurine', 'uranite', 'urinate'], 'urination': ['ruination', 'urination'], 'urinator': ['ruinator', 'urinator'], 'urine': ['inure', 'urine'], 'urinogenitary': ['genitourinary', 'urinogenitary'], 'urinous': ['ruinous', 'urinous'], 'urinousness': ['ruinousness', 'urinousness'], 'urite': ['urite', 'uteri'], 'urlar': ['rural', 'urlar'], 'urled': ['duler', 'urled'], 'urling': ['ruling', 'urling'], 'urman': ['muran', 'ruman', 'unarm', 'unram', 'urman'], 'urn': ['run', 'urn'], 'urna': ['raun', 'uran', 'urna'], 'urnae': ['urena', 'urnae'], 'urnal': ['lunar', 'ulnar', 'urnal'], 'urnful': ['unfurl', 'urnful'], 'urning': ['unring', 'urning'], 'uro': ['our', 'uro'], 'urocele': ['urceole', 'urocele'], 'urodela': ['roulade', 'urodela'], 'urodelan': ['unloader', 'urodelan'], 'urogaster': ['surrogate', 'urogaster'], 'urogenital': ['regulation', 'urogenital'], 'uroglena': ['lagunero', 'organule', 'uroglena'], 'urolithic': ['ulotrichi', 'urolithic'], 'urometer': ['outremer', 'urometer'], 'uronic': ['cuorin', 'uronic'], 'uropsile': ['perilous', 'uropsile'], 'uroseptic': ['crepitous', 'euproctis', 'uroseptic'], 'urosomatic': ['mortacious', 'urosomatic'], 'urosteon': ['outsnore', 'urosteon'], 'urosternite': ['tenuiroster', 'urosternite'], 'urosthenic': ['cetorhinus', 'urosthenic'], 'urostyle': ['elytrous', 'urostyle'], 'urs': ['rus', 'sur', 'urs'], 'ursa': ['rusa', 'saur', 'sura', 'ursa', 'usar'], 'ursal': ['larus', 'sural', 'ursal'], 'ursidae': ['residua', 'ursidae'], 'ursine': ['insure', 'rusine', 'ursine'], 'ursone': ['souren', 'unsore', 'ursone'], 'ursuk': ['kurus', 'ursuk'], 'ursula': ['laurus', 'ursula'], 'urtica': ['tauric', 'uratic', 'urtica'], 'urticales': ['sterculia', 'urticales'], 'urticant': ['taciturn', 'urticant'], 'urticose': ['citreous', 'urticose'], 'usability': ['suability', 'usability'], 'usable': ['suable', 'usable'], 'usager': ['sauger', 'usager'], 'usance': ['uncase', 'usance'], 'usar': ['rusa', 'saur', 'sura', 'ursa', 'usar'], 'usara': ['arusa', 'saura', 'usara'], 'use': ['sue', 'use'], 'usent': ['unset', 'usent'], 'user': ['ruse', 'suer', 'sure', 'user'], 'ush': ['shu', 'ush'], 'ushabti': ['habitus', 'ushabti'], 'ushak': ['kusha', 'shaku', 'ushak'], 'usher': ['shure', 'usher'], 'usitate': ['situate', 'usitate'], 'usnic': ['incus', 'usnic'], 'usque': ['equus', 'usque'], 'usselven': ['unvessel', 'usselven'], 'ust': ['stu', 'ust'], 'uster': ['serut', 'strue', 'turse', 'uster'], 'ustion': ['outsin', 'ustion'], 'ustorious': ['sutorious', 'ustorious'], 'ustulina': ['lutianus', 'nautilus', 'ustulina'], 'usucaption': ['uncaptious', 'usucaption'], 'usure': ['eurus', 'usure'], 'usurper': ['pursuer', 'usurper'], 'ut': ['tu', 'ut'], 'uta': ['tau', 'tua', 'uta'], 'utas': ['saut', 'tasu', 'utas'], 'utch': ['chut', 'tchu', 'utch'], 'ute': ['tue', 'ute'], 'uteri': ['urite', 'uteri'], 'uterine': ['neurite', 'retinue', 'reunite', 'uterine'], 'uterocervical': ['overcirculate', 'uterocervical'], 'uterus': ['suture', 'uterus'], 'utile': ['luite', 'utile'], 'utilizable': ['latibulize', 'utilizable'], 'utopian': ['opuntia', 'utopian'], 'utopism': ['positum', 'utopism'], 'utopist': ['outspit', 'utopist'], 'utricular': ['turricula', 'utricular'], 'utriculosaccular': ['sacculoutricular', 'utriculosaccular'], 'utrum': ['murut', 'utrum'], 'utterer': ['reutter', 'utterer'], 'uva': ['uva', 'vau'], 'uval': ['ulva', 'uval'], 'uveal': ['uveal', 'value'], 'uviol': ['uviol', 'vouli'], 'vacate': ['cavate', 'caveat', 'vacate'], 'vacation': ['octavian', 'octavina', 'vacation'], 'vacationer': ['acervation', 'vacationer'], 'vaccinal': ['clavacin', 'vaccinal'], 'vacillate': ['laticlave', 'vacillate'], 'vacillation': ['cavillation', 'vacillation'], 'vacuolate': ['autoclave', 'vacuolate'], 'vade': ['dave', 'deva', 'vade', 'veda'], 'vady': ['davy', 'vady'], 'vage': ['gave', 'vage', 'vega'], 'vagile': ['glaive', 'vagile'], 'vaginant': ['navigant', 'vaginant'], 'vaginate': ['navigate', 'vaginate'], 'vaginoabdominal': ['abdominovaginal', 'vaginoabdominal'], 'vaginoperineal': ['perineovaginal', 'vaginoperineal'], 'vaginovesical': ['vaginovesical', 'vesicovaginal'], 'vaguity': ['gavyuti', 'vaguity'], 'vai': ['iva', 'vai', 'via'], 'vail': ['vail', 'vali', 'vial', 'vila'], 'vain': ['ivan', 'vain', 'vina'], 'vair': ['ravi', 'riva', 'vair', 'vari', 'vira'], 'vakass': ['kavass', 'vakass'], 'vale': ['lave', 'vale', 'veal', 'vela'], 'valence': ['enclave', 'levance', 'valence'], 'valencia': ['valencia', 'valiance'], 'valent': ['levant', 'valent'], 'valentine': ['levantine', 'valentine'], 'valeria': ['reavail', 'valeria'], 'valeriana': ['laverania', 'valeriana'], 'valeric': ['caliver', 'caviler', 'claiver', 'clavier', 'valeric', 'velaric'], 'valerie': ['realive', 'valerie'], 'valerin': ['elinvar', 'ravelin', 'reanvil', 'valerin'], 'valerone': ['overlean', 'valerone'], 'valeryl': ['ravelly', 'valeryl'], 'valeur': ['valeur', 'valuer'], 'vali': ['vail', 'vali', 'vial', 'vila'], 'valiance': ['valencia', 'valiance'], 'valiant': ['latvian', 'valiant'], 'valine': ['alevin', 'alvine', 'valine', 'veinal', 'venial', 'vineal'], 'vallar': ['larval', 'vallar'], 'vallidom': ['vallidom', 'villadom'], 'vallota': ['lavolta', 'vallota'], 'valonia': ['novalia', 'valonia'], 'valor': ['valor', 'volar'], 'valsa': ['salva', 'valsa', 'vasal'], 'valse': ['salve', 'selva', 'slave', 'valse'], 'value': ['uveal', 'value'], 'valuer': ['valeur', 'valuer'], 'vamper': ['revamp', 'vamper'], 'vane': ['evan', 'nave', 'vane'], 'vaned': ['daven', 'vaned'], 'vangee': ['avenge', 'geneva', 'vangee'], 'vangeli': ['leaving', 'vangeli'], 'vanir': ['invar', 'ravin', 'vanir'], 'vanisher': ['enravish', 'ravenish', 'vanisher'], 'vansire': ['servian', 'vansire'], 'vapid': ['pavid', 'vapid'], 'vapidity': ['pavidity', 'vapidity'], 'vaporarium': ['parovarium', 'vaporarium'], 'vara': ['avar', 'vara'], 'varan': ['navar', 'varan', 'varna'], 'vare': ['aver', 'rave', 'vare', 'vera'], 'varec': ['carve', 'crave', 'varec'], 'vari': ['ravi', 'riva', 'vair', 'vari', 'vira'], 'variate': ['variate', 'vateria'], 'varices': ['varices', 'viscera'], 'varicula': ['avicular', 'varicula'], 'variegator': ['arrogative', 'variegator'], 'varier': ['arrive', 'varier'], 'varietal': ['lievaart', 'varietal'], 'variola': ['ovarial', 'variola'], 'various': ['saviour', 'various'], 'varlet': ['travel', 'varlet'], 'varletry': ['varletry', 'veratryl'], 'varna': ['navar', 'varan', 'varna'], 'varnish': ['shirvan', 'varnish'], 'varnisher': ['revarnish', 'varnisher'], 'varsha': ['avshar', 'varsha'], 'vasal': ['salva', 'valsa', 'vasal'], 'vase': ['aves', 'save', 'vase'], 'vasoepididymostomy': ['epididymovasostomy', 'vasoepididymostomy'], 'vat': ['tav', 'vat'], 'vateria': ['variate', 'vateria'], 'vaticide': ['cavitied', 'vaticide'], 'vaticinate': ['inactivate', 'vaticinate'], 'vaticination': ['inactivation', 'vaticination'], 'vatter': ['tavert', 'vatter'], 'vau': ['uva', 'vau'], 'vaudois': ['avidous', 'vaudois'], 'veal': ['lave', 'vale', 'veal', 'vela'], 'vealer': ['laveer', 'leaver', 'reveal', 'vealer'], 'vealiness': ['aliveness', 'vealiness'], 'vealy': ['leavy', 'vealy'], 'vector': ['covert', 'vector'], 'veda': ['dave', 'deva', 'vade', 'veda'], 'vedaic': ['advice', 'vedaic'], 'vedaism': ['adevism', 'vedaism'], 'vedana': ['nevada', 'vedana', 'venada'], 'vedanta': ['vedanta', 'vetanda'], 'vedantism': ['adventism', 'vedantism'], 'vedantist': ['adventist', 'vedantist'], 'vedist': ['divest', 'vedist'], 'vedro': ['dover', 'drove', 'vedro'], 'vee': ['eve', 'vee'], 'veen': ['even', 'neve', 'veen'], 'veer': ['ever', 'reve', 'veer'], 'veery': ['every', 'veery'], 'vega': ['gave', 'vage', 'vega'], 'vegasite': ['estivage', 'vegasite'], 'vegetarian': ['renavigate', 'vegetarian'], 'vei': ['vei', 'vie'], 'veil': ['evil', 'levi', 'live', 'veil', 'vile', 'vlei'], 'veiler': ['levier', 'relive', 'reveil', 'revile', 'veiler'], 'veiltail': ['illative', 'veiltail'], 'vein': ['vein', 'vine'], 'veinal': ['alevin', 'alvine', 'valine', 'veinal', 'venial', 'vineal'], 'veined': ['endive', 'envied', 'veined'], 'veiner': ['enrive', 'envier', 'veiner', 'verine'], 'veinless': ['evilness', 'liveness', 'veinless', 'vileness', 'vineless'], 'veinlet': ['veinlet', 'vinelet'], 'veinous': ['envious', 'niveous', 'veinous'], 'veinstone': ['veinstone', 'vonsenite'], 'veinwise': ['veinwise', 'vinewise'], 'vela': ['lave', 'vale', 'veal', 'vela'], 'velar': ['arvel', 'larve', 'laver', 'ravel', 'velar'], 'velaric': ['caliver', 'caviler', 'claiver', 'clavier', 'valeric', 'velaric'], 'velation': ['olivetan', 'velation'], 'velic': ['clive', 'velic'], 'veliform': ['overfilm', 'veliform'], 'velitation': ['levitation', 'tonalitive', 'velitation'], 'velo': ['levo', 'love', 'velo', 'vole'], 'velte': ['elvet', 'velte'], 'venada': ['nevada', 'vedana', 'venada'], 'venal': ['elvan', 'navel', 'venal'], 'venality': ['natively', 'venality'], 'venatic': ['catvine', 'venatic'], 'venation': ['innovate', 'venation'], 'venator': ['rotanev', 'venator'], 'venatorial': ['venatorial', 'venoatrial'], 'vendace': ['devance', 'vendace'], 'vender': ['revend', 'vender'], 'veneer': ['evener', 'veneer'], 'veneerer': ['reveneer', 'veneerer'], 'veneralia': ['ravenelia', 'veneralia'], 'venerant': ['revenant', 'venerant'], 'venerate': ['enervate', 'venerate'], 'veneration': ['enervation', 'veneration'], 'venerative': ['enervative', 'venerative'], 'venerator': ['enervator', 'renovater', 'venerator'], 'venerer': ['renerve', 'venerer'], 'veneres': ['sevener', 'veneres'], 'veneti': ['veneti', 'venite'], 'venetian': ['aventine', 'venetian'], 'venial': ['alevin', 'alvine', 'valine', 'veinal', 'venial', 'vineal'], 'venice': ['cevine', 'evince', 'venice'], 'venie': ['nieve', 'venie'], 'venite': ['veneti', 'venite'], 'venoatrial': ['venatorial', 'venoatrial'], 'venom': ['novem', 'venom'], 'venosinal': ['slovenian', 'venosinal'], 'venter': ['revent', 'venter'], 'ventrad': ['ventrad', 'verdant'], 'ventricose': ['convertise', 'ventricose'], 'ventrine': ['inventer', 'reinvent', 'ventrine', 'vintener'], 'ventrodorsad': ['dorsoventrad', 'ventrodorsad'], 'ventrodorsal': ['dorsoventral', 'ventrodorsal'], 'ventrodorsally': ['dorsoventrally', 'ventrodorsally'], 'ventrolateral': ['lateroventral', 'ventrolateral'], 'ventromedial': ['medioventral', 'ventromedial'], 'ventromesal': ['mesoventral', 'ventromesal'], 'venular': ['unravel', 'venular'], 'venus': ['nevus', 'venus'], 'venust': ['unvest', 'venust'], 'venutian': ['unnative', 'venutian'], 'vera': ['aver', 'rave', 'vare', 'vera'], 'veraciousness': ['oversauciness', 'veraciousness'], 'veratroidine': ['rederivation', 'veratroidine'], 'veratrole': ['relevator', 'revelator', 'veratrole'], 'veratryl': ['varletry', 'veratryl'], 'verbal': ['barvel', 'blaver', 'verbal'], 'verbality': ['verbality', 'veritably'], 'verbatim': ['ambivert', 'verbatim'], 'verbena': ['enbrave', 'verbena'], 'verberate': ['verberate', 'vertebrae'], 'verbose': ['observe', 'obverse', 'verbose'], 'verbosely': ['obversely', 'verbosely'], 'verdant': ['ventrad', 'verdant'], 'verdea': ['evader', 'verdea'], 'verdelho': ['overheld', 'verdelho'], 'verdin': ['driven', 'nervid', 'verdin'], 'verditer': ['diverter', 'redivert', 'verditer'], 'vergi': ['giver', 'vergi'], 'veri': ['rive', 'veri', 'vier', 'vire'], 'veridical': ['larvicide', 'veridical'], 'veridicous': ['recidivous', 'veridicous'], 'verily': ['livery', 'verily'], 'verine': ['enrive', 'envier', 'veiner', 'verine'], 'verism': ['verism', 'vermis'], 'verist': ['stiver', 'strive', 'verist'], 'veritable': ['avertible', 'veritable'], 'veritably': ['verbality', 'veritably'], 'vermian': ['minerva', 'vermian'], 'verminal': ['minerval', 'verminal'], 'vermis': ['verism', 'vermis'], 'vernacularist': ['intervascular', 'vernacularist'], 'vernal': ['nerval', 'vernal'], 'vernation': ['nervation', 'vernation'], 'vernicose': ['coversine', 'vernicose'], 'vernine': ['innerve', 'nervine', 'vernine'], 'veronese': ['overseen', 'veronese'], 'veronica': ['corvinae', 'veronica'], 'verpa': ['paver', 'verpa'], 'verre': ['rever', 'verre'], 'verrucous': ['recurvous', 'verrucous'], 'verruga': ['gravure', 'verruga'], 'versable': ['beslaver', 'servable', 'versable'], 'versal': ['salver', 'serval', 'slaver', 'versal'], 'versant': ['servant', 'versant'], 'versate': ['evestar', 'versate'], 'versation': ['overstain', 'servation', 'versation'], 'verse': ['serve', 'sever', 'verse'], 'verser': ['revers', 'server', 'verser'], 'verset': ['revest', 'servet', 'sterve', 'verset', 'vester'], 'versicule': ['reclusive', 'versicule'], 'versine': ['inverse', 'versine'], 'versioner': ['reversion', 'versioner'], 'versionist': ['overinsist', 'versionist'], 'verso': ['servo', 'verso'], 'versta': ['starve', 'staver', 'strave', 'tavers', 'versta'], 'vertebrae': ['verberate', 'vertebrae'], 'vertebrocostal': ['costovertebral', 'vertebrocostal'], 'vertebrosacral': ['sacrovertebral', 'vertebrosacral'], 'vertebrosternal': ['sternovertebral', 'vertebrosternal'], 'vertiginate': ['integrative', 'vertiginate', 'vinaigrette'], 'vesicant': ['cistvaen', 'vesicant'], 'vesicoabdominal': ['abdominovesical', 'vesicoabdominal'], 'vesicocervical': ['cervicovesical', 'vesicocervical'], 'vesicointestinal': ['intestinovesical', 'vesicointestinal'], 'vesicorectal': ['rectovesical', 'vesicorectal'], 'vesicovaginal': ['vaginovesical', 'vesicovaginal'], 'vespa': ['spave', 'vespa'], 'vespertine': ['presentive', 'pretensive', 'vespertine'], 'vespine': ['pensive', 'vespine'], 'vesta': ['stave', 'vesta'], 'vestalia': ['salivate', 'vestalia'], 'vestee': ['steeve', 'vestee'], 'vester': ['revest', 'servet', 'sterve', 'verset', 'vester'], 'vestibula': ['sublative', 'vestibula'], 'veta': ['tave', 'veta'], 'vetanda': ['vedanta', 'vetanda'], 'veteran': ['nervate', 'veteran'], 'veto': ['veto', 'voet', 'vote'], 'vetoer': ['revote', 'vetoer'], 'via': ['iva', 'vai', 'via'], 'vial': ['vail', 'vali', 'vial', 'vila'], 'vialful': ['fluavil', 'fluvial', 'vialful'], 'viand': ['divan', 'viand'], 'viander': ['invader', 'ravined', 'viander'], 'viatic': ['avitic', 'viatic'], 'viatica': ['aviatic', 'viatica'], 'vibrate': ['vibrate', 'vrbaite'], 'vicar': ['vicar', 'vraic'], 'vice': ['cive', 'vice'], 'vicegeral': ['vicegeral', 'viceregal'], 'viceregal': ['vicegeral', 'viceregal'], 'victoriate': ['recitativo', 'victoriate'], 'victrola': ['victrola', 'vortical'], 'victualer': ['lucrative', 'revictual', 'victualer'], 'vidonia': ['ovidian', 'vidonia'], 'viduinae': ['induviae', 'viduinae'], 'viduine': ['univied', 'viduine'], 'vie': ['vei', 'vie'], 'vienna': ['avenin', 'vienna'], 'vier': ['rive', 'veri', 'vier', 'vire'], 'vierling': ['reviling', 'vierling'], 'view': ['view', 'wive'], 'viewer': ['review', 'viewer'], 'vigilante': ['genitival', 'vigilante'], 'vigor': ['vigor', 'virgo'], 'vila': ['vail', 'vali', 'vial', 'vila'], 'vile': ['evil', 'levi', 'live', 'veil', 'vile', 'vlei'], 'vilehearted': ['evilhearted', 'vilehearted'], 'vilely': ['evilly', 'lively', 'vilely'], 'vileness': ['evilness', 'liveness', 'veinless', 'vileness', 'vineless'], 'villadom': ['vallidom', 'villadom'], 'villeiness': ['liveliness', 'villeiness'], 'villous': ['ovillus', 'villous'], 'vimana': ['maniva', 'vimana'], 'vina': ['ivan', 'vain', 'vina'], 'vinaigrette': ['integrative', 'vertiginate', 'vinaigrette'], 'vinaigrous': ['vinaigrous', 'viraginous'], 'vinal': ['alvin', 'anvil', 'nival', 'vinal'], 'vinalia': ['lavinia', 'vinalia'], 'vinata': ['avanti', 'vinata'], 'vinculate': ['vinculate', 'vulcanite'], 'vine': ['vein', 'vine'], 'vinea': ['avine', 'naive', 'vinea'], 'vineal': ['alevin', 'alvine', 'valine', 'veinal', 'venial', 'vineal'], 'vineatic': ['antivice', 'inactive', 'vineatic'], 'vinegarist': ['gainstrive', 'vinegarist'], 'vineless': ['evilness', 'liveness', 'veinless', 'vileness', 'vineless'], 'vinelet': ['veinlet', 'vinelet'], 'viner': ['riven', 'viner'], 'vinewise': ['veinwise', 'vinewise'], 'vinosity': ['nivosity', 'vinosity'], 'vintener': ['inventer', 'reinvent', 'ventrine', 'vintener'], 'vintneress': ['inventress', 'vintneress'], 'viola': ['oliva', 'viola'], 'violability': ['obliviality', 'violability'], 'violaceous': ['olivaceous', 'violaceous'], 'violanin': ['livonian', 'violanin'], 'violational': ['avolitional', 'violational'], 'violer': ['oliver', 'violer', 'virole'], 'violescent': ['olivescent', 'violescent'], 'violet': ['olivet', 'violet'], 'violette': ['olivette', 'violette'], 'violine': ['olivine', 'violine'], 'vipera': ['pavier', 'vipera'], 'viperess': ['pressive', 'viperess'], 'viperian': ['viperian', 'viperina'], 'viperina': ['viperian', 'viperina'], 'viperous': ['pervious', 'previous', 'viperous'], 'viperously': ['perviously', 'previously', 'viperously'], 'viperousness': ['perviousness', 'previousness', 'viperousness'], 'vira': ['ravi', 'riva', 'vair', 'vari', 'vira'], 'viraginian': ['irvingiana', 'viraginian'], 'viraginous': ['vinaigrous', 'viraginous'], 'viral': ['rival', 'viral'], 'virales': ['revisal', 'virales'], 'vire': ['rive', 'veri', 'vier', 'vire'], 'virent': ['invert', 'virent'], 'virgate': ['virgate', 'vitrage'], 'virgin': ['irving', 'riving', 'virgin'], 'virginly': ['rivingly', 'virginly'], 'virgo': ['vigor', 'virgo'], 'virile': ['livier', 'virile'], 'virole': ['oliver', 'violer', 'virole'], 'virose': ['rivose', 'virose'], 'virtual': ['virtual', 'vitular'], 'virtuose': ['virtuose', 'vitreous'], 'virulence': ['cervuline', 'virulence'], 'visa': ['avis', 'siva', 'visa'], 'viscera': ['varices', 'viscera'], 'visceration': ['insectivora', 'visceration'], 'visceroparietal': ['parietovisceral', 'visceroparietal'], 'visceropleural': ['pleurovisceral', 'visceropleural'], 'viscometer': ['semivector', 'viscometer'], 'viscontal': ['viscontal', 'volcanist'], 'vishal': ['lavish', 'vishal'], 'visioner': ['revision', 'visioner'], 'visit': ['visit', 'vitis'], 'visitant': ['nativist', 'visitant'], 'visitee': ['evisite', 'visitee'], 'visiter': ['revisit', 'visiter'], 'visitor': ['ivorist', 'visitor'], 'vistal': ['vistal', 'vitals'], 'visto': ['ovist', 'visto'], 'vitals': ['vistal', 'vitals'], 'vitis': ['visit', 'vitis'], 'vitochemical': ['chemicovital', 'vitochemical'], 'vitrage': ['virgate', 'vitrage'], 'vitrail': ['trivial', 'vitrail'], 'vitrailist': ['trivialist', 'vitrailist'], 'vitrain': ['vitrain', 'vitrina'], 'vitrean': ['avertin', 'vitrean'], 'vitreous': ['virtuose', 'vitreous'], 'vitrina': ['vitrain', 'vitrina'], 'vitrine': ['inviter', 'vitrine'], 'vitrophyric': ['thyroprivic', 'vitrophyric'], 'vitular': ['virtual', 'vitular'], 'vituperate': ['reputative', 'vituperate'], 'vlei': ['evil', 'levi', 'live', 'veil', 'vile', 'vlei'], 'vocaller': ['overcall', 'vocaller'], 'vocate': ['avocet', 'octave', 'vocate'], 'voet': ['veto', 'voet', 'vote'], 'voeten': ['voeten', 'voteen'], 'vogue': ['vogue', 'vouge'], 'voided': ['devoid', 'voided'], 'voider': ['devoir', 'voider'], 'voidless': ['dissolve', 'voidless'], 'voile': ['olive', 'ovile', 'voile'], 'volable': ['lovable', 'volable'], 'volage': ['lovage', 'volage'], 'volar': ['valor', 'volar'], 'volata': ['tavola', 'volata'], 'volatic': ['volatic', 'voltaic'], 'volcae': ['alcove', 'coeval', 'volcae'], 'volcanist': ['viscontal', 'volcanist'], 'vole': ['levo', 'love', 'velo', 'vole'], 'volery': ['overly', 'volery'], 'volitate': ['volitate', 'voltaite'], 'volley': ['lovely', 'volley'], 'volscian': ['slavonic', 'volscian'], 'volta': ['volta', 'votal'], 'voltaic': ['volatic', 'voltaic'], 'voltaite': ['volitate', 'voltaite'], 'volucrine': ['involucre', 'volucrine'], 'volunteerism': ['multinervose', 'volunteerism'], 'vomer': ['mover', 'vomer'], 'vomiter': ['revomit', 'vomiter'], 'vonsenite': ['veinstone', 'vonsenite'], 'vortical': ['victrola', 'vortical'], 'votal': ['volta', 'votal'], 'votary': ['travoy', 'votary'], 'vote': ['veto', 'voet', 'vote'], 'voteen': ['voeten', 'voteen'], 'voter': ['overt', 'rovet', 'torve', 'trove', 'voter'], 'vouge': ['vogue', 'vouge'], 'vouli': ['uviol', 'vouli'], 'vowed': ['devow', 'vowed'], 'vowel': ['vowel', 'wolve'], 'vraic': ['vicar', 'vraic'], 'vrbaite': ['vibrate', 'vrbaite'], 'vulcanite': ['vinculate', 'vulcanite'], 'vulnerose': ['nervulose', 'unresolve', 'vulnerose'], 'vulpic': ['pulvic', 'vulpic'], 'vulpine': ['pluvine', 'vulpine'], 'wa': ['aw', 'wa'], 'waag': ['awag', 'waag'], 'waasi': ['isawa', 'waasi'], 'wab': ['baw', 'wab'], 'wabi': ['biwa', 'wabi'], 'wabster': ['bestraw', 'wabster'], 'wac': ['caw', 'wac'], 'wachna': ['chawan', 'chwana', 'wachna'], 'wack': ['cawk', 'wack'], 'wacker': ['awreck', 'wacker'], 'wacky': ['cawky', 'wacky'], 'wad': ['awd', 'daw', 'wad'], 'wadder': ['edward', 'wadder', 'warded'], 'waddler': ['dawdler', 'waddler'], 'waddling': ['dawdling', 'waddling'], 'waddlingly': ['dawdlingly', 'waddlingly'], 'waddy': ['dawdy', 'waddy'], 'wadna': ['adawn', 'wadna'], 'wadset': ['wadset', 'wasted'], 'wae': ['awe', 'wae', 'wea'], 'waeg': ['waeg', 'wage', 'wega'], 'waer': ['waer', 'ware', 'wear'], 'waesome': ['awesome', 'waesome'], 'wag': ['gaw', 'wag'], 'wage': ['waeg', 'wage', 'wega'], 'wagerer': ['rewager', 'wagerer'], 'wages': ['swage', 'wages'], 'waggel': ['waggel', 'waggle'], 'waggle': ['waggel', 'waggle'], 'wagnerite': ['wagnerite', 'winterage'], 'wagon': ['gowan', 'wagon', 'wonga'], 'wah': ['haw', 'hwa', 'wah', 'wha'], 'wahehe': ['heehaw', 'wahehe'], 'wail': ['wail', 'wali'], 'wailer': ['lawrie', 'wailer'], 'wain': ['awin', 'wain'], 'wainer': ['newari', 'wainer'], 'wairsh': ['rawish', 'wairsh', 'warish'], 'waist': ['swati', 'waist'], 'waister': ['swertia', 'waister'], 'waiterage': ['garewaite', 'waiterage'], 'waitress': ['starwise', 'waitress'], 'waiwai': ['iwaiwa', 'waiwai'], 'wake': ['wake', 'weak', 'weka'], 'wakener': ['rewaken', 'wakener'], 'waker': ['waker', 'wreak'], 'wakes': ['askew', 'wakes'], 'wale': ['wale', 'weal'], 'waled': ['dwale', 'waled', 'weald'], 'waler': ['lerwa', 'waler'], 'wali': ['wail', 'wali'], 'waling': ['lawing', 'waling'], 'walk': ['lawk', 'walk'], 'walkout': ['outwalk', 'walkout'], 'walkover': ['overwalk', 'walkover'], 'walkside': ['sidewalk', 'walkside'], 'waller': ['rewall', 'waller'], 'wallet': ['wallet', 'wellat'], 'wallhick': ['hickwall', 'wallhick'], 'walloper': ['preallow', 'walloper'], 'wallower': ['rewallow', 'wallower'], 'walsh': ['shawl', 'walsh'], 'walt': ['twal', 'walt'], 'walter': ['lawter', 'walter'], 'wame': ['wame', 'weam'], 'wamp': ['mawp', 'wamp'], 'wan': ['awn', 'naw', 'wan'], 'wand': ['dawn', 'wand'], 'wander': ['andrew', 'redawn', 'wander', 'warden'], 'wandle': ['delawn', 'lawned', 'wandle'], 'wandlike': ['dawnlike', 'wandlike'], 'wandy': ['dawny', 'wandy'], 'wane': ['anew', 'wane', 'wean'], 'waned': ['awned', 'dewan', 'waned'], 'wang': ['gawn', 'gnaw', 'wang'], 'wanghee': ['wanghee', 'whangee'], 'wangler': ['wangler', 'wrangle'], 'waning': ['awning', 'waning'], 'wankle': ['knawel', 'wankle'], 'wanly': ['lawny', 'wanly'], 'want': ['nawt', 'tawn', 'want'], 'wanty': ['tawny', 'wanty'], 'wany': ['awny', 'wany', 'yawn'], 'wap': ['paw', 'wap'], 'war': ['raw', 'war'], 'warble': ['bawler', 'brelaw', 'rebawl', 'warble'], 'warbler': ['brawler', 'warbler'], 'warbling': ['brawling', 'warbling'], 'warblingly': ['brawlingly', 'warblingly'], 'warbly': ['brawly', 'byrlaw', 'warbly'], 'ward': ['draw', 'ward'], 'wardable': ['drawable', 'wardable'], 'warded': ['edward', 'wadder', 'warded'], 'warden': ['andrew', 'redawn', 'wander', 'warden'], 'warder': ['drawer', 'redraw', 'reward', 'warder'], 'warderer': ['redrawer', 'rewarder', 'warderer'], 'warding': ['drawing', 'ginward', 'warding'], 'wardman': ['manward', 'wardman'], 'wardmote': ['damewort', 'wardmote'], 'wardrobe': ['drawbore', 'wardrobe'], 'wardroom': ['roomward', 'wardroom'], 'wardship': ['shipward', 'wardship'], 'wardsman': ['manwards', 'wardsman'], 'ware': ['waer', 'ware', 'wear'], 'warehouse': ['housewear', 'warehouse'], 'warf': ['warf', 'wraf'], 'warish': ['rawish', 'wairsh', 'warish'], 'warlock': ['lacwork', 'warlock'], 'warmed': ['meward', 'warmed'], 'warmer': ['rewarm', 'warmer'], 'warmhouse': ['housewarm', 'warmhouse'], 'warmish': ['warmish', 'wishram'], 'warn': ['warn', 'wran'], 'warnel': ['lawner', 'warnel'], 'warner': ['rewarn', 'warner', 'warren'], 'warp': ['warp', 'wrap'], 'warper': ['prewar', 'rewrap', 'warper'], 'warree': ['rewear', 'warree', 'wearer'], 'warren': ['rewarn', 'warner', 'warren'], 'warri': ['warri', 'wirra'], 'warse': ['resaw', 'sawer', 'seraw', 'sware', 'swear', 'warse'], 'warsel': ['swaler', 'warsel', 'warsle'], 'warsle': ['swaler', 'warsel', 'warsle'], 'warst': ['straw', 'swart', 'warst'], 'warth': ['thraw', 'warth', 'whart', 'wrath'], 'warua': ['warua', 'waura'], 'warve': ['warve', 'waver'], 'wary': ['awry', 'wary'], 'was': ['saw', 'swa', 'was'], 'wasel': ['swale', 'sweal', 'wasel'], 'wash': ['shaw', 'wash'], 'washen': ['washen', 'whenas'], 'washer': ['hawser', 'rewash', 'washer'], 'washington': ['nowanights', 'washington'], 'washland': ['landwash', 'washland'], 'washoan': ['shawano', 'washoan'], 'washout': ['outwash', 'washout'], 'washy': ['shawy', 'washy'], 'wasnt': ['stawn', 'wasnt'], 'wasp': ['swap', 'wasp'], 'waspily': ['slipway', 'waspily'], 'wast': ['sawt', 'staw', 'swat', 'taws', 'twas', 'wast'], 'waste': ['awest', 'sweat', 'tawse', 'waste'], 'wasted': ['wadset', 'wasted'], 'wasteful': ['sweatful', 'wasteful'], 'wasteless': ['sweatless', 'wasteless'], 'wasteproof': ['sweatproof', 'wasteproof'], 'wastrel': ['wastrel', 'wrastle'], 'wat': ['taw', 'twa', 'wat'], 'watchdog': ['dogwatch', 'watchdog'], 'watchout': ['outwatch', 'watchout'], 'water': ['tawer', 'water', 'wreat'], 'waterbrain': ['brainwater', 'waterbrain'], 'watered': ['dewater', 'tarweed', 'watered'], 'waterer': ['rewater', 'waterer'], 'waterflood': ['floodwater', 'toadflower', 'waterflood'], 'waterhead': ['headwater', 'waterhead'], 'wateriness': ['earwitness', 'wateriness'], 'waterlog': ['galewort', 'waterlog'], 'watershed': ['drawsheet', 'watershed'], 'watery': ['tawery', 'watery'], 'wath': ['thaw', 'wath', 'what'], 'watt': ['twat', 'watt'], 'wauf': ['awfu', 'wauf'], 'wauner': ['unware', 'wauner'], 'waura': ['warua', 'waura'], 'waver': ['warve', 'waver'], 'waxer': ['rewax', 'waxer'], 'way': ['way', 'yaw'], 'wayback': ['backway', 'wayback'], 'waygang': ['gangway', 'waygang'], 'waygate': ['gateway', 'getaway', 'waygate'], 'wayman': ['manway', 'wayman'], 'ways': ['sway', 'ways', 'yaws'], 'wayside': ['sideway', 'wayside'], 'wea': ['awe', 'wae', 'wea'], 'weak': ['wake', 'weak', 'weka'], 'weakener': ['reweaken', 'weakener'], 'weakliness': ['weakliness', 'weaselskin'], 'weal': ['wale', 'weal'], 'weald': ['dwale', 'waled', 'weald'], 'weam': ['wame', 'weam'], 'wean': ['anew', 'wane', 'wean'], 'weanel': ['leewan', 'weanel'], 'wear': ['waer', 'ware', 'wear'], 'wearer': ['rewear', 'warree', 'wearer'], 'weasand': ['sandawe', 'weasand'], 'weaselskin': ['weakliness', 'weaselskin'], 'weather': ['weather', 'whereat', 'wreathe'], 'weathered': ['heartweed', 'weathered'], 'weaver': ['rewave', 'weaver'], 'webster': ['bestrew', 'webster'], 'wed': ['dew', 'wed'], 'wede': ['wede', 'weed'], 'wedge': ['gweed', 'wedge'], 'wedger': ['edgrew', 'wedger'], 'wedset': ['stewed', 'wedset'], 'wee': ['ewe', 'wee'], 'weed': ['wede', 'weed'], 'weedhook': ['hookweed', 'weedhook'], 'weedy': ['dewey', 'weedy'], 'ween': ['ween', 'wene'], 'weeps': ['sweep', 'weeps'], 'weet': ['twee', 'weet'], 'wega': ['waeg', 'wage', 'wega'], 'wegotism': ['twigsome', 'wegotism'], 'weigher': ['reweigh', 'weigher'], 'weir': ['weir', 'weri', 'wire'], 'weirangle': ['weirangle', 'wierangle'], 'weird': ['weird', 'wired', 'wride', 'wried'], 'weka': ['wake', 'weak', 'weka'], 'weld': ['lewd', 'weld'], 'weldable': ['ballweed', 'weldable'], 'welder': ['reweld', 'welder'], 'weldor': ['lowder', 'weldor', 'wordle'], 'welf': ['flew', 'welf'], 'welkin': ['welkin', 'winkel', 'winkle'], 'well': ['llew', 'well'], 'wellat': ['wallet', 'wellat'], 'wels': ['slew', 'wels'], 'welshry': ['shrewly', 'welshry'], 'welting': ['twingle', 'welting', 'winglet'], 'wem': ['mew', 'wem'], 'wen': ['new', 'wen'], 'wende': ['endew', 'wende'], 'wendi': ['dwine', 'edwin', 'wendi', 'widen', 'wined'], 'wene': ['ween', 'wene'], 'went': ['newt', 'went'], 'were': ['ewer', 'were'], 'weri': ['weir', 'weri', 'wire'], 'werther': ['werther', 'wherret'], 'wes': ['sew', 'wes'], 'weskit': ['weskit', 'wisket'], 'west': ['stew', 'west'], 'weste': ['sweet', 'weste'], 'westering': ['swingtree', 'westering'], 'westy': ['stewy', 'westy'], 'wet': ['tew', 'wet'], 'weta': ['tewa', 'twae', 'weta'], 'wetly': ['tewly', 'wetly'], 'wey': ['wey', 'wye', 'yew'], 'wha': ['haw', 'hwa', 'wah', 'wha'], 'whack': ['chawk', 'whack'], 'whale': ['whale', 'wheal'], 'wham': ['hawm', 'wham'], 'whame': ['whame', 'wheam'], 'whangee': ['wanghee', 'whangee'], 'whare': ['hawer', 'whare'], 'whart': ['thraw', 'warth', 'whart', 'wrath'], 'whase': ['hawse', 'shewa', 'whase'], 'what': ['thaw', 'wath', 'what'], 'whatreck': ['thwacker', 'whatreck'], 'whats': ['swath', 'whats'], 'wheal': ['whale', 'wheal'], 'wheam': ['whame', 'wheam'], 'wheat': ['awhet', 'wheat'], 'wheatear': ['aweather', 'wheatear'], 'wheedle': ['wheedle', 'wheeled'], 'wheel': ['hewel', 'wheel'], 'wheeled': ['wheedle', 'wheeled'], 'wheelroad': ['rowelhead', 'wheelroad'], 'wheer': ['hewer', 'wheer', 'where'], 'whein': ['whein', 'whine'], 'when': ['hewn', 'when'], 'whenas': ['washen', 'whenas'], 'whenso': ['whenso', 'whosen'], 'where': ['hewer', 'wheer', 'where'], 'whereat': ['weather', 'whereat', 'wreathe'], 'whereon': ['nowhere', 'whereon'], 'wherret': ['werther', 'wherret'], 'wherrit': ['wherrit', 'whirret', 'writher'], 'whet': ['hewt', 'thew', 'whet'], 'whichever': ['everwhich', 'whichever'], 'whicken': ['chewink', 'whicken'], 'whilter': ['whilter', 'whirtle'], 'whine': ['whein', 'whine'], 'whipper': ['prewhip', 'whipper'], 'whirler': ['rewhirl', 'whirler'], 'whirret': ['wherrit', 'whirret', 'writher'], 'whirtle': ['whilter', 'whirtle'], 'whisperer': ['rewhisper', 'whisperer'], 'whisson': ['snowish', 'whisson'], 'whist': ['swith', 'whist', 'whits', 'wisht'], 'whister': ['swither', 'whister', 'withers'], 'whit': ['whit', 'with'], 'white': ['white', 'withe'], 'whiten': ['whiten', 'withen'], 'whitener': ['rewhiten', 'whitener'], 'whitepot': ['whitepot', 'whitetop'], 'whites': ['swithe', 'whites'], 'whitetop': ['whitepot', 'whitetop'], 'whitewood': ['whitewood', 'withewood'], 'whitleather': ['therewithal', 'whitleather'], 'whitmanese': ['anthemwise', 'whitmanese'], 'whits': ['swith', 'whist', 'whits', 'wisht'], 'whity': ['whity', 'withy'], 'who': ['how', 'who'], 'whoever': ['everwho', 'however', 'whoever'], 'whole': ['howel', 'whole'], 'whomsoever': ['howsomever', 'whomsoever', 'whosomever'], 'whoreship': ['horsewhip', 'whoreship'], 'whort': ['throw', 'whort', 'worth', 'wroth'], 'whosen': ['whenso', 'whosen'], 'whosomever': ['howsomever', 'whomsoever', 'whosomever'], 'wicht': ['tchwi', 'wicht', 'witch'], 'widdle': ['widdle', 'wilded'], 'widely': ['dewily', 'widely', 'wieldy'], 'widen': ['dwine', 'edwin', 'wendi', 'widen', 'wined'], 'widener': ['rewiden', 'widener'], 'wideness': ['dewiness', 'wideness'], 'widgeon': ['gowdnie', 'widgeon'], 'wieldy': ['dewily', 'widely', 'wieldy'], 'wierangle': ['weirangle', 'wierangle'], 'wigan': ['awing', 'wigan'], 'wiggler': ['wiggler', 'wriggle'], 'wilded': ['widdle', 'wilded'], 'wildness': ['wildness', 'windless'], 'winchester': ['trenchwise', 'winchester'], 'windbreak': ['breakwind', 'windbreak'], 'winder': ['rewind', 'winder'], 'windgall': ['dingwall', 'windgall'], 'windles': ['swindle', 'windles'], 'windless': ['wildness', 'windless'], 'windstorm': ['stormwind', 'windstorm'], 'windup': ['upwind', 'windup'], 'wined': ['dwine', 'edwin', 'wendi', 'widen', 'wined'], 'winer': ['erwin', 'rewin', 'winer'], 'winglet': ['twingle', 'welting', 'winglet'], 'winkel': ['welkin', 'winkel', 'winkle'], 'winkle': ['welkin', 'winkel', 'winkle'], 'winklet': ['twinkle', 'winklet'], 'winnard': ['indrawn', 'winnard'], 'winnel': ['winnel', 'winnle'], 'winnle': ['winnel', 'winnle'], 'winsome': ['owenism', 'winsome'], 'wint': ['twin', 'wint'], 'winter': ['twiner', 'winter'], 'winterage': ['wagnerite', 'winterage'], 'wintered': ['interwed', 'wintered'], 'winterish': ['interwish', 'winterish'], 'winze': ['winze', 'wizen'], 'wips': ['wips', 'wisp'], 'wire': ['weir', 'weri', 'wire'], 'wired': ['weird', 'wired', 'wride', 'wried'], 'wirer': ['wirer', 'wrier'], 'wirra': ['warri', 'wirra'], 'wiselike': ['likewise', 'wiselike'], 'wiseman': ['manwise', 'wiseman'], 'wisen': ['sinew', 'swine', 'wisen'], 'wiser': ['swire', 'wiser'], 'wisewoman': ['wisewoman', 'womanwise'], 'wisher': ['rewish', 'wisher'], 'wishmay': ['wishmay', 'yahwism'], 'wishram': ['warmish', 'wishram'], 'wisht': ['swith', 'whist', 'whits', 'wisht'], 'wisket': ['weskit', 'wisket'], 'wisp': ['wips', 'wisp'], 'wispy': ['swipy', 'wispy'], 'wit': ['twi', 'wit'], 'witan': ['atwin', 'twain', 'witan'], 'witch': ['tchwi', 'wicht', 'witch'], 'witchetty': ['twitchety', 'witchetty'], 'with': ['whit', 'with'], 'withdrawer': ['rewithdraw', 'withdrawer'], 'withe': ['white', 'withe'], 'withen': ['whiten', 'withen'], 'wither': ['wither', 'writhe'], 'withered': ['redwithe', 'withered'], 'withering': ['withering', 'wrightine'], 'withers': ['swither', 'whister', 'withers'], 'withewood': ['whitewood', 'withewood'], 'within': ['inwith', 'within'], 'without': ['outwith', 'without'], 'withy': ['whity', 'withy'], 'wive': ['view', 'wive'], 'wiver': ['wiver', 'wrive'], 'wizen': ['winze', 'wizen'], 'wo': ['ow', 'wo'], 'woader': ['redowa', 'woader'], 'wob': ['bow', 'wob'], 'wod': ['dow', 'owd', 'wod'], 'woe': ['owe', 'woe'], 'woibe': ['bowie', 'woibe'], 'wold': ['dowl', 'wold'], 'wolf': ['flow', 'fowl', 'wolf'], 'wolfer': ['flower', 'fowler', 'reflow', 'wolfer'], 'wolter': ['rowlet', 'trowel', 'wolter'], 'wolve': ['vowel', 'wolve'], 'womanpost': ['postwoman', 'womanpost'], 'womanwise': ['wisewoman', 'womanwise'], 'won': ['now', 'own', 'won'], 'wonder': ['downer', 'wonder', 'worden'], 'wonderful': ['underflow', 'wonderful'], 'wone': ['enow', 'owen', 'wone'], 'wong': ['gown', 'wong'], 'wonga': ['gowan', 'wagon', 'wonga'], 'wonner': ['renown', 'wonner'], 'wont': ['nowt', 'town', 'wont'], 'wonted': ['towned', 'wonted'], 'woodbark': ['bookward', 'woodbark'], 'woodbind': ['bindwood', 'woodbind'], 'woodbush': ['bushwood', 'woodbush'], 'woodchat': ['chatwood', 'woodchat'], 'wooden': ['enwood', 'wooden'], 'woodfish': ['fishwood', 'woodfish'], 'woodhack': ['hackwood', 'woodhack'], 'woodhorse': ['horsewood', 'woodhorse'], 'woodness': ['sowdones', 'woodness'], 'woodpecker': ['peckerwood', 'woodpecker'], 'woodrock': ['corkwood', 'rockwood', 'woodrock'], 'woodsilver': ['silverwood', 'woodsilver'], 'woodstone': ['stonewood', 'woodstone'], 'woodworm': ['woodworm', 'wormwood'], 'wooled': ['dewool', 'elwood', 'wooled'], 'woons': ['swoon', 'woons'], 'woosh': ['howso', 'woosh'], 'wop': ['pow', 'wop'], 'worble': ['blower', 'bowler', 'reblow', 'worble'], 'word': ['drow', 'word'], 'wordage': ['dowager', 'wordage'], 'worden': ['downer', 'wonder', 'worden'], 'worder': ['reword', 'worder'], 'wordily': ['rowdily', 'wordily'], 'wordiness': ['rowdiness', 'wordiness'], 'wordle': ['lowder', 'weldor', 'wordle'], 'wordsman': ['sandworm', 'swordman', 'wordsman'], 'wordsmanship': ['swordmanship', 'wordsmanship'], 'wordy': ['dowry', 'rowdy', 'wordy'], 'wore': ['ower', 'wore'], 'workbasket': ['basketwork', 'workbasket'], 'workbench': ['benchwork', 'workbench'], 'workbook': ['bookwork', 'workbook'], 'workbox': ['boxwork', 'workbox'], 'workday': ['daywork', 'workday'], 'worker': ['rework', 'worker'], 'workhand': ['handwork', 'workhand'], 'workhouse': ['housework', 'workhouse'], 'working': ['kingrow', 'working'], 'workmaster': ['masterwork', 'workmaster'], 'workout': ['outwork', 'workout'], 'workpiece': ['piecework', 'workpiece'], 'workship': ['shipwork', 'workship'], 'workshop': ['shopwork', 'workshop'], 'worktime': ['timework', 'worktime'], 'wormed': ['deworm', 'wormed'], 'wormer': ['merrow', 'wormer'], 'wormroot': ['moorwort', 'rootworm', 'tomorrow', 'wormroot'], 'wormship': ['shipworm', 'wormship'], 'wormwood': ['woodworm', 'wormwood'], 'worse': ['owser', 'resow', 'serow', 'sower', 'swore', 'worse'], 'worset': ['restow', 'stower', 'towser', 'worset'], 'worst': ['strow', 'worst'], 'wort': ['trow', 'wort'], 'worth': ['throw', 'whort', 'worth', 'wroth'], 'worthful': ['worthful', 'wrothful'], 'worthily': ['worthily', 'wrothily'], 'worthiness': ['worthiness', 'wrothiness'], 'worthy': ['worthy', 'wrothy'], 'wot': ['tow', 'two', 'wot'], 'wots': ['sowt', 'stow', 'swot', 'wots'], 'wounder': ['rewound', 'unrowed', 'wounder'], 'woy': ['woy', 'yow'], 'wraf': ['warf', 'wraf'], 'wrainbolt': ['browntail', 'wrainbolt'], 'wraitly': ['wraitly', 'wrytail'], 'wran': ['warn', 'wran'], 'wrangle': ['wangler', 'wrangle'], 'wrap': ['warp', 'wrap'], 'wrapper': ['prewrap', 'wrapper'], 'wrastle': ['wastrel', 'wrastle'], 'wrath': ['thraw', 'warth', 'whart', 'wrath'], 'wreak': ['waker', 'wreak'], 'wreat': ['tawer', 'water', 'wreat'], 'wreath': ['rethaw', 'thawer', 'wreath'], 'wreathe': ['weather', 'whereat', 'wreathe'], 'wrest': ['strew', 'trews', 'wrest'], 'wrester': ['strewer', 'wrester'], 'wrestle': ['swelter', 'wrestle'], 'wride': ['weird', 'wired', 'wride', 'wried'], 'wried': ['weird', 'wired', 'wride', 'wried'], 'wrier': ['wirer', 'wrier'], 'wriggle': ['wiggler', 'wriggle'], 'wrightine': ['withering', 'wrightine'], 'wrinklet': ['twinkler', 'wrinklet'], 'write': ['twire', 'write'], 'writhe': ['wither', 'writhe'], 'writher': ['wherrit', 'whirret', 'writher'], 'written': ['twinter', 'written'], 'wrive': ['wiver', 'wrive'], 'wro': ['row', 'wro'], 'wroken': ['knower', 'reknow', 'wroken'], 'wrong': ['grown', 'wrong'], 'wrote': ['rowet', 'tower', 'wrote'], 'wroth': ['throw', 'whort', 'worth', 'wroth'], 'wrothful': ['worthful', 'wrothful'], 'wrothily': ['worthily', 'wrothily'], 'wrothiness': ['worthiness', 'wrothiness'], 'wrothy': ['worthy', 'wrothy'], 'wrytail': ['wraitly', 'wrytail'], 'wunna': ['unwan', 'wunna'], 'wyde': ['dewy', 'wyde'], 'wye': ['wey', 'wye', 'yew'], 'wype': ['pewy', 'wype'], 'wyson': ['snowy', 'wyson'], 'xanthein': ['xanthein', 'xanthine'], 'xanthine': ['xanthein', 'xanthine'], 'xanthopurpurin': ['purpuroxanthin', 'xanthopurpurin'], 'xema': ['amex', 'exam', 'xema'], 'xenia': ['axine', 'xenia'], 'xenial': ['alexin', 'xenial'], 'xenoparasite': ['exasperation', 'xenoparasite'], 'xeres': ['resex', 'xeres'], 'xerophytic': ['hypertoxic', 'xerophytic'], 'xerotic': ['excitor', 'xerotic'], 'xylic': ['cylix', 'xylic'], 'xylitone': ['xylitone', 'xylonite'], 'xylonite': ['xylitone', 'xylonite'], 'xylophone': ['oxyphenol', 'xylophone'], 'xylose': ['lyxose', 'xylose'], 'xyst': ['styx', 'xyst'], 'xyster': ['sextry', 'xyster'], 'xysti': ['sixty', 'xysti'], 'ya': ['ay', 'ya'], 'yaba': ['baya', 'yaba'], 'yabber': ['babery', 'yabber'], 'yacht': ['cathy', 'cyath', 'yacht'], 'yachtist': ['chastity', 'yachtist'], 'yad': ['ady', 'day', 'yad'], 'yaff': ['affy', 'yaff'], 'yagnob': ['boyang', 'yagnob'], 'yah': ['hay', 'yah'], 'yahwism': ['wishmay', 'yahwism'], 'yair': ['airy', 'yair'], 'yaird': ['dairy', 'diary', 'yaird'], 'yak': ['kay', 'yak'], 'yakan': ['kayan', 'yakan'], 'yakima': ['kamiya', 'yakima'], 'yakka': ['kayak', 'yakka'], 'yalb': ['ably', 'blay', 'yalb'], 'yali': ['ilya', 'yali'], 'yalla': ['allay', 'yalla'], 'yallaer': ['allayer', 'yallaer'], 'yam': ['amy', 'may', 'mya', 'yam'], 'yamel': ['mealy', 'yamel'], 'yamen': ['maney', 'yamen'], 'yamilke': ['maylike', 'yamilke'], 'yamph': ['phyma', 'yamph'], 'yan': ['any', 'nay', 'yan'], 'yana': ['anay', 'yana'], 'yander': ['denary', 'yander'], 'yap': ['pay', 'pya', 'yap'], 'yapness': ['synapse', 'yapness'], 'yapper': ['papery', 'prepay', 'yapper'], 'yapster': ['atrepsy', 'yapster'], 'yar': ['ary', 'ray', 'yar'], 'yarb': ['bray', 'yarb'], 'yard': ['adry', 'dray', 'yard'], 'yardage': ['drayage', 'yardage'], 'yarder': ['dreary', 'yarder'], 'yardman': ['drayman', 'yardman'], 'yare': ['aery', 'eyra', 'yare', 'year'], 'yark': ['kyar', 'yark'], 'yarl': ['aryl', 'lyra', 'ryal', 'yarl'], 'yarm': ['army', 'mary', 'myra', 'yarm'], 'yarn': ['nary', 'yarn'], 'yarr': ['arry', 'yarr'], 'yarrow': ['arrowy', 'yarrow'], 'yaruran': ['unarray', 'yaruran'], 'yas': ['say', 'yas'], 'yasht': ['hasty', 'yasht'], 'yat': ['tay', 'yat'], 'yate': ['yate', 'yeat', 'yeta'], 'yatter': ['attery', 'treaty', 'yatter'], 'yaw': ['way', 'yaw'], 'yawler': ['lawyer', 'yawler'], 'yawn': ['awny', 'wany', 'yawn'], 'yaws': ['sway', 'ways', 'yaws'], 'ye': ['ey', 'ye'], 'yea': ['aye', 'yea'], 'yeah': ['ahey', 'eyah', 'yeah'], 'year': ['aery', 'eyra', 'yare', 'year'], 'yeard': ['deary', 'deray', 'rayed', 'ready', 'yeard'], 'yearly': ['layery', 'yearly'], 'yearn': ['enray', 'yearn'], 'yearth': ['earthy', 'hearty', 'yearth'], 'yeast': ['teasy', 'yeast'], 'yeat': ['yate', 'yeat', 'yeta'], 'yeather': ['erythea', 'hetaery', 'yeather'], 'yed': ['dey', 'dye', 'yed'], 'yede': ['eyed', 'yede'], 'yee': ['eye', 'yee'], 'yeel': ['eely', 'yeel'], 'yees': ['yees', 'yese'], 'yegg': ['eggy', 'yegg'], 'yelk': ['kyle', 'yelk'], 'yelm': ['elmy', 'yelm'], 'yelmer': ['merely', 'yelmer'], 'yelper': ['peerly', 'yelper'], 'yemen': ['enemy', 'yemen'], 'yemeni': ['menyie', 'yemeni'], 'yen': ['eyn', 'nye', 'yen'], 'yender': ['redeny', 'yender'], 'yeo': ['yeo', 'yoe'], 'yeorling': ['legionry', 'yeorling'], 'yer': ['rye', 'yer'], 'yerb': ['brey', 'byre', 'yerb'], 'yerba': ['barye', 'beray', 'yerba'], 'yerd': ['dyer', 'yerd'], 'yere': ['eyer', 'eyre', 'yere'], 'yern': ['ryen', 'yern'], 'yes': ['sey', 'sye', 'yes'], 'yese': ['yees', 'yese'], 'yest': ['stey', 'yest'], 'yester': ['reesty', 'yester'], 'yestern': ['streyne', 'styrene', 'yestern'], 'yet': ['tye', 'yet'], 'yeta': ['yate', 'yeat', 'yeta'], 'yeth': ['they', 'yeth'], 'yether': ['theyre', 'yether'], 'yetlin': ['lenity', 'yetlin'], 'yew': ['wey', 'wye', 'yew'], 'yielden': ['needily', 'yielden'], 'yielder': ['reedily', 'reyield', 'yielder'], 'yildun': ['unidly', 'yildun'], 'yill': ['illy', 'lily', 'yill'], 'yirm': ['miry', 'rimy', 'yirm'], 'ym': ['my', 'ym'], 'yock': ['coky', 'yock'], 'yodel': ['doyle', 'yodel'], 'yoe': ['yeo', 'yoe'], 'yoghurt': ['troughy', 'yoghurt'], 'yogin': ['goyin', 'yogin'], 'yoi': ['iyo', 'yoi'], 'yoker': ['rokey', 'yoker'], 'yolk': ['kylo', 'yolk'], 'yom': ['moy', 'yom'], 'yomud': ['moudy', 'yomud'], 'yon': ['noy', 'yon'], 'yond': ['ondy', 'yond'], 'yonder': ['rodney', 'yonder'], 'yont': ['tony', 'yont'], 'yor': ['ory', 'roy', 'yor'], 'yore': ['oyer', 'roey', 'yore'], 'york': ['kory', 'roky', 'york'], 'yot': ['toy', 'yot'], 'yote': ['eyot', 'yote'], 'youngun': ['unyoung', 'youngun'], 'yours': ['soury', 'yours'], 'yoursel': ['elusory', 'yoursel'], 'yoven': ['envoy', 'nevoy', 'yoven'], 'yow': ['woy', 'yow'], 'yowl': ['lowy', 'owly', 'yowl'], 'yowler': ['lowery', 'owlery', 'rowley', 'yowler'], 'yowt': ['towy', 'yowt'], 'yox': ['oxy', 'yox'], 'yttrious': ['touristy', 'yttrious'], 'yuca': ['cuya', 'yuca'], 'yuckel': ['yuckel', 'yuckle'], 'yuckle': ['yuckel', 'yuckle'], 'yulan': ['unlay', 'yulan'], 'yurok': ['rouky', 'yurok'], 'zabian': ['banzai', 'zabian'], 'zabra': ['braza', 'zabra'], 'zacate': ['azteca', 'zacate'], 'zad': ['adz', 'zad'], 'zag': ['gaz', 'zag'], 'zain': ['nazi', 'zain'], 'zaman': ['namaz', 'zaman'], 'zamenis': ['sizeman', 'zamenis'], 'zaparoan': ['parazoan', 'zaparoan'], 'zaratite': ['tatarize', 'zaratite'], 'zati': ['itza', 'tiza', 'zati'], 'zeal': ['laze', 'zeal'], 'zealotism': ['solmizate', 'zealotism'], 'zebra': ['braze', 'zebra'], 'zein': ['inez', 'zein'], 'zelanian': ['annalize', 'zelanian'], 'zelatrice': ['cartelize', 'zelatrice'], 'zemmi': ['zemmi', 'zimme'], 'zendic': ['dezinc', 'zendic'], 'zenick': ['zenick', 'zincke'], 'zenu': ['unze', 'zenu'], 'zequin': ['quinze', 'zequin'], 'zerda': ['adzer', 'zerda'], 'zerma': ['mazer', 'zerma'], 'ziarat': ['atazir', 'ziarat'], 'zibet': ['bizet', 'zibet'], 'ziega': ['gaize', 'ziega'], 'zimme': ['zemmi', 'zimme'], 'zincite': ['citizen', 'zincite'], 'zincke': ['zenick', 'zincke'], 'zinco': ['zinco', 'zonic'], 'zion': ['nozi', 'zion'], 'zira': ['izar', 'zira'], 'zirconate': ['narcotize', 'zirconate'], 'zoa': ['azo', 'zoa'], 'zoanthidae': ['zoanthidae', 'zoanthidea'], 'zoanthidea': ['zoanthidae', 'zoanthidea'], 'zoarite': ['azorite', 'zoarite'], 'zobo': ['bozo', 'zobo'], 'zoeal': ['azole', 'zoeal'], 'zogan': ['gazon', 'zogan'], 'zolotink': ['zolotink', 'zolotnik'], 'zolotnik': ['zolotink', 'zolotnik'], 'zonaria': ['arizona', 'azorian', 'zonaria'], 'zoned': ['dozen', 'zoned'], 'zonic': ['zinco', 'zonic'], 'zonotrichia': ['chorization', 'rhizoctonia', 'zonotrichia'], 'zoonal': ['alonzo', 'zoonal'], 'zoonic': ['ozonic', 'zoonic'], 'zoonomic': ['monozoic', 'zoonomic'], 'zoopathy': ['phytozoa', 'zoopathy', 'zoophyta'], 'zoophilic': ['philozoic', 'zoophilic'], 'zoophilist': ['philozoist', 'zoophilist'], 'zoophyta': ['phytozoa', 'zoopathy', 'zoophyta'], 'zoospermatic': ['spermatozoic', 'zoospermatic'], 'zoosporic': ['sporozoic', 'zoosporic'], 'zootype': ['ozotype', 'zootype'], 'zyga': ['gazy', 'zyga'], 'zygal': ['glazy', 'zygal']}
all_anagrams = {'aal': ['aal', 'ala'], 'aam': ['aam', 'ama'], 'aaronic': ['aaronic', 'nicarao', 'ocarina'], 'aaronite': ['aaronite', 'aeration'], 'aaru': ['aaru', 'aura'], 'ab': ['ab', 'ba'], 'aba': ['aba', 'baa'], 'abac': ['abac', 'caba'], 'abactor': ['abactor', 'acrobat'], 'abaft': ['abaft', 'bafta'], 'abalone': ['abalone', 'balonea'], 'abandoner': ['abandoner', 'reabandon'], 'abanic': ['abanic', 'bianca'], 'abaris': ['abaris', 'arabis'], 'abas': ['abas', 'saba'], 'abaser': ['abaser', 'abrase'], 'abate': ['abate', 'ateba', 'batea', 'beata'], 'abater': ['abater', 'artabe', 'eartab', 'trabea'], 'abb': ['abb', 'bab'], 'abba': ['abba', 'baba'], 'abbey': ['abbey', 'bebay'], 'abby': ['abby', 'baby'], 'abdat': ['abdat', 'batad'], 'abdiel': ['abdiel', 'baldie'], 'abdominovaginal': ['abdominovaginal', 'vaginoabdominal'], 'abdominovesical': ['abdominovesical', 'vesicoabdominal'], 'abe': ['abe', 'bae', 'bea'], 'abed': ['abed', 'bade', 'bead'], 'abel': ['abel', 'able', 'albe', 'bale', 'beal', 'bela', 'blae'], 'abele': ['abele', 'albee'], 'abelian': ['abelian', 'nebalia'], 'abenteric': ['abenteric', 'bicrenate'], 'aberia': ['aberia', 'baeria', 'baiera'], 'abet': ['abet', 'bate', 'beat', 'beta'], 'abetment': ['abetment', 'batement'], 'abettor': ['abettor', 'taboret'], 'abhorrent': ['abhorrent', 'earthborn'], 'abhorrer': ['abhorrer', 'harborer'], 'abider': ['abider', 'bardie'], 'abies': ['abies', 'beisa'], 'abilla': ['abilla', 'labial'], 'abilo': ['abilo', 'aboil'], 'abir': ['abir', 'bari', 'rabi'], 'abiston': ['abiston', 'bastion'], 'abiuret': ['abiuret', 'aubrite', 'biurate', 'rubiate'], 'abkar': ['abkar', 'arkab'], 'abkhas': ['abkhas', 'kasbah'], 'ablactate': ['ablactate', 'cabaletta'], 'ablare': ['ablare', 'arable', 'arbela'], 'ablastemic': ['ablastemic', 'masticable'], 'ablation': ['ablation', 'obtainal'], 'ablaut': ['ablaut', 'tabula'], 'able': ['abel', 'able', 'albe', 'bale', 'beal', 'bela', 'blae'], 'ableness': ['ableness', 'blaeness', 'sensable'], 'ablepsia': ['ablepsia', 'epibasal'], 'abler': ['abler', 'baler', 'belar', 'blare', 'blear'], 'ablest': ['ablest', 'stable', 'tables'], 'abloom': ['abloom', 'mabolo'], 'ablow': ['ablow', 'balow', 'bowla'], 'ablude': ['ablude', 'belaud'], 'abluent': ['abluent', 'tunable'], 'ablution': ['ablution', 'abutilon'], 'ably': ['ably', 'blay', 'yalb'], 'abmho': ['abmho', 'abohm'], 'abner': ['abner', 'arneb', 'reban'], 'abnet': ['abnet', 'beant'], 'abo': ['abo', 'boa'], 'aboard': ['aboard', 'aborad', 'abroad'], 'abode': ['abode', 'adobe'], 'abohm': ['abmho', 'abohm'], 'aboil': ['abilo', 'aboil'], 'abolisher': ['abolisher', 'reabolish'], 'abongo': ['abongo', 'gaboon'], 'aborad': ['aboard', 'aborad', 'abroad'], 'aboral': ['aboral', 'arbalo'], 'abord': ['abord', 'bardo', 'board', 'broad', 'dobra', 'dorab'], 'abort': ['abort', 'tabor'], 'aborticide': ['aborticide', 'bacterioid'], 'abortient': ['abortient', 'torbanite'], 'abortin': ['abortin', 'taborin'], 'abortion': ['abortion', 'robotian'], 'abortive': ['abortive', 'bravoite'], 'abouts': ['abouts', 'basuto'], 'abram': ['abram', 'ambar'], 'abramis': ['abramis', 'arabism'], 'abrasax': ['abrasax', 'abraxas'], 'abrase': ['abaser', 'abrase'], 'abrasion': ['abrasion', 'sorabian'], 'abrastol': ['abrastol', 'albatros'], 'abraxas': ['abrasax', 'abraxas'], 'abreact': ['abreact', 'bractea', 'cabaret'], 'abret': ['abret', 'bater', 'berat'], 'abridge': ['abridge', 'brigade'], 'abrim': ['abrim', 'birma'], 'abrin': ['abrin', 'bairn', 'brain', 'brian', 'rabin'], 'abristle': ['abristle', 'libertas'], 'abroad': ['aboard', 'aborad', 'abroad'], 'abrotine': ['abrotine', 'baritone', 'obtainer', 'reobtain'], 'abrus': ['abrus', 'bursa', 'subra'], 'absalom': ['absalom', 'balsamo'], 'abscise': ['abscise', 'scabies'], 'absent': ['absent', 'basten'], 'absenter': ['absenter', 'reabsent'], 'absi': ['absi', 'bais', 'bias', 'isba'], 'absit': ['absit', 'batis'], 'absmho': ['absmho', 'absohm'], 'absohm': ['absmho', 'absohm'], 'absorber': ['absorber', 'reabsorb'], 'absorpt': ['absorpt', 'barpost'], 'abthain': ['abthain', 'habitan'], 'abulic': ['abulic', 'baculi'], 'abut': ['abut', 'tabu', 'tuba'], 'abuta': ['abuta', 'bauta'], 'abutilon': ['ablution', 'abutilon'], 'aby': ['aby', 'bay'], 'abysmal': ['abysmal', 'balsamy'], 'academite': ['academite', 'acetamide'], 'acadie': ['acadie', 'acedia', 'adicea'], 'acaleph': ['acaleph', 'acephal'], 'acalepha': ['acalepha', 'acephala'], 'acalephae': ['acalephae', 'apalachee'], 'acalephan': ['acalephan', 'acephalan'], 'acalyptrate': ['acalyptrate', 'calyptratae'], 'acamar': ['acamar', 'camara', 'maraca'], 'acanth': ['acanth', 'anchat', 'tanach'], 'acanthia': ['acanthia', 'achatina'], 'acanthial': ['acanthial', 'calathian'], 'acanthin': ['acanthin', 'chinanta'], 'acara': ['acara', 'araca'], 'acardia': ['acardia', 'acarida', 'arcadia'], 'acarian': ['acarian', 'acarina', 'acrania'], 'acarid': ['acarid', 'cardia', 'carida'], 'acarida': ['acardia', 'acarida', 'arcadia'], 'acarina': ['acarian', 'acarina', 'acrania'], 'acarine': ['acarine', 'acraein', 'arecain'], 'acastus': ['acastus', 'astacus'], 'acatholic': ['acatholic', 'chaotical'], 'acaudate': ['acaudate', 'ecaudata'], 'acca': ['acca', 'caca'], 'accelerator': ['accelerator', 'retrocaecal'], 'acception': ['acception', 'peccation'], 'accessioner': ['accessioner', 'reaccession'], 'accipitres': ['accipitres', 'preascitic'], 'accite': ['accite', 'acetic'], 'acclinate': ['acclinate', 'analectic'], 'accoil': ['accoil', 'calico'], 'accomplisher': ['accomplisher', 'reaccomplish'], 'accompt': ['accompt', 'compact'], 'accorder': ['accorder', 'reaccord'], 'accoy': ['accoy', 'ccoya'], 'accretion': ['accretion', 'anorectic', 'neoarctic'], 'accrual': ['accrual', 'carucal'], 'accurate': ['accurate', 'carucate'], 'accurse': ['accurse', 'accuser'], 'accusable': ['accusable', 'subcaecal'], 'accused': ['accused', 'succade'], 'accuser': ['accurse', 'accuser'], 'acedia': ['acadie', 'acedia', 'adicea'], 'acedy': ['acedy', 'decay'], 'acentric': ['acentric', 'encratic', 'nearctic'], 'acentrous': ['acentrous', 'courtesan', 'nectarous'], 'acephal': ['acaleph', 'acephal'], 'acephala': ['acalepha', 'acephala'], 'acephalan': ['acalephan', 'acephalan'], 'acephali': ['acephali', 'phacelia'], 'acephalina': ['acephalina', 'phalaecian'], 'acer': ['acer', 'acre', 'care', 'crea', 'race'], 'aceraceae': ['aceraceae', 'arecaceae'], 'aceraceous': ['aceraceous', 'arecaceous'], 'acerb': ['acerb', 'brace', 'caber'], 'acerbic': ['acerbic', 'breccia'], 'acerdol': ['acerdol', 'coraled'], 'acerin': ['acerin', 'cearin'], 'acerous': ['acerous', 'carouse', 'euscaro'], 'acervate': ['acervate', 'revacate'], 'acervation': ['acervation', 'vacationer'], 'acervuline': ['acervuline', 'avirulence'], 'acetamide': ['academite', 'acetamide'], 'acetamido': ['acetamido', 'coadamite'], 'acetanilid': ['acetanilid', 'laciniated', 'teniacidal'], 'acetanion': ['acetanion', 'antoecian'], 'acetation': ['acetation', 'itaconate'], 'acetic': ['accite', 'acetic'], 'acetin': ['acetin', 'actine', 'enatic'], 'acetmethylanilide': ['acetmethylanilide', 'methylacetanilide'], 'acetoin': ['acetoin', 'aconite', 'anoetic', 'antoeci', 'cetonia'], 'acetol': ['acetol', 'colate', 'locate'], 'acetone': ['acetone', 'oceanet'], 'acetonuria': ['acetonuria', 'aeronautic'], 'acetopyrin': ['acetopyrin', 'capernoity'], 'acetous': ['acetous', 'outcase'], 'acetum': ['acetum', 'tecuma'], 'aceturic': ['aceturic', 'cruciate'], 'ach': ['ach', 'cha'], 'achar': ['achar', 'chara'], 'achate': ['achate', 'chaeta'], 'achatina': ['acanthia', 'achatina'], 'ache': ['ache', 'each', 'haec'], 'acheirus': ['acheirus', 'eucharis'], 'achen': ['achen', 'chane', 'chena', 'hance'], 'acher': ['acher', 'arche', 'chare', 'chera', 'rache', 'reach'], 'acherontic': ['acherontic', 'anchoretic'], 'acherontical': ['acherontical', 'anchoretical'], 'achete': ['achete', 'hecate', 'teache', 'thecae'], 'acheulean': ['acheulean', 'euchlaena'], 'achill': ['achill', 'cahill', 'chilla'], 'achillea': ['achillea', 'heliacal'], 'acholia': ['acholia', 'alochia'], 'achondrite': ['achondrite', 'ditrochean', 'ordanchite'], 'achor': ['achor', 'chora', 'corah', 'orach', 'roach'], 'achras': ['achras', 'charas'], 'achromat': ['achromat', 'trachoma'], 'achromatin': ['achromatin', 'chariotman', 'machinator'], 'achromatinic': ['achromatinic', 'chromatician'], 'achtel': ['achtel', 'chalet', 'thecal', 'thecla'], 'achy': ['achy', 'chay'], 'aciculated': ['aciculated', 'claudicate'], 'acid': ['acid', 'cadi', 'caid'], 'acidanthera': ['acidanthera', 'cantharidae'], 'acider': ['acider', 'ericad'], 'acidimeter': ['acidimeter', 'mediatrice'], 'acidity': ['acidity', 'adicity'], 'acidly': ['acidly', 'acidyl'], 'acidometry': ['acidometry', 'medicatory', 'radiectomy'], 'acidophilous': ['acidophilous', 'aphidicolous'], 'acidyl': ['acidly', 'acidyl'], 'acier': ['acier', 'aeric', 'ceria', 'erica'], 'acieral': ['acieral', 'aerical'], 'aciform': ['aciform', 'formica'], 'acilius': ['acilius', 'iliacus'], 'acinar': ['acinar', 'arnica', 'canari', 'carian', 'carina', 'crania', 'narica'], 'acinic': ['acinic', 'incaic'], 'aciniform': ['aciniform', 'formicina'], 'acipenserid': ['acipenserid', 'presidencia'], 'acis': ['acis', 'asci', 'saic'], 'acker': ['acker', 'caker', 'crake', 'creak'], 'ackey': ['ackey', 'cakey'], 'acle': ['acle', 'alec', 'lace'], 'acleistous': ['acleistous', 'ossiculate'], 'aclemon': ['aclemon', 'cloamen'], 'aclinal': ['aclinal', 'ancilla'], 'aclys': ['aclys', 'scaly'], 'acme': ['acme', 'came', 'mace'], 'acmite': ['acmite', 'micate'], 'acne': ['acne', 'cane', 'nace'], 'acnemia': ['acnemia', 'anaemic'], 'acnida': ['acnida', 'anacid', 'dacian'], 'acnodal': ['acnodal', 'canadol', 'locanda'], 'acnode': ['acnode', 'deacon'], 'acoin': ['acoin', 'oncia'], 'acoma': ['acoma', 'macao'], 'acone': ['acone', 'canoe', 'ocean'], 'aconital': ['aconital', 'actional', 'anatolic'], 'aconite': ['acetoin', 'aconite', 'anoetic', 'antoeci', 'cetonia'], 'aconitic': ['aconitic', 'cationic', 'itaconic'], 'aconitin': ['aconitin', 'inaction', 'nicotian'], 'aconitum': ['aconitum', 'acontium'], 'acontias': ['acontias', 'tacsonia'], 'acontium': ['aconitum', 'acontium'], 'acontius': ['acontius', 'anticous'], 'acopon': ['acopon', 'poonac'], 'acor': ['acor', 'caro', 'cora', 'orca'], 'acorn': ['acorn', 'acron', 'racon'], 'acorus': ['acorus', 'soucar'], 'acosmist': ['acosmist', 'massicot', 'somatics'], 'acquest': ['acquest', 'casquet'], 'acrab': ['acrab', 'braca'], 'acraein': ['acarine', 'acraein', 'arecain'], 'acrania': ['acarian', 'acarina', 'acrania'], 'acraniate': ['acraniate', 'carinatae'], 'acratia': ['acratia', 'cataria'], 'acre': ['acer', 'acre', 'care', 'crea', 'race'], 'acream': ['acream', 'camera', 'mareca'], 'acred': ['acred', 'cader', 'cadre', 'cedar'], 'acrid': ['acrid', 'caird', 'carid', 'darci', 'daric', 'dirca'], 'acridan': ['acridan', 'craniad'], 'acridian': ['acridian', 'cnidaria'], 'acrididae': ['acrididae', 'cardiidae', 'cidaridae'], 'acridly': ['acridly', 'acridyl'], 'acridonium': ['acridonium', 'dicoumarin'], 'acridyl': ['acridly', 'acridyl'], 'acrimonious': ['acrimonious', 'isocoumarin'], 'acrisius': ['acrisius', 'sicarius'], 'acrita': ['acrita', 'arctia'], 'acritan': ['acritan', 'arctian'], 'acrite': ['acrite', 'arcite', 'tercia', 'triace', 'tricae'], 'acroa': ['acroa', 'caroa'], 'acrobat': ['abactor', 'acrobat'], 'acrocera': ['acrocera', 'caracore'], 'acroclinium': ['acroclinium', 'alcicornium'], 'acrodus': ['acrodus', 'crusado'], 'acrogen': ['acrogen', 'cornage'], 'acrolein': ['acrolein', 'arecolin', 'caroline', 'colinear', 'cornelia', 'creolian', 'lonicera'], 'acrolith': ['acrolith', 'trochila'], 'acron': ['acorn', 'acron', 'racon'], 'acronical': ['acronical', 'alcoranic'], 'acronym': ['acronym', 'romancy'], 'acropetal': ['acropetal', 'cleopatra'], 'acrose': ['acrose', 'coarse'], 'acrostic': ['acrostic', 'sarcotic', 'socratic'], 'acrostical': ['acrostical', 'socratical'], 'acrostically': ['acrostically', 'socratically'], 'acrosticism': ['acrosticism', 'socraticism'], 'acrotic': ['acrotic', 'carotic'], 'acrotism': ['acrotism', 'rotacism'], 'acrotrophic': ['acrotrophic', 'prothoracic'], 'acryl': ['acryl', 'caryl', 'clary'], 'act': ['act', 'cat'], 'actaeonidae': ['actaeonidae', 'donatiaceae'], 'actian': ['actian', 'natica', 'tanica'], 'actifier': ['actifier', 'artifice'], 'actin': ['actin', 'antic'], 'actinal': ['actinal', 'alantic', 'alicant', 'antical'], 'actine': ['acetin', 'actine', 'enatic'], 'actiniform': ['actiniform', 'naticiform'], 'actinine': ['actinine', 'naticine'], 'actinism': ['actinism', 'manistic'], 'actinogram': ['actinogram', 'morganatic'], 'actinoid': ['actinoid', 'diatonic', 'naticoid'], 'actinon': ['actinon', 'cantion', 'contain'], 'actinopteran': ['actinopteran', 'precantation'], 'actinopteri': ['actinopteri', 'crepitation', 'precitation'], 'actinost': ['actinost', 'oscitant'], 'actinula': ['actinula', 'nautical'], 'action': ['action', 'atonic', 'cation'], 'actional': ['aconital', 'actional', 'anatolic'], 'actioner': ['actioner', 'anerotic', 'ceration', 'creation', 'reaction'], 'activable': ['activable', 'biclavate'], 'activate': ['activate', 'cavitate'], 'activation': ['activation', 'cavitation'], 'activin': ['activin', 'civitan'], 'actomyosin': ['actomyosin', 'inocystoma'], 'acton': ['acton', 'canto', 'octan'], 'actor': ['actor', 'corta', 'croat', 'rocta', 'taroc', 'troca'], 'actorship': ['actorship', 'strophaic'], 'acts': ['acts', 'cast', 'scat'], 'actuator': ['actuator', 'autocrat'], 'acture': ['acture', 'cauter', 'curate'], 'acuan': ['acuan', 'aucan'], 'acubens': ['acubens', 'benacus'], 'acumen': ['acumen', 'cueman'], 'acuminose': ['acuminose', 'mniaceous'], 'acutenaculum': ['acutenaculum', 'unaccumulate'], 'acuteness': ['acuteness', 'encaustes'], 'acutorsion': ['acutorsion', 'octonarius'], 'acyl': ['acyl', 'clay', 'lacy'], 'acylation': ['acylation', 'claytonia'], 'acylogen': ['acylogen', 'cynogale'], 'ad': ['ad', 'da'], 'adad': ['adad', 'adda', 'dada'], 'adage': ['adage', 'agade'], 'adam': ['adam', 'dama'], 'adamic': ['adamic', 'cadmia'], 'adamine': ['adamine', 'manidae'], 'adamite': ['adamite', 'amidate'], 'adamsite': ['adamsite', 'diastema'], 'adance': ['adance', 'ecanda'], 'adapter': ['adapter', 'predata', 'readapt'], 'adaption': ['adaption', 'adoptian'], 'adaptionism': ['adaptionism', 'adoptianism'], 'adar': ['adar', 'arad', 'raad', 'rada'], 'adarme': ['adarme', 'adream'], 'adat': ['adat', 'data'], 'adawn': ['adawn', 'wadna'], 'adays': ['adays', 'dasya'], 'add': ['add', 'dad'], 'adda': ['adad', 'adda', 'dada'], 'addendum': ['addendum', 'unmadded'], 'adder': ['adder', 'dread', 'readd'], 'addicent': ['addicent', 'dedicant'], 'addlings': ['addlings', 'saddling'], 'addresser': ['addresser', 'readdress'], 'addu': ['addu', 'dadu', 'daud', 'duad'], 'addy': ['addy', 'dyad'], 'ade': ['ade', 'dae'], 'adeem': ['adeem', 'ameed', 'edema'], 'adela': ['adela', 'dalea'], 'adeline': ['adeline', 'daniele', 'delaine'], 'adeling': ['adeling', 'dealing', 'leading'], 'adelops': ['adelops', 'deposal'], 'ademonist': ['ademonist', 'demoniast', 'staminode'], 'ademption': ['ademption', 'tampioned'], 'adendric': ['adendric', 'riddance'], 'adenectopic': ['adenectopic', 'pentadecoic'], 'adenia': ['adenia', 'idaean'], 'adenochondroma': ['adenochondroma', 'chondroadenoma'], 'adenocystoma': ['adenocystoma', 'cystoadenoma'], 'adenofibroma': ['adenofibroma', 'fibroadenoma'], 'adenolipoma': ['adenolipoma', 'palaemonoid'], 'adenosarcoma': ['adenosarcoma', 'sarcoadenoma'], 'adenylic': ['adenylic', 'lycaenid'], 'adeptness': ['adeptness', 'pedantess'], 'adequation': ['adequation', 'deaquation'], 'adermia': ['adermia', 'madeira'], 'adermin': ['adermin', 'amerind', 'dimeran'], 'adet': ['adet', 'date', 'tade', 'tead', 'teda'], 'adevism': ['adevism', 'vedaism'], 'adhere': ['adhere', 'header', 'hedera', 'rehead'], 'adherent': ['adherent', 'headrent', 'neatherd', 'threaden'], 'adiaphon': ['adiaphon', 'aphodian'], 'adib': ['adib', 'ibad'], 'adicea': ['acadie', 'acedia', 'adicea'], 'adicity': ['acidity', 'adicity'], 'adiel': ['adiel', 'delia', 'ideal'], 'adieux': ['adieux', 'exaudi'], 'adighe': ['adighe', 'hidage'], 'adin': ['adin', 'andi', 'dain', 'dani', 'dian', 'naid'], 'adinole': ['adinole', 'idoneal'], 'adion': ['adion', 'danio', 'doina', 'donia'], 'adipocele': ['adipocele', 'cepolidae', 'ploceidae'], 'adipocere': ['adipocere', 'percoidea'], 'adipyl': ['adipyl', 'plaidy'], 'adit': ['adit', 'dita'], 'adital': ['adital', 'altaid'], 'aditus': ['aditus', 'studia'], 'adjuster': ['adjuster', 'readjust'], 'adlai': ['adlai', 'alida'], 'adlay': ['adlay', 'dayal'], 'adlet': ['adlet', 'dealt', 'delta', 'lated', 'taled'], 'adlumine': ['adlumine', 'unmailed'], 'adman': ['adman', 'daman', 'namda'], 'admi': ['admi', 'amid', 'madi', 'maid'], 'adminicle': ['adminicle', 'medicinal'], 'admire': ['admire', 'armied', 'damier', 'dimera', 'merida'], 'admired': ['admired', 'diaderm'], 'admirer': ['admirer', 'madrier', 'married'], 'admissive': ['admissive', 'misadvise'], 'admit': ['admit', 'atmid'], 'admittee': ['admittee', 'meditate'], 'admonisher': ['admonisher', 'rhamnoside'], 'admonition': ['admonition', 'domination'], 'admonitive': ['admonitive', 'dominative'], 'admonitor': ['admonitor', 'dominator'], 'adnascence': ['adnascence', 'ascendance'], 'adnascent': ['adnascent', 'ascendant'], 'adnate': ['adnate', 'entada'], 'ado': ['ado', 'dao', 'oda'], 'adobe': ['abode', 'adobe'], 'adolph': ['adolph', 'pholad'], 'adonai': ['adonai', 'adonia'], 'adonia': ['adonai', 'adonia'], 'adonic': ['adonic', 'anodic'], 'adonin': ['adonin', 'nanoid', 'nonaid'], 'adoniram': ['adoniram', 'radioman'], 'adonize': ['adonize', 'anodize'], 'adopter': ['adopter', 'protead', 'readopt'], 'adoptian': ['adaption', 'adoptian'], 'adoptianism': ['adaptionism', 'adoptianism'], 'adoptional': ['adoptional', 'aplodontia'], 'adorability': ['adorability', 'roadability'], 'adorable': ['adorable', 'roadable'], 'adorant': ['adorant', 'ondatra'], 'adore': ['adore', 'oared', 'oread'], 'adorer': ['adorer', 'roader'], 'adorn': ['adorn', 'donar', 'drona', 'radon'], 'adorner': ['adorner', 'readorn'], 'adpao': ['adpao', 'apoda'], 'adpromission': ['adpromission', 'proadmission'], 'adream': ['adarme', 'adream'], 'adrenin': ['adrenin', 'nardine'], 'adrenine': ['adrenine', 'adrienne'], 'adrenolytic': ['adrenolytic', 'declinatory'], 'adrenotropic': ['adrenotropic', 'incorporated'], 'adrian': ['adrian', 'andira', 'andria', 'radian', 'randia'], 'adrienne': ['adrenine', 'adrienne'], 'adrip': ['adrip', 'rapid'], 'adroitly': ['adroitly', 'dilatory', 'idolatry'], 'adrop': ['adrop', 'pardo'], 'adry': ['adry', 'dray', 'yard'], 'adscendent': ['adscendent', 'descendant'], 'adsmith': ['adsmith', 'mahdist'], 'adular': ['adular', 'aludra', 'radula'], 'adulation': ['adulation', 'laudation'], 'adulator': ['adulator', 'laudator'], 'adulatory': ['adulatory', 'laudatory'], 'adult': ['adult', 'dulat'], 'adulterine': ['adulterine', 'laurentide'], 'adultness': ['adultness', 'dauntless'], 'adustion': ['adustion', 'sudation'], 'advene': ['advene', 'evadne'], 'adventism': ['adventism', 'vedantism'], 'adventist': ['adventist', 'vedantist'], 'adventure': ['adventure', 'unaverted'], 'advice': ['advice', 'vedaic'], 'ady': ['ady', 'day', 'yad'], 'adz': ['adz', 'zad'], 'adze': ['adze', 'daze'], 'adzer': ['adzer', 'zerda'], 'ae': ['ae', 'ea'], 'aecidioform': ['aecidioform', 'formicoidea'], 'aedilian': ['aedilian', 'laniidae'], 'aedilic': ['aedilic', 'elaidic'], 'aedility': ['aedility', 'ideality'], 'aegipan': ['aegipan', 'apinage'], 'aegirine': ['aegirine', 'erigenia'], 'aegirite': ['aegirite', 'ariegite'], 'aegle': ['aegle', 'eagle', 'galee'], 'aenean': ['aenean', 'enaena'], 'aeolharmonica': ['aeolharmonica', 'chloroanaemia'], 'aeolian': ['aeolian', 'aeolina', 'aeonial'], 'aeolic': ['aeolic', 'coelia'], 'aeolina': ['aeolian', 'aeolina', 'aeonial'], 'aeolis': ['aeolis', 'laiose'], 'aeolist': ['aeolist', 'isolate'], 'aeolistic': ['aeolistic', 'socialite'], 'aeon': ['aeon', 'eoan'], 'aeonial': ['aeolian', 'aeolina', 'aeonial'], 'aeonist': ['aeonist', 'asiento', 'satieno'], 'aer': ['aer', 'are', 'ear', 'era', 'rea'], 'aerage': ['aerage', 'graeae'], 'aerarian': ['aerarian', 'arenaria'], 'aeration': ['aaronite', 'aeration'], 'aerial': ['aerial', 'aralie'], 'aeric': ['acier', 'aeric', 'ceria', 'erica'], 'aerical': ['acieral', 'aerical'], 'aeried': ['aeried', 'dearie'], 'aerogenic': ['aerogenic', 'recoinage'], 'aerographer': ['aerographer', 'areographer'], 'aerographic': ['aerographic', 'areographic'], 'aerographical': ['aerographical', 'areographical'], 'aerography': ['aerography', 'areography'], 'aerologic': ['aerologic', 'areologic'], 'aerological': ['aerological', 'areological'], 'aerologist': ['aerologist', 'areologist'], 'aerology': ['aerology', 'areology'], 'aeromantic': ['aeromantic', 'cameration', 'maceration', 'racemation'], 'aerometer': ['aerometer', 'areometer'], 'aerometric': ['aerometric', 'areometric'], 'aerometry': ['aerometry', 'areometry'], 'aeronautic': ['acetonuria', 'aeronautic'], 'aeronautism': ['aeronautism', 'measuration'], 'aerope': ['aerope', 'operae'], 'aerophilic': ['aerophilic', 'epichorial'], 'aerosol': ['aerosol', 'roseola'], 'aerostatics': ['aerostatics', 'aortectasis'], 'aery': ['aery', 'eyra', 'yare', 'year'], 'aes': ['aes', 'ase', 'sea'], 'aesthetic': ['aesthetic', 'chaetites'], 'aethalioid': ['aethalioid', 'haliotidae'], 'aetian': ['aetian', 'antiae', 'taenia'], 'aetobatus': ['aetobatus', 'eastabout'], 'afebrile': ['afebrile', 'balefire', 'fireable'], 'afenil': ['afenil', 'finale'], 'affair': ['affair', 'raffia'], 'affecter': ['affecter', 'reaffect'], 'affeer': ['affeer', 'raffee'], 'affiance': ['affiance', 'caffeina'], 'affirmer': ['affirmer', 'reaffirm'], 'afflicter': ['afflicter', 'reafflict'], 'affy': ['affy', 'yaff'], 'afghan': ['afghan', 'hafgan'], 'afield': ['afield', 'defial'], 'afire': ['afire', 'feria'], 'aflare': ['aflare', 'rafael'], 'aflat': ['aflat', 'fatal'], 'afresh': ['afresh', 'fasher', 'ferash'], 'afret': ['afret', 'after'], 'afric': ['afric', 'firca'], 'afshar': ['afshar', 'ashraf'], 'aft': ['aft', 'fat'], 'after': ['afret', 'after'], 'afteract': ['afteract', 'artefact', 'farcetta', 'farctate'], 'afterage': ['afterage', 'fregatae'], 'afterblow': ['afterblow', 'batfowler'], 'aftercome': ['aftercome', 'forcemeat'], 'aftercrop': ['aftercrop', 'prefactor'], 'aftergo': ['aftergo', 'fagoter'], 'afterguns': ['afterguns', 'transfuge'], 'aftermath': ['aftermath', 'hamfatter'], 'afterstate': ['afterstate', 'aftertaste'], 'aftertaste': ['afterstate', 'aftertaste'], 'afunctional': ['afunctional', 'unfactional'], 'agade': ['adage', 'agade'], 'agal': ['agal', 'agla', 'alga', 'gala'], 'agalite': ['agalite', 'tailage', 'taliage'], 'agalma': ['agalma', 'malaga'], 'agama': ['agama', 'amaga'], 'agamid': ['agamid', 'madiga'], 'agapeti': ['agapeti', 'agpaite'], 'agapornis': ['agapornis', 'sporangia'], 'agar': ['agar', 'agra', 'gara', 'raga'], 'agaricin': ['agaricin', 'garcinia'], 'agau': ['agau', 'agua'], 'aged': ['aged', 'egad', 'gade'], 'ageless': ['ageless', 'eagless'], 'agen': ['agen', 'gaen', 'gane', 'gean', 'gena'], 'agenesic': ['agenesic', 'genesiac'], 'agenesis': ['agenesis', 'assignee'], 'agential': ['agential', 'alginate'], 'agentive': ['agentive', 'negative'], 'ager': ['ager', 'agre', 'gare', 'gear', 'rage'], 'agger': ['agger', 'gager', 'regga'], 'aggeration': ['aggeration', 'agregation'], 'aggry': ['aggry', 'raggy'], 'agialid': ['agialid', 'galidia'], 'agib': ['agib', 'biga', 'gabi'], 'agiel': ['agiel', 'agile', 'galei'], 'agile': ['agiel', 'agile', 'galei'], 'agileness': ['agileness', 'signalese'], 'agistment': ['agistment', 'magnetist'], 'agistor': ['agistor', 'agrotis', 'orgiast'], 'agla': ['agal', 'agla', 'alga', 'gala'], 'aglaos': ['aglaos', 'salago'], 'aglare': ['aglare', 'alegar', 'galera', 'laager'], 'aglet': ['aglet', 'galet'], 'agley': ['agley', 'galey'], 'agmatine': ['agmatine', 'agminate'], 'agminate': ['agmatine', 'agminate'], 'agminated': ['agminated', 'diamagnet'], 'agnail': ['agnail', 'linaga'], 'agname': ['agname', 'manage'], 'agnel': ['agnel', 'angel', 'angle', 'galen', 'genal', 'glean', 'lagen'], 'agnes': ['agnes', 'gesan'], 'agnize': ['agnize', 'ganzie'], 'agnosis': ['agnosis', 'ganosis'], 'agnostic': ['agnostic', 'coasting'], 'agnus': ['agnus', 'angus', 'sugan'], 'ago': ['ago', 'goa'], 'agon': ['agon', 'ango', 'gaon', 'goan', 'gona'], 'agonal': ['agonal', 'angola'], 'agone': ['agone', 'genoa'], 'agoniadin': ['agoniadin', 'anangioid', 'ganoidian'], 'agonic': ['agonic', 'angico', 'gaonic', 'goniac'], 'agonista': ['agonista', 'santiago'], 'agonizer': ['agonizer', 'orangize', 'organize'], 'agpaite': ['agapeti', 'agpaite'], 'agra': ['agar', 'agra', 'gara', 'raga'], 'agral': ['agral', 'argal'], 'agrania': ['agrania', 'angaria', 'niagara'], 'agre': ['ager', 'agre', 'gare', 'gear', 'rage'], 'agree': ['agree', 'eager', 'eagre'], 'agreed': ['agreed', 'geared'], 'agregation': ['aggeration', 'agregation'], 'agrege': ['agrege', 'raggee'], 'agrestian': ['agrestian', 'gerastian', 'stangeria'], 'agrestic': ['agrestic', 'ergastic'], 'agria': ['agria', 'igara'], 'agricolist': ['agricolist', 'algoristic'], 'agrilus': ['agrilus', 'gularis'], 'agrin': ['agrin', 'grain'], 'agrito': ['agrito', 'ortiga'], 'agroan': ['agroan', 'angora', 'anogra', 'arango', 'argoan', 'onagra'], 'agrom': ['agrom', 'morga'], 'agrotis': ['agistor', 'agrotis', 'orgiast'], 'aground': ['aground', 'durango'], 'agrufe': ['agrufe', 'gaufer', 'gaufre'], 'agrypnia': ['agrypnia', 'paginary'], 'agsam': ['agsam', 'magas'], 'agua': ['agau', 'agua'], 'ague': ['ague', 'auge'], 'agush': ['agush', 'saugh'], 'agust': ['agust', 'tsuga'], 'agy': ['agy', 'gay'], 'ah': ['ah', 'ha'], 'ahem': ['ahem', 'haem', 'hame'], 'ahet': ['ahet', 'haet', 'hate', 'heat', 'thea'], 'ahey': ['ahey', 'eyah', 'yeah'], 'ahind': ['ahind', 'dinah'], 'ahint': ['ahint', 'hiant', 'tahin'], 'ahir': ['ahir', 'hair'], 'ahmed': ['ahmed', 'hemad'], 'ahmet': ['ahmet', 'thema'], 'aho': ['aho', 'hao'], 'ahom': ['ahom', 'moha'], 'ahong': ['ahong', 'hogan'], 'ahorse': ['ahorse', 'ashore', 'hoarse', 'shorea'], 'ahoy': ['ahoy', 'hoya'], 'ahriman': ['ahriman', 'miranha'], 'ahsan': ['ahsan', 'hansa', 'hasan'], 'aht': ['aht', 'hat', 'tha'], 'ahtena': ['ahtena', 'aneath', 'athena'], 'ahu': ['ahu', 'auh', 'hau'], 'ahum': ['ahum', 'huma'], 'ahunt': ['ahunt', 'haunt', 'thuan', 'unhat'], 'aid': ['aid', 'ida'], 'aidance': ['aidance', 'canidae'], 'aide': ['aide', 'idea'], 'aidenn': ['aidenn', 'andine', 'dannie', 'indane'], 'aider': ['aider', 'deair', 'irade', 'redia'], 'aides': ['aides', 'aside', 'sadie'], 'aiel': ['aiel', 'aile', 'elia'], 'aiglet': ['aiglet', 'ligate', 'taigle', 'tailge'], 'ail': ['ail', 'ila', 'lai'], 'ailantine': ['ailantine', 'antialien'], 'ailanto': ['ailanto', 'alation', 'laotian', 'notalia'], 'aile': ['aiel', 'aile', 'elia'], 'aileen': ['aileen', 'elaine'], 'aileron': ['aileron', 'alienor'], 'ailing': ['ailing', 'angili', 'nilgai'], 'ailment': ['ailment', 'aliment'], 'aim': ['aim', 'ami', 'ima'], 'aimer': ['aimer', 'maire', 'marie', 'ramie'], 'aimless': ['aimless', 'melissa', 'seismal'], 'ainaleh': ['ainaleh', 'halenia'], 'aint': ['aint', 'anti', 'tain', 'tina'], 'aion': ['aion', 'naio'], 'air': ['air', 'ira', 'ria'], 'aira': ['aira', 'aria', 'raia'], 'airan': ['airan', 'arain', 'arian'], 'airdrome': ['airdrome', 'armoried'], 'aire': ['aire', 'eria'], 'airer': ['airer', 'arrie'], 'airlike': ['airlike', 'kiliare'], 'airman': ['airman', 'amarin', 'marian', 'marina', 'mirana'], 'airplane': ['airplane', 'perianal'], 'airplanist': ['airplanist', 'triplasian'], 'airt': ['airt', 'rita', 'tari', 'tiar'], 'airy': ['airy', 'yair'], 'aisle': ['aisle', 'elias'], 'aisled': ['aisled', 'deasil', 'ladies', 'sailed'], 'aisling': ['aisling', 'sailing'], 'aissor': ['aissor', 'rissoa'], 'ait': ['ait', 'ati', 'ita', 'tai'], 'aitch': ['aitch', 'chait', 'chati', 'chita', 'taich', 'tchai'], 'aition': ['aition', 'itonia'], 'aizle': ['aizle', 'eliza'], 'ajar': ['ajar', 'jara', 'raja'], 'ajhar': ['ajhar', 'rajah'], 'ajuga': ['ajuga', 'jagua'], 'ak': ['ak', 'ka'], 'akal': ['akal', 'kala'], 'akali': ['akali', 'alaki'], 'akan': ['akan', 'kana'], 'ake': ['ake', 'kea'], 'akebi': ['akebi', 'bakie'], 'akha': ['akha', 'kaha'], 'akim': ['akim', 'maki'], 'akin': ['akin', 'kina', 'naik'], 'akka': ['akka', 'kaka'], 'aknee': ['aknee', 'ankee', 'keena'], 'ako': ['ako', 'koa', 'oak', 'oka'], 'akoasma': ['akoasma', 'amakosa'], 'aku': ['aku', 'auk', 'kua'], 'al': ['al', 'la'], 'ala': ['aal', 'ala'], 'alacritous': ['alacritous', 'lactarious', 'lactosuria'], 'alain': ['alain', 'alani', 'liana'], 'alaki': ['akali', 'alaki'], 'alalite': ['alalite', 'tillaea'], 'alamo': ['alamo', 'aloma'], 'alan': ['alan', 'anal', 'lana'], 'alangin': ['alangin', 'anginal', 'anglian', 'nagnail'], 'alangine': ['alangine', 'angelina', 'galenian'], 'alani': ['alain', 'alani', 'liana'], 'alanine': ['alanine', 'linnaea'], 'alans': ['alans', 'lanas', 'nasal'], 'alantic': ['actinal', 'alantic', 'alicant', 'antical'], 'alantolic': ['alantolic', 'allantoic'], 'alanyl': ['alanyl', 'anally'], 'alares': ['alares', 'arales'], 'alaria': ['alaria', 'aralia'], 'alaric': ['alaric', 'racial'], 'alarm': ['alarm', 'malar', 'maral', 'marla', 'ramal'], 'alarmable': ['alarmable', 'ambarella'], 'alarmedly': ['alarmedly', 'medallary'], 'alarming': ['alarming', 'marginal'], 'alarmingly': ['alarmingly', 'marginally'], 'alarmist': ['alarmist', 'alastrim'], 'alas': ['alas', 'lasa'], 'alastair': ['alastair', 'salariat'], 'alaster': ['alaster', 'tarsale'], 'alastrim': ['alarmist', 'alastrim'], 'alatern': ['alatern', 'lateran'], 'alaternus': ['alaternus', 'saturnale'], 'alation': ['ailanto', 'alation', 'laotian', 'notalia'], 'alb': ['alb', 'bal', 'lab'], 'alba': ['alba', 'baal', 'bala'], 'alban': ['alban', 'balan', 'banal', 'laban', 'nabal', 'nabla'], 'albanite': ['albanite', 'balanite', 'nabalite'], 'albardine': ['albardine', 'drainable'], 'albarium': ['albarium', 'brumalia'], 'albata': ['albata', 'atabal', 'balata'], 'albatros': ['abrastol', 'albatros'], 'albe': ['abel', 'able', 'albe', 'bale', 'beal', 'bela', 'blae'], 'albedo': ['albedo', 'doable'], 'albee': ['abele', 'albee'], 'albeit': ['albeit', 'albite', 'baltei', 'belait', 'betail', 'bletia', 'libate'], 'albert': ['albert', 'balter', 'labret', 'tabler'], 'alberta': ['alberta', 'latebra', 'ratable'], 'albertina': ['albertina', 'trainable'], 'alberto': ['alberto', 'bloater', 'latrobe'], 'albetad': ['albetad', 'datable'], 'albi': ['albi', 'bail', 'bali'], 'albian': ['albian', 'bilaan'], 'albin': ['albin', 'binal', 'blain'], 'albino': ['albino', 'albion', 'alboin', 'oliban'], 'albion': ['albino', 'albion', 'alboin', 'oliban'], 'albite': ['albeit', 'albite', 'baltei', 'belait', 'betail', 'bletia', 'libate'], 'alboin': ['albino', 'albion', 'alboin', 'oliban'], 'alboranite': ['alboranite', 'rationable'], 'albronze': ['albronze', 'blazoner'], 'albuca': ['albuca', 'bacula'], 'albuminate': ['albuminate', 'antelabium'], 'alburnum': ['alburnum', 'laburnum'], 'alcaic': ['alcaic', 'cicala'], 'alcaide': ['alcaide', 'alcidae'], 'alcamine': ['alcamine', 'analcime', 'calamine', 'camelina'], 'alcantarines': ['alcantarines', 'lancasterian'], 'alcedo': ['alcedo', 'dacelo'], 'alces': ['alces', 'casel', 'scale'], 'alchemic': ['alchemic', 'chemical'], 'alchemistic': ['alchemistic', 'hemiclastic'], 'alchera': ['alchera', 'archeal'], 'alchitran': ['alchitran', 'clathrina'], 'alcicornium': ['acroclinium', 'alcicornium'], 'alcidae': ['alcaide', 'alcidae'], 'alcidine': ['alcidine', 'danielic', 'lecaniid'], 'alcine': ['alcine', 'ancile'], 'alco': ['alco', 'coal', 'cola', 'loca'], 'alcoate': ['alcoate', 'coelata'], 'alcogel': ['alcogel', 'collage'], 'alcor': ['alcor', 'calor', 'carlo', 'carol', 'claro', 'coral'], 'alcoran': ['alcoran', 'ancoral', 'carolan'], 'alcoranic': ['acronical', 'alcoranic'], 'alcove': ['alcove', 'coeval', 'volcae'], 'alcyon': ['alcyon', 'cyanol'], 'alcyone': ['alcyone', 'cyanole'], 'aldamine': ['aldamine', 'lamnidae'], 'aldeament': ['aldeament', 'mandelate'], 'alder': ['alder', 'daler', 'lader'], 'aldermanry': ['aldermanry', 'marylander'], 'aldern': ['aldern', 'darnel', 'enlard', 'lander', 'lenard', 'randle', 'reland'], 'aldime': ['aldime', 'mailed', 'medial'], 'aldine': ['aldine', 'daniel', 'delian', 'denial', 'enalid', 'leadin'], 'aldus': ['aldus', 'sauld'], 'ale': ['ale', 'lea'], 'alec': ['acle', 'alec', 'lace'], 'aleconner': ['aleconner', 'noncereal'], 'alecost': ['alecost', 'lactose', 'scotale', 'talcose'], 'alectoris': ['alectoris', 'sarcolite', 'sclerotia', 'sectorial'], 'alectrion': ['alectrion', 'clarionet', 'crotaline', 'locarnite'], 'alectryon': ['alectryon', 'tolerancy'], 'alecup': ['alecup', 'clupea'], 'alef': ['alef', 'feal', 'flea', 'leaf'], 'aleft': ['aleft', 'alfet', 'fetal', 'fleta'], 'alegar': ['aglare', 'alegar', 'galera', 'laager'], 'alem': ['alem', 'alme', 'lame', 'leam', 'male', 'meal', 'mela'], 'alemanni': ['alemanni', 'melanian'], 'alemite': ['alemite', 'elamite'], 'alen': ['alen', 'lane', 'lean', 'lena', 'nael', 'neal'], 'aleph': ['aleph', 'pheal'], 'alepot': ['alepot', 'pelota'], 'alerce': ['alerce', 'cereal', 'relace'], 'alerse': ['alerse', 'leaser', 'reales', 'resale', 'reseal', 'sealer'], 'alert': ['alert', 'alter', 'artel', 'later', 'ratel', 'taler', 'telar'], 'alertly': ['alertly', 'elytral'], 'alestake': ['alestake', 'eastlake'], 'aletap': ['aletap', 'palate', 'platea'], 'aletris': ['aletris', 'alister', 'listera', 'realist', 'saltier'], 'aleuronic': ['aleuronic', 'urceolina'], 'aleut': ['aleut', 'atule'], 'aleutic': ['aleutic', 'auletic', 'caulite', 'lutecia'], 'alevin': ['alevin', 'alvine', 'valine', 'veinal', 'venial', 'vineal'], 'alex': ['alex', 'axel', 'axle'], 'alexandrian': ['alexandrian', 'alexandrina'], 'alexandrina': ['alexandrian', 'alexandrina'], 'alexin': ['alexin', 'xenial'], 'aleyard': ['aleyard', 'already'], 'alfenide': ['alfenide', 'enfilade'], 'alfet': ['aleft', 'alfet', 'fetal', 'fleta'], 'alfred': ['alfred', 'fardel'], 'alfur': ['alfur', 'fural'], 'alga': ['agal', 'agla', 'alga', 'gala'], 'algae': ['algae', 'galea'], 'algal': ['algal', 'galla'], 'algebar': ['algebar', 'algebra'], 'algebra': ['algebar', 'algebra'], 'algedi': ['algedi', 'galeid'], 'algedo': ['algedo', 'geodal'], 'algedonic': ['algedonic', 'genocidal'], 'algenib': ['algenib', 'bealing', 'belgian', 'bengali'], 'algerian': ['algerian', 'geranial', 'regalian'], 'algernon': ['algernon', 'nonglare'], 'algesia': ['algesia', 'sailage'], 'algesis': ['algesis', 'glassie'], 'algieba': ['algieba', 'bailage'], 'algin': ['algin', 'align', 'langi', 'liang', 'linga'], 'alginate': ['agential', 'alginate'], 'algine': ['algine', 'genial', 'linage'], 'algist': ['algist', 'gaslit'], 'algometer': ['algometer', 'glomerate'], 'algometric': ['algometric', 'melotragic'], 'algomian': ['algomian', 'magnolia'], 'algor': ['algor', 'argol', 'goral', 'largo'], 'algoristic': ['agricolist', 'algoristic'], 'algorithm': ['algorithm', 'logarithm'], 'algorithmic': ['algorithmic', 'logarithmic'], 'algraphic': ['algraphic', 'graphical'], 'algum': ['algum', 'almug', 'glaum', 'gluma', 'mulga'], 'alibility': ['alibility', 'liability'], 'alible': ['alible', 'belial', 'labile', 'liable'], 'alicant': ['actinal', 'alantic', 'alicant', 'antical'], 'alice': ['alice', 'celia', 'ileac'], 'alichel': ['alichel', 'challie', 'helical'], 'alida': ['adlai', 'alida'], 'alien': ['alien', 'aline', 'anile', 'elain', 'elian', 'laine', 'linea'], 'alienation': ['alienation', 'alineation'], 'alienator': ['alienator', 'rationale'], 'alienism': ['alienism', 'milesian'], 'alienor': ['aileron', 'alienor'], 'alif': ['alif', 'fail'], 'aligerous': ['aligerous', 'glaireous'], 'align': ['algin', 'align', 'langi', 'liang', 'linga'], 'aligner': ['aligner', 'engrail', 'realign', 'reginal'], 'alignment': ['alignment', 'lamenting'], 'alike': ['alike', 'lakie'], 'alikeness': ['alikeness', 'leakiness'], 'alima': ['alima', 'lamia'], 'aliment': ['ailment', 'aliment'], 'alimenter': ['alimenter', 'marteline'], 'alimentic': ['alimentic', 'antilemic', 'melanitic', 'metanilic'], 'alimonied': ['alimonied', 'maleinoid'], 'alin': ['alin', 'anil', 'lain', 'lina', 'nail'], 'aline': ['alien', 'aline', 'anile', 'elain', 'elian', 'laine', 'linea'], 'alineation': ['alienation', 'alineation'], 'aliped': ['aliped', 'elapid'], 'aliptes': ['aliptes', 'pastile', 'talipes'], 'aliptic': ['aliptic', 'aplitic'], 'aliseptal': ['aliseptal', 'pallasite'], 'alish': ['alish', 'hilsa'], 'alisier': ['alisier', 'israeli'], 'aliso': ['aliso', 'alois'], 'alison': ['alison', 'anolis'], 'alisp': ['alisp', 'lapsi'], 'alist': ['alist', 'litas', 'slait', 'talis'], 'alister': ['aletris', 'alister', 'listera', 'realist', 'saltier'], 'alit': ['alit', 'tail', 'tali'], 'alite': ['alite', 'laeti'], 'aliunde': ['aliunde', 'unideal'], 'aliveness': ['aliveness', 'vealiness'], 'alix': ['alix', 'axil'], 'alk': ['alk', 'lak'], 'alkalizer': ['alkalizer', 'lazarlike'], 'alkamin': ['alkamin', 'malakin'], 'alkene': ['alkene', 'lekane'], 'alkes': ['alkes', 'sakel', 'slake'], 'alkine': ['alkine', 'ilkane', 'inlake', 'inleak'], 'alky': ['alky', 'laky'], 'alkylic': ['alkylic', 'lilacky'], 'allagite': ['allagite', 'alligate', 'talliage'], 'allah': ['allah', 'halal'], 'allantoic': ['alantolic', 'allantoic'], 'allay': ['allay', 'yalla'], 'allayer': ['allayer', 'yallaer'], 'allbone': ['allbone', 'bellona'], 'alle': ['alle', 'ella', 'leal'], 'allecret': ['allecret', 'cellaret'], 'allegate': ['allegate', 'ellagate'], 'allegorist': ['allegorist', 'legislator'], 'allergen': ['allergen', 'generall'], 'allergia': ['allergia', 'galleria'], 'allergin': ['allergin', 'gralline'], 'allergy': ['allergy', 'gallery', 'largely', 'regally'], 'alliable': ['alliable', 'labiella'], 'alliably': ['alliably', 'labially'], 'alliance': ['alliance', 'canaille'], 'alliancer': ['alliancer', 'ralliance'], 'allie': ['allie', 'leila', 'lelia'], 'allies': ['allies', 'aselli'], 'alligate': ['allagite', 'alligate', 'talliage'], 'allium': ['allium', 'alulim', 'muilla'], 'allocation': ['allocation', 'locational'], 'allocute': ['allocute', 'loculate'], 'allocution': ['allocution', 'loculation'], 'allogenic': ['allogenic', 'collegian'], 'allonym': ['allonym', 'malonyl'], 'allopathy': ['allopathy', 'lalopathy'], 'allopatric': ['allopatric', 'patrilocal'], 'allot': ['allot', 'atoll'], 'allothogenic': ['allothogenic', 'ethnological'], 'allover': ['allover', 'overall'], 'allower': ['allower', 'reallow'], 'alloy': ['alloy', 'loyal'], 'allude': ['allude', 'aludel'], 'allure': ['allure', 'laurel'], 'alma': ['alma', 'amla', 'lama', 'mala'], 'almach': ['almach', 'chamal'], 'almaciga': ['almaciga', 'macaglia'], 'almain': ['almain', 'animal', 'lamina', 'manila'], 'alman': ['alman', 'lamna', 'manal'], 'almandite': ['almandite', 'laminated'], 'alme': ['alem', 'alme', 'lame', 'leam', 'male', 'meal', 'mela'], 'almerian': ['almerian', 'manerial'], 'almoign': ['almoign', 'loaming'], 'almon': ['almon', 'monal'], 'almond': ['almond', 'dolman'], 'almoner': ['almoner', 'moneral', 'nemoral'], 'almonry': ['almonry', 'romanly'], 'alms': ['alms', 'salm', 'slam'], 'almuce': ['almuce', 'caelum', 'macule'], 'almude': ['almude', 'maudle'], 'almug': ['algum', 'almug', 'glaum', 'gluma', 'mulga'], 'almuten': ['almuten', 'emulant'], 'aln': ['aln', 'lan'], 'alnage': ['alnage', 'angela', 'galena', 'lagena'], 'alnico': ['alnico', 'cliona', 'oilcan'], 'alnilam': ['alnilam', 'manilla'], 'alnoite': ['alnoite', 'elation', 'toenail'], 'alnuin': ['alnuin', 'unnail'], 'alo': ['alo', 'lao', 'loa'], 'alochia': ['acholia', 'alochia'], 'alod': ['alod', 'dola', 'load', 'odal'], 'aloe': ['aloe', 'olea'], 'aloetic': ['aloetic', 'coalite'], 'aloft': ['aloft', 'float', 'flota'], 'alogian': ['alogian', 'logania'], 'alogical': ['alogical', 'colalgia'], 'aloid': ['aloid', 'dolia', 'idola'], 'aloin': ['aloin', 'anoil', 'anoli'], 'alois': ['aliso', 'alois'], 'aloma': ['alamo', 'aloma'], 'alone': ['alone', 'anole', 'olena'], 'along': ['along', 'gonal', 'lango', 'longa', 'nogal'], 'alonso': ['alonso', 'alsoon', 'saloon'], 'alonzo': ['alonzo', 'zoonal'], 'alop': ['alop', 'opal'], 'alopecist': ['alopecist', 'altiscope', 'epicostal', 'scapolite'], 'alosa': ['alosa', 'loasa', 'oasal'], 'alose': ['alose', 'osela', 'solea'], 'alow': ['alow', 'awol', 'lowa'], 'aloxite': ['aloxite', 'oxalite'], 'alp': ['alp', 'lap', 'pal'], 'alpeen': ['alpeen', 'lenape', 'pelean'], 'alpen': ['alpen', 'nepal', 'panel', 'penal', 'plane'], 'alpestral': ['alpestral', 'palestral'], 'alpestrian': ['alpestrian', 'palestrian', 'psalterian'], 'alpestrine': ['alpestrine', 'episternal', 'interlapse', 'presential'], 'alphenic': ['alphenic', 'cephalin'], 'alphonse': ['alphonse', 'phenosal'], 'alphos': ['alphos', 'pholas'], 'alphosis': ['alphosis', 'haplosis'], 'alpid': ['alpid', 'plaid'], 'alpieu': ['alpieu', 'paulie'], 'alpine': ['alpine', 'nepali', 'penial', 'pineal'], 'alpinist': ['alpinist', 'antislip'], 'alpist': ['alpist', 'pastil', 'spital'], 'alraun': ['alraun', 'alruna', 'ranula'], 'already': ['aleyard', 'already'], 'alrighty': ['alrighty', 'arightly'], 'alruna': ['alraun', 'alruna', 'ranula'], 'alsine': ['alsine', 'neslia', 'saline', 'selina', 'silane'], 'also': ['also', 'sola'], 'alsoon': ['alonso', 'alsoon', 'saloon'], 'alstonidine': ['alstonidine', 'nonidealist'], 'alstonine': ['alstonine', 'tensional'], 'alt': ['alt', 'lat', 'tal'], 'altaian': ['altaian', 'latania', 'natalia'], 'altaic': ['altaic', 'altica'], 'altaid': ['adital', 'altaid'], 'altair': ['altair', 'atrail', 'atrial', 'lariat', 'latria', 'talari'], 'altamira': ['altamira', 'matralia'], 'altar': ['altar', 'artal', 'ratal', 'talar'], 'altared': ['altared', 'laterad'], 'altarist': ['altarist', 'striatal'], 'alter': ['alert', 'alter', 'artel', 'later', 'ratel', 'taler', 'telar'], 'alterability': ['alterability', 'bilaterality', 'relatability'], 'alterable': ['alterable', 'relatable'], 'alterant': ['alterant', 'tarletan'], 'alterer': ['alterer', 'realter', 'relater'], 'altern': ['altern', 'antler', 'learnt', 'rental', 'ternal'], 'alterne': ['alterne', 'enteral', 'eternal', 'teleran', 'teneral'], 'althea': ['althea', 'elatha'], 'altho': ['altho', 'lhota', 'loath'], 'althorn': ['althorn', 'anthrol', 'thronal'], 'altica': ['altaic', 'altica'], 'altin': ['altin', 'latin'], 'altiscope': ['alopecist', 'altiscope', 'epicostal', 'scapolite'], 'altitude': ['altitude', 'latitude'], 'altitudinal': ['altitudinal', 'latitudinal'], 'altitudinarian': ['altitudinarian', 'latitudinarian'], 'alto': ['alto', 'lota'], 'altrices': ['altrices', 'selictar'], 'altruism': ['altruism', 'muralist', 'traulism', 'ultraism'], 'altruist': ['altruist', 'ultraist'], 'altruistic': ['altruistic', 'truistical', 'ultraistic'], 'aludel': ['allude', 'aludel'], 'aludra': ['adular', 'aludra', 'radula'], 'alulet': ['alulet', 'luteal'], 'alulim': ['allium', 'alulim', 'muilla'], 'alum': ['alum', 'maul'], 'aluminate': ['aluminate', 'alumniate'], 'aluminide': ['aluminide', 'unimedial'], 'aluminosilicate': ['aluminosilicate', 'silicoaluminate'], 'alumna': ['alumna', 'manual'], 'alumni': ['alumni', 'unmail'], 'alumniate': ['aluminate', 'alumniate'], 'alur': ['alur', 'laur', 'lura', 'raul', 'ural'], 'alure': ['alure', 'ureal'], 'alurgite': ['alurgite', 'ligature'], 'aluta': ['aluta', 'taula'], 'alvan': ['alvan', 'naval'], 'alvar': ['alvar', 'arval', 'larva'], 'alveus': ['alveus', 'avulse'], 'alvin': ['alvin', 'anvil', 'nival', 'vinal'], 'alvine': ['alevin', 'alvine', 'valine', 'veinal', 'venial', 'vineal'], 'aly': ['aly', 'lay'], 'alypin': ['alypin', 'pialyn'], 'alytes': ['alytes', 'astely', 'lysate', 'stealy'], 'am': ['am', 'ma'], 'ama': ['aam', 'ama'], 'amacrine': ['amacrine', 'american', 'camerina', 'cinerama'], 'amadi': ['amadi', 'damia', 'madia', 'maida'], 'amaethon': ['amaethon', 'thomaean'], 'amaga': ['agama', 'amaga'], 'amah': ['amah', 'maha'], 'amain': ['amain', 'amani', 'amnia', 'anima', 'mania'], 'amakosa': ['akoasma', 'amakosa'], 'amalgam': ['amalgam', 'malagma'], 'amang': ['amang', 'ganam', 'manga'], 'amani': ['amain', 'amani', 'amnia', 'anima', 'mania'], 'amanist': ['amanist', 'stamina'], 'amanitin': ['amanitin', 'maintain'], 'amanitine': ['amanitine', 'inanimate'], 'amanori': ['amanori', 'moarian'], 'amapa': ['amapa', 'apama'], 'amar': ['amar', 'amra', 'mara', 'rama'], 'amarin': ['airman', 'amarin', 'marian', 'marina', 'mirana'], 'amaroid': ['amaroid', 'diorama'], 'amarth': ['amarth', 'martha'], 'amass': ['amass', 'assam', 'massa', 'samas'], 'amasser': ['amasser', 'reamass'], 'amati': ['amati', 'amita', 'matai'], 'amatorian': ['amatorian', 'inamorata'], 'amaurosis': ['amaurosis', 'mosasauri'], 'amazonite': ['amazonite', 'anatomize'], 'amba': ['amba', 'maba'], 'ambar': ['abram', 'ambar'], 'ambarella': ['alarmable', 'ambarella'], 'ambash': ['ambash', 'shamba'], 'ambay': ['ambay', 'mbaya'], 'ambeer': ['ambeer', 'beamer'], 'amber': ['amber', 'bearm', 'bemar', 'bream', 'embar'], 'ambier': ['ambier', 'bremia', 'embira'], 'ambit': ['ambit', 'imbat'], 'ambivert': ['ambivert', 'verbatim'], 'amble': ['amble', 'belam', 'blame', 'mabel'], 'ambler': ['ambler', 'blamer', 'lamber', 'marble', 'ramble'], 'ambling': ['ambling', 'blaming'], 'amblingly': ['amblingly', 'blamingly'], 'ambo': ['ambo', 'boma'], 'ambos': ['ambos', 'sambo'], 'ambrein': ['ambrein', 'mirbane'], 'ambrette': ['ambrette', 'tambreet'], 'ambrose': ['ambrose', 'mesobar'], 'ambrosia': ['ambrosia', 'saboraim'], 'ambrosin': ['ambrosin', 'barosmin', 'sabromin'], 'ambry': ['ambry', 'barmy'], 'ambury': ['ambury', 'aumbry'], 'ambush': ['ambush', 'shambu'], 'amchoor': ['amchoor', 'ochroma'], 'ame': ['ame', 'mae'], 'ameed': ['adeem', 'ameed', 'edema'], 'ameen': ['ameen', 'amene', 'enema'], 'amelification': ['amelification', 'maleficiation'], 'ameliorant': ['ameliorant', 'lomentaria'], 'amellus': ['amellus', 'malleus'], 'amelu': ['amelu', 'leuma', 'ulema'], 'amelus': ['amelus', 'samuel'], 'amen': ['amen', 'enam', 'mane', 'mean', 'name', 'nema'], 'amenability': ['amenability', 'nameability'], 'amenable': ['amenable', 'nameable'], 'amend': ['amend', 'mande', 'maned'], 'amende': ['amende', 'demean', 'meaned', 'nadeem'], 'amender': ['amender', 'meander', 'reamend', 'reedman'], 'amends': ['amends', 'desman'], 'amene': ['ameen', 'amene', 'enema'], 'amenia': ['amenia', 'anemia'], 'amenism': ['amenism', 'immanes', 'misname'], 'amenite': ['amenite', 'etamine', 'matinee'], 'amenorrheal': ['amenorrheal', 'melanorrhea'], 'ament': ['ament', 'meant', 'teman'], 'amental': ['amental', 'leatman'], 'amentia': ['amentia', 'aminate', 'anamite', 'animate'], 'amerce': ['amerce', 'raceme'], 'amercer': ['amercer', 'creamer'], 'american': ['amacrine', 'american', 'camerina', 'cinerama'], 'amerind': ['adermin', 'amerind', 'dimeran'], 'amerism': ['amerism', 'asimmer', 'sammier'], 'ameristic': ['ameristic', 'armistice', 'artemisic'], 'amesite': ['amesite', 'mesitae', 'semitae'], 'ametria': ['ametria', 'artemia', 'meratia', 'ramaite'], 'ametrope': ['ametrope', 'metapore'], 'amex': ['amex', 'exam', 'xema'], 'amgarn': ['amgarn', 'mangar', 'marang', 'ragman'], 'amhar': ['amhar', 'mahar', 'mahra'], 'amherstite': ['amherstite', 'hemistater'], 'amhran': ['amhran', 'harman', 'mahran'], 'ami': ['aim', 'ami', 'ima'], 'amia': ['amia', 'maia'], 'amic': ['amic', 'mica'], 'amical': ['amical', 'camail', 'lamaic'], 'amiced': ['amiced', 'decima'], 'amicicide': ['amicicide', 'cimicidae'], 'amicron': ['amicron', 'marconi', 'minorca', 'romanic'], 'amid': ['admi', 'amid', 'madi', 'maid'], 'amidate': ['adamite', 'amidate'], 'amide': ['amide', 'damie', 'media'], 'amidide': ['amidide', 'diamide', 'mididae'], 'amidin': ['amidin', 'damnii'], 'amidine': ['amidine', 'diamine'], 'amidism': ['amidism', 'maidism'], 'amidist': ['amidist', 'dimatis'], 'amidon': ['amidon', 'daimon', 'domain'], 'amidophenol': ['amidophenol', 'monodelphia'], 'amidst': ['amidst', 'datism'], 'amigo': ['amigo', 'imago'], 'amiidae': ['amiidae', 'maiidae'], 'amil': ['amil', 'amli', 'lima', 'mail', 'mali', 'mila'], 'amiles': ['amiles', 'asmile', 'mesail', 'mesial', 'samiel'], 'amimia': ['amimia', 'miamia'], 'amimide': ['amimide', 'mimidae'], 'amin': ['amin', 'main', 'mani', 'mian', 'mina', 'naim'], 'aminate': ['amentia', 'aminate', 'anamite', 'animate'], 'amination': ['amination', 'animation'], 'amine': ['amine', 'anime', 'maine', 'manei'], 'amini': ['amini', 'animi'], 'aminize': ['aminize', 'animize', 'azimine'], 'amino': ['amino', 'inoma', 'naomi', 'omani', 'omina'], 'aminoplast': ['aminoplast', 'plasmation'], 'amintor': ['amintor', 'tormina'], 'amir': ['amir', 'irma', 'mari', 'mira', 'rami', 'rima'], 'amiranha': ['amiranha', 'maharani'], 'amiray': ['amiray', 'myaria'], 'amissness': ['amissness', 'massiness'], 'amita': ['amati', 'amita', 'matai'], 'amitosis': ['amitosis', 'omasitis'], 'amixia': ['amixia', 'ixiama'], 'amla': ['alma', 'amla', 'lama', 'mala'], 'amli': ['amil', 'amli', 'lima', 'mail', 'mali', 'mila'], 'amlong': ['amlong', 'logman'], 'amma': ['amma', 'maam'], 'ammelin': ['ammelin', 'limeman'], 'ammeline': ['ammeline', 'melamine'], 'ammeter': ['ammeter', 'metamer'], 'ammi': ['ammi', 'imam', 'maim', 'mima'], 'ammine': ['ammine', 'immane'], 'ammo': ['ammo', 'mamo'], 'ammonic': ['ammonic', 'mocmain'], 'ammonolytic': ['ammonolytic', 'commonality'], 'ammunition': ['ammunition', 'antimonium'], 'amnestic': ['amnestic', 'semantic'], 'amnia': ['amain', 'amani', 'amnia', 'anima', 'mania'], 'amniac': ['amniac', 'caiman', 'maniac'], 'amnic': ['amnic', 'manic'], 'amnion': ['amnion', 'minoan', 'nomina'], 'amnionata': ['amnionata', 'anamniota'], 'amnionate': ['amnionate', 'anamniote', 'emanation'], 'amniota': ['amniota', 'itonama'], 'amniote': ['amniote', 'anomite'], 'amniotic': ['amniotic', 'mication'], 'amniotome': ['amniotome', 'momotinae'], 'amok': ['amok', 'mako'], 'amole': ['amole', 'maleo'], 'amomis': ['amomis', 'mimosa'], 'among': ['among', 'mango'], 'amor': ['amor', 'maro', 'mora', 'omar', 'roam'], 'amores': ['amores', 'ramose', 'sorema'], 'amoret': ['amoret', 'morate'], 'amorist': ['amorist', 'aortism', 'miastor'], 'amoritic': ['amoritic', 'microtia'], 'amorpha': ['amorpha', 'amphora'], 'amorphic': ['amorphic', 'amphoric'], 'amorphous': ['amorphous', 'amphorous'], 'amort': ['amort', 'morat', 'torma'], 'amortize': ['amortize', 'atomizer'], 'amos': ['amos', 'soam', 'soma'], 'amotion': ['amotion', 'otomian'], 'amount': ['amount', 'moutan', 'outman'], 'amoy': ['amoy', 'mayo'], 'ampelis': ['ampelis', 'lepisma'], 'ampelite': ['ampelite', 'pimelate'], 'ampelitic': ['ampelitic', 'implicate'], 'amper': ['amper', 'remap'], 'amperemeter': ['amperemeter', 'permeameter'], 'amperian': ['amperian', 'paramine', 'pearmain'], 'amphicyon': ['amphicyon', 'hypomanic'], 'amphigenous': ['amphigenous', 'musophagine'], 'amphiphloic': ['amphiphloic', 'amphophilic'], 'amphipodous': ['amphipodous', 'hippodamous'], 'amphitropous': ['amphitropous', 'pastophorium'], 'amphophilic': ['amphiphloic', 'amphophilic'], 'amphora': ['amorpha', 'amphora'], 'amphore': ['amphore', 'morphea'], 'amphorette': ['amphorette', 'haptometer'], 'amphoric': ['amorphic', 'amphoric'], 'amphorous': ['amorphous', 'amphorous'], 'amphoteric': ['amphoteric', 'metaphoric'], 'ample': ['ample', 'maple'], 'ampliate': ['ampliate', 'palamite'], 'amplification': ['amplification', 'palmification'], 'amply': ['amply', 'palmy'], 'ampul': ['ampul', 'pluma'], 'ampulla': ['ampulla', 'palmula'], 'amra': ['amar', 'amra', 'mara', 'rama'], 'amsath': ['amsath', 'asthma'], 'amsel': ['amsel', 'melas', 'mesal', 'samel'], 'amsonia': ['amsonia', 'anosmia'], 'amt': ['amt', 'mat', 'tam'], 'amulet': ['amulet', 'muleta'], 'amunam': ['amunam', 'manuma'], 'amuse': ['amuse', 'mesua'], 'amused': ['amused', 'masdeu', 'medusa'], 'amusee': ['amusee', 'saeume'], 'amuser': ['amuser', 'mauser'], 'amusgo': ['amusgo', 'sugamo'], 'amvis': ['amvis', 'mavis'], 'amy': ['amy', 'may', 'mya', 'yam'], 'amyelic': ['amyelic', 'mycelia'], 'amyl': ['amyl', 'lyam', 'myal'], 'amylan': ['amylan', 'lamany', 'layman'], 'amylenol': ['amylenol', 'myelonal'], 'amylidene': ['amylidene', 'mydaleine'], 'amylin': ['amylin', 'mainly'], 'amylo': ['amylo', 'loamy'], 'amylon': ['amylon', 'onymal'], 'amyotrophy': ['amyotrophy', 'myoatrophy'], 'amyrol': ['amyrol', 'molary'], 'an': ['an', 'na'], 'ana': ['ana', 'naa'], 'anacara': ['anacara', 'aracana'], 'anacard': ['anacard', 'caranda'], 'anaces': ['anaces', 'scaean'], 'anachorism': ['anachorism', 'chorasmian', 'maraschino'], 'anacid': ['acnida', 'anacid', 'dacian'], 'anacreontic': ['anacreontic', 'canceration'], 'anacusis': ['anacusis', 'ascanius'], 'anadem': ['anadem', 'maenad'], 'anadenia': ['anadenia', 'danainae'], 'anadrom': ['anadrom', 'madrona', 'mandora', 'monarda', 'roadman'], 'anaemic': ['acnemia', 'anaemic'], 'anaeretic': ['anaeretic', 'ecarinate'], 'anal': ['alan', 'anal', 'lana'], 'analcime': ['alcamine', 'analcime', 'calamine', 'camelina'], 'analcite': ['analcite', 'anticlea', 'laitance'], 'analcitite': ['analcitite', 'catalinite'], 'analectic': ['acclinate', 'analectic'], 'analeptical': ['analeptical', 'placentalia'], 'anally': ['alanyl', 'anally'], 'analogic': ['analogic', 'calinago'], 'analogist': ['analogist', 'nostalgia'], 'anam': ['anam', 'mana', 'naam', 'nama'], 'anamesite': ['anamesite', 'seamanite'], 'anamirta': ['anamirta', 'araminta'], 'anamite': ['amentia', 'aminate', 'anamite', 'animate'], 'anamniota': ['amnionata', 'anamniota'], 'anamniote': ['amnionate', 'anamniote', 'emanation'], 'anan': ['anan', 'anna', 'nana'], 'ananda': ['ananda', 'danaan'], 'anandria': ['anandria', 'andriana'], 'anangioid': ['agoniadin', 'anangioid', 'ganoidian'], 'ananism': ['ananism', 'samnani'], 'ananite': ['ananite', 'anatine', 'taenian'], 'anaphoric': ['anaphoric', 'pharaonic'], 'anaphorical': ['anaphorical', 'pharaonical'], 'anapnea': ['anapnea', 'napaean'], 'anapsid': ['anapsid', 'sapinda'], 'anapsida': ['anapsida', 'anaspida'], 'anaptotic': ['anaptotic', 'captation'], 'anarchic': ['anarchic', 'characin'], 'anarchism': ['anarchism', 'arachnism'], 'anarchist': ['anarchist', 'archsaint', 'cantharis'], 'anarcotin': ['anarcotin', 'cantorian', 'carnation', 'narcotina'], 'anaretic': ['anaretic', 'arcanite', 'carinate', 'craniate'], 'anarthropod': ['anarthropod', 'arthropodan'], 'anas': ['anas', 'ansa', 'saan'], 'anasa': ['anasa', 'asana'], 'anaspida': ['anapsida', 'anaspida'], 'anastaltic': ['anastaltic', 'catalanist'], 'anat': ['anat', 'anta', 'tana'], 'anatidae': ['anatidae', 'taeniada'], 'anatine': ['ananite', 'anatine', 'taenian'], 'anatocism': ['anatocism', 'anosmatic'], 'anatole': ['anatole', 'notaeal'], 'anatolic': ['aconital', 'actional', 'anatolic'], 'anatomicopathologic': ['anatomicopathologic', 'pathologicoanatomic'], 'anatomicopathological': ['anatomicopathological', 'pathologicoanatomical'], 'anatomicophysiologic': ['anatomicophysiologic', 'physiologicoanatomic'], 'anatomism': ['anatomism', 'nomismata'], 'anatomize': ['amazonite', 'anatomize'], 'anatum': ['anatum', 'mantua', 'tamanu'], 'anay': ['anay', 'yana'], 'anba': ['anba', 'bana'], 'ancestor': ['ancestor', 'entosarc'], 'ancestral': ['ancestral', 'lancaster'], 'anchat': ['acanth', 'anchat', 'tanach'], 'anchietin': ['anchietin', 'cathinine'], 'anchistea': ['anchistea', 'hanseatic'], 'anchor': ['anchor', 'archon', 'charon', 'rancho'], 'anchored': ['anchored', 'rondache'], 'anchorer': ['anchorer', 'ranchero', 'reanchor'], 'anchoretic': ['acherontic', 'anchoretic'], 'anchoretical': ['acherontical', 'anchoretical'], 'anchoretism': ['anchoretism', 'trichomanes'], 'anchorite': ['anchorite', 'antechoir', 'heatronic', 'hectorian'], 'anchoritism': ['anchoritism', 'chiromantis', 'chrismation', 'harmonistic'], 'ancile': ['alcine', 'ancile'], 'ancilla': ['aclinal', 'ancilla'], 'ancillary': ['ancillary', 'carlylian', 'cranially'], 'ancon': ['ancon', 'canon'], 'anconitis': ['anconitis', 'antiscion', 'onanistic'], 'ancony': ['ancony', 'canyon'], 'ancoral': ['alcoran', 'ancoral', 'carolan'], 'ancylus': ['ancylus', 'unscaly'], 'ancyrene': ['ancyrene', 'cerynean'], 'and': ['and', 'dan'], 'anda': ['anda', 'dana'], 'andante': ['andante', 'dantean'], 'ande': ['ande', 'dane', 'dean', 'edna'], 'andesitic': ['andesitic', 'dianetics'], 'andhra': ['andhra', 'dharna'], 'andi': ['adin', 'andi', 'dain', 'dani', 'dian', 'naid'], 'andian': ['andian', 'danian', 'nidana'], 'andine': ['aidenn', 'andine', 'dannie', 'indane'], 'andira': ['adrian', 'andira', 'andria', 'radian', 'randia'], 'andorite': ['andorite', 'nadorite', 'ordinate', 'rodentia'], 'andre': ['andre', 'arend', 'daren', 'redan'], 'andrew': ['andrew', 'redawn', 'wander', 'warden'], 'andria': ['adrian', 'andira', 'andria', 'radian', 'randia'], 'andriana': ['anandria', 'andriana'], 'andrias': ['andrias', 'sardian', 'sarinda'], 'andric': ['andric', 'cardin', 'rancid'], 'andries': ['andries', 'isander', 'sardine'], 'androgynus': ['androgynus', 'gynandrous'], 'androl': ['androl', 'arnold', 'lardon', 'roland', 'ronald'], 'andronicus': ['andronicus', 'unsardonic'], 'androtomy': ['androtomy', 'dynamotor'], 'anear': ['anear', 'arean', 'arena'], 'aneath': ['ahtena', 'aneath', 'athena'], 'anecdota': ['anecdota', 'coadnate'], 'anele': ['anele', 'elean'], 'anematosis': ['anematosis', 'menostasia'], 'anemia': ['amenia', 'anemia'], 'anemic': ['anemic', 'cinema', 'iceman'], 'anemograph': ['anemograph', 'phanerogam'], 'anemographic': ['anemographic', 'phanerogamic'], 'anemography': ['anemography', 'phanerogamy'], 'anemone': ['anemone', 'monaene'], 'anent': ['anent', 'annet', 'nenta'], 'anepia': ['anepia', 'apinae'], 'aneretic': ['aneretic', 'centiare', 'creatine', 'increate', 'iterance'], 'anergic': ['anergic', 'garnice', 'garniec', 'geranic', 'grecian'], 'anergy': ['anergy', 'rangey'], 'anerly': ['anerly', 'nearly'], 'aneroid': ['aneroid', 'arenoid'], 'anerotic': ['actioner', 'anerotic', 'ceration', 'creation', 'reaction'], 'anes': ['anes', 'sane', 'sean'], 'anesis': ['anesis', 'anseis', 'sanies', 'sansei', 'sasine'], 'aneuric': ['aneuric', 'rinceau'], 'aneurin': ['aneurin', 'uranine'], 'aneurism': ['aneurism', 'arsenium', 'sumerian'], 'anew': ['anew', 'wane', 'wean'], 'angami': ['angami', 'magani', 'magian'], 'angara': ['angara', 'aranga', 'nagara'], 'angaria': ['agrania', 'angaria', 'niagara'], 'angel': ['agnel', 'angel', 'angle', 'galen', 'genal', 'glean', 'lagen'], 'angela': ['alnage', 'angela', 'galena', 'lagena'], 'angeldom': ['angeldom', 'lodgeman'], 'angelet': ['angelet', 'elegant'], 'angelic': ['angelic', 'galenic'], 'angelical': ['angelical', 'englacial', 'galenical'], 'angelically': ['angelically', 'englacially'], 'angelin': ['angelin', 'leaning'], 'angelina': ['alangine', 'angelina', 'galenian'], 'angelique': ['angelique', 'equiangle'], 'angelo': ['angelo', 'engaol'], 'angelot': ['angelot', 'tangelo'], 'anger': ['anger', 'areng', 'grane', 'range'], 'angerly': ['angerly', 'geranyl'], 'angers': ['angers', 'sanger', 'serang'], 'angico': ['agonic', 'angico', 'gaonic', 'goniac'], 'angie': ['angie', 'gaine'], 'angild': ['angild', 'lading'], 'angili': ['ailing', 'angili', 'nilgai'], 'angina': ['angina', 'inanga'], 'anginal': ['alangin', 'anginal', 'anglian', 'nagnail'], 'angiocholitis': ['angiocholitis', 'cholangioitis'], 'angiochondroma': ['angiochondroma', 'chondroangioma'], 'angiofibroma': ['angiofibroma', 'fibroangioma'], 'angioid': ['angioid', 'gonidia'], 'angiokeratoma': ['angiokeratoma', 'keratoangioma'], 'angiometer': ['angiometer', 'ergotamine', 'geometrina'], 'angka': ['angka', 'kanga'], 'anglaise': ['anglaise', 'gelasian'], 'angle': ['agnel', 'angel', 'angle', 'galen', 'genal', 'glean', 'lagen'], 'angled': ['angled', 'dangle', 'englad', 'lagend'], 'angler': ['angler', 'arleng', 'garnel', 'largen', 'rangle', 'regnal'], 'angles': ['angles', 'gansel'], 'angleworm': ['angleworm', 'lawmonger'], 'anglian': ['alangin', 'anginal', 'anglian', 'nagnail'], 'anglic': ['anglic', 'lacing'], 'anglish': ['anglish', 'ashling'], 'anglist': ['anglist', 'lasting', 'salting', 'slating', 'staling'], 'angloid': ['angloid', 'loading'], 'ango': ['agon', 'ango', 'gaon', 'goan', 'gona'], 'angola': ['agonal', 'angola'], 'angolar': ['angolar', 'organal'], 'angor': ['angor', 'argon', 'goran', 'grano', 'groan', 'nagor', 'orang', 'organ', 'rogan', 'ronga'], 'angora': ['agroan', 'angora', 'anogra', 'arango', 'argoan', 'onagra'], 'angriness': ['angriness', 'ranginess'], 'angrite': ['angrite', 'granite', 'ingrate', 'tangier', 'tearing', 'tigrean'], 'angry': ['angry', 'rangy'], 'angst': ['angst', 'stang', 'tangs'], 'angster': ['angster', 'garnets', 'nagster', 'strange'], 'anguid': ['anguid', 'gaduin'], 'anguine': ['anguine', 'guanine', 'guinean'], 'angula': ['angula', 'nagual'], 'angular': ['angular', 'granula'], 'angulate': ['angulate', 'gaetulan'], 'anguria': ['anguria', 'gaurian', 'guarani'], 'angus': ['agnus', 'angus', 'sugan'], 'anharmonic': ['anharmonic', 'monarchian'], 'anhematosis': ['anhematosis', 'somasthenia'], 'anhidrotic': ['anhidrotic', 'trachinoid'], 'anhistous': ['anhistous', 'isanthous'], 'anhydridize': ['anhydridize', 'hydrazidine'], 'anhydrize': ['anhydrize', 'hydrazine'], 'ani': ['ani', 'ian'], 'anice': ['anice', 'eniac'], 'aniconic': ['aniconic', 'ciconian'], 'aniconism': ['aniconism', 'insomniac'], 'anicular': ['anicular', 'caulinar'], 'anicut': ['anicut', 'nautic', 'ticuna', 'tunica'], 'anidian': ['anidian', 'indiana'], 'aniente': ['aniente', 'itenean'], 'anight': ['anight', 'athing'], 'anil': ['alin', 'anil', 'lain', 'lina', 'nail'], 'anile': ['alien', 'aline', 'anile', 'elain', 'elian', 'laine', 'linea'], 'anilic': ['anilic', 'clinia'], 'anilid': ['anilid', 'dialin', 'dianil', 'inlaid'], 'anilide': ['anilide', 'elaidin'], 'anilidic': ['anilidic', 'indicial'], 'anima': ['amain', 'amani', 'amnia', 'anima', 'mania'], 'animable': ['animable', 'maniable'], 'animal': ['almain', 'animal', 'lamina', 'manila'], 'animalic': ['animalic', 'limacina'], 'animate': ['amentia', 'aminate', 'anamite', 'animate'], 'animated': ['animated', 'mandaite', 'mantidae'], 'animater': ['animater', 'marinate'], 'animating': ['animating', 'imaginant'], 'animation': ['amination', 'animation'], 'animator': ['animator', 'tamanoir'], 'anime': ['amine', 'anime', 'maine', 'manei'], 'animi': ['amini', 'animi'], 'animist': ['animist', 'santimi'], 'animize': ['aminize', 'animize', 'azimine'], 'animus': ['animus', 'anisum', 'anusim', 'manius'], 'anionic': ['anionic', 'iconian'], 'anis': ['anis', 'nais', 'nasi', 'nias', 'sain', 'sina'], 'anisal': ['anisal', 'nasial', 'salian', 'salina'], 'anisate': ['anisate', 'entasia'], 'anise': ['anise', 'insea', 'siena', 'sinae'], 'anisette': ['anisette', 'atestine', 'settaine'], 'anisic': ['anisic', 'sicani', 'sinaic'], 'anisilic': ['anisilic', 'sicilian'], 'anisodont': ['anisodont', 'sondation'], 'anisometric': ['anisometric', 'creationism', 'miscreation', 'ramisection', 'reactionism'], 'anisopod': ['anisopod', 'isopodan'], 'anisoptera': ['anisoptera', 'asperation', 'separation'], 'anisum': ['animus', 'anisum', 'anusim', 'manius'], 'anisuria': ['anisuria', 'isaurian'], 'anisyl': ['anisyl', 'snaily'], 'anita': ['anita', 'niata', 'tania'], 'anither': ['anither', 'inearth', 'naither'], 'ankee': ['aknee', 'ankee', 'keena'], 'anker': ['anker', 'karen', 'naker'], 'ankh': ['ankh', 'hank', 'khan'], 'anklet': ['anklet', 'lanket', 'tankle'], 'ankoli': ['ankoli', 'kaolin'], 'ankus': ['ankus', 'kusan'], 'ankyroid': ['ankyroid', 'dikaryon'], 'anlace': ['anlace', 'calean'], 'ann': ['ann', 'nan'], 'anna': ['anan', 'anna', 'nana'], 'annale': ['annale', 'anneal'], 'annaline': ['annaline', 'linnaean'], 'annalist': ['annalist', 'santalin'], 'annalize': ['annalize', 'zelanian'], 'annam': ['annam', 'manna'], 'annamite': ['annamite', 'manatine'], 'annard': ['annard', 'randan'], 'annat': ['annat', 'tanan'], 'annates': ['annates', 'tannase'], 'anne': ['anne', 'nane'], 'anneal': ['annale', 'anneal'], 'annealer': ['annealer', 'lernaean', 'reanneal'], 'annelid': ['annelid', 'lindane'], 'annelism': ['annelism', 'linesman'], 'anneloid': ['anneloid', 'nonideal'], 'annet': ['anent', 'annet', 'nenta'], 'annexer': ['annexer', 'reannex'], 'annie': ['annie', 'inane'], 'annite': ['annite', 'innate', 'tinean'], 'annotine': ['annotine', 'tenonian'], 'annoy': ['annoy', 'nonya'], 'annoyancer': ['annoyancer', 'rayonnance'], 'annoyer': ['annoyer', 'reannoy'], 'annualist': ['annualist', 'sultanian'], 'annulation': ['annulation', 'unnational'], 'annulet': ['annulet', 'nauntle'], 'annulment': ['annulment', 'tunnelman'], 'annuloid': ['annuloid', 'uninodal'], 'anodic': ['adonic', 'anodic'], 'anodize': ['adonize', 'anodize'], 'anodynic': ['anodynic', 'cydonian'], 'anoestrous': ['anoestrous', 'treasonous'], 'anoestrum': ['anoestrum', 'neuromast'], 'anoetic': ['acetoin', 'aconite', 'anoetic', 'antoeci', 'cetonia'], 'anogenic': ['anogenic', 'canoeing'], 'anogra': ['agroan', 'angora', 'anogra', 'arango', 'argoan', 'onagra'], 'anoil': ['aloin', 'anoil', 'anoli'], 'anoint': ['anoint', 'nation'], 'anointer': ['anointer', 'inornate', 'nonirate', 'reanoint'], 'anole': ['alone', 'anole', 'olena'], 'anoli': ['aloin', 'anoil', 'anoli'], 'anolis': ['alison', 'anolis'], 'anomaliped': ['anomaliped', 'palaemonid'], 'anomalism': ['anomalism', 'malmaison'], 'anomalist': ['anomalist', 'atonalism'], 'anomiidae': ['anomiidae', 'maioidean'], 'anomite': ['amniote', 'anomite'], 'anomodont': ['anomodont', 'monodonta'], 'anomural': ['anomural', 'monaural'], 'anon': ['anon', 'nona', 'onan'], 'anophyte': ['anophyte', 'typhoean'], 'anopia': ['anopia', 'aponia', 'poiana'], 'anorak': ['anorak', 'korana'], 'anorchism': ['anorchism', 'harmonics'], 'anorectic': ['accretion', 'anorectic', 'neoarctic'], 'anorthic': ['anorthic', 'anthroic', 'tanchoir'], 'anorthitite': ['anorthitite', 'trithionate'], 'anorthose': ['anorthose', 'hoarstone'], 'anosia': ['anosia', 'asonia'], 'anosmatic': ['anatocism', 'anosmatic'], 'anosmia': ['amsonia', 'anosmia'], 'anosmic': ['anosmic', 'masonic'], 'anoterite': ['anoterite', 'orientate'], 'another': ['another', 'athenor', 'rheotan'], 'anotia': ['anotia', 'atonia'], 'anoxia': ['anoxia', 'axonia'], 'anoxic': ['anoxic', 'oxanic'], 'ansa': ['anas', 'ansa', 'saan'], 'ansar': ['ansar', 'saran', 'sarna'], 'ansation': ['ansation', 'sonatina'], 'anseis': ['anesis', 'anseis', 'sanies', 'sansei', 'sasine'], 'ansel': ['ansel', 'slane'], 'anselm': ['anselm', 'mensal'], 'anser': ['anser', 'nares', 'rasen', 'snare'], 'anserine': ['anserine', 'reinsane'], 'anserous': ['anserous', 'arsenous'], 'ansu': ['ansu', 'anus'], 'answerer': ['answerer', 'reanswer'], 'ant': ['ant', 'nat', 'tan'], 'anta': ['anat', 'anta', 'tana'], 'antacrid': ['antacrid', 'cardiant', 'radicant', 'tridacna'], 'antagonism': ['antagonism', 'montagnais'], 'antagonist': ['antagonist', 'stagnation'], 'antal': ['antal', 'natal'], 'antanemic': ['antanemic', 'cinnamate'], 'antar': ['antar', 'antra'], 'antarchistical': ['antarchistical', 'charlatanistic'], 'ante': ['ante', 'aten', 'etna', 'nate', 'neat', 'taen', 'tane', 'tean'], 'anteact': ['anteact', 'cantate'], 'anteal': ['anteal', 'lanate', 'teanal'], 'antechoir': ['anchorite', 'antechoir', 'heatronic', 'hectorian'], 'antecornu': ['antecornu', 'connature'], 'antedate': ['antedate', 'edentata'], 'antelabium': ['albuminate', 'antelabium'], 'antelopian': ['antelopian', 'neapolitan', 'panelation'], 'antelucan': ['antelucan', 'cannulate'], 'antelude': ['antelude', 'unelated'], 'anteluminary': ['anteluminary', 'unalimentary'], 'antemedial': ['antemedial', 'delaminate'], 'antenatal': ['antenatal', 'atlantean', 'tantalean'], 'anteriad': ['anteriad', 'atridean', 'dentaria'], 'anteroinferior': ['anteroinferior', 'inferoanterior'], 'anterosuperior': ['anterosuperior', 'superoanterior'], 'antes': ['antes', 'nates', 'stane', 'stean'], 'anthela': ['anthela', 'ethanal'], 'anthem': ['anthem', 'hetman', 'mentha'], 'anthemwise': ['anthemwise', 'whitmanese'], 'anther': ['anther', 'nather', 'tharen', 'thenar'], 'anthericum': ['anthericum', 'narthecium'], 'anthicidae': ['anthicidae', 'tachinidae'], 'anthinae': ['anthinae', 'athenian'], 'anthogenous': ['anthogenous', 'neognathous'], 'anthonomus': ['anthonomus', 'monanthous'], 'anthophile': ['anthophile', 'lithophane'], 'anthracia': ['anthracia', 'antiarcha', 'catharina'], 'anthroic': ['anorthic', 'anthroic', 'tanchoir'], 'anthrol': ['althorn', 'anthrol', 'thronal'], 'anthropic': ['anthropic', 'rhapontic'], 'anti': ['aint', 'anti', 'tain', 'tina'], 'antiabrin': ['antiabrin', 'britannia'], 'antiae': ['aetian', 'antiae', 'taenia'], 'antiager': ['antiager', 'trainage'], 'antialbumid': ['antialbumid', 'balantidium'], 'antialien': ['ailantine', 'antialien'], 'antiarcha': ['anthracia', 'antiarcha', 'catharina'], 'antiaris': ['antiaris', 'intarsia'], 'antibenzaldoxime': ['antibenzaldoxime', 'benzantialdoxime'], 'antiblue': ['antiblue', 'nubilate'], 'antic': ['actin', 'antic'], 'antical': ['actinal', 'alantic', 'alicant', 'antical'], 'anticaste': ['anticaste', 'ataentsic'], 'anticlea': ['analcite', 'anticlea', 'laitance'], 'anticlinorium': ['anticlinorium', 'inclinatorium'], 'anticly': ['anticly', 'cantily'], 'anticness': ['anticness', 'cantiness', 'incessant'], 'anticor': ['anticor', 'carotin', 'cortina', 'ontaric'], 'anticouncil': ['anticouncil', 'inculcation'], 'anticourt': ['anticourt', 'curtation', 'ructation'], 'anticous': ['acontius', 'anticous'], 'anticreative': ['anticreative', 'antireactive'], 'anticreep': ['anticreep', 'apenteric', 'increpate'], 'antidote': ['antidote', 'tetanoid'], 'antidotical': ['antidotical', 'dictational'], 'antietam': ['antietam', 'manettia'], 'antiextreme': ['antiextreme', 'exterminate'], 'antifouler': ['antifouler', 'fluorinate', 'uniflorate'], 'antifriction': ['antifriction', 'nitrifaction'], 'antifungin': ['antifungin', 'unfainting'], 'antigen': ['antigen', 'gentian'], 'antigenic': ['antigenic', 'gentianic'], 'antiglare': ['antiglare', 'raglanite'], 'antigod': ['antigod', 'doating'], 'antigone': ['antigone', 'negation'], 'antiheroic': ['antiheroic', 'theorician'], 'antilemic': ['alimentic', 'antilemic', 'melanitic', 'metanilic'], 'antilia': ['antilia', 'italian'], 'antilipase': ['antilipase', 'sapiential'], 'antilope': ['antilope', 'antipole'], 'antimallein': ['antimallein', 'inalimental'], 'antimasque': ['antimasque', 'squamatine'], 'antimeric': ['antimeric', 'carminite', 'criminate', 'metrician'], 'antimerina': ['antimerina', 'maintainer', 'remaintain'], 'antimeter': ['antimeter', 'attermine', 'interteam', 'terminate', 'tetramine'], 'antimodel': ['antimodel', 'maldonite', 'monilated'], 'antimodern': ['antimodern', 'ordainment'], 'antimonial': ['antimonial', 'lamination'], 'antimonic': ['antimonic', 'antinomic'], 'antimonium': ['ammunition', 'antimonium'], 'antimony': ['antimony', 'antinomy'], 'antimoral': ['antimoral', 'tailorman'], 'antimosquito': ['antimosquito', 'misquotation'], 'antinegro': ['antinegro', 'argentino', 'argention'], 'antinepotic': ['antinepotic', 'pectination'], 'antineutral': ['antineutral', 'triannulate'], 'antinial': ['antinial', 'latinian'], 'antinome': ['antinome', 'nominate'], 'antinomian': ['antinomian', 'innominata'], 'antinomic': ['antimonic', 'antinomic'], 'antinomy': ['antimony', 'antinomy'], 'antinormal': ['antinormal', 'nonmarital', 'nonmartial'], 'antiphonetic': ['antiphonetic', 'pentathionic'], 'antiphonic': ['antiphonic', 'napthionic'], 'antiphony': ['antiphony', 'typhonian'], 'antiphrasis': ['antiphrasis', 'artisanship'], 'antipodic': ['antipodic', 'diapnotic'], 'antipole': ['antilope', 'antipole'], 'antipolo': ['antipolo', 'antipool', 'optional'], 'antipool': ['antipolo', 'antipool', 'optional'], 'antipope': ['antipope', 'appointe'], 'antiprotease': ['antiprotease', 'entoparasite'], 'antipsoric': ['antipsoric', 'ascription', 'crispation'], 'antiptosis': ['antiptosis', 'panostitis'], 'antiputrid': ['antiputrid', 'tripudiant'], 'antipyretic': ['antipyretic', 'pertinacity'], 'antique': ['antique', 'quinate'], 'antiquer': ['antiquer', 'quartine'], 'antirabies': ['antirabies', 'bestiarian'], 'antiracer': ['antiracer', 'tarriance'], 'antireactive': ['anticreative', 'antireactive'], 'antired': ['antired', 'detrain', 'randite', 'trained'], 'antireducer': ['antireducer', 'reincrudate', 'untraceried'], 'antiroyalist': ['antiroyalist', 'stationarily'], 'antirumor': ['antirumor', 'ruminator'], 'antirun': ['antirun', 'untrain', 'urinant'], 'antirust': ['antirust', 'naturist'], 'antiscion': ['anconitis', 'antiscion', 'onanistic'], 'antisepsin': ['antisepsin', 'paintiness'], 'antisepsis': ['antisepsis', 'inspissate'], 'antiseptic': ['antiseptic', 'psittacine'], 'antiserum': ['antiserum', 'misaunter'], 'antisi': ['antisi', 'isatin'], 'antislip': ['alpinist', 'antislip'], 'antisoporific': ['antisoporific', 'prosification', 'sporification'], 'antispace': ['antispace', 'panaceist'], 'antistes': ['antistes', 'titaness'], 'antisun': ['antisun', 'unsaint', 'unsatin', 'unstain'], 'antitheism': ['antitheism', 'themistian'], 'antitonic': ['antitonic', 'nictation'], 'antitorpedo': ['antitorpedo', 'deportation'], 'antitrade': ['antitrade', 'attainder'], 'antitrope': ['antitrope', 'patronite', 'tritanope'], 'antitropic': ['antitropic', 'tritanopic'], 'antitropical': ['antitropical', 'practitional'], 'antivice': ['antivice', 'inactive', 'vineatic'], 'antler': ['altern', 'antler', 'learnt', 'rental', 'ternal'], 'antlia': ['antlia', 'latian', 'nalita'], 'antliate': ['antliate', 'latinate'], 'antlid': ['antlid', 'tindal'], 'antling': ['antling', 'tanling'], 'antoeci': ['acetoin', 'aconite', 'anoetic', 'antoeci', 'cetonia'], 'antoecian': ['acetanion', 'antoecian'], 'anton': ['anton', 'notan', 'tonna'], 'antproof': ['antproof', 'tanproof'], 'antra': ['antar', 'antra'], 'antral': ['antral', 'tarnal'], 'antre': ['antre', 'arent', 'retan', 'terna'], 'antrocele': ['antrocele', 'coeternal', 'tolerance'], 'antronasal': ['antronasal', 'nasoantral'], 'antroscope': ['antroscope', 'contrapose'], 'antroscopy': ['antroscopy', 'syncopator'], 'antrotome': ['antrotome', 'nototrema'], 'antrustion': ['antrustion', 'nasturtion'], 'antu': ['antu', 'aunt', 'naut', 'taun', 'tuan', 'tuna'], 'anubis': ['anubis', 'unbias'], 'anura': ['anura', 'ruana'], 'anuresis': ['anuresis', 'senarius'], 'anuretic': ['anuretic', 'centauri', 'centuria', 'teucrian'], 'anuria': ['anuria', 'urania'], 'anuric': ['anuric', 'cinura', 'uranic'], 'anurous': ['anurous', 'uranous'], 'anury': ['anury', 'unary', 'unray'], 'anus': ['ansu', 'anus'], 'anusim': ['animus', 'anisum', 'anusim', 'manius'], 'anvil': ['alvin', 'anvil', 'nival', 'vinal'], 'any': ['any', 'nay', 'yan'], 'aonach': ['aonach', 'choana'], 'aoristic': ['aoristic', 'iscariot'], 'aortal': ['aortal', 'rotala'], 'aortectasis': ['aerostatics', 'aortectasis'], 'aortism': ['amorist', 'aortism', 'miastor'], 'aosmic': ['aosmic', 'mosaic'], 'apachite': ['apachite', 'hepatica'], 'apalachee': ['acalephae', 'apalachee'], 'apama': ['amapa', 'apama'], 'apanthropy': ['apanthropy', 'panatrophy'], 'apar': ['apar', 'paar', 'para'], 'apart': ['apart', 'trapa'], 'apatetic': ['apatetic', 'capitate'], 'ape': ['ape', 'pea'], 'apedom': ['apedom', 'pomade'], 'apeiron': ['apeiron', 'peorian'], 'apelet': ['apelet', 'ptelea'], 'apelike': ['apelike', 'pealike'], 'apeling': ['apeling', 'leaping'], 'apenteric': ['anticreep', 'apenteric', 'increpate'], 'apeptic': ['apeptic', 'catpipe'], 'aper': ['aper', 'pare', 'pear', 'rape', 'reap'], 'aperch': ['aperch', 'eparch', 'percha', 'preach'], 'aperitive': ['aperitive', 'petiveria'], 'apert': ['apert', 'pater', 'peart', 'prate', 'taper', 'terap'], 'apertly': ['apertly', 'peartly', 'platery', 'pteryla', 'taperly'], 'apertness': ['apertness', 'peartness', 'taperness'], 'apertured': ['apertured', 'departure'], 'apery': ['apery', 'payer', 'repay'], 'aphanes': ['aphanes', 'saphena'], 'aphasia': ['aphasia', 'asaphia'], 'aphasic': ['aphasic', 'asaphic'], 'aphemic': ['aphemic', 'impeach'], 'aphetic': ['aphetic', 'caphite', 'hepatic'], 'aphetism': ['aphetism', 'mateship', 'shipmate', 'spithame'], 'aphetize': ['aphetize', 'hepatize'], 'aphides': ['aphides', 'diphase'], 'aphidicolous': ['acidophilous', 'aphidicolous'], 'aphis': ['aphis', 'apish', 'hispa', 'saiph', 'spahi'], 'aphodian': ['adiaphon', 'aphodian'], 'aphonic': ['aphonic', 'phocian'], 'aphorismical': ['aphorismical', 'parochialism'], 'aphotic': ['aphotic', 'picotah'], 'aphra': ['aphra', 'harpa', 'parah'], 'aphrodistic': ['aphrodistic', 'diastrophic'], 'aphrodite': ['aphrodite', 'atrophied', 'diaporthe'], 'apian': ['apian', 'apina'], 'apiator': ['apiator', 'atropia', 'parotia'], 'apical': ['apical', 'palaic'], 'apicular': ['apicular', 'piacular'], 'apina': ['apian', 'apina'], 'apinae': ['anepia', 'apinae'], 'apinage': ['aegipan', 'apinage'], 'apinch': ['apinch', 'chapin', 'phanic'], 'aping': ['aping', 'ngapi', 'pangi'], 'apiole': ['apiole', 'leipoa'], 'apiolin': ['apiolin', 'pinolia'], 'apionol': ['apionol', 'polonia'], 'apiose': ['apiose', 'apoise'], 'apis': ['apis', 'pais', 'pasi', 'saip'], 'apish': ['aphis', 'apish', 'hispa', 'saiph', 'spahi'], 'apishly': ['apishly', 'layship'], 'apism': ['apism', 'sampi'], 'apitpat': ['apitpat', 'pitapat'], 'apivorous': ['apivorous', 'oviparous'], 'aplenty': ['aplenty', 'penalty'], 'aplite': ['aplite', 'pilate'], 'aplitic': ['aliptic', 'aplitic'], 'aplodontia': ['adoptional', 'aplodontia'], 'aplome': ['aplome', 'malope'], 'apnea': ['apnea', 'paean'], 'apneal': ['apneal', 'panela'], 'apochromat': ['apochromat', 'archoptoma'], 'apocrita': ['apocrita', 'aproctia'], 'apocryph': ['apocryph', 'hypocarp'], 'apod': ['apod', 'dopa'], 'apoda': ['adpao', 'apoda'], 'apogon': ['apogon', 'poonga'], 'apoise': ['apiose', 'apoise'], 'apolaustic': ['apolaustic', 'autopsical'], 'apolistan': ['apolistan', 'lapsation'], 'apollo': ['apollo', 'palolo'], 'aponia': ['anopia', 'aponia', 'poiana'], 'aponic': ['aponic', 'ponica'], 'aporetic': ['aporetic', 'capriote', 'operatic'], 'aporetical': ['aporetical', 'operatical'], 'aporia': ['aporia', 'piaroa'], 'aport': ['aport', 'parto', 'porta'], 'aportoise': ['aportoise', 'esotropia'], 'aposporous': ['aposporous', 'aprosopous'], 'apostil': ['apostil', 'topsail'], 'apostle': ['apostle', 'aseptol'], 'apostrophus': ['apostrophus', 'pastophorus'], 'apothesine': ['apothesine', 'isoheptane'], 'apout': ['apout', 'taupo'], 'appall': ['appall', 'palpal'], 'apparent': ['apparent', 'trappean'], 'appealer': ['appealer', 'reappeal'], 'appealing': ['appealing', 'lagniappe', 'panplegia'], 'appearer': ['appearer', 'rapparee', 'reappear'], 'append': ['append', 'napped'], 'applauder': ['applauder', 'reapplaud'], 'applicator': ['applicator', 'procapital'], 'applier': ['applier', 'aripple'], 'appointe': ['antipope', 'appointe'], 'appointer': ['appointer', 'reappoint'], 'appointor': ['appointor', 'apportion'], 'apportion': ['appointor', 'apportion'], 'apportioner': ['apportioner', 'reapportion'], 'appraisable': ['appraisable', 'parablepsia'], 'apprehender': ['apprehender', 'reapprehend'], 'approacher': ['approacher', 'reapproach'], 'apricot': ['apricot', 'atropic', 'parotic', 'patrico'], 'april': ['april', 'pilar', 'ripal'], 'aprilis': ['aprilis', 'liparis'], 'aproctia': ['apocrita', 'aproctia'], 'apronless': ['apronless', 'responsal'], 'aprosopous': ['aposporous', 'aprosopous'], 'apse': ['apse', 'pesa', 'spae'], 'apsidiole': ['apsidiole', 'episodial'], 'apt': ['apt', 'pat', 'tap'], 'aptal': ['aptal', 'palta', 'talpa'], 'aptera': ['aptera', 'parate', 'patera'], 'apterial': ['apterial', 'parietal'], 'apteroid': ['apteroid', 'proteida'], 'aptian': ['aptian', 'patina', 'taipan'], 'aptly': ['aptly', 'patly', 'platy', 'typal'], 'aptness': ['aptness', 'patness'], 'aptote': ['aptote', 'optate', 'potate', 'teapot'], 'apulian': ['apulian', 'paulian', 'paulina'], 'apulse': ['apulse', 'upseal'], 'apus': ['apus', 'supa', 'upas'], 'aquabelle': ['aquabelle', 'equalable'], 'aqueoigneous': ['aqueoigneous', 'igneoaqueous'], 'aquicolous': ['aquicolous', 'loquacious'], 'ar': ['ar', 'ra'], 'arab': ['arab', 'arba', 'baar', 'bara'], 'arabic': ['arabic', 'cairba'], 'arabinic': ['arabinic', 'cabirian', 'carabini', 'cibarian'], 'arabis': ['abaris', 'arabis'], 'arabism': ['abramis', 'arabism'], 'arabist': ['arabist', 'bartsia'], 'arabit': ['arabit', 'tabira'], 'arable': ['ablare', 'arable', 'arbela'], 'araca': ['acara', 'araca'], 'aracana': ['anacara', 'aracana'], 'aracanga': ['aracanga', 'caragana'], 'arachic': ['arachic', 'archaic'], 'arachidonic': ['arachidonic', 'characinoid'], 'arachis': ['arachis', 'asiarch', 'saharic'], 'arachne': ['arachne', 'archean'], 'arachnism': ['anarchism', 'arachnism'], 'arachnitis': ['arachnitis', 'christiana'], 'arad': ['adar', 'arad', 'raad', 'rada'], 'arain': ['airan', 'arain', 'arian'], 'arales': ['alares', 'arales'], 'aralia': ['alaria', 'aralia'], 'aralie': ['aerial', 'aralie'], 'aramaic': ['aramaic', 'cariama'], 'aramina': ['aramina', 'mariana'], 'araminta': ['anamirta', 'araminta'], 'aramus': ['aramus', 'asarum'], 'araneid': ['araneid', 'ariadne', 'ranidae'], 'aranein': ['aranein', 'raninae'], 'aranga': ['angara', 'aranga', 'nagara'], 'arango': ['agroan', 'angora', 'anogra', 'arango', 'argoan', 'onagra'], 'arati': ['arati', 'atria', 'riata', 'tarai', 'tiara'], 'aration': ['aration', 'otarian'], 'arauan': ['arauan', 'arauna'], 'arauna': ['arauan', 'arauna'], 'arba': ['arab', 'arba', 'baar', 'bara'], 'arbacin': ['arbacin', 'carabin', 'cariban'], 'arbalester': ['arbalester', 'arbalestre', 'arrestable'], 'arbalestre': ['arbalester', 'arbalestre', 'arrestable'], 'arbalister': ['arbalister', 'breastrail'], 'arbalo': ['aboral', 'arbalo'], 'arbela': ['ablare', 'arable', 'arbela'], 'arbiter': ['arbiter', 'rarebit'], 'arbored': ['arbored', 'boarder', 'reboard'], 'arboret': ['arboret', 'roberta', 'taborer'], 'arboretum': ['arboretum', 'tambourer'], 'arborist': ['arborist', 'ribroast'], 'arbuscle': ['arbuscle', 'buscarle'], 'arbutin': ['arbutin', 'tribuna'], 'arc': ['arc', 'car'], 'arca': ['arca', 'cara'], 'arcadia': ['acardia', 'acarida', 'arcadia'], 'arcadic': ['arcadic', 'cardiac'], 'arcane': ['arcane', 'carane'], 'arcanite': ['anaretic', 'arcanite', 'carinate', 'craniate'], 'arcate': ['arcate', 'cerata'], 'arch': ['arch', 'char', 'rach'], 'archae': ['archae', 'areach'], 'archaic': ['arachic', 'archaic'], 'archaism': ['archaism', 'charisma'], 'archapostle': ['archapostle', 'thecasporal'], 'archcount': ['archcount', 'crouchant'], 'arche': ['acher', 'arche', 'chare', 'chera', 'rache', 'reach'], 'archeal': ['alchera', 'archeal'], 'archean': ['arachne', 'archean'], 'archer': ['archer', 'charer', 'rechar'], 'arches': ['arches', 'chaser', 'eschar', 'recash', 'search'], 'archidome': ['archidome', 'chromidae'], 'archil': ['archil', 'chiral'], 'arching': ['arching', 'chagrin'], 'architis': ['architis', 'rachitis'], 'archocele': ['archocele', 'cochleare'], 'archon': ['anchor', 'archon', 'charon', 'rancho'], 'archontia': ['archontia', 'tocharian'], 'archoptoma': ['apochromat', 'archoptoma'], 'archpoet': ['archpoet', 'protheca'], 'archprelate': ['archprelate', 'pretracheal'], 'archsaint': ['anarchist', 'archsaint', 'cantharis'], 'archsee': ['archsee', 'rechase'], 'archsin': ['archsin', 'incrash'], 'archy': ['archy', 'chary'], 'arcidae': ['arcidae', 'caridea'], 'arcing': ['arcing', 'racing'], 'arcite': ['acrite', 'arcite', 'tercia', 'triace', 'tricae'], 'arcked': ['arcked', 'dacker'], 'arcking': ['arcking', 'carking', 'racking'], 'arcos': ['arcos', 'crosa', 'oscar', 'sacro'], 'arctia': ['acrita', 'arctia'], 'arctian': ['acritan', 'arctian'], 'arcticize': ['arcticize', 'cicatrize'], 'arctiid': ['arctiid', 'triacid', 'triadic'], 'arctoid': ['arctoid', 'carotid', 'dartoic'], 'arctoidean': ['arctoidean', 'carotidean', 'cordaitean', 'dinocerata'], 'arctomys': ['arctomys', 'costmary', 'mascotry'], 'arctos': ['arctos', 'castor', 'costar', 'scrota'], 'arcual': ['arcual', 'arcula'], 'arcuale': ['arcuale', 'caurale'], 'arcubalist': ['arcubalist', 'ultrabasic'], 'arcula': ['arcual', 'arcula'], 'arculite': ['arculite', 'cutleria', 'lucretia', 'reticula', 'treculia'], 'ardea': ['ardea', 'aread'], 'ardeb': ['ardeb', 'beard', 'bread', 'debar'], 'ardelia': ['ardelia', 'laridae', 'radiale'], 'ardella': ['ardella', 'dareall'], 'ardency': ['ardency', 'dancery'], 'ardish': ['ardish', 'radish'], 'ardoise': ['ardoise', 'aroides', 'soredia'], 'ardu': ['ardu', 'daur', 'dura'], 'are': ['aer', 'are', 'ear', 'era', 'rea'], 'areach': ['archae', 'areach'], 'aread': ['ardea', 'aread'], 'areal': ['areal', 'reaal'], 'arean': ['anear', 'arean', 'arena'], 'arecaceae': ['aceraceae', 'arecaceae'], 'arecaceous': ['aceraceous', 'arecaceous'], 'arecain': ['acarine', 'acraein', 'arecain'], 'arecolin': ['acrolein', 'arecolin', 'caroline', 'colinear', 'cornelia', 'creolian', 'lonicera'], 'arecoline': ['arecoline', 'arenicole'], 'arecuna': ['arecuna', 'aucaner'], 'ared': ['ared', 'daer', 'dare', 'dear', 'read'], 'areel': ['areel', 'earle'], 'arena': ['anear', 'arean', 'arena'], 'arenaria': ['aerarian', 'arenaria'], 'arend': ['andre', 'arend', 'daren', 'redan'], 'areng': ['anger', 'areng', 'grane', 'range'], 'arenga': ['arenga', 'argean'], 'arenicole': ['arecoline', 'arenicole'], 'arenicolite': ['arenicolite', 'ricinoleate'], 'arenig': ['arenig', 'earing', 'gainer', 'reagin', 'regain'], 'arenoid': ['aneroid', 'arenoid'], 'arenose': ['arenose', 'serenoa'], 'arent': ['antre', 'arent', 'retan', 'terna'], 'areographer': ['aerographer', 'areographer'], 'areographic': ['aerographic', 'areographic'], 'areographical': ['aerographical', 'areographical'], 'areography': ['aerography', 'areography'], 'areologic': ['aerologic', 'areologic'], 'areological': ['aerological', 'areological'], 'areologist': ['aerologist', 'areologist'], 'areology': ['aerology', 'areology'], 'areometer': ['aerometer', 'areometer'], 'areometric': ['aerometric', 'areometric'], 'areometry': ['aerometry', 'areometry'], 'arete': ['arete', 'eater', 'teaer'], 'argal': ['agral', 'argal'], 'argali': ['argali', 'garial'], 'argans': ['argans', 'sangar'], 'argante': ['argante', 'granate', 'tanager'], 'argas': ['argas', 'sagra'], 'argean': ['arenga', 'argean'], 'argeers': ['argeers', 'greaser', 'serrage'], 'argel': ['argel', 'ergal', 'garle', 'glare', 'lager', 'large', 'regal'], 'argenol': ['argenol', 'longear'], 'argent': ['argent', 'garnet', 'garten', 'tanger'], 'argentamid': ['argentamid', 'marginated'], 'argenter': ['argenter', 'garneter'], 'argenteum': ['argenteum', 'augmenter'], 'argentic': ['argentic', 'citrange'], 'argentide': ['argentide', 'denigrate', 'dinergate'], 'argentiferous': ['argentiferous', 'garnetiferous'], 'argentina': ['argentina', 'tanagrine'], 'argentine': ['argentine', 'tangerine'], 'argentino': ['antinegro', 'argentino', 'argention'], 'argention': ['antinegro', 'argentino', 'argention'], 'argentite': ['argentite', 'integrate'], 'argentol': ['argentol', 'gerontal'], 'argenton': ['argenton', 'negatron'], 'argentous': ['argentous', 'neotragus'], 'argentum': ['argentum', 'argument'], 'arghan': ['arghan', 'hangar'], 'argil': ['argil', 'glair', 'grail'], 'arginine': ['arginine', 'nigerian'], 'argive': ['argive', 'rivage'], 'argo': ['argo', 'garo', 'gora'], 'argoan': ['agroan', 'angora', 'anogra', 'arango', 'argoan', 'onagra'], 'argol': ['algor', 'argol', 'goral', 'largo'], 'argolet': ['argolet', 'gloater', 'legator'], 'argolian': ['argolian', 'gloriana'], 'argolic': ['argolic', 'cograil'], 'argolid': ['argolid', 'goliard'], 'argon': ['angor', 'argon', 'goran', 'grano', 'groan', 'nagor', 'orang', 'organ', 'rogan', 'ronga'], 'argot': ['argot', 'gator', 'gotra', 'groat'], 'argue': ['argue', 'auger'], 'argulus': ['argulus', 'lagurus'], 'argument': ['argentum', 'argument'], 'argus': ['argus', 'sugar'], 'arguslike': ['arguslike', 'sugarlike'], 'argute': ['argute', 'guetar', 'rugate', 'tuareg'], 'argyle': ['argyle', 'gleary'], 'arhar': ['arhar', 'arrah'], 'arhat': ['arhat', 'artha', 'athar'], 'aria': ['aira', 'aria', 'raia'], 'ariadne': ['araneid', 'ariadne', 'ranidae'], 'arian': ['airan', 'arain', 'arian'], 'arianrhod': ['arianrhod', 'hordarian'], 'aribine': ['aribine', 'bairnie', 'iberian'], 'arician': ['arician', 'icarian'], 'arid': ['arid', 'dari', 'raid'], 'aridian': ['aridian', 'diarian'], 'aridly': ['aridly', 'lyraid'], 'ariegite': ['aegirite', 'ariegite'], 'aries': ['aries', 'arise', 'raise', 'serai'], 'arietid': ['arietid', 'iridate'], 'arietta': ['arietta', 'ratitae'], 'aright': ['aright', 'graith'], 'arightly': ['alrighty', 'arightly'], 'ariidae': ['ariidae', 'raiidae'], 'aril': ['aril', 'lair', 'lari', 'liar', 'lira', 'rail', 'rial'], 'ariled': ['ariled', 'derail', 'dialer'], 'arillate': ['arillate', 'tiarella'], 'arion': ['arion', 'noria'], 'ariot': ['ariot', 'ratio'], 'aripple': ['applier', 'aripple'], 'arise': ['aries', 'arise', 'raise', 'serai'], 'arisen': ['arisen', 'arsine', 'resina', 'serian'], 'arist': ['arist', 'astir', 'sitar', 'stair', 'stria', 'tarsi', 'tisar', 'trias'], 'arista': ['arista', 'tarsia'], 'aristeas': ['aristeas', 'asterias'], 'aristol': ['aristol', 'oralist', 'ortalis', 'striola'], 'aristulate': ['aristulate', 'australite'], 'arite': ['arite', 'artie', 'irate', 'retia', 'tarie'], 'arithmic': ['arithmic', 'mithraic', 'mithriac'], 'arius': ['arius', 'asuri'], 'arizona': ['arizona', 'azorian', 'zonaria'], 'ark': ['ark', 'kra'], 'arkab': ['abkar', 'arkab'], 'arkite': ['arkite', 'karite'], 'arkose': ['arkose', 'resoak', 'soaker'], 'arlene': ['arlene', 'leaner'], 'arleng': ['angler', 'arleng', 'garnel', 'largen', 'rangle', 'regnal'], 'arles': ['arles', 'arsle', 'laser', 'seral', 'slare'], 'arline': ['arline', 'larine', 'linear', 'nailer', 'renail'], 'arm': ['arm', 'mar', 'ram'], 'armada': ['armada', 'damara', 'ramada'], 'armangite': ['armangite', 'marginate'], 'armata': ['armata', 'matara', 'tamara'], 'armed': ['armed', 'derma', 'dream', 'ramed'], 'armenian': ['armenian', 'marianne'], 'armenic': ['armenic', 'carmine', 'ceriman', 'crimean', 'mercian'], 'armer': ['armer', 'rearm'], 'armeria': ['armeria', 'mararie'], 'armet': ['armet', 'mater', 'merat', 'metra', 'ramet', 'tamer', 'terma', 'trame', 'trema'], 'armful': ['armful', 'fulmar'], 'armgaunt': ['armgaunt', 'granatum'], 'armied': ['admire', 'armied', 'damier', 'dimera', 'merida'], 'armiferous': ['armiferous', 'ramiferous'], 'armigerous': ['armigerous', 'ramigerous'], 'armil': ['armil', 'marli', 'rimal'], 'armilla': ['armilla', 'marilla'], 'armillated': ['armillated', 'malladrite', 'mallardite'], 'arming': ['arming', 'ingram', 'margin'], 'armistice': ['ameristic', 'armistice', 'artemisic'], 'armlet': ['armlet', 'malter', 'martel'], 'armonica': ['armonica', 'macaroni', 'marocain'], 'armoried': ['airdrome', 'armoried'], 'armpit': ['armpit', 'impart'], 'armplate': ['armplate', 'malapert'], 'arms': ['arms', 'mars'], 'armscye': ['armscye', 'screamy'], 'army': ['army', 'mary', 'myra', 'yarm'], 'arn': ['arn', 'nar', 'ran'], 'arna': ['arna', 'rana'], 'arnaut': ['arnaut', 'arunta'], 'arne': ['arne', 'earn', 'rane'], 'arneb': ['abner', 'arneb', 'reban'], 'arni': ['arni', 'iran', 'nair', 'rain', 'rani'], 'arnica': ['acinar', 'arnica', 'canari', 'carian', 'carina', 'crania', 'narica'], 'arnold': ['androl', 'arnold', 'lardon', 'roland', 'ronald'], 'arnotta': ['arnotta', 'natator'], 'arnotto': ['arnotto', 'notator'], 'arnut': ['arnut', 'tuarn', 'untar'], 'aro': ['aro', 'oar', 'ora'], 'aroast': ['aroast', 'ostara'], 'arock': ['arock', 'croak'], 'aroid': ['aroid', 'doria', 'radio'], 'aroides': ['ardoise', 'aroides', 'soredia'], 'aroint': ['aroint', 'ration'], 'aromatic': ['aromatic', 'macrotia'], 'aroon': ['aroon', 'oraon'], 'arose': ['arose', 'oreas'], 'around': ['around', 'arundo'], 'arpen': ['arpen', 'paren'], 'arpent': ['arpent', 'enrapt', 'entrap', 'panter', 'parent', 'pretan', 'trepan'], 'arrah': ['arhar', 'arrah'], 'arras': ['arras', 'sarra'], 'arrau': ['arrau', 'aurar'], 'arrayer': ['arrayer', 'rearray'], 'arrect': ['arrect', 'carter', 'crater', 'recart', 'tracer'], 'arrector': ['arrector', 'carroter'], 'arrent': ['arrent', 'errant', 'ranter', 'ternar'], 'arrest': ['arrest', 'astrer', 'raster', 'starer'], 'arrestable': ['arbalester', 'arbalestre', 'arrestable'], 'arrester': ['arrester', 'rearrest'], 'arresting': ['arresting', 'astringer'], 'arretine': ['arretine', 'eretrian', 'eritrean', 'retainer'], 'arride': ['arride', 'raider'], 'arrie': ['airer', 'arrie'], 'arriet': ['arriet', 'tarrie'], 'arrish': ['arrish', 'harris', 'rarish', 'sirrah'], 'arrive': ['arrive', 'varier'], 'arrogance': ['arrogance', 'coarrange'], 'arrogant': ['arrogant', 'tarragon'], 'arrogative': ['arrogative', 'variegator'], 'arrowy': ['arrowy', 'yarrow'], 'arry': ['arry', 'yarr'], 'arsacid': ['arsacid', 'ascarid'], 'arse': ['arse', 'rase', 'sare', 'sear', 'sera'], 'arsedine': ['arsedine', 'arsenide', 'sedanier', 'siderean'], 'arsenal': ['arsenal', 'ranales'], 'arsenate': ['arsenate', 'serenata'], 'arsenation': ['arsenation', 'senatorian', 'sonneratia'], 'arseniate': ['arseniate', 'saernaite'], 'arsenic': ['arsenic', 'cerasin', 'sarcine'], 'arsenide': ['arsedine', 'arsenide', 'sedanier', 'siderean'], 'arsenite': ['arsenite', 'resinate', 'teresian', 'teresina'], 'arsenium': ['aneurism', 'arsenium', 'sumerian'], 'arseniuret': ['arseniuret', 'uniserrate'], 'arseno': ['arseno', 'reason'], 'arsenopyrite': ['arsenopyrite', 'pyroarsenite'], 'arsenous': ['anserous', 'arsenous'], 'arses': ['arses', 'rasse'], 'arshine': ['arshine', 'nearish', 'rhesian', 'sherani'], 'arsine': ['arisen', 'arsine', 'resina', 'serian'], 'arsino': ['arsino', 'rasion', 'sonrai'], 'arsis': ['arsis', 'sarsi'], 'arsle': ['arles', 'arsle', 'laser', 'seral', 'slare'], 'arson': ['arson', 'saron', 'sonar'], 'arsonic': ['arsonic', 'saronic'], 'arsonite': ['arsonite', 'asterion', 'oestrian', 'rosinate', 'serotina'], 'art': ['art', 'rat', 'tar', 'tra'], 'artaba': ['artaba', 'batara'], 'artabe': ['abater', 'artabe', 'eartab', 'trabea'], 'artal': ['altar', 'artal', 'ratal', 'talar'], 'artamus': ['artamus', 'sumatra'], 'artarine': ['artarine', 'errantia'], 'artefact': ['afteract', 'artefact', 'farcetta', 'farctate'], 'artel': ['alert', 'alter', 'artel', 'later', 'ratel', 'taler', 'telar'], 'artemas': ['artemas', 'astream'], 'artemia': ['ametria', 'artemia', 'meratia', 'ramaite'], 'artemis': ['artemis', 'maestri', 'misrate'], 'artemisic': ['ameristic', 'armistice', 'artemisic'], 'arterial': ['arterial', 'triareal'], 'arterin': ['arterin', 'retrain', 'terrain', 'trainer'], 'arterious': ['arterious', 'autoriser'], 'artesian': ['artesian', 'asterina', 'asternia', 'erastian', 'seatrain'], 'artgum': ['artgum', 'targum'], 'artha': ['arhat', 'artha', 'athar'], 'arthel': ['arthel', 'halter', 'lather', 'thaler'], 'arthemis': ['arthemis', 'marshite', 'meharist'], 'arthrochondritis': ['arthrochondritis', 'chondroarthritis'], 'arthromere': ['arthromere', 'metrorrhea'], 'arthropodan': ['anarthropod', 'arthropodan'], 'arthrosteitis': ['arthrosteitis', 'ostearthritis'], 'article': ['article', 'recital'], 'articled': ['articled', 'lacertid'], 'artie': ['arite', 'artie', 'irate', 'retia', 'tarie'], 'artifice': ['actifier', 'artifice'], 'artisan': ['artisan', 'astrain', 'sartain', 'tsarina'], 'artisanship': ['antiphrasis', 'artisanship'], 'artist': ['artist', 'strait', 'strati'], 'artiste': ['artiste', 'striate'], 'artlet': ['artlet', 'latter', 'rattle', 'tartle', 'tatler'], 'artlike': ['artlike', 'ratlike', 'tarlike'], 'arty': ['arty', 'atry', 'tray'], 'aru': ['aru', 'rua', 'ura'], 'aruac': ['aruac', 'carua'], 'arui': ['arui', 'uria'], 'arum': ['arum', 'maru', 'mura'], 'arundo': ['around', 'arundo'], 'arunta': ['arnaut', 'arunta'], 'arusa': ['arusa', 'saura', 'usara'], 'arusha': ['arusha', 'aushar'], 'arustle': ['arustle', 'estrual', 'saluter', 'saulter'], 'arval': ['alvar', 'arval', 'larva'], 'arvel': ['arvel', 'larve', 'laver', 'ravel', 'velar'], 'arx': ['arx', 'rax'], 'ary': ['ary', 'ray', 'yar'], 'arya': ['arya', 'raya'], 'aryan': ['aryan', 'nayar', 'rayan'], 'aryl': ['aryl', 'lyra', 'ryal', 'yarl'], 'as': ['as', 'sa'], 'asa': ['asa', 'saa'], 'asak': ['asak', 'kasa', 'saka'], 'asana': ['anasa', 'asana'], 'asaph': ['asaph', 'pasha'], 'asaphia': ['aphasia', 'asaphia'], 'asaphic': ['aphasic', 'asaphic'], 'asaprol': ['asaprol', 'parasol'], 'asarh': ['asarh', 'raash', 'sarah'], 'asarite': ['asarite', 'asteria', 'atresia', 'setaria'], 'asarum': ['aramus', 'asarum'], 'asbest': ['asbest', 'basset'], 'ascanius': ['anacusis', 'ascanius'], 'ascare': ['ascare', 'caesar', 'resaca'], 'ascarid': ['arsacid', 'ascarid'], 'ascaris': ['ascaris', 'carissa'], 'ascendance': ['adnascence', 'ascendance'], 'ascendant': ['adnascent', 'ascendant'], 'ascender': ['ascender', 'reascend'], 'ascent': ['ascent', 'secant', 'stance'], 'ascertain': ['ascertain', 'cartesian', 'cartisane', 'sectarian'], 'ascertainer': ['ascertainer', 'reascertain', 'secretarian'], 'ascetic': ['ascetic', 'castice', 'siccate'], 'ascham': ['ascham', 'chasma'], 'asci': ['acis', 'asci', 'saic'], 'ascian': ['ascian', 'sacian', 'scania', 'sicana'], 'ascidia': ['ascidia', 'diascia'], 'ascii': ['ascii', 'isiac'], 'ascites': ['ascites', 'ectasis'], 'ascitic': ['ascitic', 'sciatic'], 'ascitical': ['ascitical', 'sciatical'], 'asclent': ['asclent', 'scantle'], 'asclepian': ['asclepian', 'spalacine'], 'ascolichen': ['ascolichen', 'chalcosine'], 'ascon': ['ascon', 'canso', 'oscan'], 'ascot': ['ascot', 'coast', 'costa', 'tacso', 'tasco'], 'ascription': ['antipsoric', 'ascription', 'crispation'], 'ascry': ['ascry', 'scary', 'scray'], 'ascula': ['ascula', 'calusa', 'casual', 'casula', 'causal'], 'asdic': ['asdic', 'sadic'], 'ase': ['aes', 'ase', 'sea'], 'asearch': ['asearch', 'eschara'], 'aselli': ['allies', 'aselli'], 'asem': ['asem', 'mesa', 'same', 'seam'], 'asemia': ['asemia', 'saeima'], 'aseptic': ['aseptic', 'spicate'], 'aseptol': ['apostle', 'aseptol'], 'ash': ['ash', 'sah', 'sha'], 'ashanti': ['ashanti', 'sanhita', 'shaitan', 'thasian'], 'ashen': ['ashen', 'hanse', 'shane', 'shean'], 'asher': ['asher', 'share', 'shear'], 'ashet': ['ashet', 'haste', 'sheat'], 'ashimmer': ['ashimmer', 'haremism'], 'ashir': ['ashir', 'shari'], 'ashling': ['anglish', 'ashling'], 'ashman': ['ashman', 'shaman'], 'ashore': ['ahorse', 'ashore', 'hoarse', 'shorea'], 'ashraf': ['afshar', 'ashraf'], 'ashur': ['ashur', 'surah'], 'ashy': ['ashy', 'shay'], 'asian': ['asian', 'naias', 'sanai'], 'asiarch': ['arachis', 'asiarch', 'saharic'], 'aside': ['aides', 'aside', 'sadie'], 'asideu': ['asideu', 'suidae'], 'asiento': ['aeonist', 'asiento', 'satieno'], 'asilid': ['asilid', 'sialid'], 'asilidae': ['asilidae', 'sialidae'], 'asilus': ['asilus', 'lasius'], 'asimen': ['asimen', 'inseam', 'mesian'], 'asimmer': ['amerism', 'asimmer', 'sammier'], 'asiphonate': ['asiphonate', 'asthenopia'], 'ask': ['ask', 'sak'], 'asker': ['asker', 'reask', 'saker', 'sekar'], 'askew': ['askew', 'wakes'], 'askip': ['askip', 'spaik'], 'askr': ['askr', 'kras', 'sark'], 'aslant': ['aslant', 'lansat', 'natals', 'santal'], 'asleep': ['asleep', 'elapse', 'please'], 'aslope': ['aslope', 'poales'], 'asmalte': ['asmalte', 'maltase'], 'asmile': ['amiles', 'asmile', 'mesail', 'mesial', 'samiel'], 'asnort': ['asnort', 'satron'], 'asoak': ['asoak', 'asoka'], 'asok': ['asok', 'soak', 'soka'], 'asoka': ['asoak', 'asoka'], 'asonia': ['anosia', 'asonia'], 'asop': ['asop', 'sapo', 'soap'], 'asor': ['asor', 'rosa', 'soar', 'sora'], 'asp': ['asp', 'sap', 'spa'], 'aspartic': ['aspartic', 'satrapic'], 'aspection': ['aspection', 'stenopaic'], 'aspectual': ['aspectual', 'capsulate'], 'aspen': ['aspen', 'panse', 'snape', 'sneap', 'spane', 'spean'], 'asper': ['asper', 'parse', 'prase', 'spaer', 'spare', 'spear'], 'asperate': ['asperate', 'separate'], 'asperation': ['anisoptera', 'asperation', 'separation'], 'asperge': ['asperge', 'presage'], 'asperger': ['asperger', 'presager'], 'aspergil': ['aspergil', 'splairge'], 'asperite': ['asperite', 'parietes'], 'aspermia': ['aspermia', 'sapremia'], 'aspermic': ['aspermic', 'sapremic'], 'asperser': ['asperser', 'repasser'], 'asperulous': ['asperulous', 'pleasurous'], 'asphalt': ['asphalt', 'spathal', 'taplash'], 'aspic': ['aspic', 'spica'], 'aspidinol': ['aspidinol', 'diplasion'], 'aspirant': ['aspirant', 'partisan', 'spartina'], 'aspirata': ['aspirata', 'parasita'], 'aspirate': ['aspirate', 'parasite'], 'aspire': ['aspire', 'paries', 'praise', 'sirpea', 'spirea'], 'aspirer': ['aspirer', 'praiser', 'serpari'], 'aspiring': ['aspiring', 'praising', 'singarip'], 'aspiringly': ['aspiringly', 'praisingly'], 'aspish': ['aspish', 'phasis'], 'asporous': ['asporous', 'saporous'], 'asport': ['asport', 'pastor', 'sproat'], 'aspread': ['aspread', 'saperda'], 'aspring': ['aspring', 'rasping', 'sparing'], 'asquirm': ['asquirm', 'marquis'], 'assagai': ['assagai', 'gaiassa'], 'assailer': ['assailer', 'reassail'], 'assam': ['amass', 'assam', 'massa', 'samas'], 'assaulter': ['assaulter', 'reassault', 'saleratus'], 'assayer': ['assayer', 'reassay'], 'assemble': ['assemble', 'beamless'], 'assent': ['assent', 'snaste'], 'assenter': ['assenter', 'reassent', 'sarsenet'], 'assentor': ['assentor', 'essorant', 'starnose'], 'assert': ['assert', 'tasser'], 'asserter': ['asserter', 'reassert'], 'assertible': ['assertible', 'resistable'], 'assertional': ['assertional', 'sensatorial'], 'assertor': ['assertor', 'assorter', 'oratress', 'reassort'], 'asset': ['asset', 'tasse'], 'assets': ['assets', 'stases'], 'assidean': ['assidean', 'nassidae'], 'assiento': ['assiento', 'ossetian'], 'assignee': ['agenesis', 'assignee'], 'assigner': ['assigner', 'reassign'], 'assist': ['assist', 'stasis'], 'assister': ['assister', 'reassist'], 'associationism': ['associationism', 'misassociation'], 'assoilment': ['assoilment', 'salmonsite'], 'assorter': ['assertor', 'assorter', 'oratress', 'reassort'], 'assuage': ['assuage', 'sausage'], 'assume': ['assume', 'seamus'], 'assumer': ['assumer', 'erasmus', 'masseur'], 'ast': ['ast', 'sat'], 'astacus': ['acastus', 'astacus'], 'astare': ['astare', 'satrae'], 'astart': ['astart', 'strata'], 'astartian': ['astartian', 'astrantia'], 'astatine': ['astatine', 'sanitate'], 'asteep': ['asteep', 'peseta'], 'asteer': ['asteer', 'easter', 'eastre', 'reseat', 'saeter', 'seater', 'staree', 'teaser', 'teresa'], 'astelic': ['astelic', 'elastic', 'latices'], 'astely': ['alytes', 'astely', 'lysate', 'stealy'], 'aster': ['aster', 'serta', 'stare', 'strae', 'tarse', 'teras'], 'asteria': ['asarite', 'asteria', 'atresia', 'setaria'], 'asterias': ['aristeas', 'asterias'], 'asterikos': ['asterikos', 'keratosis'], 'asterin': ['asterin', 'eranist', 'restain', 'stainer', 'starnie', 'stearin'], 'asterina': ['artesian', 'asterina', 'asternia', 'erastian', 'seatrain'], 'asterion': ['arsonite', 'asterion', 'oestrian', 'rosinate', 'serotina'], 'astern': ['astern', 'enstar', 'stenar', 'sterna'], 'asternia': ['artesian', 'asterina', 'asternia', 'erastian', 'seatrain'], 'asteroid': ['asteroid', 'troiades'], 'asterope': ['asterope', 'protease'], 'asthenopia': ['asiphonate', 'asthenopia'], 'asthma': ['amsath', 'asthma'], 'asthmogenic': ['asthmogenic', 'mesognathic'], 'asthore': ['asthore', 'earshot'], 'astian': ['astian', 'tasian'], 'astigmism': ['astigmism', 'sigmatism'], 'astilbe': ['astilbe', 'bestial', 'blastie', 'stabile'], 'astint': ['astint', 'tanist'], 'astir': ['arist', 'astir', 'sitar', 'stair', 'stria', 'tarsi', 'tisar', 'trias'], 'astomous': ['astomous', 'somatous'], 'astonied': ['astonied', 'sedation'], 'astonisher': ['astonisher', 'reastonish', 'treasonish'], 'astor': ['astor', 'roast'], 'astragali': ['astragali', 'tarsalgia'], 'astrain': ['artisan', 'astrain', 'sartain', 'tsarina'], 'astral': ['astral', 'tarsal'], 'astrantia': ['astartian', 'astrantia'], 'astream': ['artemas', 'astream'], 'astrer': ['arrest', 'astrer', 'raster', 'starer'], 'astrict': ['astrict', 'cartist', 'stratic'], 'astride': ['astride', 'diaster', 'disrate', 'restiad', 'staired'], 'astrier': ['astrier', 'tarsier'], 'astringe': ['astringe', 'ganister', 'gantries'], 'astringent': ['astringent', 'transigent'], 'astringer': ['arresting', 'astringer'], 'astrodome': ['astrodome', 'roomstead'], 'astrofel': ['astrofel', 'forestal'], 'astroite': ['astroite', 'ostraite', 'storiate'], 'astrolabe': ['astrolabe', 'roastable'], 'astrut': ['astrut', 'rattus', 'stuart'], 'astur': ['astur', 'surat', 'sutra'], 'asturian': ['asturian', 'austrian', 'saturnia'], 'astute': ['astute', 'statue'], 'astylar': ['astylar', 'saltary'], 'asunder': ['asunder', 'drusean'], 'asuri': ['arius', 'asuri'], 'aswail': ['aswail', 'sawali'], 'asweat': ['asweat', 'awaste'], 'aswim': ['aswim', 'swami'], 'aswing': ['aswing', 'sawing'], 'asyla': ['asyla', 'salay', 'sayal'], 'asyllabic': ['asyllabic', 'basically'], 'asyndetic': ['asyndetic', 'cystidean', 'syndicate'], 'asynergia': ['asynergia', 'gainsayer'], 'at': ['at', 'ta'], 'ata': ['ata', 'taa'], 'atabal': ['albata', 'atabal', 'balata'], 'atabrine': ['atabrine', 'rabatine'], 'atacaman': ['atacaman', 'tamanaca'], 'ataentsic': ['anticaste', 'ataentsic'], 'atalan': ['atalan', 'tanala'], 'atap': ['atap', 'pata', 'tapa'], 'atazir': ['atazir', 'ziarat'], 'atchison': ['atchison', 'chitosan'], 'ate': ['ate', 'eat', 'eta', 'tae', 'tea'], 'ateba': ['abate', 'ateba', 'batea', 'beata'], 'atebrin': ['atebrin', 'rabinet'], 'atechnic': ['atechnic', 'catechin', 'technica'], 'atechny': ['atechny', 'chantey'], 'ateeter': ['ateeter', 'treatee'], 'atef': ['atef', 'fate', 'feat'], 'ateles': ['ateles', 'saltee', 'sealet', 'stelae', 'teasel'], 'atelets': ['atelets', 'tsatlee'], 'atelier': ['atelier', 'tiralee'], 'aten': ['ante', 'aten', 'etna', 'nate', 'neat', 'taen', 'tane', 'tean'], 'atenism': ['atenism', 'inmeats', 'insteam', 'samnite'], 'atenist': ['atenist', 'instate', 'satient', 'steatin'], 'ates': ['ates', 'east', 'eats', 'sate', 'seat', 'seta'], 'atestine': ['anisette', 'atestine', 'settaine'], 'athar': ['arhat', 'artha', 'athar'], 'atheism': ['atheism', 'hamites'], 'athena': ['ahtena', 'aneath', 'athena'], 'athenian': ['anthinae', 'athenian'], 'athenor': ['another', 'athenor', 'rheotan'], 'athens': ['athens', 'hasten', 'snathe', 'sneath'], 'atherine': ['atherine', 'herniate'], 'atheris': ['atheris', 'sheriat'], 'athermic': ['athermic', 'marchite', 'rhematic'], 'athing': ['anight', 'athing'], 'athirst': ['athirst', 'rattish', 'tartish'], 'athletic': ['athletic', 'thetical'], 'athletics': ['athletics', 'statelich'], 'athort': ['athort', 'throat'], 'athrive': ['athrive', 'hervati'], 'ati': ['ait', 'ati', 'ita', 'tai'], 'atik': ['atik', 'ikat'], 'atimon': ['atimon', 'manito', 'montia'], 'atingle': ['atingle', 'gelatin', 'genital', 'langite', 'telinga'], 'atip': ['atip', 'pita'], 'atis': ['atis', 'sita', 'tsia'], 'atlantean': ['antenatal', 'atlantean', 'tantalean'], 'atlantic': ['atlantic', 'tantalic'], 'atlantid': ['atlantid', 'dilatant'], 'atlantite': ['atlantite', 'tantalite'], 'atlas': ['atlas', 'salat', 'salta'], 'atle': ['atle', 'laet', 'late', 'leat', 'tael', 'tale', 'teal'], 'atlee': ['atlee', 'elate'], 'atloidean': ['atloidean', 'dealation'], 'atma': ['atma', 'tama'], 'atman': ['atman', 'manta'], 'atmid': ['admit', 'atmid'], 'atmo': ['atmo', 'atom', 'moat', 'toma'], 'atmogenic': ['atmogenic', 'geomantic'], 'atmos': ['atmos', 'stoma', 'tomas'], 'atmosphere': ['atmosphere', 'shapometer'], 'atmostea': ['atmostea', 'steatoma'], 'atnah': ['atnah', 'tanha', 'thana'], 'atocia': ['atocia', 'coaita'], 'atokal': ['atokal', 'lakota'], 'atoll': ['allot', 'atoll'], 'atom': ['atmo', 'atom', 'moat', 'toma'], 'atomic': ['atomic', 'matico'], 'atomics': ['atomics', 'catoism', 'cosmati', 'osmatic', 'somatic'], 'atomize': ['atomize', 'miaotze'], 'atomizer': ['amortize', 'atomizer'], 'atonal': ['atonal', 'latona'], 'atonalism': ['anomalist', 'atonalism'], 'atone': ['atone', 'oaten'], 'atoner': ['atoner', 'norate', 'ornate'], 'atonia': ['anotia', 'atonia'], 'atonic': ['action', 'atonic', 'cation'], 'atony': ['atony', 'ayont'], 'atop': ['atop', 'pato'], 'atopic': ['atopic', 'capito', 'copita'], 'atorai': ['atorai', 'otaria'], 'atrail': ['altair', 'atrail', 'atrial', 'lariat', 'latria', 'talari'], 'atrepsy': ['atrepsy', 'yapster'], 'atresia': ['asarite', 'asteria', 'atresia', 'setaria'], 'atresic': ['atresic', 'stearic'], 'atresy': ['atresy', 'estray', 'reasty', 'stayer'], 'atretic': ['atretic', 'citrate'], 'atria': ['arati', 'atria', 'riata', 'tarai', 'tiara'], 'atrial': ['altair', 'atrail', 'atrial', 'lariat', 'latria', 'talari'], 'atridean': ['anteriad', 'atridean', 'dentaria'], 'atrip': ['atrip', 'tapir'], 'atrocity': ['atrocity', 'citatory'], 'atrophied': ['aphrodite', 'atrophied', 'diaporthe'], 'atropia': ['apiator', 'atropia', 'parotia'], 'atropic': ['apricot', 'atropic', 'parotic', 'patrico'], 'atroscine': ['atroscine', 'certosina', 'ostracine', 'tinoceras', 'tricosane'], 'atry': ['arty', 'atry', 'tray'], 'attacco': ['attacco', 'toccata'], 'attach': ['attach', 'chatta'], 'attache': ['attache', 'thecata'], 'attacher': ['attacher', 'reattach'], 'attacker': ['attacker', 'reattack'], 'attain': ['attain', 'tatian'], 'attainder': ['antitrade', 'attainder'], 'attainer': ['attainer', 'reattain', 'tertiana'], 'attar': ['attar', 'tatar'], 'attempter': ['attempter', 'reattempt'], 'attender': ['attender', 'nattered', 'reattend'], 'attention': ['attention', 'tentation'], 'attentive': ['attentive', 'tentative'], 'attentively': ['attentively', 'tentatively'], 'attentiveness': ['attentiveness', 'tentativeness'], 'atter': ['atter', 'tater', 'teart', 'tetra', 'treat'], 'attermine': ['antimeter', 'attermine', 'interteam', 'terminate', 'tetramine'], 'attern': ['attern', 'natter', 'ratten', 'tarten'], 'attery': ['attery', 'treaty', 'yatter'], 'attester': ['attester', 'reattest'], 'attic': ['attic', 'catti', 'tacit'], 'attical': ['attical', 'cattail'], 'attinge': ['attinge', 'tintage'], 'attire': ['attire', 'ratite', 'tertia'], 'attired': ['attired', 'tradite'], 'attorn': ['attorn', 'ratton', 'rottan'], 'attracter': ['attracter', 'reattract'], 'attractor': ['attractor', 'tractator'], 'attrite': ['attrite', 'titrate'], 'attrition': ['attrition', 'titration'], 'attune': ['attune', 'nutate', 'tauten'], 'atule': ['aleut', 'atule'], 'atumble': ['atumble', 'mutable'], 'atwin': ['atwin', 'twain', 'witan'], 'atypic': ['atypic', 'typica'], 'aube': ['aube', 'beau'], 'aubrite': ['abiuret', 'aubrite', 'biurate', 'rubiate'], 'aucan': ['acuan', 'aucan'], 'aucaner': ['arecuna', 'aucaner'], 'auchlet': ['auchlet', 'cutheal', 'taluche'], 'auction': ['auction', 'caution'], 'auctionary': ['auctionary', 'cautionary'], 'audiencier': ['audiencier', 'enicuridae'], 'auge': ['ague', 'auge'], 'augen': ['augen', 'genua'], 'augend': ['augend', 'engaud', 'unaged'], 'auger': ['argue', 'auger'], 'augerer': ['augerer', 'reargue'], 'augh': ['augh', 'guha'], 'augmenter': ['argenteum', 'augmenter'], 'augustan': ['augustan', 'guatusan'], 'auh': ['ahu', 'auh', 'hau'], 'auk': ['aku', 'auk', 'kua'], 'auld': ['auld', 'dual', 'laud', 'udal'], 'aulete': ['aulete', 'eluate'], 'auletic': ['aleutic', 'auletic', 'caulite', 'lutecia'], 'auletris': ['auletris', 'lisuarte'], 'aulic': ['aulic', 'lucia'], 'aulostoma': ['aulostoma', 'autosomal'], 'aulu': ['aulu', 'ulua'], 'aum': ['aum', 'mau'], 'aumbry': ['ambury', 'aumbry'], 'aumil': ['aumil', 'miaul'], 'aumrie': ['aumrie', 'uremia'], 'auncel': ['auncel', 'cuneal', 'lacune', 'launce', 'unlace'], 'aunt': ['antu', 'aunt', 'naut', 'taun', 'tuan', 'tuna'], 'auntie': ['auntie', 'uniate'], 'auntish': ['auntish', 'inhaust'], 'auntly': ['auntly', 'lutany'], 'auntsary': ['auntsary', 'unastray'], 'aura': ['aaru', 'aura'], 'aural': ['aural', 'laura'], 'aurar': ['arrau', 'aurar'], 'auresca': ['auresca', 'caesura'], 'aureus': ['aureus', 'uraeus'], 'auricle': ['auricle', 'ciruela'], 'auricled': ['auricled', 'radicule'], 'auride': ['auride', 'rideau'], 'aurin': ['aurin', 'urian'], 'aurir': ['aurir', 'urari'], 'auriscalp': ['auriscalp', 'spiracula'], 'auscult': ['auscult', 'scutula'], 'aushar': ['arusha', 'aushar'], 'auster': ['auster', 'reatus'], 'austere': ['austere', 'euaster'], 'australian': ['australian', 'saturnalia'], 'australic': ['australic', 'lactarius'], 'australite': ['aristulate', 'australite'], 'austrian': ['asturian', 'austrian', 'saturnia'], 'aute': ['aute', 'etua'], 'autecism': ['autecism', 'musicate'], 'authotype': ['authotype', 'autophyte'], 'autoclave': ['autoclave', 'vacuolate'], 'autocrat': ['actuator', 'autocrat'], 'autoheterosis': ['autoheterosis', 'heteroousiast'], 'autometric': ['autometric', 'tautomeric'], 'autometry': ['autometry', 'tautomery'], 'autophyte': ['authotype', 'autophyte'], 'autoplast': ['autoplast', 'postulata'], 'autopsic': ['autopsic', 'captious'], 'autopsical': ['apolaustic', 'autopsical'], 'autoradiograph': ['autoradiograph', 'radioautograph'], 'autoradiographic': ['autoradiographic', 'radioautographic'], 'autoradiography': ['autoradiography', 'radioautography'], 'autoriser': ['arterious', 'autoriser'], 'autosomal': ['aulostoma', 'autosomal'], 'auxetic': ['auxetic', 'eutaxic'], 'aval': ['aval', 'lava'], 'avanti': ['avanti', 'vinata'], 'avar': ['avar', 'vara'], 'ave': ['ave', 'eva'], 'avenge': ['avenge', 'geneva', 'vangee'], 'avenger': ['avenger', 'engrave'], 'avenin': ['avenin', 'vienna'], 'aventine': ['aventine', 'venetian'], 'aventurine': ['aventurine', 'uninervate'], 'aver': ['aver', 'rave', 'vare', 'vera'], 'avera': ['avera', 'erava'], 'averil': ['averil', 'elvira'], 'averin': ['averin', 'ravine'], 'avert': ['avert', 'tarve', 'taver', 'trave'], 'avertible': ['avertible', 'veritable'], 'avertin': ['avertin', 'vitrean'], 'aves': ['aves', 'save', 'vase'], 'aviatic': ['aviatic', 'viatica'], 'aviator': ['aviator', 'tovaria'], 'avicular': ['avicular', 'varicula'], 'avid': ['avid', 'diva'], 'avidous': ['avidous', 'vaudois'], 'avignonese': ['avignonese', 'ingaevones'], 'avine': ['avine', 'naive', 'vinea'], 'avirulence': ['acervuline', 'avirulence'], 'avis': ['avis', 'siva', 'visa'], 'avitic': ['avitic', 'viatic'], 'avo': ['avo', 'ova'], 'avocet': ['avocet', 'octave', 'vocate'], 'avodire': ['avodire', 'avoider', 'reavoid'], 'avoider': ['avodire', 'avoider', 'reavoid'], 'avolation': ['avolation', 'ovational'], 'avolitional': ['avolitional', 'violational'], 'avoucher': ['avoucher', 'reavouch'], 'avower': ['avower', 'reavow'], 'avshar': ['avshar', 'varsha'], 'avulse': ['alveus', 'avulse'], 'aw': ['aw', 'wa'], 'awag': ['awag', 'waag'], 'awaiter': ['awaiter', 'reawait'], 'awakener': ['awakener', 'reawaken'], 'awarder': ['awarder', 'reaward'], 'awash': ['awash', 'sawah'], 'awaste': ['asweat', 'awaste'], 'awat': ['awat', 'tawa'], 'awd': ['awd', 'daw', 'wad'], 'awe': ['awe', 'wae', 'wea'], 'aweather': ['aweather', 'wheatear'], 'aweek': ['aweek', 'keawe'], 'awesome': ['awesome', 'waesome'], 'awest': ['awest', 'sweat', 'tawse', 'waste'], 'awfu': ['awfu', 'wauf'], 'awful': ['awful', 'fulwa'], 'awhet': ['awhet', 'wheat'], 'awin': ['awin', 'wain'], 'awing': ['awing', 'wigan'], 'awl': ['awl', 'law'], 'awn': ['awn', 'naw', 'wan'], 'awned': ['awned', 'dewan', 'waned'], 'awner': ['awner', 'newar'], 'awning': ['awning', 'waning'], 'awny': ['awny', 'wany', 'yawn'], 'awol': ['alow', 'awol', 'lowa'], 'awork': ['awork', 'korwa'], 'awreck': ['awreck', 'wacker'], 'awrong': ['awrong', 'growan'], 'awry': ['awry', 'wary'], 'axel': ['alex', 'axel', 'axle'], 'axes': ['axes', 'saxe', 'seax'], 'axil': ['alix', 'axil'], 'axile': ['axile', 'lexia'], 'axine': ['axine', 'xenia'], 'axle': ['alex', 'axel', 'axle'], 'axon': ['axon', 'noxa', 'oxan'], 'axonal': ['axonal', 'oxalan'], 'axonia': ['anoxia', 'axonia'], 'ay': ['ay', 'ya'], 'ayah': ['ayah', 'haya'], 'aye': ['aye', 'yea'], 'ayont': ['atony', 'ayont'], 'azimine': ['aminize', 'animize', 'azimine'], 'azo': ['azo', 'zoa'], 'azole': ['azole', 'zoeal'], 'azon': ['azon', 'onza', 'ozan'], 'azorian': ['arizona', 'azorian', 'zonaria'], 'azorite': ['azorite', 'zoarite'], 'azoxine': ['azoxine', 'oxazine'], 'azteca': ['azteca', 'zacate'], 'azurine': ['azurine', 'urazine'], 'ba': ['ab', 'ba'], 'baa': ['aba', 'baa'], 'baal': ['alba', 'baal', 'bala'], 'baalath': ['baalath', 'bathala'], 'baalite': ['baalite', 'bialate', 'labiate'], 'baalshem': ['baalshem', 'shamable'], 'baar': ['arab', 'arba', 'baar', 'bara'], 'bab': ['abb', 'bab'], 'baba': ['abba', 'baba'], 'babbler': ['babbler', 'blabber', 'brabble'], 'babery': ['babery', 'yabber'], 'babhan': ['babhan', 'habnab'], 'babishly': ['babishly', 'shabbily'], 'babishness': ['babishness', 'shabbiness'], 'babite': ['babite', 'bebait'], 'babu': ['babu', 'buba'], 'babul': ['babul', 'bubal'], 'baby': ['abby', 'baby'], 'babylonish': ['babylonish', 'nabobishly'], 'bac': ['bac', 'cab'], 'bacao': ['bacao', 'caoba'], 'bach': ['bach', 'chab'], 'bache': ['bache', 'beach'], 'bachel': ['bachel', 'bleach'], 'bachelor': ['bachelor', 'crabhole'], 'bacillar': ['bacillar', 'cabrilla'], 'bacis': ['bacis', 'basic'], 'backblow': ['backblow', 'blowback'], 'backen': ['backen', 'neback'], 'backer': ['backer', 'reback'], 'backfall': ['backfall', 'fallback'], 'backfire': ['backfire', 'fireback'], 'backlog': ['backlog', 'gablock'], 'backrun': ['backrun', 'runback'], 'backsaw': ['backsaw', 'sawback'], 'backset': ['backset', 'setback'], 'backstop': ['backstop', 'stopback'], 'backswing': ['backswing', 'swingback'], 'backward': ['backward', 'drawback'], 'backway': ['backway', 'wayback'], 'bacon': ['bacon', 'banco'], 'bacterial': ['bacterial', 'calibrate'], 'bacteriform': ['bacteriform', 'bracteiform'], 'bacterin': ['bacterin', 'centibar'], 'bacterioid': ['aborticide', 'bacterioid'], 'bacterium': ['bacterium', 'cumbraite'], 'bactrian': ['bactrian', 'cantabri'], 'bacula': ['albuca', 'bacula'], 'baculi': ['abulic', 'baculi'], 'baculite': ['baculite', 'cubitale'], 'baculites': ['baculites', 'bisulcate'], 'baculoid': ['baculoid', 'cuboidal'], 'bad': ['bad', 'dab'], 'badaga': ['badaga', 'dagaba', 'gadaba'], 'badan': ['badan', 'banda'], 'bade': ['abed', 'bade', 'bead'], 'badge': ['badge', 'begad'], 'badian': ['badian', 'indaba'], 'badigeon': ['badigeon', 'gabioned'], 'badly': ['badly', 'baldy', 'blady'], 'badon': ['badon', 'bando'], 'bae': ['abe', 'bae', 'bea'], 'baeria': ['aberia', 'baeria', 'baiera'], 'baetulus': ['baetulus', 'subulate'], 'baetyl': ['baetyl', 'baylet', 'bleaty'], 'baetylic': ['baetylic', 'biacetyl'], 'bafta': ['abaft', 'bafta'], 'bag': ['bag', 'gab'], 'bagani': ['bagani', 'bangia', 'ibanag'], 'bagel': ['bagel', 'belga', 'gable', 'gleba'], 'bagger': ['bagger', 'beggar'], 'bagnio': ['bagnio', 'gabion', 'gobian'], 'bago': ['bago', 'boga'], 'bagre': ['bagre', 'barge', 'begar', 'rebag'], 'bahar': ['bahar', 'bhara'], 'bahoe': ['bahoe', 'bohea', 'obeah'], 'baht': ['baht', 'bath', 'bhat'], 'baiera': ['aberia', 'baeria', 'baiera'], 'baignet': ['baignet', 'beating'], 'bail': ['albi', 'bail', 'bali'], 'bailage': ['algieba', 'bailage'], 'bailer': ['bailer', 'barile'], 'baillone': ['baillone', 'bonellia'], 'bailment': ['bailment', 'libament'], 'bailor': ['bailor', 'bioral'], 'bailsman': ['bailsman', 'balanism', 'nabalism'], 'bain': ['bain', 'bani', 'iban'], 'baioc': ['baioc', 'cabio', 'cobia'], 'bairam': ['bairam', 'bramia'], 'bairn': ['abrin', 'bairn', 'brain', 'brian', 'rabin'], 'bairnie': ['aribine', 'bairnie', 'iberian'], 'bairnish': ['bairnish', 'bisharin'], 'bais': ['absi', 'bais', 'bias', 'isba'], 'baister': ['baister', 'tribase'], 'baiter': ['baiter', 'barite', 'rebait', 'terbia'], 'baith': ['baith', 'habit'], 'bajocian': ['bajocian', 'jacobian'], 'bakal': ['bakal', 'balak'], 'bakatan': ['bakatan', 'batakan'], 'bake': ['bake', 'beak'], 'baker': ['baker', 'brake', 'break'], 'bakerless': ['bakerless', 'brakeless', 'breakless'], 'bakery': ['bakery', 'barkey'], 'bakie': ['akebi', 'bakie'], 'baku': ['baku', 'kuba'], 'bal': ['alb', 'bal', 'lab'], 'bala': ['alba', 'baal', 'bala'], 'baladine': ['baladine', 'balaenid'], 'balaenid': ['baladine', 'balaenid'], 'balagan': ['balagan', 'bangala'], 'balai': ['balai', 'labia'], 'balak': ['bakal', 'balak'], 'balan': ['alban', 'balan', 'banal', 'laban', 'nabal', 'nabla'], 'balancer': ['balancer', 'barnacle'], 'balangay': ['balangay', 'bangalay'], 'balanic': ['balanic', 'caliban'], 'balanid': ['balanid', 'banilad'], 'balanism': ['bailsman', 'balanism', 'nabalism'], 'balanite': ['albanite', 'balanite', 'nabalite'], 'balanites': ['balanites', 'basaltine', 'stainable'], 'balantidium': ['antialbumid', 'balantidium'], 'balanus': ['balanus', 'nabalus', 'subanal'], 'balas': ['balas', 'balsa', 'basal', 'sabal'], 'balata': ['albata', 'atabal', 'balata'], 'balatron': ['balatron', 'laborant'], 'balaustine': ['balaustine', 'unsatiable'], 'balaustre': ['balaustre', 'saturable'], 'bald': ['bald', 'blad'], 'balden': ['balden', 'bandle'], 'balder': ['balder', 'bardel', 'bedlar', 'bedral', 'belard', 'blader'], 'baldie': ['abdiel', 'baldie'], 'baldish': ['baldish', 'bladish'], 'baldmoney': ['baldmoney', 'molybdena'], 'baldness': ['baldness', 'bandless'], 'baldy': ['badly', 'baldy', 'blady'], 'bale': ['abel', 'able', 'albe', 'bale', 'beal', 'bela', 'blae'], 'balearic': ['balearic', 'cebalrai'], 'baleen': ['baleen', 'enable'], 'balefire': ['afebrile', 'balefire', 'fireable'], 'baleise': ['baleise', 'besaiel'], 'baler': ['abler', 'baler', 'belar', 'blare', 'blear'], 'balete': ['balete', 'belate'], 'bali': ['albi', 'bail', 'bali'], 'baline': ['baline', 'blaine'], 'balinger': ['balinger', 'ringable'], 'balker': ['balker', 'barkle'], 'ballaster': ['ballaster', 'reballast'], 'ballate': ['ballate', 'tabella'], 'balli': ['balli', 'billa'], 'balloter': ['balloter', 'reballot'], 'ballplayer': ['ballplayer', 'preallably'], 'ballroom': ['ballroom', 'moorball'], 'ballweed': ['ballweed', 'weldable'], 'balm': ['balm', 'lamb'], 'balminess': ['balminess', 'lambiness'], 'balmlike': ['balmlike', 'lamblike'], 'balmy': ['balmy', 'lamby'], 'balolo': ['balolo', 'lobola'], 'balonea': ['abalone', 'balonea'], 'balor': ['balor', 'bolar', 'boral', 'labor', 'lobar'], 'balow': ['ablow', 'balow', 'bowla'], 'balsa': ['balas', 'balsa', 'basal', 'sabal'], 'balsam': ['balsam', 'sambal'], 'balsamic': ['balsamic', 'cabalism'], 'balsamo': ['absalom', 'balsamo'], 'balsamy': ['abysmal', 'balsamy'], 'balt': ['balt', 'blat'], 'baltei': ['albeit', 'albite', 'baltei', 'belait', 'betail', 'bletia', 'libate'], 'balter': ['albert', 'balter', 'labret', 'tabler'], 'balteus': ['balteus', 'sublate'], 'baltis': ['baltis', 'bisalt'], 'balu': ['balu', 'baul', 'bual', 'luba'], 'balunda': ['balunda', 'bulanda'], 'baluster': ['baluster', 'rustable'], 'balut': ['balut', 'tubal'], 'bam': ['bam', 'mab'], 'ban': ['ban', 'nab'], 'bana': ['anba', 'bana'], 'banak': ['banak', 'nabak'], 'banal': ['alban', 'balan', 'banal', 'laban', 'nabal', 'nabla'], 'banat': ['banat', 'batan'], 'banca': ['banca', 'caban'], 'bancal': ['bancal', 'blanca'], 'banco': ['bacon', 'banco'], 'banda': ['badan', 'banda'], 'bandage': ['bandage', 'dagbane'], 'bandar': ['bandar', 'raband'], 'bandarlog': ['bandarlog', 'langobard'], 'bande': ['bande', 'benda'], 'bander': ['bander', 'brenda'], 'banderma': ['banderma', 'breadman'], 'banderole': ['banderole', 'bandoleer'], 'bandhook': ['bandhook', 'handbook'], 'bandle': ['balden', 'bandle'], 'bandless': ['baldness', 'bandless'], 'bando': ['badon', 'bando'], 'bandoleer': ['banderole', 'bandoleer'], 'bandor': ['bandor', 'bondar', 'roband'], 'bandore': ['bandore', 'broaden'], 'bane': ['bane', 'bean', 'bena'], 'bangala': ['balagan', 'bangala'], 'bangalay': ['balangay', 'bangalay'], 'bangash': ['bangash', 'nashgab'], 'banger': ['banger', 'engarb', 'graben'], 'banghy': ['banghy', 'hangby'], 'bangia': ['bagani', 'bangia', 'ibanag'], 'bangle': ['bangle', 'bengal'], 'bani': ['bain', 'bani', 'iban'], 'banilad': ['balanid', 'banilad'], 'banisher': ['banisher', 'rebanish'], 'baniva': ['baniva', 'bavian'], 'baniya': ['baniya', 'banyai'], 'banjoist': ['banjoist', 'bostanji'], 'bank': ['bank', 'knab', 'nabk'], 'banker': ['banker', 'barken'], 'banshee': ['banshee', 'benshea'], 'bantam': ['bantam', 'batman'], 'banteng': ['banteng', 'bentang'], 'banyai': ['baniya', 'banyai'], 'banzai': ['banzai', 'zabian'], 'bar': ['bar', 'bra', 'rab'], 'bara': ['arab', 'arba', 'baar', 'bara'], 'barabra': ['barabra', 'barbara'], 'barad': ['barad', 'draba'], 'barb': ['barb', 'brab'], 'barbara': ['barabra', 'barbara'], 'barbe': ['barbe', 'bebar', 'breba', 'rebab'], 'barbed': ['barbed', 'dabber'], 'barbel': ['barbel', 'labber', 'rabble'], 'barbet': ['barbet', 'rabbet', 'tabber'], 'barbette': ['barbette', 'bebatter'], 'barbion': ['barbion', 'rabboni'], 'barbitone': ['barbitone', 'barbotine'], 'barbone': ['barbone', 'bebaron'], 'barbotine': ['barbitone', 'barbotine'], 'barcella': ['barcella', 'caballer'], 'barcoo': ['barcoo', 'baroco'], 'bard': ['bard', 'brad', 'drab'], 'bardel': ['balder', 'bardel', 'bedlar', 'bedral', 'belard', 'blader'], 'bardie': ['abider', 'bardie'], 'bardily': ['bardily', 'rabidly', 'ridably'], 'bardiness': ['bardiness', 'rabidness'], 'barding': ['barding', 'brigand'], 'bardo': ['abord', 'bardo', 'board', 'broad', 'dobra', 'dorab'], 'bardy': ['bardy', 'darby'], 'bare': ['bare', 'bear', 'brae'], 'barefaced': ['barefaced', 'facebread'], 'barefoot': ['barefoot', 'bearfoot'], 'barehanded': ['barehanded', 'bradenhead', 'headbander'], 'barehead': ['barehead', 'braehead'], 'barely': ['barely', 'barley', 'bleary'], 'barer': ['barer', 'rebar'], 'baretta': ['baretta', 'rabatte', 'tabaret'], 'bargainer': ['bargainer', 'rebargain'], 'barge': ['bagre', 'barge', 'begar', 'rebag'], 'bargeer': ['bargeer', 'gerbera'], 'bargeese': ['bargeese', 'begrease'], 'bari': ['abir', 'bari', 'rabi'], 'baric': ['baric', 'carib', 'rabic'], 'barid': ['barid', 'bidar', 'braid', 'rabid'], 'barie': ['barie', 'beira', 'erbia', 'rebia'], 'barile': ['bailer', 'barile'], 'baris': ['baris', 'sabir'], 'barish': ['barish', 'shibar'], 'barit': ['barit', 'ribat'], 'barite': ['baiter', 'barite', 'rebait', 'terbia'], 'baritone': ['abrotine', 'baritone', 'obtainer', 'reobtain'], 'barken': ['banker', 'barken'], 'barker': ['barker', 'braker'], 'barkey': ['bakery', 'barkey'], 'barkle': ['balker', 'barkle'], 'barky': ['barky', 'braky'], 'barley': ['barely', 'barley', 'bleary'], 'barling': ['barling', 'bringal'], 'barm': ['barm', 'bram'], 'barmbrack': ['barmbrack', 'brambrack'], 'barmote': ['barmote', 'bromate'], 'barmy': ['ambry', 'barmy'], 'barn': ['barn', 'bran'], 'barnabite': ['barnabite', 'rabbanite', 'rabbinate'], 'barnacle': ['balancer', 'barnacle'], 'barney': ['barney', 'nearby'], 'barny': ['barny', 'bryan'], 'baroco': ['barcoo', 'baroco'], 'barolo': ['barolo', 'robalo'], 'baron': ['baron', 'boran'], 'baronet': ['baronet', 'reboant'], 'barong': ['barong', 'brogan'], 'barosmin': ['ambrosin', 'barosmin', 'sabromin'], 'barothermograph': ['barothermograph', 'thermobarograph'], 'barotse': ['barotse', 'boaster', 'reboast', 'sorbate'], 'barpost': ['absorpt', 'barpost'], 'barracan': ['barracan', 'barranca'], 'barranca': ['barracan', 'barranca'], 'barrelet': ['barrelet', 'terebral'], 'barret': ['barret', 'barter'], 'barrette': ['barrette', 'batterer'], 'barrio': ['barrio', 'brairo'], 'barsac': ['barsac', 'scarab'], 'barse': ['barse', 'besra', 'saber', 'serab'], 'bart': ['bart', 'brat'], 'barter': ['barret', 'barter'], 'barton': ['barton', 'brotan'], 'bartsia': ['arabist', 'bartsia'], 'barundi': ['barundi', 'unbraid'], 'barvel': ['barvel', 'blaver', 'verbal'], 'barwise': ['barwise', 'swarbie'], 'barye': ['barye', 'beray', 'yerba'], 'baryta': ['baryta', 'taryba'], 'barytine': ['barytine', 'bryanite'], 'baryton': ['baryton', 'brotany'], 'bas': ['bas', 'sab'], 'basal': ['balas', 'balsa', 'basal', 'sabal'], 'basally': ['basally', 'salably'], 'basaltic': ['basaltic', 'cabalist'], 'basaltine': ['balanites', 'basaltine', 'stainable'], 'base': ['base', 'besa', 'sabe', 'seba'], 'basella': ['basella', 'sabella', 'salable'], 'bash': ['bash', 'shab'], 'basial': ['basial', 'blasia'], 'basic': ['bacis', 'basic'], 'basically': ['asyllabic', 'basically'], 'basidium': ['basidium', 'diiambus'], 'basil': ['basil', 'labis'], 'basileus': ['basileus', 'issuable', 'suasible'], 'basilweed': ['basilweed', 'bladewise'], 'basinasal': ['basinasal', 'bassalian'], 'basinet': ['basinet', 'besaint', 'bestain'], 'basion': ['basion', 'bonsai', 'sabino'], 'basiparachromatin': ['basiparachromatin', 'marsipobranchiata'], 'basket': ['basket', 'betask'], 'basketwork': ['basketwork', 'workbasket'], 'basos': ['basos', 'basso'], 'bassalian': ['basinasal', 'bassalian'], 'bassanite': ['bassanite', 'sebastian'], 'basset': ['asbest', 'basset'], 'basso': ['basos', 'basso'], 'bast': ['bast', 'bats', 'stab'], 'basta': ['basta', 'staab'], 'baste': ['baste', 'beast', 'tabes'], 'basten': ['absent', 'basten'], 'baster': ['baster', 'bestar', 'breast'], 'bastille': ['bastille', 'listable'], 'bastion': ['abiston', 'bastion'], 'bastionet': ['bastionet', 'obstinate'], 'bastite': ['bastite', 'batiste', 'bistate'], 'basto': ['basto', 'boast', 'sabot'], 'basuto': ['abouts', 'basuto'], 'bat': ['bat', 'tab'], 'batad': ['abdat', 'batad'], 'batakan': ['bakatan', 'batakan'], 'bataleur': ['bataleur', 'tabulare'], 'batan': ['banat', 'batan'], 'batara': ['artaba', 'batara'], 'batcher': ['batcher', 'berchta', 'brachet'], 'bate': ['abet', 'bate', 'beat', 'beta'], 'batea': ['abate', 'ateba', 'batea', 'beata'], 'batel': ['batel', 'blate', 'bleat', 'table'], 'batement': ['abetment', 'batement'], 'bater': ['abret', 'bater', 'berat'], 'batfowler': ['afterblow', 'batfowler'], 'bath': ['baht', 'bath', 'bhat'], 'bathala': ['baalath', 'bathala'], 'bathe': ['bathe', 'beath'], 'bather': ['bather', 'bertha', 'breath'], 'bathonian': ['bathonian', 'nabothian'], 'batik': ['batik', 'kitab'], 'batino': ['batino', 'oatbin', 'obtain'], 'batis': ['absit', 'batis'], 'batiste': ['bastite', 'batiste', 'bistate'], 'batling': ['batling', 'tabling'], 'batman': ['bantam', 'batman'], 'batophobia': ['batophobia', 'tabophobia'], 'batrachia': ['batrachia', 'brachiata'], 'batrachian': ['batrachian', 'branchiata'], 'bats': ['bast', 'bats', 'stab'], 'battel': ['battel', 'battle', 'tablet'], 'batteler': ['batteler', 'berattle'], 'battening': ['battening', 'bitangent'], 'batter': ['batter', 'bertat', 'tabret', 'tarbet'], 'batterer': ['barrette', 'batterer'], 'battle': ['battel', 'battle', 'tablet'], 'battler': ['battler', 'blatter', 'brattle'], 'battue': ['battue', 'tubate'], 'batule': ['batule', 'betula', 'tabule'], 'batyphone': ['batyphone', 'hypnobate'], 'batzen': ['batzen', 'bezant', 'tanzeb'], 'baud': ['baud', 'buda', 'daub'], 'baul': ['balu', 'baul', 'bual', 'luba'], 'baun': ['baun', 'buna', 'nabu', 'nuba'], 'bauta': ['abuta', 'bauta'], 'bavian': ['baniva', 'bavian'], 'baw': ['baw', 'wab'], 'bawl': ['bawl', 'blaw'], 'bawler': ['bawler', 'brelaw', 'rebawl', 'warble'], 'bay': ['aby', 'bay'], 'baya': ['baya', 'yaba'], 'bayed': ['bayed', 'beady', 'beday'], 'baylet': ['baetyl', 'baylet', 'bleaty'], 'bayonet': ['bayonet', 'betoyan'], 'baze': ['baze', 'ezba'], 'bea': ['abe', 'bae', 'bea'], 'beach': ['bache', 'beach'], 'bead': ['abed', 'bade', 'bead'], 'beaded': ['beaded', 'bedead'], 'beader': ['beader', 'bedare'], 'beadleism': ['beadleism', 'demisable'], 'beadlet': ['beadlet', 'belated'], 'beady': ['bayed', 'beady', 'beday'], 'beagle': ['beagle', 'belage', 'belgae'], 'beak': ['bake', 'beak'], 'beaker': ['beaker', 'berake', 'rebake'], 'beal': ['abel', 'able', 'albe', 'bale', 'beal', 'bela', 'blae'], 'bealing': ['algenib', 'bealing', 'belgian', 'bengali'], 'beam': ['beam', 'bema'], 'beamer': ['ambeer', 'beamer'], 'beamless': ['assemble', 'beamless'], 'beamster': ['beamster', 'bemaster', 'bestream'], 'beamwork': ['beamwork', 'bowmaker'], 'beamy': ['beamy', 'embay', 'maybe'], 'bean': ['bane', 'bean', 'bena'], 'beanfield': ['beanfield', 'definable'], 'beant': ['abnet', 'beant'], 'bear': ['bare', 'bear', 'brae'], 'bearance': ['bearance', 'carabeen'], 'beard': ['ardeb', 'beard', 'bread', 'debar'], 'beardless': ['beardless', 'breadless'], 'beardlessness': ['beardlessness', 'breadlessness'], 'bearer': ['bearer', 'rebear'], 'bearess': ['bearess', 'bessera'], 'bearfoot': ['barefoot', 'bearfoot'], 'bearing': ['bearing', 'begrain', 'brainge', 'rigbane'], 'bearlet': ['bearlet', 'bleater', 'elberta', 'retable'], 'bearm': ['amber', 'bearm', 'bemar', 'bream', 'embar'], 'beast': ['baste', 'beast', 'tabes'], 'beastlily': ['beastlily', 'bestially'], 'beat': ['abet', 'bate', 'beat', 'beta'], 'beata': ['abate', 'ateba', 'batea', 'beata'], 'beater': ['beater', 'berate', 'betear', 'rebate', 'rebeat'], 'beath': ['bathe', 'beath'], 'beating': ['baignet', 'beating'], 'beau': ['aube', 'beau'], 'bebait': ['babite', 'bebait'], 'bebar': ['barbe', 'bebar', 'breba', 'rebab'], 'bebaron': ['barbone', 'bebaron'], 'bebaste': ['bebaste', 'bebeast'], 'bebatter': ['barbette', 'bebatter'], 'bebay': ['abbey', 'bebay'], 'bebeast': ['bebaste', 'bebeast'], 'bebog': ['bebog', 'begob', 'gobbe'], 'becard': ['becard', 'braced'], 'becater': ['becater', 'betrace'], 'because': ['because', 'besauce'], 'becharm': ['becharm', 'brecham', 'chamber'], 'becher': ['becher', 'breech'], 'bechern': ['bechern', 'bencher'], 'bechirp': ['bechirp', 'brephic'], 'becker': ['becker', 'rebeck'], 'beclad': ['beclad', 'cabled'], 'beclart': ['beclart', 'crablet'], 'becloud': ['becloud', 'obclude'], 'becram': ['becram', 'camber', 'crambe'], 'becrimson': ['becrimson', 'scombrine'], 'becry': ['becry', 'bryce'], 'bed': ['bed', 'deb'], 'bedamn': ['bedamn', 'bedman'], 'bedare': ['beader', 'bedare'], 'bedark': ['bedark', 'debark'], 'beday': ['bayed', 'beady', 'beday'], 'bedead': ['beaded', 'bedead'], 'bedel': ['bedel', 'bleed'], 'beden': ['beden', 'deben', 'deneb'], 'bedim': ['bedim', 'imbed'], 'bedip': ['bedip', 'biped'], 'bedismal': ['bedismal', 'semibald'], 'bedlam': ['bedlam', 'beldam', 'blamed'], 'bedlar': ['balder', 'bardel', 'bedlar', 'bedral', 'belard', 'blader'], 'bedless': ['bedless', 'blessed'], 'bedman': ['bedamn', 'bedman'], 'bedoctor': ['bedoctor', 'codebtor'], 'bedog': ['bedog', 'bodge'], 'bedrail': ['bedrail', 'bridale', 'ridable'], 'bedral': ['balder', 'bardel', 'bedlar', 'bedral', 'belard', 'blader'], 'bedrid': ['bedrid', 'bidder'], 'bedrip': ['bedrip', 'prebid'], 'bedrock': ['bedrock', 'brocked'], 'bedroom': ['bedroom', 'boerdom', 'boredom'], 'bedrown': ['bedrown', 'browden'], 'bedrug': ['bedrug', 'budger'], 'bedsick': ['bedsick', 'sickbed'], 'beduck': ['beduck', 'bucked'], 'bedur': ['bedur', 'rebud', 'redub'], 'bedusk': ['bedusk', 'busked'], 'bedust': ['bedust', 'bestud', 'busted'], 'beearn': ['beearn', 'berean'], 'beeman': ['beeman', 'bemean', 'bename'], 'been': ['been', 'bene', 'eben'], 'beer': ['beer', 'bere', 'bree'], 'beest': ['beest', 'beset'], 'beeswing': ['beeswing', 'beswinge'], 'befathered': ['befathered', 'featherbed'], 'befile': ['befile', 'belief'], 'befinger': ['befinger', 'befringe'], 'beflea': ['beflea', 'beleaf'], 'beflour': ['beflour', 'fourble'], 'beflum': ['beflum', 'fumble'], 'befret': ['befret', 'bereft'], 'befringe': ['befinger', 'befringe'], 'begad': ['badge', 'begad'], 'begall': ['begall', 'glebal'], 'begar': ['bagre', 'barge', 'begar', 'rebag'], 'begash': ['begash', 'beshag'], 'begat': ['begat', 'betag'], 'begettal': ['begettal', 'gettable'], 'beggar': ['bagger', 'beggar'], 'beggarer': ['beggarer', 'rebeggar'], 'begin': ['begin', 'being', 'binge'], 'begird': ['begird', 'bridge'], 'beglic': ['beglic', 'belgic'], 'bego': ['bego', 'egbo'], 'begob': ['bebog', 'begob', 'gobbe'], 'begone': ['begone', 'engobe'], 'begrain': ['bearing', 'begrain', 'brainge', 'rigbane'], 'begrease': ['bargeese', 'begrease'], 'behaviorism': ['behaviorism', 'misbehavior'], 'behears': ['behears', 'beshear'], 'behint': ['behint', 'henbit'], 'beholder': ['beholder', 'rebehold'], 'behorn': ['behorn', 'brehon'], 'beid': ['beid', 'bide', 'debi', 'dieb'], 'being': ['begin', 'being', 'binge'], 'beira': ['barie', 'beira', 'erbia', 'rebia'], 'beisa': ['abies', 'beisa'], 'bel': ['bel', 'elb'], 'bela': ['abel', 'able', 'albe', 'bale', 'beal', 'bela', 'blae'], 'belabor': ['belabor', 'borable'], 'belaced': ['belaced', 'debacle'], 'belage': ['beagle', 'belage', 'belgae'], 'belait': ['albeit', 'albite', 'baltei', 'belait', 'betail', 'bletia', 'libate'], 'belam': ['amble', 'belam', 'blame', 'mabel'], 'belar': ['abler', 'baler', 'belar', 'blare', 'blear'], 'belard': ['balder', 'bardel', 'bedlar', 'bedral', 'belard', 'blader'], 'belate': ['balete', 'belate'], 'belated': ['beadlet', 'belated'], 'belaud': ['ablude', 'belaud'], 'beldam': ['bedlam', 'beldam', 'blamed'], 'beleaf': ['beflea', 'beleaf'], 'beleap': ['beleap', 'bepale'], 'belga': ['bagel', 'belga', 'gable', 'gleba'], 'belgae': ['beagle', 'belage', 'belgae'], 'belgian': ['algenib', 'bealing', 'belgian', 'bengali'], 'belgic': ['beglic', 'belgic'], 'belial': ['alible', 'belial', 'labile', 'liable'], 'belief': ['befile', 'belief'], 'belili': ['belili', 'billie'], 'belite': ['belite', 'beltie', 'bietle'], 'belitter': ['belitter', 'tribelet'], 'belive': ['belive', 'beveil'], 'bella': ['bella', 'label'], 'bellied': ['bellied', 'delible'], 'bellona': ['allbone', 'bellona'], 'bellonian': ['bellonian', 'nonliable'], 'bellote': ['bellote', 'lobelet'], 'bellower': ['bellower', 'rebellow'], 'belltail': ['belltail', 'bletilla', 'tillable'], 'bellyer': ['bellyer', 'rebelly'], 'bellypinch': ['bellypinch', 'pinchbelly'], 'beloid': ['beloid', 'boiled', 'bolide'], 'belonger': ['belonger', 'rebelong'], 'belonid': ['belonid', 'boldine'], 'belord': ['belord', 'bordel', 'rebold'], 'below': ['below', 'bowel', 'elbow'], 'belt': ['belt', 'blet'], 'beltane': ['beltane', 'tenable'], 'belter': ['belter', 'elbert', 'treble'], 'beltie': ['belite', 'beltie', 'bietle'], 'beltine': ['beltine', 'tenible'], 'beltir': ['beltir', 'riblet'], 'beltman': ['beltman', 'lambent'], 'belve': ['belve', 'bevel'], 'bema': ['beam', 'bema'], 'bemail': ['bemail', 'lambie'], 'beman': ['beman', 'nambe'], 'bemar': ['amber', 'bearm', 'bemar', 'bream', 'embar'], 'bemaster': ['beamster', 'bemaster', 'bestream'], 'bemaul': ['bemaul', 'blumea'], 'bemeal': ['bemeal', 'meable'], 'bemean': ['beeman', 'bemean', 'bename'], 'bemire': ['bemire', 'bireme'], 'bemitred': ['bemitred', 'timbered'], 'bemoil': ['bemoil', 'mobile'], 'bemole': ['bemole', 'embole'], 'bemusk': ['bemusk', 'embusk'], 'ben': ['ben', 'neb'], 'bena': ['bane', 'bean', 'bena'], 'benacus': ['acubens', 'benacus'], 'bename': ['beeman', 'bemean', 'bename'], 'benami': ['benami', 'bimane'], 'bencher': ['bechern', 'bencher'], 'benchwork': ['benchwork', 'workbench'], 'benda': ['bande', 'benda'], 'bender': ['bender', 'berend', 'rebend'], 'bene': ['been', 'bene', 'eben'], 'benedight': ['benedight', 'benighted'], 'benefiter': ['benefiter', 'rebenefit'], 'bengal': ['bangle', 'bengal'], 'bengali': ['algenib', 'bealing', 'belgian', 'bengali'], 'beni': ['beni', 'bien', 'bine', 'inbe'], 'benighted': ['benedight', 'benighted'], 'beno': ['beno', 'bone', 'ebon'], 'benote': ['benote', 'betone'], 'benshea': ['banshee', 'benshea'], 'benshee': ['benshee', 'shebeen'], 'bentang': ['banteng', 'bentang'], 'benton': ['benton', 'bonnet'], 'benu': ['benu', 'unbe'], 'benward': ['benward', 'brawned'], 'benzantialdoxime': ['antibenzaldoxime', 'benzantialdoxime'], 'benzein': ['benzein', 'benzine'], 'benzine': ['benzein', 'benzine'], 'benzo': ['benzo', 'bonze'], 'benzofluorene': ['benzofluorene', 'fluorobenzene'], 'benzonitrol': ['benzonitrol', 'nitrobenzol'], 'bepale': ['beleap', 'bepale'], 'bepart': ['bepart', 'berapt', 'betrap'], 'bepaste': ['bepaste', 'bespate'], 'bepester': ['bepester', 'prebeset'], 'beplaster': ['beplaster', 'prestable'], 'ber': ['ber', 'reb'], 'berake': ['beaker', 'berake', 'rebake'], 'berapt': ['bepart', 'berapt', 'betrap'], 'berat': ['abret', 'bater', 'berat'], 'berate': ['beater', 'berate', 'betear', 'rebate', 'rebeat'], 'berattle': ['batteler', 'berattle'], 'beraunite': ['beraunite', 'unebriate'], 'beray': ['barye', 'beray', 'yerba'], 'berberi': ['berberi', 'rebribe'], 'berchta': ['batcher', 'berchta', 'brachet'], 'bere': ['beer', 'bere', 'bree'], 'berean': ['beearn', 'berean'], 'bereft': ['befret', 'bereft'], 'berend': ['bender', 'berend', 'rebend'], 'berg': ['berg', 'gerb'], 'bergama': ['bergama', 'megabar'], 'bergamo': ['bergamo', 'embargo'], 'beri': ['beri', 'bier', 'brei', 'ribe'], 'beringed': ['beringed', 'breeding'], 'berinse': ['berinse', 'besiren'], 'berley': ['berley', 'bleery'], 'berlinite': ['berlinite', 'libertine'], 'bermudite': ['bermudite', 'demibrute'], 'bernard': ['bernard', 'brander', 'rebrand'], 'bernese': ['bernese', 'besneer'], 'beroe': ['beroe', 'boree'], 'beroida': ['beroida', 'boreiad'], 'beroll': ['beroll', 'boller'], 'berossos': ['berossos', 'obsessor'], 'beround': ['beround', 'bounder', 'rebound', 'unbored', 'unorbed', 'unrobed'], 'berri': ['berri', 'brier'], 'berried': ['berried', 'briered'], 'berrybush': ['berrybush', 'shrubbery'], 'bersil': ['bersil', 'birsle'], 'bert': ['bert', 'bret'], 'bertat': ['batter', 'bertat', 'tabret', 'tarbet'], 'berth': ['berth', 'breth'], 'bertha': ['bather', 'bertha', 'breath'], 'berther': ['berther', 'herbert'], 'berthing': ['berthing', 'brighten'], 'bertie': ['bertie', 'betire', 'rebite'], 'bertolonia': ['bertolonia', 'borolanite'], 'berust': ['berust', 'buster', 'stuber'], 'bervie': ['bervie', 'brieve'], 'beryllia': ['beryllia', 'reliably'], 'besa': ['base', 'besa', 'sabe', 'seba'], 'besaiel': ['baleise', 'besaiel'], 'besaint': ['basinet', 'besaint', 'bestain'], 'besauce': ['because', 'besauce'], 'bescour': ['bescour', 'buceros', 'obscure'], 'beset': ['beest', 'beset'], 'beshadow': ['beshadow', 'bodewash'], 'beshag': ['begash', 'beshag'], 'beshear': ['behears', 'beshear'], 'beshod': ['beshod', 'debosh'], 'besiren': ['berinse', 'besiren'], 'besit': ['besit', 'betis'], 'beslaver': ['beslaver', 'servable', 'versable'], 'beslime': ['beslime', 'besmile'], 'beslings': ['beslings', 'blessing', 'glibness'], 'beslow': ['beslow', 'bowels'], 'besmile': ['beslime', 'besmile'], 'besneer': ['bernese', 'besneer'], 'besoot': ['besoot', 'bootes'], 'besot': ['besot', 'betso'], 'besoul': ['besoul', 'blouse', 'obelus'], 'besour': ['besour', 'boreus', 'bourse', 'bouser'], 'bespate': ['bepaste', 'bespate'], 'besra': ['barse', 'besra', 'saber', 'serab'], 'bessera': ['bearess', 'bessera'], 'bestain': ['basinet', 'besaint', 'bestain'], 'bestar': ['baster', 'bestar', 'breast'], 'besteer': ['besteer', 'rebeset'], 'bestial': ['astilbe', 'bestial', 'blastie', 'stabile'], 'bestially': ['beastlily', 'bestially'], 'bestiarian': ['antirabies', 'bestiarian'], 'bestiary': ['bestiary', 'sybarite'], 'bestir': ['bestir', 'bister'], 'bestorm': ['bestorm', 'mobster'], 'bestowal': ['bestowal', 'stowable'], 'bestower': ['bestower', 'rebestow'], 'bestraw': ['bestraw', 'wabster'], 'bestream': ['beamster', 'bemaster', 'bestream'], 'bestrew': ['bestrew', 'webster'], 'bestride': ['bestride', 'bistered'], 'bestud': ['bedust', 'bestud', 'busted'], 'beswinge': ['beeswing', 'beswinge'], 'beta': ['abet', 'bate', 'beat', 'beta'], 'betag': ['begat', 'betag'], 'betail': ['albeit', 'albite', 'baltei', 'belait', 'betail', 'bletia', 'libate'], 'betailor': ['betailor', 'laborite', 'orbitale'], 'betask': ['basket', 'betask'], 'betear': ['beater', 'berate', 'betear', 'rebate', 'rebeat'], 'beth': ['beth', 'theb'], 'betire': ['bertie', 'betire', 'rebite'], 'betis': ['besit', 'betis'], 'betone': ['benote', 'betone'], 'betoss': ['betoss', 'bosset'], 'betoya': ['betoya', 'teaboy'], 'betoyan': ['bayonet', 'betoyan'], 'betrace': ['becater', 'betrace'], 'betrail': ['betrail', 'librate', 'triable', 'trilabe'], 'betrap': ['bepart', 'berapt', 'betrap'], 'betrayal': ['betrayal', 'tearably'], 'betrayer': ['betrayer', 'eatberry', 'rebetray', 'teaberry'], 'betread': ['betread', 'debater'], 'betrim': ['betrim', 'timber', 'timbre'], 'betso': ['besot', 'betso'], 'betta': ['betta', 'tabet'], 'bettina': ['bettina', 'tabinet', 'tibetan'], 'betula': ['batule', 'betula', 'tabule'], 'betulin': ['betulin', 'bluntie'], 'beturbaned': ['beturbaned', 'unrabbeted'], 'beveil': ['belive', 'beveil'], 'bevel': ['belve', 'bevel'], 'bever': ['bever', 'breve'], 'bewailer': ['bewailer', 'rebewail'], 'bework': ['bework', 'bowker'], 'bey': ['bey', 'bye'], 'beydom': ['beydom', 'embody'], 'bezant': ['batzen', 'bezant', 'tanzeb'], 'bezzo': ['bezzo', 'bozze'], 'bhakti': ['bhakti', 'khatib'], 'bhandari': ['bhandari', 'hairband'], 'bhar': ['bhar', 'harb'], 'bhara': ['bahar', 'bhara'], 'bhat': ['baht', 'bath', 'bhat'], 'bhima': ['bhima', 'biham'], 'bhotia': ['bhotia', 'tobiah'], 'bhutani': ['bhutani', 'unhabit'], 'biacetyl': ['baetylic', 'biacetyl'], 'bialate': ['baalite', 'bialate', 'labiate'], 'bialveolar': ['bialveolar', 'labiovelar'], 'bianca': ['abanic', 'bianca'], 'bianco': ['bianco', 'bonaci'], 'biangular': ['biangular', 'bulgarian'], 'bias': ['absi', 'bais', 'bias', 'isba'], 'biatomic': ['biatomic', 'moabitic'], 'bible': ['bible', 'blibe'], 'bicarpellary': ['bicarpellary', 'prebacillary'], 'bickern': ['bickern', 'bricken'], 'biclavate': ['activable', 'biclavate'], 'bicorn': ['bicorn', 'bicron'], 'bicornate': ['bicornate', 'carbonite', 'reboantic'], 'bicrenate': ['abenteric', 'bicrenate'], 'bicron': ['bicorn', 'bicron'], 'bicrural': ['bicrural', 'rubrical'], 'bid': ['bid', 'dib'], 'bidar': ['barid', 'bidar', 'braid', 'rabid'], 'bidder': ['bedrid', 'bidder'], 'bide': ['beid', 'bide', 'debi', 'dieb'], 'bident': ['bident', 'indebt'], 'bidented': ['bidented', 'indebted'], 'bider': ['bider', 'bredi', 'bride', 'rebid'], 'bidet': ['bidet', 'debit'], 'biduous': ['biduous', 'dubious'], 'bien': ['beni', 'bien', 'bine', 'inbe'], 'bier': ['beri', 'bier', 'brei', 'ribe'], 'bietle': ['belite', 'beltie', 'bietle'], 'bifer': ['bifer', 'brief', 'fiber'], 'big': ['big', 'gib'], 'biga': ['agib', 'biga', 'gabi'], 'bigamous': ['bigamous', 'subimago'], 'bigener': ['bigener', 'rebegin'], 'bigential': ['bigential', 'tangibile'], 'biggin': ['biggin', 'gibing'], 'bigoted': ['bigoted', 'dogbite'], 'biham': ['bhima', 'biham'], 'bihari': ['bihari', 'habiri'], 'bike': ['bike', 'kibe'], 'bikram': ['bikram', 'imbark'], 'bilaan': ['albian', 'bilaan'], 'bilaterality': ['alterability', 'bilaterality', 'relatability'], 'bilati': ['bilati', 'tibial'], 'bilby': ['bilby', 'libby'], 'bildar': ['bildar', 'bridal', 'ribald'], 'bilge': ['bilge', 'gibel'], 'biliate': ['biliate', 'tibiale'], 'bilinear': ['bilinear', 'liberian'], 'billa': ['balli', 'billa'], 'billboard': ['billboard', 'broadbill'], 'biller': ['biller', 'rebill'], 'billeter': ['billeter', 'rebillet'], 'billie': ['belili', 'billie'], 'bilo': ['bilo', 'boil'], 'bilobated': ['bilobated', 'bobtailed'], 'biltong': ['biltong', 'bolting'], 'bim': ['bim', 'mib'], 'bimane': ['benami', 'bimane'], 'bimodality': ['bimodality', 'myliobatid'], 'bimotors': ['bimotors', 'robotism'], 'bin': ['bin', 'nib'], 'binal': ['albin', 'binal', 'blain'], 'binary': ['binary', 'brainy'], 'binder': ['binder', 'inbred', 'rebind'], 'bindwood': ['bindwood', 'woodbind'], 'bine': ['beni', 'bien', 'bine', 'inbe'], 'binge': ['begin', 'being', 'binge'], 'bino': ['bino', 'bion', 'boni'], 'binocular': ['binocular', 'caliburno', 'colubrina'], 'binomial': ['binomial', 'mobilian'], 'binuclear': ['binuclear', 'incurable'], 'biod': ['biod', 'boid'], 'bion': ['bino', 'bion', 'boni'], 'biopsychological': ['biopsychological', 'psychobiological'], 'biopsychology': ['biopsychology', 'psychobiology'], 'bioral': ['bailor', 'bioral'], 'biorgan': ['biorgan', 'grobian'], 'bios': ['bios', 'bois'], 'biosociological': ['biosociological', 'sociobiological'], 'biota': ['biota', 'ibota'], 'biotics': ['biotics', 'cobitis'], 'bipartile': ['bipartile', 'pretibial'], 'biped': ['bedip', 'biped'], 'bipedal': ['bipedal', 'piebald'], 'bipersonal': ['bipersonal', 'prisonable'], 'bipolar': ['bipolar', 'parboil'], 'biracial': ['biracial', 'cibarial'], 'birchen': ['birchen', 'brichen'], 'bird': ['bird', 'drib'], 'birdeen': ['birdeen', 'inbreed'], 'birdlet': ['birdlet', 'driblet'], 'birdling': ['birdling', 'bridling', 'lingbird'], 'birdman': ['birdman', 'manbird'], 'birdseed': ['birdseed', 'seedbird'], 'birdstone': ['birdstone', 'stonebird'], 'bireme': ['bemire', 'bireme'], 'biretta': ['biretta', 'brattie', 'ratbite'], 'birle': ['birle', 'liber'], 'birma': ['abrim', 'birma'], 'birn': ['birn', 'brin'], 'birny': ['birny', 'briny'], 'biron': ['biron', 'inorb', 'robin'], 'birse': ['birse', 'ribes'], 'birsle': ['bersil', 'birsle'], 'birth': ['birth', 'brith'], 'bis': ['bis', 'sib'], 'bisalt': ['baltis', 'bisalt'], 'bisaltae': ['bisaltae', 'satiable'], 'bisharin': ['bairnish', 'bisharin'], 'bistate': ['bastite', 'batiste', 'bistate'], 'bister': ['bestir', 'bister'], 'bistered': ['bestride', 'bistered'], 'bisti': ['bisti', 'bitis'], 'bisulcate': ['baculites', 'bisulcate'], 'bit': ['bit', 'tib'], 'bitangent': ['battening', 'bitangent'], 'bitemporal': ['bitemporal', 'importable'], 'biter': ['biter', 'tribe'], 'bitis': ['bisti', 'bitis'], 'bito': ['bito', 'obit'], 'bitonality': ['bitonality', 'notability'], 'bittern': ['bittern', 'britten'], 'bitumed': ['bitumed', 'budtime'], 'biurate': ['abiuret', 'aubrite', 'biurate', 'rubiate'], 'biwa': ['biwa', 'wabi'], 'bizarre': ['bizarre', 'brazier'], 'bizet': ['bizet', 'zibet'], 'blabber': ['babbler', 'blabber', 'brabble'], 'blackacre': ['blackacre', 'crackable'], 'blad': ['bald', 'blad'], 'blader': ['balder', 'bardel', 'bedlar', 'bedral', 'belard', 'blader'], 'bladewise': ['basilweed', 'bladewise'], 'bladish': ['baldish', 'bladish'], 'blady': ['badly', 'baldy', 'blady'], 'blae': ['abel', 'able', 'albe', 'bale', 'beal', 'bela', 'blae'], 'blaeberry': ['blaeberry', 'bleaberry'], 'blaeness': ['ableness', 'blaeness', 'sensable'], 'blain': ['albin', 'binal', 'blain'], 'blaine': ['baline', 'blaine'], 'blair': ['blair', 'brail', 'libra'], 'blake': ['blake', 'bleak', 'kabel'], 'blame': ['amble', 'belam', 'blame', 'mabel'], 'blamed': ['bedlam', 'beldam', 'blamed'], 'blamer': ['ambler', 'blamer', 'lamber', 'marble', 'ramble'], 'blaming': ['ambling', 'blaming'], 'blamingly': ['amblingly', 'blamingly'], 'blanca': ['bancal', 'blanca'], 'blare': ['abler', 'baler', 'belar', 'blare', 'blear'], 'blarina': ['blarina', 'branial'], 'blarney': ['blarney', 'renably'], 'blas': ['blas', 'slab'], 'blase': ['blase', 'sable'], 'blasia': ['basial', 'blasia'], 'blastema': ['blastema', 'lambaste'], 'blastemic': ['blastemic', 'cembalist'], 'blaster': ['blaster', 'reblast', 'stabler'], 'blastie': ['astilbe', 'bestial', 'blastie', 'stabile'], 'blasting': ['blasting', 'stabling'], 'blastoderm': ['blastoderm', 'dermoblast'], 'blastogenic': ['blastogenic', 'genoblastic'], 'blastomeric': ['blastomeric', 'meroblastic'], 'blastomycetic': ['blastomycetic', 'cytoblastemic'], 'blastomycetous': ['blastomycetous', 'cytoblastemous'], 'blasty': ['blasty', 'stably'], 'blat': ['balt', 'blat'], 'blate': ['batel', 'blate', 'bleat', 'table'], 'blather': ['blather', 'halbert'], 'blatter': ['battler', 'blatter', 'brattle'], 'blaver': ['barvel', 'blaver', 'verbal'], 'blaw': ['bawl', 'blaw'], 'blay': ['ably', 'blay', 'yalb'], 'blazoner': ['albronze', 'blazoner'], 'bleaberry': ['blaeberry', 'bleaberry'], 'bleach': ['bachel', 'bleach'], 'bleacher': ['bleacher', 'rebleach'], 'bleak': ['blake', 'bleak', 'kabel'], 'bleaky': ['bleaky', 'kabyle'], 'blear': ['abler', 'baler', 'belar', 'blare', 'blear'], 'bleared': ['bleared', 'reblade'], 'bleary': ['barely', 'barley', 'bleary'], 'bleat': ['batel', 'blate', 'bleat', 'table'], 'bleater': ['bearlet', 'bleater', 'elberta', 'retable'], 'bleating': ['bleating', 'tangible'], 'bleaty': ['baetyl', 'baylet', 'bleaty'], 'bleed': ['bedel', 'bleed'], 'bleery': ['berley', 'bleery'], 'blender': ['blender', 'reblend'], 'blendure': ['blendure', 'rebundle'], 'blennoid': ['blennoid', 'blondine'], 'blennoma': ['blennoma', 'nobleman'], 'bleo': ['bleo', 'bole', 'lobe'], 'blepharocera': ['blepharocera', 'reproachable'], 'blessed': ['bedless', 'blessed'], 'blesser': ['blesser', 'rebless'], 'blessing': ['beslings', 'blessing', 'glibness'], 'blet': ['belt', 'blet'], 'bletia': ['albeit', 'albite', 'baltei', 'belait', 'betail', 'bletia', 'libate'], 'bletilla': ['belltail', 'bletilla', 'tillable'], 'blibe': ['bible', 'blibe'], 'blighter': ['blighter', 'therblig'], 'blimy': ['blimy', 'limby'], 'blister': ['blister', 'bristle'], 'blisterwort': ['blisterwort', 'bristlewort'], 'blitter': ['blitter', 'brittle', 'triblet'], 'blo': ['blo', 'lob'], 'bloated': ['bloated', 'lobated'], 'bloater': ['alberto', 'bloater', 'latrobe'], 'bloating': ['bloating', 'obligant'], 'blocker': ['blocker', 'brockle', 'reblock'], 'blonde': ['blonde', 'bolden'], 'blondine': ['blennoid', 'blondine'], 'blood': ['blood', 'boldo'], 'bloodleaf': ['bloodleaf', 'floodable'], 'bloomer': ['bloomer', 'rebloom'], 'bloomy': ['bloomy', 'lomboy'], 'blore': ['blore', 'roble'], 'blosmy': ['blosmy', 'symbol'], 'blot': ['blot', 'bolt'], 'blotless': ['blotless', 'boltless'], 'blotter': ['blotter', 'bottler'], 'blotting': ['blotting', 'bottling'], 'blouse': ['besoul', 'blouse', 'obelus'], 'blow': ['blow', 'bowl'], 'blowback': ['backblow', 'blowback'], 'blower': ['blower', 'bowler', 'reblow', 'worble'], 'blowfly': ['blowfly', 'flyblow'], 'blowing': ['blowing', 'bowling'], 'blowout': ['blowout', 'outblow', 'outbowl'], 'blowup': ['blowup', 'upblow'], 'blowy': ['blowy', 'bowly'], 'blub': ['blub', 'bulb'], 'blubber': ['blubber', 'bubbler'], 'blue': ['blue', 'lube'], 'bluegill': ['bluegill', 'gullible'], 'bluenose': ['bluenose', 'nebulose'], 'bluer': ['bluer', 'brule', 'burel', 'ruble'], 'blues': ['blues', 'bulse'], 'bluffer': ['bluffer', 'rebluff'], 'bluishness': ['bluishness', 'blushiness'], 'bluism': ['bluism', 'limbus'], 'blumea': ['bemaul', 'blumea'], 'blunder': ['blunder', 'bundler'], 'blunderer': ['blunderer', 'reblunder'], 'blunge': ['blunge', 'bungle'], 'blunger': ['blunger', 'bungler'], 'bluntie': ['betulin', 'bluntie'], 'blur': ['blur', 'burl'], 'blushiness': ['bluishness', 'blushiness'], 'bluster': ['bluster', 'brustle', 'bustler'], 'boa': ['abo', 'boa'], 'boar': ['boar', 'bora'], 'board': ['abord', 'bardo', 'board', 'broad', 'dobra', 'dorab'], 'boarder': ['arbored', 'boarder', 'reboard'], 'boardly': ['boardly', 'broadly'], 'boardy': ['boardy', 'boyard', 'byroad'], 'boast': ['basto', 'boast', 'sabot'], 'boaster': ['barotse', 'boaster', 'reboast', 'sorbate'], 'boasting': ['boasting', 'bostangi'], 'boat': ['boat', 'bota', 'toba'], 'boater': ['boater', 'borate', 'rebato'], 'boathouse': ['boathouse', 'houseboat'], 'bobac': ['bobac', 'cabob'], 'bobfly': ['bobfly', 'flobby'], 'bobo': ['bobo', 'boob'], 'bobtailed': ['bilobated', 'bobtailed'], 'bocardo': ['bocardo', 'cordoba'], 'boccale': ['boccale', 'cabocle'], 'bocher': ['bocher', 'broche'], 'bocking': ['bocking', 'kingcob'], 'bod': ['bod', 'dob'], 'bode': ['bode', 'dobe'], 'boden': ['boden', 'boned'], 'boder': ['boder', 'orbed'], 'bodewash': ['beshadow', 'bodewash'], 'bodge': ['bedog', 'bodge'], 'bodhi': ['bodhi', 'dhobi'], 'bodice': ['bodice', 'ceboid'], 'bodier': ['bodier', 'boride', 'brodie'], 'bodle': ['bodle', 'boled', 'lobed'], 'bodo': ['bodo', 'bood', 'doob'], 'body': ['body', 'boyd', 'doby'], 'boer': ['boer', 'bore', 'robe'], 'boerdom': ['bedroom', 'boerdom', 'boredom'], 'boethian': ['boethian', 'nebaioth'], 'bog': ['bog', 'gob'], 'boga': ['bago', 'boga'], 'bogan': ['bogan', 'goban'], 'bogeyman': ['bogeyman', 'moneybag'], 'boggler': ['boggler', 'broggle'], 'boglander': ['boglander', 'longbeard'], 'bogle': ['bogle', 'globe'], 'boglet': ['boglet', 'goblet'], 'bogo': ['bogo', 'gobo'], 'bogue': ['bogue', 'bouge'], 'bogum': ['bogum', 'gumbo'], 'bogy': ['bogy', 'bygo', 'goby'], 'bohea': ['bahoe', 'bohea', 'obeah'], 'boho': ['boho', 'hobo'], 'bohor': ['bohor', 'rohob'], 'boid': ['biod', 'boid'], 'boil': ['bilo', 'boil'], 'boiled': ['beloid', 'boiled', 'bolide'], 'boiler': ['boiler', 'reboil'], 'boilover': ['boilover', 'overboil'], 'bois': ['bios', 'bois'], 'bojo': ['bojo', 'jobo'], 'bolar': ['balor', 'bolar', 'boral', 'labor', 'lobar'], 'bolden': ['blonde', 'bolden'], 'bolderian': ['bolderian', 'ordinable'], 'boldine': ['belonid', 'boldine'], 'boldness': ['boldness', 'bondless'], 'boldo': ['blood', 'boldo'], 'bole': ['bleo', 'bole', 'lobe'], 'boled': ['bodle', 'boled', 'lobed'], 'bolelia': ['bolelia', 'lobelia', 'obelial'], 'bolide': ['beloid', 'boiled', 'bolide'], 'boller': ['beroll', 'boller'], 'bolo': ['bolo', 'bool', 'lobo', 'obol'], 'bolster': ['bolster', 'lobster'], 'bolt': ['blot', 'bolt'], 'boltage': ['boltage', 'globate'], 'bolter': ['bolter', 'orblet', 'reblot', 'rebolt'], 'bolthead': ['bolthead', 'theobald'], 'bolting': ['biltong', 'bolting'], 'boltless': ['blotless', 'boltless'], 'boltonia': ['boltonia', 'lobation', 'oblation'], 'bom': ['bom', 'mob'], 'boma': ['ambo', 'boma'], 'bombable': ['bombable', 'mobbable'], 'bombacaceae': ['bombacaceae', 'cabombaceae'], 'bomber': ['bomber', 'mobber'], 'bon': ['bon', 'nob'], 'bonaci': ['bianco', 'bonaci'], 'bonair': ['bonair', 'borani'], 'bondage': ['bondage', 'dogbane'], 'bondar': ['bandor', 'bondar', 'roband'], 'bondless': ['boldness', 'bondless'], 'bone': ['beno', 'bone', 'ebon'], 'boned': ['boden', 'boned'], 'bonefish': ['bonefish', 'fishbone'], 'boneless': ['boneless', 'noblesse'], 'bonellia': ['baillone', 'bonellia'], 'boner': ['boner', 'borne'], 'boney': ['boney', 'ebony'], 'boni': ['bino', 'bion', 'boni'], 'bonitary': ['bonitary', 'trainboy'], 'bonk': ['bonk', 'knob'], 'bonnet': ['benton', 'bonnet'], 'bonsai': ['basion', 'bonsai', 'sabino'], 'bonus': ['bonus', 'bosun'], 'bony': ['bony', 'byon'], 'bonze': ['benzo', 'bonze'], 'bonzer': ['bonzer', 'bronze'], 'boob': ['bobo', 'boob'], 'bood': ['bodo', 'bood', 'doob'], 'booger': ['booger', 'goober'], 'bookcase': ['bookcase', 'casebook'], 'booker': ['booker', 'brooke', 'rebook'], 'bookland': ['bookland', 'landbook'], 'bookshop': ['bookshop', 'shopbook'], 'bookward': ['bookward', 'woodbark'], 'bookwork': ['bookwork', 'workbook'], 'bool': ['bolo', 'bool', 'lobo', 'obol'], 'booly': ['booly', 'looby'], 'boomingly': ['boomingly', 'myoglobin'], 'boopis': ['boopis', 'obispo'], 'boor': ['boor', 'boro', 'broo'], 'boort': ['boort', 'robot'], 'boost': ['boost', 'boots'], 'bootes': ['besoot', 'bootes'], 'boother': ['boother', 'theorbo'], 'boots': ['boost', 'boots'], 'bop': ['bop', 'pob'], 'bor': ['bor', 'orb', 'rob'], 'bora': ['boar', 'bora'], 'borable': ['belabor', 'borable'], 'boracic': ['boracic', 'braccio'], 'boral': ['balor', 'bolar', 'boral', 'labor', 'lobar'], 'boran': ['baron', 'boran'], 'borani': ['bonair', 'borani'], 'borate': ['boater', 'borate', 'rebato'], 'bord': ['bord', 'brod'], 'bordel': ['belord', 'bordel', 'rebold'], 'bordello': ['bordello', 'doorbell'], 'border': ['border', 'roberd'], 'borderer': ['borderer', 'broderer'], 'bordure': ['bordure', 'bourder'], 'bore': ['boer', 'bore', 'robe'], 'boredom': ['bedroom', 'boerdom', 'boredom'], 'boree': ['beroe', 'boree'], 'boreen': ['boreen', 'enrobe', 'neebor', 'rebone'], 'boreiad': ['beroida', 'boreiad'], 'boreism': ['boreism', 'semiorb'], 'borer': ['borer', 'rerob', 'rober'], 'boreus': ['besour', 'boreus', 'bourse', 'bouser'], 'borg': ['borg', 'brog', 'gorb'], 'boric': ['boric', 'cribo', 'orbic'], 'boride': ['bodier', 'boride', 'brodie'], 'boring': ['boring', 'robing'], 'boringly': ['boringly', 'goblinry'], 'borlase': ['borlase', 'labrose', 'rosabel'], 'borne': ['boner', 'borne'], 'borneo': ['borneo', 'oberon'], 'bornite': ['bornite', 'robinet'], 'boro': ['boor', 'boro', 'broo'], 'borocaine': ['borocaine', 'coenobiar'], 'borofluohydric': ['borofluohydric', 'hydrofluoboric'], 'borolanite': ['bertolonia', 'borolanite'], 'boron': ['boron', 'broon'], 'boronic': ['boronic', 'cobiron'], 'borrower': ['borrower', 'reborrow'], 'borscht': ['borscht', 'bortsch'], 'bort': ['bort', 'brot'], 'bortsch': ['borscht', 'bortsch'], 'bos': ['bos', 'sob'], 'bosc': ['bosc', 'scob'], 'boser': ['boser', 'brose', 'sober'], 'bosn': ['bosn', 'nobs', 'snob'], 'bosselation': ['bosselation', 'eosinoblast'], 'bosset': ['betoss', 'bosset'], 'bostangi': ['boasting', 'bostangi'], 'bostanji': ['banjoist', 'bostanji'], 'bosun': ['bonus', 'bosun'], 'bota': ['boat', 'bota', 'toba'], 'botanical': ['botanical', 'catabolin'], 'botanophilist': ['botanophilist', 'philobotanist'], 'bote': ['bote', 'tobe'], 'botein': ['botein', 'tobine'], 'both': ['both', 'thob'], 'bottler': ['blotter', 'bottler'], 'bottling': ['blotting', 'bottling'], 'bouge': ['bogue', 'bouge'], 'bouget': ['bouget', 'outbeg'], 'bouk': ['bouk', 'kobu'], 'boulder': ['boulder', 'doubler'], 'bouldering': ['bouldering', 'redoubling'], 'boulter': ['boulter', 'trouble'], 'bounden': ['bounden', 'unboned'], 'bounder': ['beround', 'bounder', 'rebound', 'unbored', 'unorbed', 'unrobed'], 'bounding': ['bounding', 'unboding'], 'bourder': ['bordure', 'bourder'], 'bourn': ['bourn', 'bruno'], 'bourse': ['besour', 'boreus', 'bourse', 'bouser'], 'bouser': ['besour', 'boreus', 'bourse', 'bouser'], 'bousy': ['bousy', 'byous'], 'bow': ['bow', 'wob'], 'bowel': ['below', 'bowel', 'elbow'], 'boweled': ['boweled', 'elbowed'], 'bowels': ['beslow', 'bowels'], 'bowery': ['bowery', 'bowyer', 'owerby'], 'bowie': ['bowie', 'woibe'], 'bowker': ['bework', 'bowker'], 'bowl': ['blow', 'bowl'], 'bowla': ['ablow', 'balow', 'bowla'], 'bowler': ['blower', 'bowler', 'reblow', 'worble'], 'bowling': ['blowing', 'bowling'], 'bowly': ['blowy', 'bowly'], 'bowmaker': ['beamwork', 'bowmaker'], 'bowyer': ['bowery', 'bowyer', 'owerby'], 'boxer': ['boxer', 'rebox'], 'boxwork': ['boxwork', 'workbox'], 'boyang': ['boyang', 'yagnob'], 'boyard': ['boardy', 'boyard', 'byroad'], 'boyd': ['body', 'boyd', 'doby'], 'boyship': ['boyship', 'shipboy'], 'bozo': ['bozo', 'zobo'], 'bozze': ['bezzo', 'bozze'], 'bra': ['bar', 'bra', 'rab'], 'brab': ['barb', 'brab'], 'brabble': ['babbler', 'blabber', 'brabble'], 'braca': ['acrab', 'braca'], 'braccio': ['boracic', 'braccio'], 'brace': ['acerb', 'brace', 'caber'], 'braced': ['becard', 'braced'], 'braceleted': ['braceleted', 'celebrated'], 'bracer': ['bracer', 'craber'], 'braces': ['braces', 'scrabe'], 'brachet': ['batcher', 'berchta', 'brachet'], 'brachiata': ['batrachia', 'brachiata'], 'brachiofacial': ['brachiofacial', 'faciobrachial'], 'brachiopode': ['brachiopode', 'cardiophobe'], 'bracon': ['bracon', 'carbon', 'corban'], 'bractea': ['abreact', 'bractea', 'cabaret'], 'bracteal': ['bracteal', 'cartable'], 'bracteiform': ['bacteriform', 'bracteiform'], 'bracteose': ['bracteose', 'obsecrate'], 'brad': ['bard', 'brad', 'drab'], 'bradenhead': ['barehanded', 'bradenhead', 'headbander'], 'brae': ['bare', 'bear', 'brae'], 'braehead': ['barehead', 'braehead'], 'brag': ['brag', 'garb', 'grab'], 'bragi': ['bragi', 'girba'], 'bragless': ['bragless', 'garbless'], 'brahmi': ['brahmi', 'mihrab'], 'brahui': ['brahui', 'habiru'], 'braid': ['barid', 'bidar', 'braid', 'rabid'], 'braider': ['braider', 'rebraid'], 'brail': ['blair', 'brail', 'libra'], 'braille': ['braille', 'liberal'], 'brain': ['abrin', 'bairn', 'brain', 'brian', 'rabin'], 'brainache': ['brainache', 'branchiae'], 'brainge': ['bearing', 'begrain', 'brainge', 'rigbane'], 'brainwater': ['brainwater', 'waterbrain'], 'brainy': ['binary', 'brainy'], 'braird': ['braird', 'briard'], 'brairo': ['barrio', 'brairo'], 'braise': ['braise', 'rabies', 'rebias'], 'brake': ['baker', 'brake', 'break'], 'brakeage': ['brakeage', 'breakage'], 'brakeless': ['bakerless', 'brakeless', 'breakless'], 'braker': ['barker', 'braker'], 'braky': ['barky', 'braky'], 'bram': ['barm', 'bram'], 'brambrack': ['barmbrack', 'brambrack'], 'bramia': ['bairam', 'bramia'], 'bran': ['barn', 'bran'], 'brancher': ['brancher', 'rebranch'], 'branchiae': ['brainache', 'branchiae'], 'branchiata': ['batrachian', 'branchiata'], 'branchiopoda': ['branchiopoda', 'podobranchia'], 'brander': ['bernard', 'brander', 'rebrand'], 'brandi': ['brandi', 'riband'], 'brandisher': ['brandisher', 'rebrandish'], 'branial': ['blarina', 'branial'], 'brankie': ['brankie', 'inbreak'], 'brash': ['brash', 'shrab'], 'brasiletto': ['brasiletto', 'strobilate'], 'brassie': ['brassie', 'rebasis'], 'brat': ['bart', 'brat'], 'brattie': ['biretta', 'brattie', 'ratbite'], 'brattle': ['battler', 'blatter', 'brattle'], 'braunite': ['braunite', 'urbanite', 'urbinate'], 'brave': ['brave', 'breva'], 'bravoite': ['abortive', 'bravoite'], 'brawler': ['brawler', 'warbler'], 'brawling': ['brawling', 'warbling'], 'brawlingly': ['brawlingly', 'warblingly'], 'brawly': ['brawly', 'byrlaw', 'warbly'], 'brawned': ['benward', 'brawned'], 'bray': ['bray', 'yarb'], 'braza': ['braza', 'zabra'], 'braze': ['braze', 'zebra'], 'brazier': ['bizarre', 'brazier'], 'bread': ['ardeb', 'beard', 'bread', 'debar'], 'breadless': ['beardless', 'breadless'], 'breadlessness': ['beardlessness', 'breadlessness'], 'breadman': ['banderma', 'breadman'], 'breadnut': ['breadnut', 'turbaned'], 'breaghe': ['breaghe', 'herbage'], 'break': ['baker', 'brake', 'break'], 'breakage': ['brakeage', 'breakage'], 'breakless': ['bakerless', 'brakeless', 'breakless'], 'breakout': ['breakout', 'outbreak'], 'breakover': ['breakover', 'overbreak'], 'breakstone': ['breakstone', 'stonebreak'], 'breakup': ['breakup', 'upbreak'], 'breakwind': ['breakwind', 'windbreak'], 'bream': ['amber', 'bearm', 'bemar', 'bream', 'embar'], 'breast': ['baster', 'bestar', 'breast'], 'breasting': ['breasting', 'brigantes'], 'breastpin': ['breastpin', 'stepbairn'], 'breastrail': ['arbalister', 'breastrail'], 'breastweed': ['breastweed', 'sweetbread'], 'breath': ['bather', 'bertha', 'breath'], 'breathe': ['breathe', 'rebathe'], 'breba': ['barbe', 'bebar', 'breba', 'rebab'], 'breccia': ['acerbic', 'breccia'], 'brecham': ['becharm', 'brecham', 'chamber'], 'brede': ['brede', 'breed', 'rebed'], 'bredi': ['bider', 'bredi', 'bride', 'rebid'], 'bree': ['beer', 'bere', 'bree'], 'breech': ['becher', 'breech'], 'breed': ['brede', 'breed', 'rebed'], 'breeder': ['breeder', 'rebreed'], 'breeding': ['beringed', 'breeding'], 'brehon': ['behorn', 'brehon'], 'brei': ['beri', 'bier', 'brei', 'ribe'], 'brelaw': ['bawler', 'brelaw', 'rebawl', 'warble'], 'breme': ['breme', 'ember'], 'bremia': ['ambier', 'bremia', 'embira'], 'brenda': ['bander', 'brenda'], 'brephic': ['bechirp', 'brephic'], 'bret': ['bert', 'bret'], 'breth': ['berth', 'breth'], 'breva': ['brave', 'breva'], 'breve': ['bever', 'breve'], 'brewer': ['brewer', 'rebrew'], 'brey': ['brey', 'byre', 'yerb'], 'brian': ['abrin', 'bairn', 'brain', 'brian', 'rabin'], 'briard': ['braird', 'briard'], 'briber': ['briber', 'ribber'], 'brichen': ['birchen', 'brichen'], 'brickel': ['brickel', 'brickle'], 'bricken': ['bickern', 'bricken'], 'brickle': ['brickel', 'brickle'], 'bricole': ['bricole', 'corbeil', 'orbicle'], 'bridal': ['bildar', 'bridal', 'ribald'], 'bridale': ['bedrail', 'bridale', 'ridable'], 'bridally': ['bridally', 'ribaldly'], 'bride': ['bider', 'bredi', 'bride', 'rebid'], 'bridelace': ['bridelace', 'calibered'], 'bridge': ['begird', 'bridge'], 'bridgeward': ['bridgeward', 'drawbridge'], 'bridling': ['birdling', 'bridling', 'lingbird'], 'brief': ['bifer', 'brief', 'fiber'], 'briefless': ['briefless', 'fiberless', 'fibreless'], 'brier': ['berri', 'brier'], 'briered': ['berried', 'briered'], 'brieve': ['bervie', 'brieve'], 'brigade': ['abridge', 'brigade'], 'brigand': ['barding', 'brigand'], 'brigantes': ['breasting', 'brigantes'], 'brighten': ['berthing', 'brighten'], 'brin': ['birn', 'brin'], 'brine': ['brine', 'enrib'], 'bringal': ['barling', 'bringal'], 'bringer': ['bringer', 'rebring'], 'briny': ['birny', 'briny'], 'bristle': ['blister', 'bristle'], 'bristlewort': ['blisterwort', 'bristlewort'], 'brisure': ['brisure', 'bruiser'], 'britannia': ['antiabrin', 'britannia'], 'brith': ['birth', 'brith'], 'brither': ['brither', 'rebirth'], 'britten': ['bittern', 'britten'], 'brittle': ['blitter', 'brittle', 'triblet'], 'broacher': ['broacher', 'rebroach'], 'broad': ['abord', 'bardo', 'board', 'broad', 'dobra', 'dorab'], 'broadbill': ['billboard', 'broadbill'], 'broadcaster': ['broadcaster', 'rebroadcast'], 'broaden': ['bandore', 'broaden'], 'broadhead': ['broadhead', 'headboard'], 'broadly': ['boardly', 'broadly'], 'broadside': ['broadside', 'sideboard'], 'broadspread': ['broadspread', 'spreadboard'], 'broadtail': ['broadtail', 'tailboard'], 'brochan': ['brochan', 'charbon'], 'broche': ['bocher', 'broche'], 'brocho': ['brocho', 'brooch'], 'brocked': ['bedrock', 'brocked'], 'brockle': ['blocker', 'brockle', 'reblock'], 'brod': ['bord', 'brod'], 'broderer': ['borderer', 'broderer'], 'brodie': ['bodier', 'boride', 'brodie'], 'brog': ['borg', 'brog', 'gorb'], 'brogan': ['barong', 'brogan'], 'broggle': ['boggler', 'broggle'], 'brolga': ['brolga', 'gorbal'], 'broma': ['broma', 'rambo'], 'bromate': ['barmote', 'bromate'], 'brome': ['brome', 'omber'], 'brominate': ['brominate', 'tribonema'], 'bromohydrate': ['bromohydrate', 'hydrobromate'], 'bronze': ['bonzer', 'bronze'], 'broo': ['boor', 'boro', 'broo'], 'brooch': ['brocho', 'brooch'], 'brooke': ['booker', 'brooke', 'rebook'], 'broon': ['boron', 'broon'], 'brose': ['boser', 'brose', 'sober'], 'brot': ['bort', 'brot'], 'brotan': ['barton', 'brotan'], 'brotany': ['baryton', 'brotany'], 'broth': ['broth', 'throb'], 'brothelry': ['brothelry', 'brotherly'], 'brotherly': ['brothelry', 'brotherly'], 'browden': ['bedrown', 'browden'], 'browner': ['browner', 'rebrown'], 'browntail': ['browntail', 'wrainbolt'], 'bruce': ['bruce', 'cebur', 'cuber'], 'brucina': ['brucina', 'rubican'], 'bruckle': ['bruckle', 'buckler'], 'brugh': ['brugh', 'burgh'], 'bruin': ['bruin', 'burin', 'inrub'], 'bruiser': ['brisure', 'bruiser'], 'bruke': ['bruke', 'burke'], 'brule': ['bluer', 'brule', 'burel', 'ruble'], 'brulee': ['brulee', 'burele', 'reblue'], 'brumal': ['brumal', 'labrum', 'lumbar', 'umbral'], 'brumalia': ['albarium', 'brumalia'], 'brume': ['brume', 'umber'], 'brumous': ['brumous', 'umbrous'], 'brunellia': ['brunellia', 'unliberal'], 'brunet': ['brunet', 'bunter', 'burnet'], 'bruno': ['bourn', 'bruno'], 'brunt': ['brunt', 'burnt'], 'brush': ['brush', 'shrub'], 'brushed': ['brushed', 'subherd'], 'brusher': ['brusher', 'rebrush'], 'brushland': ['brushland', 'shrubland'], 'brushless': ['brushless', 'shrubless'], 'brushlet': ['brushlet', 'shrublet'], 'brushlike': ['brushlike', 'shrublike'], 'brushwood': ['brushwood', 'shrubwood'], 'brustle': ['bluster', 'brustle', 'bustler'], 'brut': ['brut', 'burt', 'trub', 'turb'], 'bruta': ['bruta', 'tubar'], 'brute': ['brute', 'buret', 'rebut', 'tuber'], 'brutely': ['brutely', 'butlery'], 'bryan': ['barny', 'bryan'], 'bryanite': ['barytine', 'bryanite'], 'bryce': ['becry', 'bryce'], 'bual': ['balu', 'baul', 'bual', 'luba'], 'buba': ['babu', 'buba'], 'bubal': ['babul', 'bubal'], 'bubbler': ['blubber', 'bubbler'], 'buccocervical': ['buccocervical', 'cervicobuccal'], 'bucconasal': ['bucconasal', 'nasobuccal'], 'buceros': ['bescour', 'buceros', 'obscure'], 'buckbush': ['buckbush', 'bushbuck'], 'bucked': ['beduck', 'bucked'], 'buckler': ['bruckle', 'buckler'], 'bucksaw': ['bucksaw', 'sawbuck'], 'bucrane': ['bucrane', 'unbrace'], 'bud': ['bud', 'dub'], 'buda': ['baud', 'buda', 'daub'], 'budder': ['budder', 'redbud'], 'budger': ['bedrug', 'budger'], 'budgeter': ['budgeter', 'rebudget'], 'budtime': ['bitumed', 'budtime'], 'buffer': ['buffer', 'rebuff'], 'buffeter': ['buffeter', 'rebuffet'], 'bugan': ['bugan', 'bunga', 'unbag'], 'bughouse': ['bughouse', 'housebug'], 'bugi': ['bugi', 'guib'], 'bugle': ['bugle', 'bulge'], 'bugler': ['bugler', 'bulger', 'burgle'], 'bugre': ['bugre', 'gebur'], 'builder': ['builder', 'rebuild'], 'buildup': ['buildup', 'upbuild'], 'buirdly': ['buirdly', 'ludibry'], 'bulanda': ['balunda', 'bulanda'], 'bulb': ['blub', 'bulb'], 'bulgarian': ['biangular', 'bulgarian'], 'bulge': ['bugle', 'bulge'], 'bulger': ['bugler', 'bulger', 'burgle'], 'bulimic': ['bulimic', 'umbilic'], 'bulimiform': ['bulimiform', 'umbiliform'], 'bulker': ['bulker', 'rebulk'], 'bulla': ['bulla', 'lulab'], 'bullace': ['bullace', 'cueball'], 'bulletin': ['bulletin', 'unbillet'], 'bullfeast': ['bullfeast', 'stableful'], 'bulse': ['blues', 'bulse'], 'bulter': ['bulter', 'burlet', 'butler'], 'bummler': ['bummler', 'mumbler'], 'bun': ['bun', 'nub'], 'buna': ['baun', 'buna', 'nabu', 'nuba'], 'buncal': ['buncal', 'lucban'], 'buncher': ['buncher', 'rebunch'], 'bunder': ['bunder', 'burden', 'burned', 'unbred'], 'bundle': ['bundle', 'unbled'], 'bundler': ['blunder', 'bundler'], 'bundu': ['bundu', 'unbud', 'undub'], 'bunga': ['bugan', 'bunga', 'unbag'], 'bungle': ['blunge', 'bungle'], 'bungler': ['blunger', 'bungler'], 'bungo': ['bungo', 'unbog'], 'bunk': ['bunk', 'knub'], 'bunter': ['brunet', 'bunter', 'burnet'], 'bunty': ['bunty', 'butyn'], 'bunya': ['bunya', 'unbay'], 'bur': ['bur', 'rub'], 'buran': ['buran', 'unbar', 'urban'], 'burble': ['burble', 'lubber', 'rubble'], 'burbler': ['burbler', 'rubbler'], 'burbly': ['burbly', 'rubbly'], 'burd': ['burd', 'drub'], 'burdalone': ['burdalone', 'unlabored'], 'burden': ['bunder', 'burden', 'burned', 'unbred'], 'burdener': ['burdener', 'reburden'], 'burdie': ['burdie', 'buried', 'rubied'], 'bure': ['bure', 'reub', 'rube'], 'burel': ['bluer', 'brule', 'burel', 'ruble'], 'burele': ['brulee', 'burele', 'reblue'], 'buret': ['brute', 'buret', 'rebut', 'tuber'], 'burfish': ['burfish', 'furbish'], 'burg': ['burg', 'grub'], 'burgh': ['brugh', 'burgh'], 'burgle': ['bugler', 'bulger', 'burgle'], 'burian': ['burian', 'urbian'], 'buried': ['burdie', 'buried', 'rubied'], 'burin': ['bruin', 'burin', 'inrub'], 'burke': ['bruke', 'burke'], 'burl': ['blur', 'burl'], 'burler': ['burler', 'burrel'], 'burlet': ['bulter', 'burlet', 'butler'], 'burletta': ['burletta', 'rebuttal'], 'burmite': ['burmite', 'imbrute', 'terbium'], 'burned': ['bunder', 'burden', 'burned', 'unbred'], 'burner': ['burner', 'reburn'], 'burnet': ['brunet', 'bunter', 'burnet'], 'burnfire': ['burnfire', 'fireburn'], 'burnie': ['burnie', 'rubine'], 'burnisher': ['burnisher', 'reburnish'], 'burnout': ['burnout', 'outburn'], 'burnover': ['burnover', 'overburn'], 'burnsides': ['burnsides', 'sideburns'], 'burnt': ['brunt', 'burnt'], 'burny': ['burny', 'runby'], 'buro': ['buro', 'roub'], 'burrel': ['burler', 'burrel'], 'burro': ['burro', 'robur', 'rubor'], 'bursa': ['abrus', 'bursa', 'subra'], 'bursal': ['bursal', 'labrus'], 'bursate': ['bursate', 'surbate'], 'burse': ['burse', 'rebus', 'suber'], 'burst': ['burst', 'strub'], 'burster': ['burster', 'reburst'], 'burt': ['brut', 'burt', 'trub', 'turb'], 'burut': ['burut', 'trubu'], 'bury': ['bury', 'ruby'], 'bus': ['bus', 'sub'], 'buscarle': ['arbuscle', 'buscarle'], 'bushbuck': ['buckbush', 'bushbuck'], 'busher': ['busher', 'rebush'], 'bushwood': ['bushwood', 'woodbush'], 'busied': ['busied', 'subdie'], 'busked': ['bedusk', 'busked'], 'busman': ['busman', 'subman'], 'bust': ['bust', 'stub'], 'busted': ['bedust', 'bestud', 'busted'], 'buster': ['berust', 'buster', 'stuber'], 'bustic': ['bustic', 'cubist'], 'bustle': ['bustle', 'sublet', 'subtle'], 'bustler': ['bluster', 'brustle', 'bustler'], 'but': ['but', 'tub'], 'bute': ['bute', 'tebu', 'tube'], 'butea': ['butea', 'taube', 'tubae'], 'butein': ['butein', 'butine', 'intube'], 'butic': ['butic', 'cubit'], 'butine': ['butein', 'butine', 'intube'], 'butler': ['bulter', 'burlet', 'butler'], 'butleress': ['butleress', 'tuberless'], 'butlery': ['brutely', 'butlery'], 'buttle': ['buttle', 'tublet'], 'buttoner': ['buttoner', 'rebutton'], 'butyn': ['bunty', 'butyn'], 'buyer': ['buyer', 'rebuy'], 'bye': ['bey', 'bye'], 'byeman': ['byeman', 'byname'], 'byerite': ['byerite', 'ebriety'], 'bygo': ['bogy', 'bygo', 'goby'], 'byname': ['byeman', 'byname'], 'byon': ['bony', 'byon'], 'byous': ['bousy', 'byous'], 'byre': ['brey', 'byre', 'yerb'], 'byrlaw': ['brawly', 'byrlaw', 'warbly'], 'byroad': ['boardy', 'boyard', 'byroad'], 'cab': ['bac', 'cab'], 'caba': ['abac', 'caba'], 'cabaan': ['cabaan', 'cabana', 'canaba'], 'cabala': ['cabala', 'calaba'], 'cabaletta': ['ablactate', 'cabaletta'], 'cabalism': ['balsamic', 'cabalism'], 'cabalist': ['basaltic', 'cabalist'], 'caballer': ['barcella', 'caballer'], 'caban': ['banca', 'caban'], 'cabana': ['cabaan', 'cabana', 'canaba'], 'cabaret': ['abreact', 'bractea', 'cabaret'], 'cabbler': ['cabbler', 'clabber'], 'caber': ['acerb', 'brace', 'caber'], 'cabio': ['baioc', 'cabio', 'cobia'], 'cabiri': ['cabiri', 'caribi'], 'cabirian': ['arabinic', 'cabirian', 'carabini', 'cibarian'], 'cable': ['cable', 'caleb'], 'cabled': ['beclad', 'cabled'], 'cabob': ['bobac', 'cabob'], 'cabocle': ['boccale', 'cabocle'], 'cabombaceae': ['bombacaceae', 'cabombaceae'], 'cabrilla': ['bacillar', 'cabrilla'], 'caca': ['acca', 'caca'], 'cachet': ['cachet', 'chacte'], 'cachou': ['cachou', 'caucho'], 'cackler': ['cackler', 'clacker', 'crackle'], 'cacodaemonic': ['cacodaemonic', 'cacodemoniac'], 'cacodemoniac': ['cacodaemonic', 'cacodemoniac'], 'cacomistle': ['cacomistle', 'cosmetical'], 'cacoxenite': ['cacoxenite', 'excecation'], 'cactaceae': ['cactaceae', 'taccaceae'], 'cactaceous': ['cactaceous', 'taccaceous'], 'cacti': ['cacti', 'ticca'], 'cactoid': ['cactoid', 'octadic'], 'caddice': ['caddice', 'decadic'], 'caddie': ['caddie', 'eddaic'], 'cade': ['cade', 'dace', 'ecad'], 'cadent': ['cadent', 'canted', 'decant'], 'cadential': ['cadential', 'dancalite'], 'cader': ['acred', 'cader', 'cadre', 'cedar'], 'cadet': ['cadet', 'ectad'], 'cadge': ['cadge', 'caged'], 'cadger': ['cadger', 'cradge'], 'cadi': ['acid', 'cadi', 'caid'], 'cadinene': ['cadinene', 'decennia', 'enneadic'], 'cadmia': ['adamic', 'cadmia'], 'cados': ['cados', 'scoad'], 'cadre': ['acred', 'cader', 'cadre', 'cedar'], 'cadua': ['cadua', 'cauda'], 'caduac': ['caduac', 'caduca'], 'caduca': ['caduac', 'caduca'], 'cadus': ['cadus', 'dacus'], 'caeciliae': ['caeciliae', 'ilicaceae'], 'caedmonian': ['caedmonian', 'macedonian'], 'caedmonic': ['caedmonic', 'macedonic'], 'caelum': ['almuce', 'caelum', 'macule'], 'caelus': ['caelus', 'caules', 'clause'], 'caesar': ['ascare', 'caesar', 'resaca'], 'caesarist': ['caesarist', 'staircase'], 'caesura': ['auresca', 'caesura'], 'caffeina': ['affiance', 'caffeina'], 'caged': ['cadge', 'caged'], 'cageling': ['cageling', 'glaceing'], 'cager': ['cager', 'garce', 'grace'], 'cahill': ['achill', 'cahill', 'chilla'], 'cahita': ['cahita', 'ithaca'], 'cahnite': ['cahnite', 'cathine'], 'caid': ['acid', 'cadi', 'caid'], 'caiman': ['amniac', 'caiman', 'maniac'], 'caimito': ['caimito', 'comitia'], 'cain': ['cain', 'inca'], 'cainism': ['cainism', 'misniac'], 'cairba': ['arabic', 'cairba'], 'caird': ['acrid', 'caird', 'carid', 'darci', 'daric', 'dirca'], 'cairene': ['cairene', 'cinerea'], 'cairn': ['cairn', 'crain', 'naric'], 'cairned': ['cairned', 'candier'], 'cairny': ['cairny', 'riancy'], 'cairo': ['cairo', 'oaric'], 'caisson': ['caisson', 'cassino'], 'cajoler': ['cajoler', 'jecoral'], 'caker': ['acker', 'caker', 'crake', 'creak'], 'cakey': ['ackey', 'cakey'], 'cal': ['cal', 'lac'], 'calaba': ['cabala', 'calaba'], 'calamine': ['alcamine', 'analcime', 'calamine', 'camelina'], 'calamint': ['calamint', 'claimant'], 'calamitean': ['calamitean', 'catamenial'], 'calander': ['calander', 'calendar'], 'calandrinae': ['calandrinae', 'calendarian'], 'calas': ['calas', 'casal', 'scala'], 'calash': ['calash', 'lachsa'], 'calathian': ['acanthial', 'calathian'], 'calaverite': ['calaverite', 'lacerative'], 'calcareocorneous': ['calcareocorneous', 'corneocalcareous'], 'calcareosiliceous': ['calcareosiliceous', 'siliceocalcareous'], 'calciner': ['calciner', 'larcenic'], 'calculary': ['calculary', 'calycular'], 'calculative': ['calculative', 'claviculate'], 'calden': ['calden', 'candle', 'lanced'], 'calean': ['anlace', 'calean'], 'caleb': ['cable', 'caleb'], 'caledonia': ['caledonia', 'laodicean'], 'caledonite': ['caledonite', 'celadonite'], 'calendar': ['calander', 'calendar'], 'calendarial': ['calendarial', 'dalecarlian'], 'calendarian': ['calandrinae', 'calendarian'], 'calender': ['calender', 'encradle'], 'calenture': ['calenture', 'crenulate'], 'calepin': ['calepin', 'capelin', 'panicle', 'pelican', 'pinacle'], 'calfkill': ['calfkill', 'killcalf'], 'caliban': ['balanic', 'caliban'], 'caliber': ['caliber', 'calibre'], 'calibered': ['bridelace', 'calibered'], 'calibrate': ['bacterial', 'calibrate'], 'calibre': ['caliber', 'calibre'], 'caliburno': ['binocular', 'caliburno', 'colubrina'], 'calico': ['accoil', 'calico'], 'calidity': ['calidity', 'dialytic'], 'caliga': ['caliga', 'cigala'], 'calinago': ['analogic', 'calinago'], 'calinut': ['calinut', 'lunatic'], 'caliper': ['caliper', 'picarel', 'replica'], 'calipers': ['calipers', 'spiracle'], 'caliphate': ['caliphate', 'hepatical'], 'calite': ['calite', 'laetic', 'tecali'], 'caliver': ['caliver', 'caviler', 'claiver', 'clavier', 'valeric', 'velaric'], 'calk': ['calk', 'lack'], 'calker': ['calker', 'lacker', 'rackle', 'recalk', 'reckla'], 'callboy': ['callboy', 'collyba'], 'caller': ['caller', 'cellar', 'recall'], 'calli': ['calli', 'lilac'], 'calligraphy': ['calligraphy', 'graphically'], 'calliopsis': ['calliopsis', 'lipoclasis'], 'callisection': ['callisection', 'clinoclasite'], 'callitype': ['callitype', 'plicately'], 'callo': ['callo', 'colla', 'local'], 'callosal': ['callosal', 'scallola'], 'callose': ['callose', 'oscella'], 'callosity': ['callosity', 'stoically'], 'callosum': ['callosum', 'mollusca'], 'calluna': ['calluna', 'lacunal'], 'callus': ['callus', 'sulcal'], 'calm': ['calm', 'clam'], 'calmant': ['calmant', 'clamant'], 'calmative': ['calmative', 'clamative'], 'calmer': ['calmer', 'carmel', 'clamer', 'marcel', 'mercal'], 'calmierer': ['calmierer', 'reclaimer'], 'calomba': ['calomba', 'cambalo'], 'calonectria': ['calonectria', 'ectocranial'], 'calor': ['alcor', 'calor', 'carlo', 'carol', 'claro', 'coral'], 'calorie': ['calorie', 'cariole'], 'calorist': ['calorist', 'coralist'], 'calorite': ['calorite', 'erotical', 'loricate'], 'calorize': ['calorize', 'coalizer'], 'calotermes': ['calotermes', 'mesorectal', 'metacresol'], 'calotermitid': ['calotermitid', 'dilatometric'], 'calp': ['calp', 'clap'], 'caltha': ['caltha', 'chalta'], 'caltrop': ['caltrop', 'proctal'], 'calusa': ['ascula', 'calusa', 'casual', 'casula', 'causal'], 'calvaria': ['calvaria', 'clavaria'], 'calvary': ['calvary', 'cavalry'], 'calve': ['calve', 'cavel', 'clave'], 'calver': ['calver', 'carvel', 'claver'], 'calves': ['calves', 'scavel'], 'calycular': ['calculary', 'calycular'], 'calyptratae': ['acalyptrate', 'calyptratae'], 'cam': ['cam', 'mac'], 'camaca': ['camaca', 'macaca'], 'camail': ['amical', 'camail', 'lamaic'], 'caman': ['caman', 'macan'], 'camara': ['acamar', 'camara', 'maraca'], 'cambalo': ['calomba', 'cambalo'], 'camber': ['becram', 'camber', 'crambe'], 'cambrel': ['cambrel', 'clamber', 'cramble'], 'came': ['acme', 'came', 'mace'], 'cameist': ['cameist', 'etacism', 'sematic'], 'camel': ['camel', 'clame', 'cleam', 'macle'], 'camelid': ['camelid', 'decimal', 'declaim', 'medical'], 'camelina': ['alcamine', 'analcime', 'calamine', 'camelina'], 'camelish': ['camelish', 'schalmei'], 'camellus': ['camellus', 'sacellum'], 'cameloid': ['cameloid', 'comedial', 'melodica'], 'cameograph': ['cameograph', 'macrophage'], 'camera': ['acream', 'camera', 'mareca'], 'cameral': ['cameral', 'caramel', 'carmela', 'ceramal', 'reclama'], 'camerate': ['camerate', 'macerate', 'racemate'], 'camerated': ['camerated', 'demarcate'], 'cameration': ['aeromantic', 'cameration', 'maceration', 'racemation'], 'camerina': ['amacrine', 'american', 'camerina', 'cinerama'], 'camerist': ['camerist', 'ceramist', 'matrices'], 'camion': ['camion', 'conima', 'manioc', 'monica'], 'camisado': ['camisado', 'caodaism'], 'camise': ['camise', 'macies'], 'campaign': ['campaign', 'pangamic'], 'campaigner': ['campaigner', 'recampaign'], 'camphire': ['camphire', 'hemicarp'], 'campine': ['campine', 'pemican'], 'campoo': ['campoo', 'capomo'], 'camptonite': ['camptonite', 'pentatomic'], 'camus': ['camus', 'musca', 'scaum', 'sumac'], 'camused': ['camused', 'muscade'], 'canaba': ['cabaan', 'cabana', 'canaba'], 'canadol': ['acnodal', 'canadol', 'locanda'], 'canaille': ['alliance', 'canaille'], 'canape': ['canape', 'panace'], 'canari': ['acinar', 'arnica', 'canari', 'carian', 'carina', 'crania', 'narica'], 'canarin': ['canarin', 'cranian'], 'canariote': ['canariote', 'ceratonia'], 'canary': ['canary', 'cynara'], 'canaut': ['canaut', 'tucana'], 'canceler': ['canceler', 'clarence', 'recancel'], 'cancer': ['cancer', 'crance'], 'cancerate': ['cancerate', 'reactance'], 'canceration': ['anacreontic', 'canceration'], 'cancri': ['cancri', 'carnic', 'cranic'], 'cancroid': ['cancroid', 'draconic'], 'candela': ['candela', 'decanal'], 'candier': ['cairned', 'candier'], 'candiru': ['candiru', 'iracund'], 'candle': ['calden', 'candle', 'lanced'], 'candor': ['candor', 'cardon', 'conrad'], 'candroy': ['candroy', 'dacryon'], 'cane': ['acne', 'cane', 'nace'], 'canel': ['canel', 'clean', 'lance', 'lenca'], 'canelo': ['canelo', 'colane'], 'canephor': ['canephor', 'chaperno', 'chaperon'], 'canephore': ['canephore', 'chaperone'], 'canephroi': ['canephroi', 'parochine'], 'caner': ['caner', 'crane', 'crena', 'nacre', 'rance'], 'canful': ['canful', 'flucan'], 'cangle': ['cangle', 'glance'], 'cangler': ['cangler', 'glancer', 'reclang'], 'cangue': ['cangue', 'uncage'], 'canicola': ['canicola', 'laconica'], 'canid': ['canid', 'cnida', 'danic'], 'canidae': ['aidance', 'canidae'], 'canine': ['canine', 'encina', 'neanic'], 'canis': ['canis', 'scian'], 'canister': ['canister', 'cestrian', 'cisterna', 'irascent'], 'canker': ['canker', 'neckar'], 'cankerworm': ['cankerworm', 'crownmaker'], 'cannel': ['cannel', 'lencan'], 'cannot': ['cannot', 'canton', 'conant', 'nonact'], 'cannulate': ['antelucan', 'cannulate'], 'canny': ['canny', 'nancy'], 'canoe': ['acone', 'canoe', 'ocean'], 'canoeing': ['anogenic', 'canoeing'], 'canoeist': ['canoeist', 'cotesian'], 'canon': ['ancon', 'canon'], 'canonist': ['canonist', 'sanction', 'sonantic'], 'canoodler': ['canoodler', 'coronaled'], 'canroy': ['canroy', 'crayon', 'cyrano', 'nyroca'], 'canso': ['ascon', 'canso', 'oscan'], 'cantabri': ['bactrian', 'cantabri'], 'cantala': ['cantala', 'catalan', 'lantaca'], 'cantalite': ['cantalite', 'lactinate', 'tetanical'], 'cantara': ['cantara', 'nacarat'], 'cantaro': ['cantaro', 'croatan'], 'cantate': ['anteact', 'cantate'], 'canted': ['cadent', 'canted', 'decant'], 'canteen': ['canteen', 'centena'], 'canter': ['canter', 'creant', 'cretan', 'nectar', 'recant', 'tanrec', 'trance'], 'canterer': ['canterer', 'recanter', 'recreant', 'terrance'], 'cantharidae': ['acidanthera', 'cantharidae'], 'cantharis': ['anarchist', 'archsaint', 'cantharis'], 'canthus': ['canthus', 'staunch'], 'cantico': ['cantico', 'catonic', 'taconic'], 'cantilena': ['cantilena', 'lancinate'], 'cantilever': ['cantilever', 'trivalence'], 'cantily': ['anticly', 'cantily'], 'cantina': ['cantina', 'tannaic'], 'cantiness': ['anticness', 'cantiness', 'incessant'], 'cantion': ['actinon', 'cantion', 'contain'], 'cantle': ['cantle', 'cental', 'lancet', 'tancel'], 'canto': ['acton', 'canto', 'octan'], 'canton': ['cannot', 'canton', 'conant', 'nonact'], 'cantonal': ['cantonal', 'connatal'], 'cantor': ['cantor', 'carton', 'contra'], 'cantorian': ['anarcotin', 'cantorian', 'carnation', 'narcotina'], 'cantoris': ['cantoris', 'castorin', 'corsaint'], 'cantred': ['cantred', 'centrad', 'tranced'], 'cantus': ['cantus', 'tuscan', 'uncast'], 'canun': ['canun', 'cunan'], 'cany': ['cany', 'cyan'], 'canyon': ['ancony', 'canyon'], 'caoba': ['bacao', 'caoba'], 'caodaism': ['camisado', 'caodaism'], 'cap': ['cap', 'pac'], 'capable': ['capable', 'pacable'], 'caparison': ['caparison', 'paranosic'], 'cape': ['cape', 'cepa', 'pace'], 'caped': ['caped', 'decap', 'paced'], 'capel': ['capel', 'place'], 'capelin': ['calepin', 'capelin', 'panicle', 'pelican', 'pinacle'], 'capeline': ['capeline', 'pelecani'], 'caper': ['caper', 'crape', 'pacer', 'perca', 'recap'], 'capernaite': ['capernaite', 'paraenetic'], 'capernoited': ['capernoited', 'deprecation'], 'capernoity': ['acetopyrin', 'capernoity'], 'capes': ['capes', 'scape', 'space'], 'caph': ['caph', 'chap'], 'caphite': ['aphetic', 'caphite', 'hepatic'], 'caphtor': ['caphtor', 'toparch'], 'capias': ['capias', 'pisaca'], 'capillament': ['capillament', 'implacental'], 'capillarity': ['capillarity', 'piratically'], 'capital': ['capital', 'palatic'], 'capitan': ['capitan', 'captain'], 'capitate': ['apatetic', 'capitate'], 'capitellar': ['capitellar', 'prelatical'], 'capito': ['atopic', 'capito', 'copita'], 'capitol': ['capitol', 'coalpit', 'optical', 'topical'], 'capomo': ['campoo', 'capomo'], 'capon': ['capon', 'ponca'], 'caponier': ['caponier', 'coprinae', 'procaine'], 'capot': ['capot', 'coapt'], 'capote': ['capote', 'toecap'], 'capreol': ['capreol', 'polacre'], 'capri': ['capri', 'picra', 'rapic'], 'caprid': ['caprid', 'carpid', 'picard'], 'capriote': ['aporetic', 'capriote', 'operatic'], 'capsian': ['capsian', 'caspian', 'nascapi', 'panisca'], 'capstone': ['capstone', 'opencast'], 'capsula': ['capsula', 'pascual', 'scapula'], 'capsular': ['capsular', 'scapular'], 'capsulate': ['aspectual', 'capsulate'], 'capsulated': ['capsulated', 'scapulated'], 'capsule': ['capsule', 'specula', 'upscale'], 'capsulectomy': ['capsulectomy', 'scapulectomy'], 'capsuler': ['capsuler', 'specular'], 'captain': ['capitan', 'captain'], 'captation': ['anaptotic', 'captation'], 'caption': ['caption', 'paction'], 'captious': ['autopsic', 'captious'], 'captor': ['captor', 'copart'], 'capture': ['capture', 'uptrace'], 'car': ['arc', 'car'], 'cara': ['arca', 'cara'], 'carabeen': ['bearance', 'carabeen'], 'carabin': ['arbacin', 'carabin', 'cariban'], 'carabini': ['arabinic', 'cabirian', 'carabini', 'cibarian'], 'caracoli': ['caracoli', 'coracial'], 'caracore': ['acrocera', 'caracore'], 'caragana': ['aracanga', 'caragana'], 'caramel': ['cameral', 'caramel', 'carmela', 'ceramal', 'reclama'], 'caranda': ['anacard', 'caranda'], 'carandas': ['carandas', 'sandarac'], 'carane': ['arcane', 'carane'], 'carangid': ['carangid', 'cardigan'], 'carapine': ['carapine', 'carpaine'], 'caravel': ['caravel', 'lavacre'], 'carbamide': ['carbamide', 'crambidae'], 'carbamine': ['carbamine', 'crambinae'], 'carbamino': ['carbamino', 'macrobian'], 'carbeen': ['carbeen', 'carbene'], 'carbene': ['carbeen', 'carbene'], 'carbo': ['carbo', 'carob', 'coarb', 'cobra'], 'carbohydride': ['carbohydride', 'hydrocarbide'], 'carbon': ['bracon', 'carbon', 'corban'], 'carbonite': ['bicornate', 'carbonite', 'reboantic'], 'carcel': ['carcel', 'cercal'], 'carcinoma': ['carcinoma', 'macaronic'], 'carcinosarcoma': ['carcinosarcoma', 'sarcocarcinoma'], 'carcoon': ['carcoon', 'raccoon'], 'cardel': ['cardel', 'cradle'], 'cardia': ['acarid', 'cardia', 'carida'], 'cardiac': ['arcadic', 'cardiac'], 'cardial': ['cardial', 'radical'], 'cardiant': ['antacrid', 'cardiant', 'radicant', 'tridacna'], 'cardigan': ['carangid', 'cardigan'], 'cardiidae': ['acrididae', 'cardiidae', 'cidaridae'], 'cardin': ['andric', 'cardin', 'rancid'], 'cardinal': ['cardinal', 'clarinda'], 'cardioid': ['cardioid', 'caridoid'], 'cardiophobe': ['brachiopode', 'cardiophobe'], 'cardo': ['cardo', 'draco'], 'cardon': ['candor', 'cardon', 'conrad'], 'cardoon': ['cardoon', 'coronad'], 'care': ['acer', 'acre', 'care', 'crea', 'race'], 'careen': ['careen', 'carene', 'enrace'], 'carene': ['careen', 'carene', 'enrace'], 'carer': ['carer', 'crare', 'racer'], 'carest': ['carest', 'caster', 'recast'], 'caret': ['caret', 'carte', 'cater', 'crate', 'creat', 'creta', 'react', 'recta', 'trace'], 'caretta': ['caretta', 'teacart', 'tearcat'], 'carful': ['carful', 'furcal'], 'carhop': ['carhop', 'paroch'], 'cariama': ['aramaic', 'cariama'], 'carian': ['acinar', 'arnica', 'canari', 'carian', 'carina', 'crania', 'narica'], 'carib': ['baric', 'carib', 'rabic'], 'cariban': ['arbacin', 'carabin', 'cariban'], 'caribi': ['cabiri', 'caribi'], 'carid': ['acrid', 'caird', 'carid', 'darci', 'daric', 'dirca'], 'carida': ['acarid', 'cardia', 'carida'], 'caridea': ['arcidae', 'caridea'], 'caridean': ['caridean', 'dircaean', 'radiance'], 'caridoid': ['cardioid', 'caridoid'], 'carina': ['acinar', 'arnica', 'canari', 'carian', 'carina', 'crania', 'narica'], 'carinal': ['carinal', 'carlina', 'clarain', 'cranial'], 'carinatae': ['acraniate', 'carinatae'], 'carinate': ['anaretic', 'arcanite', 'carinate', 'craniate'], 'carinated': ['carinated', 'eradicant'], 'cariole': ['calorie', 'cariole'], 'carious': ['carious', 'curiosa'], 'carisa': ['carisa', 'sciara'], 'carissa': ['ascaris', 'carissa'], 'cark': ['cark', 'rack'], 'carking': ['arcking', 'carking', 'racking'], 'carkingly': ['carkingly', 'rackingly'], 'carless': ['carless', 'classer', 'reclass'], 'carlet': ['carlet', 'cartel', 'claret', 'rectal', 'talcer'], 'carlie': ['carlie', 'claire', 'eclair', 'erical'], 'carlin': ['carlin', 'clarin', 'crinal'], 'carlina': ['carinal', 'carlina', 'clarain', 'cranial'], 'carlist': ['carlist', 'clarist'], 'carlo': ['alcor', 'calor', 'carlo', 'carol', 'claro', 'coral'], 'carlot': ['carlot', 'crotal'], 'carlylian': ['ancillary', 'carlylian', 'cranially'], 'carman': ['carman', 'marcan'], 'carmel': ['calmer', 'carmel', 'clamer', 'marcel', 'mercal'], 'carmela': ['cameral', 'caramel', 'carmela', 'ceramal', 'reclama'], 'carmele': ['carmele', 'cleamer'], 'carmelite': ['carmelite', 'melicerta'], 'carmeloite': ['carmeloite', 'ectromelia', 'meteorical'], 'carmine': ['armenic', 'carmine', 'ceriman', 'crimean', 'mercian'], 'carminette': ['carminette', 'remittance'], 'carminite': ['antimeric', 'carminite', 'criminate', 'metrician'], 'carmot': ['carmot', 'comart'], 'carnage': ['carnage', 'cranage', 'garance'], 'carnalite': ['carnalite', 'claretian', 'lacertian', 'nectarial'], 'carnate': ['carnate', 'cateran'], 'carnation': ['anarcotin', 'cantorian', 'carnation', 'narcotina'], 'carnationed': ['carnationed', 'dinoceratan'], 'carnelian': ['carnelian', 'encranial'], 'carneol': ['carneol', 'corneal'], 'carneous': ['carneous', 'nacreous'], 'carney': ['carney', 'craney'], 'carnic': ['cancri', 'carnic', 'cranic'], 'carniolan': ['carniolan', 'nonracial'], 'carnose': ['carnose', 'coarsen', 'narcose'], 'carnosity': ['carnosity', 'crayonist'], 'carnotite': ['carnotite', 'cortinate'], 'carnous': ['carnous', 'nacrous', 'narcous'], 'caro': ['acor', 'caro', 'cora', 'orca'], 'caroa': ['acroa', 'caroa'], 'carob': ['carbo', 'carob', 'coarb', 'cobra'], 'caroche': ['caroche', 'coacher', 'recoach'], 'caroid': ['caroid', 'cordia'], 'carol': ['alcor', 'calor', 'carlo', 'carol', 'claro', 'coral'], 'carolan': ['alcoran', 'ancoral', 'carolan'], 'carole': ['carole', 'coaler', 'coelar', 'oracle', 'recoal'], 'carolean': ['carolean', 'lecanora'], 'caroler': ['caroler', 'correal'], 'caroli': ['caroli', 'corial', 'lorica'], 'carolin': ['carolin', 'clarion', 'colarin', 'locrian'], 'carolina': ['carolina', 'conarial'], 'caroline': ['acrolein', 'arecolin', 'caroline', 'colinear', 'cornelia', 'creolian', 'lonicera'], 'carolingian': ['carolingian', 'inorganical'], 'carolus': ['carolus', 'oscular'], 'carom': ['carom', 'coram', 'macro', 'marco'], 'carone': ['carone', 'cornea'], 'caroon': ['caroon', 'corona', 'racoon'], 'carotenoid': ['carotenoid', 'coronadite', 'decoration'], 'carotic': ['acrotic', 'carotic'], 'carotid': ['arctoid', 'carotid', 'dartoic'], 'carotidean': ['arctoidean', 'carotidean', 'cordaitean', 'dinocerata'], 'carotin': ['anticor', 'carotin', 'cortina', 'ontaric'], 'carouse': ['acerous', 'carouse', 'euscaro'], 'carp': ['carp', 'crap'], 'carpaine': ['carapine', 'carpaine'], 'carpel': ['carpel', 'parcel', 'placer'], 'carpellary': ['carpellary', 'parcellary'], 'carpellate': ['carpellate', 'parcellate', 'prelacteal'], 'carpent': ['carpent', 'precant'], 'carpet': ['carpet', 'peract', 'preact'], 'carpholite': ['carpholite', 'proethical'], 'carpid': ['caprid', 'carpid', 'picard'], 'carpiodes': ['carpiodes', 'scorpidae'], 'carpocerite': ['carpocerite', 'reciprocate'], 'carpogonial': ['carpogonial', 'coprolagnia'], 'carpolite': ['carpolite', 'petricola'], 'carpolith': ['carpolith', 'politarch', 'trophical'], 'carposperm': ['carposperm', 'spermocarp'], 'carrot': ['carrot', 'trocar'], 'carroter': ['arrector', 'carroter'], 'carse': ['carse', 'caser', 'ceras', 'scare', 'scrae'], 'carsmith': ['carsmith', 'chartism'], 'cartable': ['bracteal', 'cartable'], 'carte': ['caret', 'carte', 'cater', 'crate', 'creat', 'creta', 'react', 'recta', 'trace'], 'cartel': ['carlet', 'cartel', 'claret', 'rectal', 'talcer'], 'cartelize': ['cartelize', 'zelatrice'], 'carter': ['arrect', 'carter', 'crater', 'recart', 'tracer'], 'cartesian': ['ascertain', 'cartesian', 'cartisane', 'sectarian'], 'cartesianism': ['cartesianism', 'sectarianism'], 'cartier': ['cartier', 'cirrate', 'erratic'], 'cartilage': ['cartilage', 'rectalgia'], 'cartisane': ['ascertain', 'cartesian', 'cartisane', 'sectarian'], 'cartist': ['astrict', 'cartist', 'stratic'], 'carton': ['cantor', 'carton', 'contra'], 'cartoon': ['cartoon', 'coranto'], 'cartoonist': ['cartoonist', 'scortation'], 'carty': ['carty', 'tracy'], 'carua': ['aruac', 'carua'], 'carucal': ['accrual', 'carucal'], 'carucate': ['accurate', 'carucate'], 'carum': ['carum', 'cumar'], 'carve': ['carve', 'crave', 'varec'], 'carvel': ['calver', 'carvel', 'claver'], 'carven': ['carven', 'cavern', 'craven'], 'carver': ['carver', 'craver'], 'carving': ['carving', 'craving'], 'cary': ['cary', 'racy'], 'caryl': ['acryl', 'caryl', 'clary'], 'casabe': ['casabe', 'sabeca'], 'casal': ['calas', 'casal', 'scala'], 'cascade': ['cascade', 'saccade'], 'case': ['case', 'esca'], 'casebook': ['bookcase', 'casebook'], 'caseful': ['caseful', 'fucales'], 'casein': ['casein', 'incase'], 'casel': ['alces', 'casel', 'scale'], 'caser': ['carse', 'caser', 'ceras', 'scare', 'scrae'], 'casern': ['casern', 'rescan'], 'cashable': ['cashable', 'chasable'], 'cashel': ['cashel', 'laches', 'sealch'], 'cask': ['cask', 'sack'], 'casket': ['casket', 'tesack'], 'casking': ['casking', 'sacking'], 'casklike': ['casklike', 'sacklike'], 'casper': ['casper', 'escarp', 'parsec', 'scrape', 'secpar', 'spacer'], 'caspian': ['capsian', 'caspian', 'nascapi', 'panisca'], 'casque': ['casque', 'sacque'], 'casquet': ['acquest', 'casquet'], 'casse': ['casse', 'scase'], 'cassian': ['cassian', 'cassina'], 'cassina': ['cassian', 'cassina'], 'cassino': ['caisson', 'cassino'], 'cassock': ['cassock', 'cossack'], 'cast': ['acts', 'cast', 'scat'], 'castalia': ['castalia', 'sacalait'], 'castalian': ['castalian', 'satanical'], 'caste': ['caste', 'sceat'], 'castelet': ['castelet', 'telecast'], 'caster': ['carest', 'caster', 'recast'], 'castice': ['ascetic', 'castice', 'siccate'], 'castle': ['castle', 'sclate'], 'castoff': ['castoff', 'offcast'], 'castor': ['arctos', 'castor', 'costar', 'scrota'], 'castores': ['castores', 'coassert'], 'castoreum': ['castoreum', 'outscream'], 'castoridae': ['castoridae', 'cestodaria'], 'castorin': ['cantoris', 'castorin', 'corsaint'], 'castra': ['castra', 'tarasc'], 'casual': ['ascula', 'calusa', 'casual', 'casula', 'causal'], 'casuality': ['casuality', 'causality'], 'casually': ['casually', 'causally'], 'casula': ['ascula', 'calusa', 'casual', 'casula', 'causal'], 'cat': ['act', 'cat'], 'catabolin': ['botanical', 'catabolin'], 'catalan': ['cantala', 'catalan', 'lantaca'], 'catalanist': ['anastaltic', 'catalanist'], 'catalase': ['catalase', 'salaceta'], 'catalinite': ['analcitite', 'catalinite'], 'catalogue': ['catalogue', 'coagulate'], 'catalyte': ['catalyte', 'cattleya'], 'catamenial': ['calamitean', 'catamenial'], 'catapultier': ['catapultier', 'particulate'], 'cataria': ['acratia', 'cataria'], 'catcher': ['catcher', 'recatch'], 'catchup': ['catchup', 'upcatch'], 'cate': ['cate', 'teca'], 'catechin': ['atechnic', 'catechin', 'technica'], 'catechism': ['catechism', 'schematic'], 'catechol': ['catechol', 'coachlet'], 'categoric': ['categoric', 'geocratic'], 'catella': ['catella', 'lacteal'], 'catenated': ['catenated', 'decantate'], 'cater': ['caret', 'carte', 'cater', 'crate', 'creat', 'creta', 'react', 'recta', 'trace'], 'cateran': ['carnate', 'cateran'], 'caterer': ['caterer', 'recrate', 'retrace', 'terrace'], 'cateress': ['cateress', 'cerastes'], 'catfish': ['catfish', 'factish'], 'cathari': ['cathari', 'chirata', 'cithara'], 'catharina': ['anthracia', 'antiarcha', 'catharina'], 'cathartae': ['cathartae', 'tracheata'], 'cathepsin': ['cathepsin', 'stephanic'], 'catherine': ['catherine', 'heritance'], 'catheter': ['catheter', 'charette'], 'cathine': ['cahnite', 'cathine'], 'cathinine': ['anchietin', 'cathinine'], 'cathion': ['cathion', 'chatino'], 'cathograph': ['cathograph', 'tachograph'], 'cathole': ['cathole', 'cholate'], 'cathro': ['cathro', 'orchat'], 'cathryn': ['cathryn', 'chantry'], 'cathy': ['cathy', 'cyath', 'yacht'], 'cation': ['action', 'atonic', 'cation'], 'cationic': ['aconitic', 'cationic', 'itaconic'], 'catkin': ['catkin', 'natick'], 'catlin': ['catlin', 'tincal'], 'catlinite': ['catlinite', 'intactile'], 'catmalison': ['catmalison', 'monastical'], 'catoism': ['atomics', 'catoism', 'cosmati', 'osmatic', 'somatic'], 'catonian': ['catonian', 'taconian'], 'catonic': ['cantico', 'catonic', 'taconic'], 'catonism': ['catonism', 'monastic'], 'catoptric': ['catoptric', 'protactic'], 'catpipe': ['apeptic', 'catpipe'], 'catstone': ['catstone', 'constate'], 'catsup': ['catsup', 'upcast'], 'cattail': ['attical', 'cattail'], 'catti': ['attic', 'catti', 'tacit'], 'cattily': ['cattily', 'tacitly'], 'cattiness': ['cattiness', 'tacitness'], 'cattle': ['cattle', 'tectal'], 'cattleya': ['catalyte', 'cattleya'], 'catvine': ['catvine', 'venatic'], 'caucho': ['cachou', 'caucho'], 'cauda': ['cadua', 'cauda'], 'caudle': ['caudle', 'cedula', 'claude'], 'caudodorsal': ['caudodorsal', 'dorsocaudal'], 'caudofemoral': ['caudofemoral', 'femorocaudal'], 'caudolateral': ['caudolateral', 'laterocaudal'], 'caul': ['caul', 'ucal'], 'cauld': ['cauld', 'ducal'], 'caules': ['caelus', 'caules', 'clause'], 'cauliform': ['cauliform', 'formulaic', 'fumarolic'], 'caulinar': ['anicular', 'caulinar'], 'caulis': ['caulis', 'clusia', 'sicula'], 'caulite': ['aleutic', 'auletic', 'caulite', 'lutecia'], 'caulome': ['caulome', 'leucoma'], 'caulomic': ['caulomic', 'coumalic'], 'caulote': ['caulote', 'colutea', 'oculate'], 'caunch': ['caunch', 'cuchan'], 'caurale': ['arcuale', 'caurale'], 'causal': ['ascula', 'calusa', 'casual', 'casula', 'causal'], 'causality': ['casuality', 'causality'], 'causally': ['casually', 'causally'], 'cause': ['cause', 'sauce'], 'causeless': ['causeless', 'sauceless'], 'causer': ['causer', 'saucer'], 'causey': ['causey', 'cayuse'], 'cautelous': ['cautelous', 'lutaceous'], 'cauter': ['acture', 'cauter', 'curate'], 'caution': ['auction', 'caution'], 'cautionary': ['auctionary', 'cautionary'], 'cautioner': ['cautioner', 'cointreau'], 'caval': ['caval', 'clava'], 'cavalry': ['calvary', 'cavalry'], 'cavate': ['cavate', 'caveat', 'vacate'], 'caveat': ['cavate', 'caveat', 'vacate'], 'cavel': ['calve', 'cavel', 'clave'], 'cavern': ['carven', 'cavern', 'craven'], 'cavil': ['cavil', 'lavic'], 'caviler': ['caliver', 'caviler', 'claiver', 'clavier', 'valeric', 'velaric'], 'cavillation': ['cavillation', 'vacillation'], 'cavitate': ['activate', 'cavitate'], 'cavitation': ['activation', 'cavitation'], 'cavitied': ['cavitied', 'vaticide'], 'caw': ['caw', 'wac'], 'cawk': ['cawk', 'wack'], 'cawky': ['cawky', 'wacky'], 'cayapa': ['cayapa', 'pacaya'], 'cayuse': ['causey', 'cayuse'], 'ccoya': ['accoy', 'ccoya'], 'ceanothus': ['ceanothus', 'oecanthus'], 'cearin': ['acerin', 'cearin'], 'cebalrai': ['balearic', 'cebalrai'], 'ceboid': ['bodice', 'ceboid'], 'cebur': ['bruce', 'cebur', 'cuber'], 'cecily': ['cecily', 'cicely'], 'cedar': ['acred', 'cader', 'cadre', 'cedar'], 'cedarn': ['cedarn', 'dancer', 'nacred'], 'cedent': ['cedent', 'decent'], 'ceder': ['ceder', 'cedre', 'cered', 'creed'], 'cedrat': ['cedrat', 'decart', 'redact'], 'cedrate': ['cedrate', 'cerated'], 'cedre': ['ceder', 'cedre', 'cered', 'creed'], 'cedrela': ['cedrela', 'creedal', 'declare'], 'cedrin': ['cedrin', 'cinder', 'crined'], 'cedriret': ['cedriret', 'directer', 'recredit', 'redirect'], 'cedrol': ['cedrol', 'colder', 'cordel'], 'cedron': ['cedron', 'conred'], 'cedrus': ['cedrus', 'cursed'], 'cedry': ['cedry', 'decry'], 'cedula': ['caudle', 'cedula', 'claude'], 'ceilinged': ['ceilinged', 'diligence'], 'celadonite': ['caledonite', 'celadonite'], 'celandine': ['celandine', 'decennial'], 'celarent': ['celarent', 'centrale', 'enclaret'], 'celature': ['celature', 'ulcerate'], 'celebrate': ['celebrate', 'erectable'], 'celebrated': ['braceleted', 'celebrated'], 'celemin': ['celemin', 'melenic'], 'celia': ['alice', 'celia', 'ileac'], 'cellar': ['caller', 'cellar', 'recall'], 'cellaret': ['allecret', 'cellaret'], 'celloid': ['celloid', 'codille', 'collide', 'collied'], 'celloidin': ['celloidin', 'collidine', 'decillion'], 'celsian': ['celsian', 'escalin', 'sanicle', 'secalin'], 'celtiberi': ['celtiberi', 'terebilic'], 'celtis': ['celtis', 'clites'], 'cembalist': ['blastemic', 'cembalist'], 'cementer': ['cementer', 'cerement', 'recement'], 'cendre': ['cendre', 'decern'], 'cenosity': ['cenosity', 'cytosine'], 'cense': ['cense', 'scene', 'sence'], 'censer': ['censer', 'scerne', 'screen', 'secern'], 'censerless': ['censerless', 'screenless'], 'censorial': ['censorial', 'sarcoline'], 'censual': ['censual', 'unscale'], 'censureless': ['censureless', 'recluseness'], 'cental': ['cantle', 'cental', 'lancet', 'tancel'], 'centare': ['centare', 'crenate'], 'centaur': ['centaur', 'untrace'], 'centauri': ['anuretic', 'centauri', 'centuria', 'teucrian'], 'centaury': ['centaury', 'cyanuret'], 'centena': ['canteen', 'centena'], 'centenar': ['centenar', 'entrance'], 'centenier': ['centenier', 'renitence'], 'center': ['center', 'recent', 'tenrec'], 'centered': ['centered', 'decenter', 'decentre', 'recedent'], 'centerer': ['centerer', 'recenter', 'recentre', 'terrence'], 'centermost': ['centermost', 'escortment'], 'centesimal': ['centesimal', 'lemniscate'], 'centiar': ['centiar', 'certain', 'citrean', 'nacrite', 'nectria'], 'centiare': ['aneretic', 'centiare', 'creatine', 'increate', 'iterance'], 'centibar': ['bacterin', 'centibar'], 'centimeter': ['centimeter', 'recitement', 'remittence'], 'centimo': ['centimo', 'entomic', 'tecomin'], 'centimolar': ['centimolar', 'melicraton'], 'centinormal': ['centinormal', 'conterminal', 'nonmetrical'], 'cento': ['cento', 'conte', 'tecon'], 'centrad': ['cantred', 'centrad', 'tranced'], 'centrale': ['celarent', 'centrale', 'enclaret'], 'centranth': ['centranth', 'trenchant'], 'centraxonia': ['centraxonia', 'excarnation'], 'centriole': ['centriole', 'electrion', 'relection'], 'centrodorsal': ['centrodorsal', 'dorsocentral'], 'centroid': ['centroid', 'doctrine'], 'centrolineal': ['centrolineal', 'crenellation'], 'centunculus': ['centunculus', 'unsucculent'], 'centuria': ['anuretic', 'centauri', 'centuria', 'teucrian'], 'centurial': ['centurial', 'lucretian', 'ultranice'], 'centuried': ['centuried', 'unrecited'], 'centurion': ['centurion', 'continuer', 'cornutine'], 'cepa': ['cape', 'cepa', 'pace'], 'cephalin': ['alphenic', 'cephalin'], 'cephalina': ['cephalina', 'epilachna'], 'cephaloid': ['cephaloid', 'pholcidae'], 'cephalomeningitis': ['cephalomeningitis', 'meningocephalitis'], 'cephalometric': ['cephalometric', 'petrochemical'], 'cephalopodous': ['cephalopodous', 'podocephalous'], 'cephas': ['cephas', 'pesach'], 'cepolidae': ['adipocele', 'cepolidae', 'ploceidae'], 'ceps': ['ceps', 'spec'], 'ceptor': ['ceptor', 'copter'], 'ceral': ['ceral', 'clare', 'clear', 'lacer'], 'ceramal': ['cameral', 'caramel', 'carmela', 'ceramal', 'reclama'], 'ceramic': ['ceramic', 'racemic'], 'ceramist': ['camerist', 'ceramist', 'matrices'], 'ceras': ['carse', 'caser', 'ceras', 'scare', 'scrae'], 'cerasein': ['cerasein', 'increase'], 'cerasin': ['arsenic', 'cerasin', 'sarcine'], 'cerastes': ['cateress', 'cerastes'], 'cerata': ['arcate', 'cerata'], 'cerate': ['cerate', 'create', 'ecarte'], 'cerated': ['cedrate', 'cerated'], 'ceratiid': ['ceratiid', 'raticide'], 'ceration': ['actioner', 'anerotic', 'ceration', 'creation', 'reaction'], 'ceratium': ['ceratium', 'muricate'], 'ceratonia': ['canariote', 'ceratonia'], 'ceratosa': ['ceratosa', 'ostracea'], 'ceratothecal': ['ceratothecal', 'chloracetate'], 'cerberic': ['cerberic', 'cerebric'], 'cercal': ['carcel', 'cercal'], 'cerci': ['cerci', 'ceric', 'cicer', 'circe'], 'cercus': ['cercus', 'cruces'], 'cerdonian': ['cerdonian', 'ordinance'], 'cere': ['cere', 'cree'], 'cereal': ['alerce', 'cereal', 'relace'], 'cerealin': ['cerealin', 'cinereal', 'reliance'], 'cerebra': ['cerebra', 'rebrace'], 'cerebric': ['cerberic', 'cerebric'], 'cerebroma': ['cerebroma', 'embraceor'], 'cerebromeningitis': ['cerebromeningitis', 'meningocerebritis'], 'cerebrum': ['cerebrum', 'cumberer'], 'cered': ['ceder', 'cedre', 'cered', 'creed'], 'cerement': ['cementer', 'cerement', 'recement'], 'ceremonial': ['ceremonial', 'neomiracle'], 'ceresin': ['ceresin', 'sincere'], 'cereus': ['cereus', 'ceruse', 'recuse', 'rescue', 'secure'], 'cerevis': ['cerevis', 'scrieve', 'service'], 'ceria': ['acier', 'aeric', 'ceria', 'erica'], 'ceric': ['cerci', 'ceric', 'cicer', 'circe'], 'ceride': ['ceride', 'deicer'], 'cerillo': ['cerillo', 'colleri', 'collier'], 'ceriman': ['armenic', 'carmine', 'ceriman', 'crimean', 'mercian'], 'cerin': ['cerin', 'crine'], 'cerion': ['cerion', 'coiner', 'neroic', 'orcein', 'recoin'], 'ceriops': ['ceriops', 'persico'], 'cerite': ['cerite', 'certie', 'recite', 'tierce'], 'cerium': ['cerium', 'uremic'], 'cernuous': ['cernuous', 'coenurus'], 'cero': ['cero', 'core'], 'ceroma': ['ceroma', 'corema'], 'ceroplast': ['ceroplast', 'precostal'], 'ceroplastic': ['ceroplastic', 'cleistocarp', 'coreplastic'], 'ceroplasty': ['ceroplasty', 'coreplasty'], 'cerotic': ['cerotic', 'orectic'], 'cerotin': ['cerotin', 'cointer', 'cotrine', 'cretion', 'noticer', 'rection'], 'cerous': ['cerous', 'course', 'crouse', 'source'], 'certain': ['centiar', 'certain', 'citrean', 'nacrite', 'nectria'], 'certhia': ['certhia', 'rhaetic', 'theriac'], 'certie': ['cerite', 'certie', 'recite', 'tierce'], 'certifiable': ['certifiable', 'rectifiable'], 'certification': ['certification', 'cretification', 'rectification'], 'certificative': ['certificative', 'rectificative'], 'certificator': ['certificator', 'rectificator'], 'certificatory': ['certificatory', 'rectificatory'], 'certified': ['certified', 'rectified'], 'certifier': ['certifier', 'rectifier'], 'certify': ['certify', 'cretify', 'rectify'], 'certis': ['certis', 'steric'], 'certitude': ['certitude', 'rectitude'], 'certosina': ['atroscine', 'certosina', 'ostracine', 'tinoceras', 'tricosane'], 'certosino': ['certosino', 'cortisone', 'socotrine'], 'cerulean': ['cerulean', 'laurence'], 'ceruminal': ['ceruminal', 'melanuric', 'numerical'], 'ceruse': ['cereus', 'ceruse', 'recuse', 'rescue', 'secure'], 'cervicobuccal': ['buccocervical', 'cervicobuccal'], 'cervicodorsal': ['cervicodorsal', 'dorsocervical'], 'cervicodynia': ['cervicodynia', 'corycavidine'], 'cervicofacial': ['cervicofacial', 'faciocervical'], 'cervicolabial': ['cervicolabial', 'labiocervical'], 'cervicovesical': ['cervicovesical', 'vesicocervical'], 'cervoid': ['cervoid', 'divorce'], 'cervuline': ['cervuline', 'virulence'], 'ceryl': ['ceryl', 'clyer'], 'cerynean': ['ancyrene', 'cerynean'], 'cesare': ['cesare', 'crease', 'recase', 'searce'], 'cesarolite': ['cesarolite', 'esoterical'], 'cesium': ['cesium', 'miscue'], 'cesser': ['cesser', 'recess'], 'cession': ['cession', 'oscines'], 'cessor': ['cessor', 'crosse', 'scorse'], 'cest': ['cest', 'sect'], 'cestodaria': ['castoridae', 'cestodaria'], 'cestrian': ['canister', 'cestrian', 'cisterna', 'irascent'], 'cetane': ['cetane', 'tenace'], 'cetene': ['cetene', 'ectene'], 'ceti': ['ceti', 'cite', 'tice'], 'cetid': ['cetid', 'edict'], 'cetomorphic': ['cetomorphic', 'chemotropic', 'ectomorphic'], 'cetonia': ['acetoin', 'aconite', 'anoetic', 'antoeci', 'cetonia'], 'cetonian': ['cetonian', 'enaction'], 'cetorhinus': ['cetorhinus', 'urosthenic'], 'cetus': ['cetus', 'scute'], 'cevenol': ['cevenol', 'clovene'], 'cevine': ['cevine', 'evince', 'venice'], 'cha': ['ach', 'cha'], 'chab': ['bach', 'chab'], 'chabouk': ['chabouk', 'chakobu'], 'chaco': ['chaco', 'choca', 'coach'], 'chacte': ['cachet', 'chacte'], 'chaenolobus': ['chaenolobus', 'unchoosable'], 'chaeta': ['achate', 'chaeta'], 'chaetites': ['aesthetic', 'chaetites'], 'chaetognath': ['chaetognath', 'gnathotheca'], 'chaetopod': ['chaetopod', 'podotheca'], 'chafer': ['chafer', 'frache'], 'chagan': ['chagan', 'changa'], 'chagrin': ['arching', 'chagrin'], 'chai': ['chai', 'chia'], 'chain': ['chain', 'chian', 'china'], 'chained': ['chained', 'echidna'], 'chainer': ['chainer', 'enchair', 'rechain'], 'chainlet': ['chainlet', 'ethnical'], 'chainman': ['chainman', 'chinaman'], 'chair': ['chair', 'chria'], 'chairer': ['chairer', 'charier'], 'chait': ['aitch', 'chait', 'chati', 'chita', 'taich', 'tchai'], 'chakar': ['chakar', 'chakra', 'charka'], 'chakari': ['chakari', 'chikara', 'kachari'], 'chakobu': ['chabouk', 'chakobu'], 'chakra': ['chakar', 'chakra', 'charka'], 'chalcon': ['chalcon', 'clochan', 'conchal'], 'chalcosine': ['ascolichen', 'chalcosine'], 'chaldron': ['chaldron', 'chlordan', 'chondral'], 'chalet': ['achtel', 'chalet', 'thecal', 'thecla'], 'chalker': ['chalker', 'hackler'], 'chalky': ['chalky', 'hackly'], 'challie': ['alichel', 'challie', 'helical'], 'chalmer': ['chalmer', 'charmel'], 'chalon': ['chalon', 'lochan'], 'chalone': ['chalone', 'cholane'], 'chalta': ['caltha', 'chalta'], 'chamal': ['almach', 'chamal'], 'chamar': ['chamar', 'machar'], 'chamber': ['becharm', 'brecham', 'chamber'], 'chamberer': ['chamberer', 'rechamber'], 'chamian': ['chamian', 'mahican'], 'chamisal': ['chamisal', 'chiasmal'], 'chamiso': ['chamiso', 'chamois'], 'chamite': ['chamite', 'hematic'], 'chamois': ['chamiso', 'chamois'], 'champa': ['champa', 'mapach'], 'champain': ['champain', 'chinampa'], 'chancer': ['chancer', 'chancre'], 'chanchito': ['chanchito', 'nachitoch'], 'chanco': ['chanco', 'concha'], 'chancre': ['chancer', 'chancre'], 'chandu': ['chandu', 'daunch'], 'chane': ['achen', 'chane', 'chena', 'hance'], 'chang': ['chang', 'ganch'], 'changa': ['chagan', 'changa'], 'changer': ['changer', 'genarch'], 'chanidae': ['chanidae', 'hacienda'], 'channeler': ['channeler', 'encharnel'], 'chanst': ['chanst', 'snatch', 'stanch'], 'chant': ['chant', 'natch'], 'chanter': ['chanter', 'rechant'], 'chantey': ['atechny', 'chantey'], 'chantry': ['cathryn', 'chantry'], 'chaos': ['chaos', 'oshac'], 'chaotical': ['acatholic', 'chaotical'], 'chap': ['caph', 'chap'], 'chaparro': ['chaparro', 'parachor'], 'chape': ['chape', 'cheap', 'peach'], 'chaped': ['chaped', 'phecda'], 'chapel': ['chapel', 'lepcha', 'pleach'], 'chapelet': ['chapelet', 'peachlet'], 'chapelmaster': ['chapelmaster', 'spermathecal'], 'chaperno': ['canephor', 'chaperno', 'chaperon'], 'chaperon': ['canephor', 'chaperno', 'chaperon'], 'chaperone': ['canephore', 'chaperone'], 'chaperonless': ['chaperonless', 'proseneschal'], 'chapin': ['apinch', 'chapin', 'phanic'], 'chapiter': ['chapiter', 'phreatic'], 'chaps': ['chaps', 'pasch'], 'chapt': ['chapt', 'pacht', 'patch'], 'chapter': ['chapter', 'patcher', 'repatch'], 'char': ['arch', 'char', 'rach'], 'chara': ['achar', 'chara'], 'charac': ['charac', 'charca'], 'characin': ['anarchic', 'characin'], 'characinoid': ['arachidonic', 'characinoid'], 'charadrii': ['charadrii', 'richardia'], 'charas': ['achras', 'charas'], 'charbon': ['brochan', 'charbon'], 'charca': ['charac', 'charca'], 'chare': ['acher', 'arche', 'chare', 'chera', 'rache', 'reach'], 'charer': ['archer', 'charer', 'rechar'], 'charette': ['catheter', 'charette'], 'charge': ['charge', 'creagh'], 'charier': ['chairer', 'charier'], 'chariot': ['chariot', 'haricot'], 'charioted': ['charioted', 'trochidae'], 'chariotman': ['achromatin', 'chariotman', 'machinator'], 'charism': ['charism', 'chrisma'], 'charisma': ['archaism', 'charisma'], 'chark': ['chark', 'karch'], 'charka': ['chakar', 'chakra', 'charka'], 'charlatanistic': ['antarchistical', 'charlatanistic'], 'charleen': ['charleen', 'charlene'], 'charlene': ['charleen', 'charlene'], 'charles': ['charles', 'clasher'], 'charm': ['charm', 'march'], 'charmel': ['chalmer', 'charmel'], 'charmer': ['charmer', 'marcher', 'remarch'], 'charnel': ['charnel', 'larchen'], 'charon': ['anchor', 'archon', 'charon', 'rancho'], 'charpoy': ['charpoy', 'corypha'], 'chart': ['chart', 'ratch'], 'charter': ['charter', 'ratcher'], 'charterer': ['charterer', 'recharter'], 'charting': ['charting', 'ratching'], 'chartism': ['carsmith', 'chartism'], 'charuk': ['charuk', 'chukar'], 'chary': ['archy', 'chary'], 'chasable': ['cashable', 'chasable'], 'chaser': ['arches', 'chaser', 'eschar', 'recash', 'search'], 'chasma': ['ascham', 'chasma'], 'chaste': ['chaste', 'sachet', 'scathe', 'scheat'], 'chasten': ['chasten', 'sanetch'], 'chastener': ['chastener', 'rechasten'], 'chastity': ['chastity', 'yachtist'], 'chasuble': ['chasuble', 'subchela'], 'chat': ['chat', 'tach'], 'chatelainry': ['chatelainry', 'trachylinae'], 'chati': ['aitch', 'chait', 'chati', 'chita', 'taich', 'tchai'], 'chatino': ['cathion', 'chatino'], 'chatsome': ['chatsome', 'moschate'], 'chatta': ['attach', 'chatta'], 'chattation': ['chattation', 'thanatotic'], 'chattel': ['chattel', 'latchet'], 'chatter': ['chatter', 'ratchet'], 'chattery': ['chattery', 'ratchety', 'trachyte'], 'chatti': ['chatti', 'hattic'], 'chatty': ['chatty', 'tatchy'], 'chatwood': ['chatwood', 'woodchat'], 'chaute': ['chaute', 'chueta'], 'chawan': ['chawan', 'chwana', 'wachna'], 'chawer': ['chawer', 'rechaw'], 'chawk': ['chawk', 'whack'], 'chay': ['achy', 'chay'], 'cheap': ['chape', 'cheap', 'peach'], 'cheapen': ['cheapen', 'peachen'], 'cheapery': ['cheapery', 'peachery'], 'cheapside': ['cheapside', 'sphecidae'], 'cheat': ['cheat', 'tache', 'teach', 'theca'], 'cheatable': ['cheatable', 'teachable'], 'cheatableness': ['cheatableness', 'teachableness'], 'cheater': ['cheater', 'hectare', 'recheat', 'reteach', 'teacher'], 'cheatery': ['cheatery', 'cytherea', 'teachery'], 'cheating': ['cheating', 'teaching'], 'cheatingly': ['cheatingly', 'teachingly'], 'cheatrie': ['cheatrie', 'hetaeric'], 'checker': ['checker', 'recheck'], 'chee': ['chee', 'eche'], 'cheek': ['cheek', 'cheke', 'keech'], 'cheerer': ['cheerer', 'recheer'], 'cheerly': ['cheerly', 'lechery'], 'cheery': ['cheery', 'reechy'], 'cheet': ['cheet', 'hecte'], 'cheir': ['cheir', 'rheic'], 'cheiropodist': ['cheiropodist', 'coeditorship'], 'cheka': ['cheka', 'keach'], 'cheke': ['cheek', 'cheke', 'keech'], 'chela': ['chela', 'lache', 'leach'], 'chelide': ['chelide', 'heliced'], 'chelidon': ['chelidon', 'chelonid', 'delichon'], 'chelidonate': ['chelidonate', 'endothecial'], 'chelodina': ['chelodina', 'hedonical'], 'chelone': ['chelone', 'echelon'], 'chelonid': ['chelidon', 'chelonid', 'delichon'], 'cheloniid': ['cheloniid', 'lichenoid'], 'chemiatrist': ['chemiatrist', 'chrismatite', 'theatricism'], 'chemical': ['alchemic', 'chemical'], 'chemicomechanical': ['chemicomechanical', 'mechanicochemical'], 'chemicophysical': ['chemicophysical', 'physicochemical'], 'chemicovital': ['chemicovital', 'vitochemical'], 'chemiloon': ['chemiloon', 'homocline'], 'chemotaxy': ['chemotaxy', 'myxotheca'], 'chemotropic': ['cetomorphic', 'chemotropic', 'ectomorphic'], 'chena': ['achen', 'chane', 'chena', 'hance'], 'chenica': ['chenica', 'chicane'], 'chenille': ['chenille', 'hellenic'], 'chenopod': ['chenopod', 'ponchoed'], 'chera': ['acher', 'arche', 'chare', 'chera', 'rache', 'reach'], 'chermes': ['chermes', 'schemer'], 'chert': ['chert', 'retch'], 'cherte': ['cherte', 'etcher'], 'chervil': ['chervil', 'chilver'], 'cheson': ['cheson', 'chosen', 'schone'], 'chest': ['chest', 'stech'], 'chestily': ['chestily', 'lecythis'], 'chesty': ['chesty', 'scythe'], 'chet': ['chet', 'etch', 'tche', 'tech'], 'chettik': ['chettik', 'thicket'], 'chetty': ['chetty', 'tetchy'], 'chewer': ['chewer', 'rechew'], 'chewink': ['chewink', 'whicken'], 'chi': ['chi', 'hic', 'ich'], 'chia': ['chai', 'chia'], 'chiam': ['chiam', 'machi', 'micah'], 'chian': ['chain', 'chian', 'china'], 'chiasmal': ['chamisal', 'chiasmal'], 'chiastolite': ['chiastolite', 'heliostatic'], 'chicane': ['chenica', 'chicane'], 'chicle': ['chicle', 'cliche'], 'chid': ['chid', 'dich'], 'chider': ['chider', 'herdic'], 'chidra': ['chidra', 'diarch'], 'chief': ['chief', 'fiche'], 'chield': ['chield', 'childe'], 'chien': ['chien', 'chine', 'niche'], 'chikara': ['chakari', 'chikara', 'kachari'], 'chil': ['chil', 'lich'], 'childe': ['chield', 'childe'], 'chilean': ['chilean', 'echinal', 'nichael'], 'chili': ['chili', 'lichi'], 'chiliasm': ['chiliasm', 'hilasmic', 'machilis'], 'chilla': ['achill', 'cahill', 'chilla'], 'chiloma': ['chiloma', 'malicho'], 'chilopod': ['chilopod', 'pholcoid'], 'chilopoda': ['chilopoda', 'haplodoci'], 'chilostome': ['chilostome', 'schooltime'], 'chilver': ['chervil', 'chilver'], 'chimane': ['chimane', 'machine'], 'chime': ['chime', 'hemic', 'miche'], 'chimer': ['chimer', 'mechir', 'micher'], 'chimera': ['chimera', 'hermaic'], 'chimney': ['chimney', 'hymenic'], 'chimu': ['chimu', 'humic'], 'chin': ['chin', 'inch'], 'china': ['chain', 'chian', 'china'], 'chinaman': ['chainman', 'chinaman'], 'chinampa': ['champain', 'chinampa'], 'chinanta': ['acanthin', 'chinanta'], 'chinar': ['chinar', 'inarch'], 'chine': ['chien', 'chine', 'niche'], 'chined': ['chined', 'inched'], 'chink': ['chink', 'kinch'], 'chinkle': ['chinkle', 'kelchin'], 'chinks': ['chinks', 'skinch'], 'chinoa': ['chinoa', 'noahic'], 'chinotti': ['chinotti', 'tithonic'], 'chint': ['chint', 'nitch'], 'chiolite': ['chiolite', 'eolithic'], 'chionididae': ['chionididae', 'onchidiidae'], 'chiral': ['archil', 'chiral'], 'chirapsia': ['chirapsia', 'pharisaic'], 'chirata': ['cathari', 'chirata', 'cithara'], 'chiro': ['chiro', 'choir', 'ichor'], 'chiromancist': ['chiromancist', 'monarchistic'], 'chiromant': ['chiromant', 'chromatin'], 'chiromantic': ['chiromantic', 'chromatinic'], 'chiromantis': ['anchoritism', 'chiromantis', 'chrismation', 'harmonistic'], 'chirometer': ['chirometer', 'rheometric'], 'chiroplasty': ['chiroplasty', 'polyarchist'], 'chiropter': ['chiropter', 'peritroch'], 'chirosophist': ['chirosophist', 'opisthorchis'], 'chirotes': ['chirotes', 'theorics'], 'chirotype': ['chirotype', 'hypocrite'], 'chirp': ['chirp', 'prich'], 'chirper': ['chirper', 'prerich'], 'chiseler': ['chiseler', 'rechisel'], 'chit': ['chit', 'itch', 'tchi'], 'chita': ['aitch', 'chait', 'chati', 'chita', 'taich', 'tchai'], 'chital': ['chital', 'claith'], 'chitinoid': ['chitinoid', 'dithionic'], 'chitosan': ['atchison', 'chitosan'], 'chitose': ['chitose', 'echoist'], 'chloe': ['chloe', 'choel'], 'chloracetate': ['ceratothecal', 'chloracetate'], 'chloranthy': ['chloranthy', 'rhynchotal'], 'chlorate': ['chlorate', 'trochlea'], 'chlordan': ['chaldron', 'chlordan', 'chondral'], 'chlore': ['chlore', 'choler', 'orchel'], 'chloremia': ['chloremia', 'homerical'], 'chlorinate': ['chlorinate', 'ectorhinal', 'tornachile'], 'chlorite': ['chlorite', 'clothier'], 'chloritic': ['chloritic', 'trochilic'], 'chloroamine': ['chloroamine', 'melanochroi'], 'chloroanaemia': ['aeolharmonica', 'chloroanaemia'], 'chloroanemia': ['chloroanemia', 'choleromania'], 'chloroiodide': ['chloroiodide', 'iodochloride'], 'chloroplatinic': ['chloroplatinic', 'platinochloric'], 'cho': ['cho', 'och'], 'choana': ['aonach', 'choana'], 'choca': ['chaco', 'choca', 'coach'], 'choco': ['choco', 'hocco'], 'choel': ['chloe', 'choel'], 'choenix': ['choenix', 'hexonic'], 'choes': ['choes', 'chose'], 'choiak': ['choiak', 'kochia'], 'choice': ['choice', 'echoic'], 'choil': ['choil', 'choli', 'olchi'], 'choir': ['chiro', 'choir', 'ichor'], 'choirman': ['choirman', 'harmonic', 'omniarch'], 'choker': ['choker', 'hocker'], 'choky': ['choky', 'hocky'], 'chol': ['chol', 'loch'], 'chola': ['chola', 'loach', 'olcha'], 'cholane': ['chalone', 'cholane'], 'cholangioitis': ['angiocholitis', 'cholangioitis'], 'cholanic': ['cholanic', 'colchian'], 'cholate': ['cathole', 'cholate'], 'cholecystoduodenostomy': ['cholecystoduodenostomy', 'duodenocholecystostomy'], 'choler': ['chlore', 'choler', 'orchel'], 'cholera': ['cholera', 'choreal'], 'cholerine': ['cholerine', 'rhinocele'], 'choleromania': ['chloroanemia', 'choleromania'], 'cholesteremia': ['cholesteremia', 'heteroecismal'], 'choli': ['choil', 'choli', 'olchi'], 'choline': ['choline', 'helicon'], 'cholo': ['cholo', 'cohol'], 'chondral': ['chaldron', 'chlordan', 'chondral'], 'chondrite': ['chondrite', 'threnodic'], 'chondroadenoma': ['adenochondroma', 'chondroadenoma'], 'chondroangioma': ['angiochondroma', 'chondroangioma'], 'chondroarthritis': ['arthrochondritis', 'chondroarthritis'], 'chondrocostal': ['chondrocostal', 'costochondral'], 'chondrofibroma': ['chondrofibroma', 'fibrochondroma'], 'chondrolipoma': ['chondrolipoma', 'lipochondroma'], 'chondromyxoma': ['chondromyxoma', 'myxochondroma'], 'chondromyxosarcoma': ['chondromyxosarcoma', 'myxochondrosarcoma'], 'choop': ['choop', 'pooch'], 'chopa': ['chopa', 'phoca', 'poach'], 'chopin': ['chopin', 'phonic'], 'chopine': ['chopine', 'phocine'], 'chora': ['achor', 'chora', 'corah', 'orach', 'roach'], 'choral': ['choral', 'lorcha'], 'chorasmian': ['anachorism', 'chorasmian', 'maraschino'], 'chordal': ['chordal', 'dorlach'], 'chorditis': ['chorditis', 'orchidist'], 'chordotonal': ['chordotonal', 'notochordal'], 'chore': ['chore', 'ocher'], 'chorea': ['chorea', 'ochrea', 'rochea'], 'choreal': ['cholera', 'choreal'], 'choree': ['choree', 'cohere', 'echoer'], 'choreoid': ['choreoid', 'ochidore'], 'choreus': ['choreus', 'chouser', 'rhoecus'], 'choric': ['choric', 'orchic'], 'choriocele': ['choriocele', 'orchiocele'], 'chorioidoretinitis': ['chorioidoretinitis', 'retinochorioiditis'], 'chorism': ['chorism', 'chrisom'], 'chorist': ['chorist', 'ostrich'], 'choristate': ['choristate', 'rheostatic'], 'chorization': ['chorization', 'rhizoctonia', 'zonotrichia'], 'choroid': ['choroid', 'ochroid'], 'chort': ['chort', 'rotch', 'torch'], 'chorten': ['chorten', 'notcher'], 'chorti': ['chorti', 'orthic', 'thoric', 'trochi'], 'chose': ['choes', 'chose'], 'chosen': ['cheson', 'chosen', 'schone'], 'chou': ['chou', 'ouch'], 'chough': ['chough', 'hughoc'], 'choup': ['choup', 'pouch'], 'chous': ['chous', 'hocus'], 'chouser': ['choreus', 'chouser', 'rhoecus'], 'chowder': ['chowder', 'cowherd'], 'chria': ['chair', 'chria'], 'chrism': ['chrism', 'smirch'], 'chrisma': ['charism', 'chrisma'], 'chrismation': ['anchoritism', 'chiromantis', 'chrismation', 'harmonistic'], 'chrismatite': ['chemiatrist', 'chrismatite', 'theatricism'], 'chrisom': ['chorism', 'chrisom'], 'christ': ['christ', 'strich'], 'christen': ['christen', 'snitcher'], 'christener': ['christener', 'rechristen'], 'christian': ['christian', 'christina'], 'christiana': ['arachnitis', 'christiana'], 'christina': ['christian', 'christina'], 'christophe': ['christophe', 'hectorship'], 'chromatician': ['achromatinic', 'chromatician'], 'chromatid': ['chromatid', 'dichromat'], 'chromatin': ['chiromant', 'chromatin'], 'chromatinic': ['chiromantic', 'chromatinic'], 'chromatocyte': ['chromatocyte', 'thoracectomy'], 'chromatoid': ['chromatoid', 'tichodroma'], 'chromatone': ['chromatone', 'enomotarch'], 'chromid': ['chromid', 'richdom'], 'chromidae': ['archidome', 'chromidae'], 'chromite': ['chromite', 'trichome'], 'chromocyte': ['chromocyte', 'cytochrome'], 'chromolithography': ['chromolithography', 'lithochromography'], 'chromophotography': ['chromophotography', 'photochromography'], 'chromophotolithograph': ['chromophotolithograph', 'photochromolithograph'], 'chromopsia': ['chromopsia', 'isocamphor'], 'chromotype': ['chromotype', 'cormophyte', 'ectomorphy'], 'chromotypic': ['chromotypic', 'cormophytic', 'mycotrophic'], 'chronophotograph': ['chronophotograph', 'photochronograph'], 'chronophotographic': ['chronophotographic', 'photochronographic'], 'chronophotography': ['chronophotography', 'photochronography'], 'chrysography': ['chrysography', 'psychorrhagy'], 'chrysolite': ['chrysolite', 'chrysotile'], 'chrysopid': ['chrysopid', 'dysphoric'], 'chrysotile': ['chrysolite', 'chrysotile'], 'chucker': ['chucker', 'rechuck'], 'chueta': ['chaute', 'chueta'], 'chukar': ['charuk', 'chukar'], 'chulan': ['chulan', 'launch', 'nuchal'], 'chum': ['chum', 'much'], 'chumpish': ['chumpish', 'chumship'], 'chumship': ['chumpish', 'chumship'], 'chunari': ['chunari', 'unchair'], 'chunnia': ['chunnia', 'unchain'], 'chuprassie': ['chuprassie', 'haruspices'], 'churl': ['churl', 'lurch'], 'churn': ['churn', 'runch'], 'chut': ['chut', 'tchu', 'utch'], 'chwana': ['chawan', 'chwana', 'wachna'], 'chyak': ['chyak', 'hacky'], 'chylous': ['chylous', 'slouchy'], 'cibarial': ['biracial', 'cibarial'], 'cibarian': ['arabinic', 'cabirian', 'carabini', 'cibarian'], 'cibolan': ['cibolan', 'coalbin'], 'cicala': ['alcaic', 'cicala'], 'cicatrize': ['arcticize', 'cicatrize'], 'cicely': ['cecily', 'cicely'], 'cicer': ['cerci', 'ceric', 'cicer', 'circe'], 'cicerone': ['cicerone', 'croceine'], 'cicindela': ['cicindela', 'cinclidae', 'icelandic'], 'ciclatoun': ['ciclatoun', 'noctiluca'], 'ciconian': ['aniconic', 'ciconian'], 'ciconine': ['ciconine', 'conicine'], 'cidaridae': ['acrididae', 'cardiidae', 'cidaridae'], 'cidaris': ['cidaris', 'sciarid'], 'cider': ['cider', 'cried', 'deric', 'dicer'], 'cigala': ['caliga', 'cigala'], 'cigar': ['cigar', 'craig'], 'cilia': ['cilia', 'iliac'], 'ciliation': ['ciliation', 'coinitial'], 'cilice': ['cilice', 'icicle'], 'cimbia': ['cimbia', 'iambic'], 'cimicidae': ['amicicide', 'cimicidae'], 'cinchonine': ['cinchonine', 'conchinine'], 'cinclidae': ['cicindela', 'cinclidae', 'icelandic'], 'cinder': ['cedrin', 'cinder', 'crined'], 'cinderous': ['cinderous', 'decursion'], 'cindie': ['cindie', 'incide'], 'cine': ['cine', 'nice'], 'cinel': ['cinel', 'cline'], 'cinema': ['anemic', 'cinema', 'iceman'], 'cinematographer': ['cinematographer', 'megachiropteran'], 'cinene': ['cinene', 'nicene'], 'cineole': ['cineole', 'coeline'], 'cinerama': ['amacrine', 'american', 'camerina', 'cinerama'], 'cineration': ['cineration', 'inceration'], 'cinerea': ['cairene', 'cinerea'], 'cinereal': ['cerealin', 'cinereal', 'reliance'], 'cingulum': ['cingulum', 'glucinum'], 'cinnamate': ['antanemic', 'cinnamate'], 'cinnamol': ['cinnamol', 'nonclaim'], 'cinnamon': ['cinnamon', 'mannonic'], 'cinnamoned': ['cinnamoned', 'demicannon'], 'cinque': ['cinque', 'quince'], 'cinter': ['cinter', 'cretin', 'crinet'], 'cinura': ['anuric', 'cinura', 'uranic'], 'cion': ['cion', 'coin', 'icon'], 'cipher': ['cipher', 'rechip'], 'cipo': ['cipo', 'pico'], 'circe': ['cerci', 'ceric', 'cicer', 'circe'], 'circle': ['circle', 'cleric'], 'cirrate': ['cartier', 'cirrate', 'erratic'], 'cirrated': ['cirrated', 'craterid'], 'cirrhotic': ['cirrhotic', 'trichroic'], 'cirrose': ['cirrose', 'crosier'], 'cirsectomy': ['cirsectomy', 'citromyces'], 'cirsoid': ['cirsoid', 'soricid'], 'ciruela': ['auricle', 'ciruela'], 'cise': ['cise', 'sice'], 'cisplatine': ['cisplatine', 'plasticine'], 'cispontine': ['cispontine', 'inspection'], 'cissoidal': ['cissoidal', 'dissocial'], 'cistern': ['cistern', 'increst'], 'cisterna': ['canister', 'cestrian', 'cisterna', 'irascent'], 'cisternal': ['cisternal', 'larcenist'], 'cistvaen': ['cistvaen', 'vesicant'], 'cit': ['cit', 'tic'], 'citadel': ['citadel', 'deltaic', 'dialect', 'edictal', 'lactide'], 'citatory': ['atrocity', 'citatory'], 'cite': ['ceti', 'cite', 'tice'], 'citer': ['citer', 'recti', 'ticer', 'trice'], 'cithara': ['cathari', 'chirata', 'cithara'], 'citharist': ['citharist', 'trachitis'], 'citharoedic': ['citharoedic', 'diachoretic'], 'cither': ['cither', 'thrice'], 'citied': ['citied', 'dietic'], 'citizen': ['citizen', 'zincite'], 'citral': ['citral', 'rictal'], 'citramide': ['citramide', 'diametric', 'matricide'], 'citrange': ['argentic', 'citrange'], 'citrate': ['atretic', 'citrate'], 'citrated': ['citrated', 'tetracid', 'tetradic'], 'citrean': ['centiar', 'certain', 'citrean', 'nacrite', 'nectria'], 'citrene': ['citrene', 'enteric', 'enticer', 'tercine'], 'citreous': ['citreous', 'urticose'], 'citric': ['citric', 'critic'], 'citrin': ['citrin', 'nitric'], 'citrination': ['citrination', 'intrication'], 'citrine': ['citrine', 'crinite', 'inciter', 'neritic'], 'citromyces': ['cirsectomy', 'citromyces'], 'citron': ['citron', 'cortin', 'crotin'], 'citronade': ['citronade', 'endaortic', 'redaction'], 'citronella': ['citronella', 'interlocal'], 'citrus': ['citrus', 'curtis', 'rictus', 'rustic'], 'cive': ['cive', 'vice'], 'civet': ['civet', 'evict'], 'civetone': ['civetone', 'evection'], 'civitan': ['activin', 'civitan'], 'cixo': ['cixo', 'coix'], 'clabber': ['cabbler', 'clabber'], 'clacker': ['cackler', 'clacker', 'crackle'], 'cladine': ['cladine', 'decalin', 'iceland'], 'cladonia': ['cladonia', 'condalia', 'diaconal'], 'cladophyll': ['cladophyll', 'phylloclad'], 'claim': ['claim', 'clima', 'malic'], 'claimant': ['calamint', 'claimant'], 'claimer': ['claimer', 'miracle', 'reclaim'], 'clairce': ['clairce', 'clarice'], 'claire': ['carlie', 'claire', 'eclair', 'erical'], 'claith': ['chital', 'claith'], 'claiver': ['caliver', 'caviler', 'claiver', 'clavier', 'valeric', 'velaric'], 'clam': ['calm', 'clam'], 'clamant': ['calmant', 'clamant'], 'clamative': ['calmative', 'clamative'], 'clamatores': ['clamatores', 'scleromata'], 'clamber': ['cambrel', 'clamber', 'cramble'], 'clame': ['camel', 'clame', 'cleam', 'macle'], 'clamer': ['calmer', 'carmel', 'clamer', 'marcel', 'mercal'], 'clamor': ['clamor', 'colmar'], 'clamorist': ['clamorist', 'crotalism'], 'clangingly': ['clangingly', 'glancingly'], 'clap': ['calp', 'clap'], 'clapper': ['clapper', 'crapple'], 'claquer': ['claquer', 'lacquer'], 'clarain': ['carinal', 'carlina', 'clarain', 'cranial'], 'clare': ['ceral', 'clare', 'clear', 'lacer'], 'clarence': ['canceler', 'clarence', 'recancel'], 'claret': ['carlet', 'cartel', 'claret', 'rectal', 'talcer'], 'claretian': ['carnalite', 'claretian', 'lacertian', 'nectarial'], 'clarice': ['clairce', 'clarice'], 'clarin': ['carlin', 'clarin', 'crinal'], 'clarinda': ['cardinal', 'clarinda'], 'clarion': ['carolin', 'clarion', 'colarin', 'locrian'], 'clarionet': ['alectrion', 'clarionet', 'crotaline', 'locarnite'], 'clarist': ['carlist', 'clarist'], 'claro': ['alcor', 'calor', 'carlo', 'carol', 'claro', 'coral'], 'clary': ['acryl', 'caryl', 'clary'], 'clasher': ['charles', 'clasher'], 'clasp': ['clasp', 'scalp'], 'clasper': ['clasper', 'reclasp', 'scalper'], 'clasping': ['clasping', 'scalping'], 'classed': ['classed', 'declass'], 'classer': ['carless', 'classer', 'reclass'], 'classism': ['classism', 'misclass'], 'classwork': ['classwork', 'crosswalk'], 'clat': ['clat', 'talc'], 'clathrina': ['alchitran', 'clathrina'], 'clathrose': ['clathrose', 'searcloth'], 'clatterer': ['clatterer', 'craterlet'], 'claude': ['caudle', 'cedula', 'claude'], 'claudian': ['claudian', 'dulciana'], 'claudicate': ['aciculated', 'claudicate'], 'clause': ['caelus', 'caules', 'clause'], 'claustral': ['claustral', 'lacustral'], 'clava': ['caval', 'clava'], 'clavacin': ['clavacin', 'vaccinal'], 'clavaria': ['calvaria', 'clavaria'], 'clave': ['calve', 'cavel', 'clave'], 'claver': ['calver', 'carvel', 'claver'], 'claviculate': ['calculative', 'claviculate'], 'clavier': ['caliver', 'caviler', 'claiver', 'clavier', 'valeric', 'velaric'], 'clavis': ['clavis', 'slavic'], 'clay': ['acyl', 'clay', 'lacy'], 'clayer': ['clayer', 'lacery'], 'claytonia': ['acylation', 'claytonia'], 'clead': ['clead', 'decal', 'laced'], 'cleam': ['camel', 'clame', 'cleam', 'macle'], 'cleamer': ['carmele', 'cleamer'], 'clean': ['canel', 'clean', 'lance', 'lenca'], 'cleaner': ['cleaner', 'reclean'], 'cleanly': ['cleanly', 'lancely'], 'cleanout': ['cleanout', 'outlance'], 'cleanse': ['cleanse', 'scalene'], 'cleanup': ['cleanup', 'unplace'], 'clear': ['ceral', 'clare', 'clear', 'lacer'], 'clearable': ['clearable', 'lacerable'], 'clearer': ['clearer', 'reclear'], 'cleat': ['cleat', 'eclat', 'ectal', 'lacet', 'tecla'], 'clefted': ['clefted', 'deflect'], 'cleistocarp': ['ceroplastic', 'cleistocarp', 'coreplastic'], 'cleistogeny': ['cleistogeny', 'lysogenetic'], 'cleoid': ['cleoid', 'coiled', 'docile'], 'cleopatra': ['acropetal', 'cleopatra'], 'cleric': ['circle', 'cleric'], 'clericature': ['clericature', 'recirculate'], 'clerkess': ['clerkess', 'reckless'], 'clerking': ['clerking', 'reckling'], 'clerus': ['clerus', 'cruels'], 'clethra': ['clethra', 'latcher', 'ratchel', 'relatch', 'talcher', 'trachle'], 'cleveite': ['cleveite', 'elective'], 'cliche': ['chicle', 'cliche'], 'clicker': ['clicker', 'crickle'], 'clidastes': ['clidastes', 'discastle'], 'clientage': ['clientage', 'genetical'], 'cliented': ['cliented', 'denticle'], 'cliftonia': ['cliftonia', 'fictional'], 'clima': ['claim', 'clima', 'malic'], 'climber': ['climber', 'reclimb'], 'clime': ['clime', 'melic'], 'cline': ['cinel', 'cline'], 'clinger': ['clinger', 'cringle'], 'clinia': ['anilic', 'clinia'], 'clinicopathological': ['clinicopathological', 'pathologicoclinical'], 'clinium': ['clinium', 'ulminic'], 'clinker': ['clinker', 'crinkle'], 'clinoclase': ['clinoclase', 'oscillance'], 'clinoclasite': ['callisection', 'clinoclasite'], 'clinodome': ['clinodome', 'melodicon', 'monocleid'], 'clinology': ['clinology', 'coolingly'], 'clinometer': ['clinometer', 'recoilment'], 'clinospore': ['clinospore', 'necropolis'], 'clio': ['clio', 'coil', 'coli', 'loci'], 'cliona': ['alnico', 'cliona', 'oilcan'], 'clione': ['clione', 'coelin', 'encoil', 'enolic'], 'clipeus': ['clipeus', 'spicule'], 'clipper': ['clipper', 'cripple'], 'clipse': ['clipse', 'splice'], 'clipsome': ['clipsome', 'polemics'], 'clite': ['clite', 'telic'], 'clites': ['celtis', 'clites'], 'clitia': ['clitia', 'italic'], 'clition': ['clition', 'nilotic'], 'clitoria': ['clitoria', 'loricati'], 'clitoridean': ['clitoridean', 'directional'], 'clitoris': ['clitoris', 'coistril'], 'clive': ['clive', 'velic'], 'cloacinal': ['cloacinal', 'cocillana'], 'cloam': ['cloam', 'comal'], 'cloamen': ['aclemon', 'cloamen'], 'clobber': ['clobber', 'cobbler'], 'clochan': ['chalcon', 'clochan', 'conchal'], 'clocked': ['clocked', 'cockled'], 'clocker': ['clocker', 'cockler'], 'clod': ['clod', 'cold'], 'clodder': ['clodder', 'coddler'], 'cloggy': ['cloggy', 'coggly'], 'cloister': ['cloister', 'coistrel'], 'cloisteral': ['cloisteral', 'sclerotial'], 'cloit': ['cloit', 'lotic'], 'clonicotonic': ['clonicotonic', 'tonicoclonic'], 'clonus': ['clonus', 'consul'], 'clop': ['clop', 'colp'], 'close': ['close', 'socle'], 'closer': ['closer', 'cresol', 'escrol'], 'closter': ['closter', 'costrel'], 'closterium': ['closterium', 'sclerotium'], 'clot': ['clot', 'colt'], 'clothier': ['chlorite', 'clothier'], 'clotho': ['clotho', 'coolth'], 'clotter': ['clotter', 'crottle'], 'cloture': ['cloture', 'clouter'], 'cloud': ['cloud', 'could'], 'clouter': ['cloture', 'clouter'], 'clovene': ['cevenol', 'clovene'], 'clow': ['clow', 'cowl'], 'cloy': ['cloy', 'coly'], 'clue': ['clue', 'luce'], 'clumse': ['clumse', 'muscle'], 'clumsily': ['clumsily', 'scyllium'], 'clumsy': ['clumsy', 'muscly'], 'clunist': ['clunist', 'linctus'], 'clupea': ['alecup', 'clupea'], 'clupeine': ['clupeine', 'pulicene'], 'clusia': ['caulis', 'clusia', 'sicula'], 'clutch': ['clutch', 'cultch'], 'clutter': ['clutter', 'cuttler'], 'clyde': ['clyde', 'decyl'], 'clyer': ['ceryl', 'clyer'], 'clymenia': ['clymenia', 'mycelian'], 'clypeolate': ['clypeolate', 'ptyalocele'], 'clysis': ['clysis', 'lyssic'], 'clysmic': ['clysmic', 'cyclism'], 'cnemial': ['cnemial', 'melanic'], 'cnemis': ['cnemis', 'mnesic'], 'cneorum': ['cneorum', 'corneum'], 'cnicus': ['cnicus', 'succin'], 'cnida': ['canid', 'cnida', 'danic'], 'cnidaria': ['acridian', 'cnidaria'], 'cnidian': ['cnidian', 'indican'], 'cnidophore': ['cnidophore', 'princehood'], 'coach': ['chaco', 'choca', 'coach'], 'coacher': ['caroche', 'coacher', 'recoach'], 'coachlet': ['catechol', 'coachlet'], 'coactor': ['coactor', 'tarocco'], 'coadamite': ['acetamido', 'coadamite'], 'coadnate': ['anecdota', 'coadnate'], 'coadunite': ['coadunite', 'education', 'noctuidae'], 'coagent': ['coagent', 'cognate'], 'coagulate': ['catalogue', 'coagulate'], 'coaita': ['atocia', 'coaita'], 'coal': ['alco', 'coal', 'cola', 'loca'], 'coalbin': ['cibolan', 'coalbin'], 'coaler': ['carole', 'coaler', 'coelar', 'oracle', 'recoal'], 'coalite': ['aloetic', 'coalite'], 'coalition': ['coalition', 'lociation'], 'coalitionist': ['coalitionist', 'solicitation'], 'coalizer': ['calorize', 'coalizer'], 'coalpit': ['capitol', 'coalpit', 'optical', 'topical'], 'coaltitude': ['coaltitude', 'colatitude'], 'coaming': ['coaming', 'macigno'], 'coan': ['coan', 'onca'], 'coapt': ['capot', 'coapt'], 'coarb': ['carbo', 'carob', 'coarb', 'cobra'], 'coarrange': ['arrogance', 'coarrange'], 'coarse': ['acrose', 'coarse'], 'coarsen': ['carnose', 'coarsen', 'narcose'], 'coassert': ['castores', 'coassert'], 'coast': ['ascot', 'coast', 'costa', 'tacso', 'tasco'], 'coastal': ['coastal', 'salacot'], 'coaster': ['coaster', 'recoast'], 'coasting': ['agnostic', 'coasting'], 'coated': ['coated', 'decoat'], 'coater': ['coater', 'recoat'], 'coating': ['coating', 'cotinga'], 'coatroom': ['coatroom', 'morocota'], 'coax': ['coax', 'coxa'], 'cobbler': ['clobber', 'cobbler'], 'cobia': ['baioc', 'cabio', 'cobia'], 'cobiron': ['boronic', 'cobiron'], 'cobitis': ['biotics', 'cobitis'], 'cobra': ['carbo', 'carob', 'coarb', 'cobra'], 'cocaine': ['cocaine', 'oceanic'], 'cocainist': ['cocainist', 'siccation'], 'cocama': ['cocama', 'macaco'], 'cocamine': ['cocamine', 'comacine'], 'cochleare': ['archocele', 'cochleare'], 'cochleitis': ['cochleitis', 'ochlesitic'], 'cocillana': ['cloacinal', 'cocillana'], 'cocker': ['cocker', 'recock'], 'cockily': ['cockily', 'colicky'], 'cockled': ['clocked', 'cockled'], 'cockler': ['clocker', 'cockler'], 'cockup': ['cockup', 'upcock'], 'cocreditor': ['cocreditor', 'codirector'], 'cocurrent': ['cocurrent', 'occurrent', 'uncorrect'], 'cod': ['cod', 'doc'], 'codamine': ['codamine', 'comedian', 'daemonic', 'demoniac'], 'codder': ['codder', 'corded'], 'coddler': ['clodder', 'coddler'], 'code': ['code', 'coed'], 'codebtor': ['bedoctor', 'codebtor'], 'coder': ['coder', 'cored', 'credo'], 'coderive': ['coderive', 'divorcee'], 'codicil': ['codicil', 'dicolic'], 'codille': ['celloid', 'codille', 'collide', 'collied'], 'codirector': ['cocreditor', 'codirector'], 'codium': ['codium', 'mucoid'], 'coed': ['code', 'coed'], 'coeditorship': ['cheiropodist', 'coeditorship'], 'coelar': ['carole', 'coaler', 'coelar', 'oracle', 'recoal'], 'coelata': ['alcoate', 'coelata'], 'coelection': ['coelection', 'entocoelic'], 'coelia': ['aeolic', 'coelia'], 'coelin': ['clione', 'coelin', 'encoil', 'enolic'], 'coeline': ['cineole', 'coeline'], 'coelogyne': ['coelogyne', 'gonyocele'], 'coenactor': ['coenactor', 'croconate'], 'coenobiar': ['borocaine', 'coenobiar'], 'coenurus': ['cernuous', 'coenurus'], 'coestate': ['coestate', 'ecostate'], 'coeternal': ['antrocele', 'coeternal', 'tolerance'], 'coeval': ['alcove', 'coeval', 'volcae'], 'cofaster': ['cofaster', 'forecast'], 'coferment': ['coferment', 'forcement'], 'cogeneric': ['cogeneric', 'concierge'], 'coggly': ['cloggy', 'coggly'], 'cognate': ['coagent', 'cognate'], 'cognatical': ['cognatical', 'galactonic'], 'cognation': ['cognation', 'contagion'], 'cognition': ['cognition', 'incognito'], 'cognominal': ['cognominal', 'gnomonical'], 'cogon': ['cogon', 'congo'], 'cograil': ['argolic', 'cograil'], 'coheir': ['coheir', 'heroic'], 'cohen': ['cohen', 'enoch'], 'cohere': ['choree', 'cohere', 'echoer'], 'cohol': ['cholo', 'cohol'], 'cohune': ['cohune', 'hounce'], 'coif': ['coif', 'fico', 'foci'], 'coign': ['coign', 'incog'], 'coil': ['clio', 'coil', 'coli', 'loci'], 'coiled': ['cleoid', 'coiled', 'docile'], 'coiler': ['coiler', 'recoil'], 'coin': ['cion', 'coin', 'icon'], 'coinclude': ['coinclude', 'undecolic'], 'coiner': ['cerion', 'coiner', 'neroic', 'orcein', 'recoin'], 'coinfer': ['coinfer', 'conifer'], 'coinherence': ['coinherence', 'incoherence'], 'coinherent': ['coinherent', 'incoherent'], 'coinitial': ['ciliation', 'coinitial'], 'coinmate': ['coinmate', 'maconite'], 'coinspire': ['coinspire', 'precision'], 'coinsure': ['coinsure', 'corineus', 'cusinero'], 'cointer': ['cerotin', 'cointer', 'cotrine', 'cretion', 'noticer', 'rection'], 'cointreau': ['cautioner', 'cointreau'], 'coistrel': ['cloister', 'coistrel'], 'coistril': ['clitoris', 'coistril'], 'coix': ['cixo', 'coix'], 'coker': ['coker', 'corke', 'korec'], 'coky': ['coky', 'yock'], 'cola': ['alco', 'coal', 'cola', 'loca'], 'colalgia': ['alogical', 'colalgia'], 'colan': ['colan', 'conal'], 'colane': ['canelo', 'colane'], 'colarin': ['carolin', 'clarion', 'colarin', 'locrian'], 'colate': ['acetol', 'colate', 'locate'], 'colation': ['colation', 'coontail', 'location'], 'colatitude': ['coaltitude', 'colatitude'], 'colchian': ['cholanic', 'colchian'], 'colcine': ['colcine', 'concile', 'conicle'], 'colcothar': ['colcothar', 'ochlocrat'], 'cold': ['clod', 'cold'], 'colder': ['cedrol', 'colder', 'cordel'], 'colectomy': ['colectomy', 'cyclotome'], 'colemanite': ['colemanite', 'melaconite'], 'coleur': ['coleur', 'colure'], 'coleus': ['coleus', 'oscule'], 'coli': ['clio', 'coil', 'coli', 'loci'], 'colias': ['colias', 'scolia', 'social'], 'colicky': ['cockily', 'colicky'], 'colima': ['colima', 'olamic'], 'colin': ['colin', 'nicol'], 'colinear': ['acrolein', 'arecolin', 'caroline', 'colinear', 'cornelia', 'creolian', 'lonicera'], 'colitis': ['colitis', 'solicit'], 'colk': ['colk', 'lock'], 'colla': ['callo', 'colla', 'local'], 'collage': ['alcogel', 'collage'], 'collare': ['collare', 'corella', 'ocellar'], 'collaret': ['collaret', 'corallet'], 'collarino': ['collarino', 'coronilla'], 'collatee': ['collatee', 'ocellate'], 'collationer': ['collationer', 'recollation'], 'collectioner': ['collectioner', 'recollection'], 'collegial': ['collegial', 'gallicole'], 'collegian': ['allogenic', 'collegian'], 'colleri': ['cerillo', 'colleri', 'collier'], 'colleter': ['colleter', 'coteller', 'coterell', 'recollet'], 'colletia': ['colletia', 'teocalli'], 'collide': ['celloid', 'codille', 'collide', 'collied'], 'collidine': ['celloidin', 'collidine', 'decillion'], 'collie': ['collie', 'ocelli'], 'collied': ['celloid', 'codille', 'collide', 'collied'], 'collier': ['cerillo', 'colleri', 'collier'], 'colligate': ['colligate', 'cotillage'], 'colline': ['colline', 'lioncel'], 'collinear': ['collinear', 'coralline'], 'collinsia': ['collinsia', 'isoclinal'], 'collotypy': ['collotypy', 'polycotyl'], 'collusive': ['collusive', 'colluvies'], 'colluvies': ['collusive', 'colluvies'], 'collyba': ['callboy', 'collyba'], 'colmar': ['clamor', 'colmar'], 'colobus': ['colobus', 'subcool'], 'coloenteritis': ['coloenteritis', 'enterocolitis'], 'colombian': ['colombian', 'colombina'], 'colombina': ['colombian', 'colombina'], 'colonalgia': ['colonalgia', 'naological'], 'colonate': ['colonate', 'ecotonal'], 'colonialist': ['colonialist', 'oscillation'], 'coloproctitis': ['coloproctitis', 'proctocolitis'], 'color': ['color', 'corol', 'crool'], 'colored': ['colored', 'croodle', 'decolor'], 'colorer': ['colorer', 'recolor'], 'colorin': ['colorin', 'orcinol'], 'colorman': ['colorman', 'conormal'], 'colp': ['clop', 'colp'], 'colpeurynter': ['colpeurynter', 'counterreply'], 'colpitis': ['colpitis', 'politics', 'psilotic'], 'colporrhagia': ['colporrhagia', 'orographical'], 'colt': ['clot', 'colt'], 'colter': ['colter', 'lector', 'torcel'], 'coltskin': ['coltskin', 'linstock'], 'colubrina': ['binocular', 'caliburno', 'colubrina'], 'columbo': ['columbo', 'coulomb'], 'columbotitanate': ['columbotitanate', 'titanocolumbate'], 'columnated': ['columnated', 'documental'], 'columned': ['columned', 'uncledom'], 'colunar': ['colunar', 'cornual', 'courlan'], 'colure': ['coleur', 'colure'], 'colutea': ['caulote', 'colutea', 'oculate'], 'coly': ['cloy', 'coly'], 'coma': ['coma', 'maco'], 'comacine': ['cocamine', 'comacine'], 'comal': ['cloam', 'comal'], 'coman': ['coman', 'macon', 'manoc'], 'comart': ['carmot', 'comart'], 'comate': ['comate', 'metoac', 'tecoma'], 'combat': ['combat', 'tombac'], 'comber': ['comber', 'recomb'], 'combinedly': ['combinedly', 'molybdenic'], 'comedial': ['cameloid', 'comedial', 'melodica'], 'comedian': ['codamine', 'comedian', 'daemonic', 'demoniac'], 'comediant': ['comediant', 'metaconid'], 'comedist': ['comedist', 'demotics', 'docetism', 'domestic'], 'comedown': ['comedown', 'downcome'], 'comeliness': ['comeliness', 'incomeless'], 'comeling': ['comeling', 'comingle'], 'comenic': ['comenic', 'encomic', 'meconic'], 'comer': ['comer', 'crome'], 'comforter': ['comforter', 'recomfort'], 'comid': ['comid', 'domic'], 'coming': ['coming', 'gnomic'], 'comingle': ['comeling', 'comingle'], 'comintern': ['comintern', 'nonmetric'], 'comitia': ['caimito', 'comitia'], 'comitragedy': ['comitragedy', 'tragicomedy'], 'comity': ['comity', 'myotic'], 'commander': ['commander', 'recommand'], 'commation': ['commation', 'monatomic'], 'commelina': ['commelina', 'melomanic'], 'commender': ['commender', 'recommend'], 'commentarial': ['commentarial', 'manometrical'], 'commination': ['commination', 'monamniotic'], 'commissioner': ['commissioner', 'recommission'], 'commonality': ['ammonolytic', 'commonality'], 'commorient': ['commorient', 'metronomic', 'monometric'], 'compact': ['accompt', 'compact'], 'compacter': ['compacter', 'recompact'], 'company': ['company', 'copyman'], 'compare': ['compare', 'compear'], 'comparition': ['comparition', 'proamniotic'], 'compasser': ['compasser', 'recompass'], 'compear': ['compare', 'compear'], 'compenetrate': ['compenetrate', 'contemperate'], 'competitioner': ['competitioner', 'recompetition'], 'compile': ['compile', 'polemic'], 'compiler': ['compiler', 'complier'], 'complainer': ['complainer', 'procnemial', 'recomplain'], 'complaint': ['complaint', 'compliant'], 'complanate': ['complanate', 'placentoma'], 'compliant': ['complaint', 'compliant'], 'complier': ['compiler', 'complier'], 'compounder': ['compounder', 'recompound'], 'comprehender': ['comprehender', 'recomprehend'], 'compressed': ['compressed', 'decompress'], 'comprise': ['comprise', 'perosmic'], 'compromission': ['compromission', 'procommission'], 'conal': ['colan', 'conal'], 'conamed': ['conamed', 'macedon'], 'conant': ['cannot', 'canton', 'conant', 'nonact'], 'conarial': ['carolina', 'conarial'], 'conarium': ['conarium', 'coumarin'], 'conative': ['conative', 'invocate'], 'concealer': ['concealer', 'reconceal'], 'concent': ['concent', 'connect'], 'concenter': ['concenter', 'reconnect'], 'concentive': ['concentive', 'connective'], 'concertize': ['concertize', 'concretize'], 'concessioner': ['concessioner', 'reconcession'], 'concha': ['chanco', 'concha'], 'conchal': ['chalcon', 'clochan', 'conchal'], 'conchinine': ['cinchonine', 'conchinine'], 'concierge': ['cogeneric', 'concierge'], 'concile': ['colcine', 'concile', 'conicle'], 'concocter': ['concocter', 'reconcoct'], 'concreter': ['concreter', 'reconcert'], 'concretize': ['concertize', 'concretize'], 'concretor': ['concretor', 'conrector'], 'condalia': ['cladonia', 'condalia', 'diaconal'], 'condemner': ['condemner', 'recondemn'], 'condite': ['condite', 'ctenoid'], 'conditioner': ['conditioner', 'recondition'], 'condor': ['condor', 'cordon'], 'conduit': ['conduit', 'duction', 'noctuid'], 'condylomatous': ['condylomatous', 'monodactylous'], 'cone': ['cone', 'once'], 'conepate': ['conepate', 'tepecano'], 'coner': ['coner', 'crone', 'recon'], 'cones': ['cones', 'scone'], 'confesser': ['confesser', 'reconfess'], 'configurationism': ['configurationism', 'misconfiguration'], 'confirmer': ['confirmer', 'reconfirm'], 'confirmor': ['confirmor', 'corniform'], 'conflate': ['conflate', 'falconet'], 'conformer': ['conformer', 'reconform'], 'confounder': ['confounder', 'reconfound'], 'confrere': ['confrere', 'enforcer', 'reconfer'], 'confronter': ['confronter', 'reconfront'], 'congealer': ['congealer', 'recongeal'], 'congeneric': ['congeneric', 'necrogenic'], 'congenerous': ['congenerous', 'necrogenous'], 'congenial': ['congenial', 'goclenian'], 'congo': ['cogon', 'congo'], 'congreet': ['congreet', 'coregent'], 'congreve': ['congreve', 'converge'], 'conical': ['conical', 'laconic'], 'conicine': ['ciconine', 'conicine'], 'conicle': ['colcine', 'concile', 'conicle'], 'conicoid': ['conicoid', 'conoidic'], 'conidium': ['conidium', 'mucinoid', 'oncidium'], 'conifer': ['coinfer', 'conifer'], 'conima': ['camion', 'conima', 'manioc', 'monica'], 'conin': ['conin', 'nonic', 'oncin'], 'conine': ['conine', 'connie', 'ennoic'], 'conjoiner': ['conjoiner', 'reconjoin'], 'conk': ['conk', 'nock'], 'conker': ['conker', 'reckon'], 'conkers': ['conkers', 'snocker'], 'connarite': ['connarite', 'container', 'cotarnine', 'crenation', 'narcotine'], 'connatal': ['cantonal', 'connatal'], 'connation': ['connation', 'nonaction'], 'connature': ['antecornu', 'connature'], 'connect': ['concent', 'connect'], 'connectival': ['connectival', 'conventical'], 'connective': ['concentive', 'connective'], 'connie': ['conine', 'connie', 'ennoic'], 'connoissance': ['connoissance', 'nonaccession'], 'conoidal': ['conoidal', 'dolciano'], 'conoidic': ['conicoid', 'conoidic'], 'conor': ['conor', 'croon', 'ronco'], 'conormal': ['colorman', 'conormal'], 'conoy': ['conoy', 'coony'], 'conrad': ['candor', 'cardon', 'conrad'], 'conrector': ['concretor', 'conrector'], 'conred': ['cedron', 'conred'], 'conringia': ['conringia', 'inorganic'], 'consenter': ['consenter', 'nonsecret', 'reconsent'], 'conservable': ['conservable', 'conversable'], 'conservancy': ['conservancy', 'conversancy'], 'conservant': ['conservant', 'conversant'], 'conservation': ['conservation', 'conversation'], 'conservational': ['conservational', 'conversational'], 'conservationist': ['conservationist', 'conversationist'], 'conservative': ['conservative', 'conversative'], 'conserve': ['conserve', 'converse'], 'conserver': ['conserver', 'converser'], 'considerate': ['considerate', 'desecration'], 'considerative': ['considerative', 'devisceration'], 'considered': ['considered', 'deconsider'], 'considerer': ['considerer', 'reconsider'], 'consigner': ['consigner', 'reconsign'], 'conspiracy': ['conspiracy', 'snipocracy'], 'conspire': ['conspire', 'incorpse'], 'constate': ['catstone', 'constate'], 'constitutionalism': ['constitutionalism', 'misconstitutional'], 'constitutioner': ['constitutioner', 'reconstitution'], 'constrain': ['constrain', 'transonic'], 'constructer': ['constructer', 'reconstruct'], 'constructionism': ['constructionism', 'misconstruction'], 'consul': ['clonus', 'consul'], 'consulage': ['consulage', 'glucosane'], 'consulary': ['consulary', 'cynosural'], 'consulter': ['consulter', 'reconsult'], 'consume': ['consume', 'muscone'], 'consumer': ['consumer', 'mucrones'], 'consute': ['consute', 'contuse'], 'contagion': ['cognation', 'contagion'], 'contain': ['actinon', 'cantion', 'contain'], 'container': ['connarite', 'container', 'cotarnine', 'crenation', 'narcotine'], 'conte': ['cento', 'conte', 'tecon'], 'contemperate': ['compenetrate', 'contemperate'], 'contender': ['contender', 'recontend'], 'conter': ['conter', 'cornet', 'cronet', 'roncet'], 'conterminal': ['centinormal', 'conterminal', 'nonmetrical'], 'contester': ['contester', 'recontest'], 'continual': ['continual', 'inoculant', 'unctional'], 'continued': ['continued', 'unnoticed'], 'continuer': ['centurion', 'continuer', 'cornutine'], 'contise': ['contise', 'noetics', 'section'], 'contline': ['contline', 'nonlicet'], 'contortae': ['contortae', 'crotonate'], 'contour': ['contour', 'cornuto', 'countor', 'crouton'], 'contra': ['cantor', 'carton', 'contra'], 'contracter': ['contracter', 'correctant', 'recontract'], 'contrapose': ['antroscope', 'contrapose'], 'contravene': ['contravene', 'covenanter'], 'contrite': ['contrite', 'tetronic'], 'contrive': ['contrive', 'invector'], 'conturbation': ['conturbation', 'obtruncation'], 'contuse': ['consute', 'contuse'], 'conure': ['conure', 'rounce', 'uncore'], 'conventical': ['connectival', 'conventical'], 'conventioner': ['conventioner', 'reconvention'], 'converge': ['congreve', 'converge'], 'conversable': ['conservable', 'conversable'], 'conversancy': ['conservancy', 'conversancy'], 'conversant': ['conservant', 'conversant'], 'conversation': ['conservation', 'conversation'], 'conversational': ['conservational', 'conversational'], 'conversationist': ['conservationist', 'conversationist'], 'conversative': ['conservative', 'conversative'], 'converse': ['conserve', 'converse'], 'converser': ['conserver', 'converser'], 'converter': ['converter', 'reconvert'], 'convertise': ['convertise', 'ventricose'], 'conveyer': ['conveyer', 'reconvey'], 'conycatcher': ['conycatcher', 'technocracy'], 'conyrine': ['conyrine', 'corynine'], 'cooker': ['cooker', 'recook'], 'cool': ['cool', 'loco'], 'coolant': ['coolant', 'octonal'], 'cooler': ['cooler', 'recool'], 'coolingly': ['clinology', 'coolingly'], 'coolth': ['clotho', 'coolth'], 'coolweed': ['coolweed', 'locoweed'], 'cooly': ['cooly', 'coyol'], 'coonroot': ['coonroot', 'octoroon'], 'coontail': ['colation', 'coontail', 'location'], 'coony': ['conoy', 'coony'], 'coop': ['coop', 'poco'], 'coos': ['coos', 'soco'], 'coost': ['coost', 'scoot'], 'coot': ['coot', 'coto', 'toco'], 'copa': ['copa', 'paco'], 'copable': ['copable', 'placebo'], 'copalite': ['copalite', 'poetical'], 'coparent': ['coparent', 'portance'], 'copart': ['captor', 'copart'], 'copartner': ['copartner', 'procreant'], 'copatain': ['copatain', 'pacation'], 'copehan': ['copehan', 'panoche', 'phocean'], 'copen': ['copen', 'ponce'], 'coperta': ['coperta', 'pectora', 'porcate'], 'copied': ['copied', 'epodic'], 'copis': ['copis', 'pisco'], 'copist': ['copist', 'coptis', 'optics', 'postic'], 'copita': ['atopic', 'capito', 'copita'], 'coplanar': ['coplanar', 'procanal'], 'copleased': ['copleased', 'escaloped'], 'copperer': ['copperer', 'recopper'], 'coppery': ['coppery', 'precopy'], 'copr': ['copr', 'corp', 'crop'], 'coprinae': ['caponier', 'coprinae', 'procaine'], 'coprinus': ['coprinus', 'poncirus'], 'coprolagnia': ['carpogonial', 'coprolagnia'], 'coprophagist': ['coprophagist', 'topographics'], 'coprose': ['coprose', 'scooper'], 'copse': ['copse', 'pecos', 'scope'], 'copter': ['ceptor', 'copter'], 'coptis': ['copist', 'coptis', 'optics', 'postic'], 'copula': ['copula', 'cupola'], 'copular': ['copular', 'croupal', 'cupolar', 'porcula'], 'copulate': ['copulate', 'outplace'], 'copulation': ['copulation', 'poculation'], 'copus': ['copus', 'scoup'], 'copyman': ['company', 'copyman'], 'copyrighter': ['copyrighter', 'recopyright'], 'coque': ['coque', 'ocque'], 'coquitlam': ['coquitlam', 'quamoclit'], 'cor': ['cor', 'cro', 'orc', 'roc'], 'cora': ['acor', 'caro', 'cora', 'orca'], 'coraciae': ['coraciae', 'icacorea'], 'coracial': ['caracoli', 'coracial'], 'coracias': ['coracias', 'rascacio'], 'coradicate': ['coradicate', 'ectocardia'], 'corah': ['achor', 'chora', 'corah', 'orach', 'roach'], 'coraise': ['coraise', 'scoriae'], 'coral': ['alcor', 'calor', 'carlo', 'carol', 'claro', 'coral'], 'coraled': ['acerdol', 'coraled'], 'coralist': ['calorist', 'coralist'], 'corallet': ['collaret', 'corallet'], 'corallian': ['corallian', 'corallina'], 'corallina': ['corallian', 'corallina'], 'coralline': ['collinear', 'coralline'], 'corallite': ['corallite', 'lectorial'], 'coram': ['carom', 'coram', 'macro', 'marco'], 'coranto': ['cartoon', 'coranto'], 'corban': ['bracon', 'carbon', 'corban'], 'corbeil': ['bricole', 'corbeil', 'orbicle'], 'cordaitean': ['arctoidean', 'carotidean', 'cordaitean', 'dinocerata'], 'cordate': ['cordate', 'decator', 'redcoat'], 'corded': ['codder', 'corded'], 'cordel': ['cedrol', 'colder', 'cordel'], 'corder': ['corder', 'record'], 'cordia': ['caroid', 'cordia'], 'cordial': ['cordial', 'dorical'], 'cordicole': ['cordicole', 'crocodile'], 'cordierite': ['cordierite', 'directoire'], 'cordoba': ['bocardo', 'cordoba'], 'cordon': ['condor', 'cordon'], 'core': ['cero', 'core'], 'cored': ['coder', 'cored', 'credo'], 'coregent': ['congreet', 'coregent'], 'coreless': ['coreless', 'sclerose'], 'corella': ['collare', 'corella', 'ocellar'], 'corema': ['ceroma', 'corema'], 'coreplastic': ['ceroplastic', 'cleistocarp', 'coreplastic'], 'coreplasty': ['ceroplasty', 'coreplasty'], 'corer': ['corer', 'crore'], 'coresidual': ['coresidual', 'radiculose'], 'coresign': ['coresign', 'cosigner'], 'corge': ['corge', 'gorce'], 'corgi': ['corgi', 'goric', 'orgic'], 'corial': ['caroli', 'corial', 'lorica'], 'coriamyrtin': ['coriamyrtin', 'criminatory'], 'corin': ['corin', 'noric', 'orcin'], 'corindon': ['corindon', 'nodicorn'], 'corineus': ['coinsure', 'corineus', 'cusinero'], 'corinna': ['corinna', 'cronian'], 'corinne': ['corinne', 'cornein', 'neronic'], 'cork': ['cork', 'rock'], 'corke': ['coker', 'corke', 'korec'], 'corked': ['corked', 'docker', 'redock'], 'corker': ['corker', 'recork', 'rocker'], 'corkiness': ['corkiness', 'rockiness'], 'corking': ['corking', 'rocking'], 'corkish': ['corkish', 'rockish'], 'corkwood': ['corkwood', 'rockwood', 'woodrock'], 'corky': ['corky', 'rocky'], 'corm': ['corm', 'crom'], 'cormophyte': ['chromotype', 'cormophyte', 'ectomorphy'], 'cormophytic': ['chromotypic', 'cormophytic', 'mycotrophic'], 'cornage': ['acrogen', 'cornage'], 'cornea': ['carone', 'cornea'], 'corneal': ['carneol', 'corneal'], 'cornein': ['corinne', 'cornein', 'neronic'], 'cornelia': ['acrolein', 'arecolin', 'caroline', 'colinear', 'cornelia', 'creolian', 'lonicera'], 'cornelius': ['cornelius', 'inclosure', 'reclusion'], 'corneocalcareous': ['calcareocorneous', 'corneocalcareous'], 'cornet': ['conter', 'cornet', 'cronet', 'roncet'], 'corneum': ['cneorum', 'corneum'], 'cornic': ['cornic', 'crocin'], 'cornice': ['cornice', 'crocein'], 'corniform': ['confirmor', 'corniform'], 'cornin': ['cornin', 'rincon'], 'cornish': ['cornish', 'cronish', 'sorchin'], 'cornual': ['colunar', 'cornual', 'courlan'], 'cornuate': ['cornuate', 'courante', 'cuneator', 'outrance'], 'cornuated': ['cornuated', 'undercoat'], 'cornucopiate': ['cornucopiate', 'reoccupation'], 'cornulites': ['cornulites', 'uncloister'], 'cornute': ['cornute', 'counter', 'recount', 'trounce'], 'cornutine': ['centurion', 'continuer', 'cornutine'], 'cornuto': ['contour', 'cornuto', 'countor', 'crouton'], 'corny': ['corny', 'crony'], 'corol': ['color', 'corol', 'crool'], 'corollated': ['corollated', 'decollator'], 'corona': ['caroon', 'corona', 'racoon'], 'coronad': ['cardoon', 'coronad'], 'coronadite': ['carotenoid', 'coronadite', 'decoration'], 'coronal': ['coronal', 'locarno'], 'coronaled': ['canoodler', 'coronaled'], 'coronate': ['coronate', 'octonare', 'otocrane'], 'coronated': ['coronated', 'creodonta'], 'coroner': ['coroner', 'crooner', 'recroon'], 'coronilla': ['collarino', 'coronilla'], 'corp': ['copr', 'corp', 'crop'], 'corporealist': ['corporealist', 'prosectorial'], 'corradiate': ['corradiate', 'cortaderia', 'eradicator'], 'correal': ['caroler', 'correal'], 'correctant': ['contracter', 'correctant', 'recontract'], 'correctioner': ['correctioner', 'recorrection'], 'corrente': ['corrente', 'terceron'], 'correption': ['correption', 'porrection'], 'corrodentia': ['corrodentia', 'recordation'], 'corrupter': ['corrupter', 'recorrupt'], 'corsage': ['corsage', 'socager'], 'corsaint': ['cantoris', 'castorin', 'corsaint'], 'corse': ['corse', 'score'], 'corselet': ['corselet', 'sclerote', 'selector'], 'corset': ['corset', 'cortes', 'coster', 'escort', 'scoter', 'sector'], 'corta': ['actor', 'corta', 'croat', 'rocta', 'taroc', 'troca'], 'cortaderia': ['corradiate', 'cortaderia', 'eradicator'], 'cortes': ['corset', 'cortes', 'coster', 'escort', 'scoter', 'sector'], 'cortical': ['cortical', 'crotalic'], 'cortices': ['cortices', 'cresotic'], 'corticose': ['corticose', 'creosotic'], 'cortin': ['citron', 'cortin', 'crotin'], 'cortina': ['anticor', 'carotin', 'cortina', 'ontaric'], 'cortinate': ['carnotite', 'cortinate'], 'cortisone': ['certosino', 'cortisone', 'socotrine'], 'corton': ['corton', 'croton'], 'corvinae': ['corvinae', 'veronica'], 'cory': ['cory', 'croy'], 'corycavidine': ['cervicodynia', 'corycavidine'], 'corydon': ['corydon', 'croydon'], 'corynine': ['conyrine', 'corynine'], 'corypha': ['charpoy', 'corypha'], 'coryphene': ['coryphene', 'hypercone'], 'cos': ['cos', 'osc', 'soc'], 'cosalite': ['cosalite', 'societal'], 'coset': ['coset', 'estoc', 'scote'], 'cosh': ['cosh', 'scho'], 'cosharer': ['cosharer', 'horsecar'], 'cosigner': ['coresign', 'cosigner'], 'cosine': ['cosine', 'oscine'], 'cosmati': ['atomics', 'catoism', 'cosmati', 'osmatic', 'somatic'], 'cosmetical': ['cacomistle', 'cosmetical'], 'cosmetician': ['cosmetician', 'encomiastic'], 'cosmist': ['cosmist', 'scotism'], 'cossack': ['cassock', 'cossack'], 'cosse': ['cosse', 'secos'], 'cost': ['cost', 'scot'], 'costa': ['ascot', 'coast', 'costa', 'tacso', 'tasco'], 'costar': ['arctos', 'castor', 'costar', 'scrota'], 'costean': ['costean', 'tsoneca'], 'coster': ['corset', 'cortes', 'coster', 'escort', 'scoter', 'sector'], 'costing': ['costing', 'gnostic'], 'costispinal': ['costispinal', 'pansciolist'], 'costmary': ['arctomys', 'costmary', 'mascotry'], 'costochondral': ['chondrocostal', 'costochondral'], 'costosternal': ['costosternal', 'sternocostal'], 'costovertebral': ['costovertebral', 'vertebrocostal'], 'costrel': ['closter', 'costrel'], 'costula': ['costula', 'locusta', 'talcous'], 'costumer': ['costumer', 'customer'], 'cosurety': ['cosurety', 'courtesy'], 'cosustain': ['cosustain', 'scusation'], 'cotarius': ['cotarius', 'octarius', 'suctoria'], 'cotarnine': ['connarite', 'container', 'cotarnine', 'crenation', 'narcotine'], 'cote': ['cote', 'teco'], 'coteline': ['coteline', 'election'], 'coteller': ['colleter', 'coteller', 'coterell', 'recollet'], 'coterell': ['colleter', 'coteller', 'coterell', 'recollet'], 'cotesian': ['canoeist', 'cotesian'], 'coth': ['coth', 'ocht'], 'cotidal': ['cotidal', 'lactoid', 'talcoid'], 'cotillage': ['colligate', 'cotillage'], 'cotillion': ['cotillion', 'octillion'], 'cotinga': ['coating', 'cotinga'], 'cotinus': ['cotinus', 'suction', 'unstoic'], 'cotise': ['cotise', 'oecist'], 'coto': ['coot', 'coto', 'toco'], 'cotranspire': ['cotranspire', 'pornerastic'], 'cotrine': ['cerotin', 'cointer', 'cotrine', 'cretion', 'noticer', 'rection'], 'cotripper': ['cotripper', 'periproct'], 'cotte': ['cotte', 'octet'], 'cotylosaur': ['cotylosaur', 'osculatory'], 'cotype': ['cotype', 'ectopy'], 'coude': ['coude', 'douce'], 'could': ['cloud', 'could'], 'coulisse': ['coulisse', 'leucosis', 'ossicule'], 'coulomb': ['columbo', 'coulomb'], 'coumalic': ['caulomic', 'coumalic'], 'coumarin': ['conarium', 'coumarin'], 'counsel': ['counsel', 'unclose'], 'counter': ['cornute', 'counter', 'recount', 'trounce'], 'counteracter': ['counteracter', 'countercarte'], 'countercarte': ['counteracter', 'countercarte'], 'countercharm': ['countercharm', 'countermarch'], 'counterguard': ['counterguard', 'uncorrugated'], 'counteridea': ['counteridea', 'decurionate'], 'countermarch': ['countercharm', 'countermarch'], 'counterpaled': ['counterpaled', 'counterplead', 'unpercolated'], 'counterpaly': ['counterpaly', 'counterplay'], 'counterplay': ['counterpaly', 'counterplay'], 'counterplead': ['counterpaled', 'counterplead', 'unpercolated'], 'counterreply': ['colpeurynter', 'counterreply'], 'countersale': ['countersale', 'counterseal'], 'countersea': ['countersea', 'nectareous'], 'counterseal': ['countersale', 'counterseal'], 'countershade': ['countershade', 'decantherous'], 'counterstand': ['counterstand', 'uncontrasted'], 'countertail': ['countertail', 'reluctation'], 'countertrades': ['countertrades', 'unstercorated'], 'countervail': ['countervail', 'involucrate'], 'countervair': ['countervair', 'overcurtain', 'recurvation'], 'countor': ['contour', 'cornuto', 'countor', 'crouton'], 'coupe': ['coupe', 'pouce'], 'couper': ['couper', 'croupe', 'poucer', 'recoup'], 'couplement': ['couplement', 'uncomplete'], 'couplet': ['couplet', 'octuple'], 'coupon': ['coupon', 'uncoop'], 'couponed': ['couponed', 'uncooped'], 'courante': ['cornuate', 'courante', 'cuneator', 'outrance'], 'courbaril': ['courbaril', 'orbicular'], 'courlan': ['colunar', 'cornual', 'courlan'], 'cours': ['cours', 'scour'], 'course': ['cerous', 'course', 'crouse', 'source'], 'coursed': ['coursed', 'scoured'], 'courser': ['courser', 'scourer'], 'coursing': ['coursing', 'scouring'], 'court': ['court', 'crout', 'turco'], 'courtesan': ['acentrous', 'courtesan', 'nectarous'], 'courtesy': ['cosurety', 'courtesy'], 'courtier': ['courtier', 'outcrier'], 'courtiership': ['courtiership', 'peritrichous'], 'courtin': ['courtin', 'ruction'], 'courtman': ['courtman', 'turcoman'], 'couter': ['couter', 'croute'], 'couth': ['couth', 'thuoc', 'touch'], 'couthily': ['couthily', 'touchily'], 'couthiness': ['couthiness', 'touchiness'], 'couthless': ['couthless', 'touchless'], 'coutil': ['coutil', 'toluic'], 'covenanter': ['contravene', 'covenanter'], 'coverer': ['coverer', 'recover'], 'coversine': ['coversine', 'vernicose'], 'covert': ['covert', 'vector'], 'covisit': ['covisit', 'ovistic'], 'cowardy': ['cowardy', 'cowyard'], 'cowherd': ['chowder', 'cowherd'], 'cowl': ['clow', 'cowl'], 'cowyard': ['cowardy', 'cowyard'], 'coxa': ['coax', 'coxa'], 'coxite': ['coxite', 'exotic'], 'coyness': ['coyness', 'sycones'], 'coyol': ['cooly', 'coyol'], 'coyote': ['coyote', 'oocyte'], 'craber': ['bracer', 'craber'], 'crabhole': ['bachelor', 'crabhole'], 'crablet': ['beclart', 'crablet'], 'crackable': ['blackacre', 'crackable'], 'crackle': ['cackler', 'clacker', 'crackle'], 'crackmans': ['crackmans', 'cracksman'], 'cracksman': ['crackmans', 'cracksman'], 'cradge': ['cadger', 'cradge'], 'cradle': ['cardel', 'cradle'], 'cradlemate': ['cradlemate', 'malcreated'], 'craig': ['cigar', 'craig'], 'crain': ['cairn', 'crain', 'naric'], 'crake': ['acker', 'caker', 'crake', 'creak'], 'cram': ['cram', 'marc'], 'cramasie': ['cramasie', 'mesaraic'], 'crambe': ['becram', 'camber', 'crambe'], 'crambidae': ['carbamide', 'crambidae'], 'crambinae': ['carbamine', 'crambinae'], 'cramble': ['cambrel', 'clamber', 'cramble'], 'cramper': ['cramper', 'recramp'], 'crampon': ['crampon', 'cropman'], 'cranage': ['carnage', 'cranage', 'garance'], 'crance': ['cancer', 'crance'], 'crane': ['caner', 'crane', 'crena', 'nacre', 'rance'], 'craner': ['craner', 'rancer'], 'craney': ['carney', 'craney'], 'crania': ['acinar', 'arnica', 'canari', 'carian', 'carina', 'crania', 'narica'], 'craniad': ['acridan', 'craniad'], 'cranial': ['carinal', 'carlina', 'clarain', 'cranial'], 'cranially': ['ancillary', 'carlylian', 'cranially'], 'cranian': ['canarin', 'cranian'], 'craniate': ['anaretic', 'arcanite', 'carinate', 'craniate'], 'cranic': ['cancri', 'carnic', 'cranic'], 'craniectomy': ['craniectomy', 'cyanometric'], 'craniognomy': ['craniognomy', 'organonymic'], 'craniota': ['craniota', 'croatian', 'narcotia', 'raincoat'], 'cranker': ['cranker', 'recrank'], 'crap': ['carp', 'crap'], 'crape': ['caper', 'crape', 'pacer', 'perca', 'recap'], 'crappie': ['crappie', 'epicarp'], 'crapple': ['clapper', 'crapple'], 'crappo': ['crappo', 'croppa'], 'craps': ['craps', 'scarp', 'scrap'], 'crapulous': ['crapulous', 'opuscular'], 'crare': ['carer', 'crare', 'racer'], 'crate': ['caret', 'carte', 'cater', 'crate', 'creat', 'creta', 'react', 'recta', 'trace'], 'crateful': ['crateful', 'fulcrate'], 'crater': ['arrect', 'carter', 'crater', 'recart', 'tracer'], 'craterid': ['cirrated', 'craterid'], 'crateriform': ['crateriform', 'terraciform'], 'crateris': ['crateris', 'serratic'], 'craterlet': ['clatterer', 'craterlet'], 'craterous': ['craterous', 'recusator'], 'cratinean': ['cratinean', 'incarnate', 'nectarian'], 'cratometric': ['cratometric', 'metrocratic'], 'crave': ['carve', 'crave', 'varec'], 'craven': ['carven', 'cavern', 'craven'], 'craver': ['carver', 'craver'], 'craving': ['carving', 'craving'], 'crayon': ['canroy', 'crayon', 'cyrano', 'nyroca'], 'crayonist': ['carnosity', 'crayonist'], 'crea': ['acer', 'acre', 'care', 'crea', 'race'], 'creagh': ['charge', 'creagh'], 'creak': ['acker', 'caker', 'crake', 'creak'], 'cream': ['cream', 'macer'], 'creamer': ['amercer', 'creamer'], 'creant': ['canter', 'creant', 'cretan', 'nectar', 'recant', 'tanrec', 'trance'], 'crease': ['cesare', 'crease', 'recase', 'searce'], 'creaser': ['creaser', 'searcer'], 'creasing': ['creasing', 'scirenga'], 'creat': ['caret', 'carte', 'cater', 'crate', 'creat', 'creta', 'react', 'recta', 'trace'], 'creatable': ['creatable', 'traceable'], 'create': ['cerate', 'create', 'ecarte'], 'creatine': ['aneretic', 'centiare', 'creatine', 'increate', 'iterance'], 'creatinine': ['creatinine', 'incinerate'], 'creation': ['actioner', 'anerotic', 'ceration', 'creation', 'reaction'], 'creational': ['creational', 'crotalinae', 'laceration', 'reactional'], 'creationary': ['creationary', 'reactionary'], 'creationism': ['anisometric', 'creationism', 'miscreation', 'ramisection', 'reactionism'], 'creationist': ['creationist', 'reactionist'], 'creative': ['creative', 'reactive'], 'creatively': ['creatively', 'reactively'], 'creativeness': ['creativeness', 'reactiveness'], 'creativity': ['creativity', 'reactivity'], 'creator': ['creator', 'reactor'], 'crebrous': ['crebrous', 'obscurer'], 'credential': ['credential', 'interlaced', 'reclinated'], 'credit': ['credit', 'direct'], 'creditable': ['creditable', 'directable'], 'creditive': ['creditive', 'directive'], 'creditor': ['creditor', 'director'], 'creditorship': ['creditorship', 'directorship'], 'creditress': ['creditress', 'directress'], 'creditrix': ['creditrix', 'directrix'], 'crednerite': ['crednerite', 'interceder'], 'credo': ['coder', 'cored', 'credo'], 'cree': ['cere', 'cree'], 'creed': ['ceder', 'cedre', 'cered', 'creed'], 'creedal': ['cedrela', 'creedal', 'declare'], 'creedalism': ['creedalism', 'misdeclare'], 'creedist': ['creedist', 'desertic', 'discreet', 'discrete'], 'creep': ['creep', 'crepe'], 'creepered': ['creepered', 'predecree'], 'creepie': ['creepie', 'repiece'], 'cremation': ['cremation', 'manticore'], 'cremator': ['cremator', 'mercator'], 'crematorial': ['crematorial', 'mercatorial'], 'cremor': ['cremor', 'cromer'], 'crena': ['caner', 'crane', 'crena', 'nacre', 'rance'], 'crenate': ['centare', 'crenate'], 'crenated': ['crenated', 'decanter', 'nectared'], 'crenation': ['connarite', 'container', 'cotarnine', 'crenation', 'narcotine'], 'crenelate': ['crenelate', 'lanceteer'], 'crenelation': ['crenelation', 'intolerance'], 'crenele': ['crenele', 'encreel'], 'crenellation': ['centrolineal', 'crenellation'], 'crenitic': ['crenitic', 'cretinic'], 'crenology': ['crenology', 'necrology'], 'crenula': ['crenula', 'lucarne', 'nuclear', 'unclear'], 'crenulate': ['calenture', 'crenulate'], 'creodonta': ['coronated', 'creodonta'], 'creolian': ['acrolein', 'arecolin', 'caroline', 'colinear', 'cornelia', 'creolian', 'lonicera'], 'creolin': ['creolin', 'licorne', 'locrine'], 'creosotic': ['corticose', 'creosotic'], 'crepe': ['creep', 'crepe'], 'crepidula': ['crepidula', 'pedicular'], 'crepine': ['crepine', 'increep'], 'crepiness': ['crepiness', 'princesse'], 'crepis': ['crepis', 'cripes', 'persic', 'precis', 'spicer'], 'crepitant': ['crepitant', 'pittancer'], 'crepitation': ['actinopteri', 'crepitation', 'precitation'], 'crepitous': ['crepitous', 'euproctis', 'uroseptic'], 'crepitus': ['crepitus', 'piecrust'], 'crepon': ['crepon', 'procne'], 'crepy': ['crepy', 'cypre', 'percy'], 'cresol': ['closer', 'cresol', 'escrol'], 'cresolin': ['cresolin', 'licensor'], 'cresotic': ['cortices', 'cresotic'], 'cresson': ['cresson', 'crosnes'], 'crestline': ['crestline', 'stenciler'], 'crestmoreite': ['crestmoreite', 'stereometric'], 'creta': ['caret', 'carte', 'cater', 'crate', 'creat', 'creta', 'react', 'recta', 'trace'], 'cretan': ['canter', 'creant', 'cretan', 'nectar', 'recant', 'tanrec', 'trance'], 'crete': ['crete', 'erect'], 'cretification': ['certification', 'cretification', 'rectification'], 'cretify': ['certify', 'cretify', 'rectify'], 'cretin': ['cinter', 'cretin', 'crinet'], 'cretinic': ['crenitic', 'cretinic'], 'cretinoid': ['cretinoid', 'direction'], 'cretion': ['cerotin', 'cointer', 'cotrine', 'cretion', 'noticer', 'rection'], 'cretism': ['cretism', 'metrics'], 'crewer': ['crewer', 'recrew'], 'cribo': ['boric', 'cribo', 'orbic'], 'crickle': ['clicker', 'crickle'], 'cricothyroid': ['cricothyroid', 'thyrocricoid'], 'cried': ['cider', 'cried', 'deric', 'dicer'], 'crier': ['crier', 'ricer'], 'criey': ['criey', 'ricey'], 'crile': ['crile', 'elric', 'relic'], 'crimean': ['armenic', 'carmine', 'ceriman', 'crimean', 'mercian'], 'crimeful': ['crimeful', 'merciful'], 'crimeless': ['crimeless', 'merciless'], 'crimelessness': ['crimelessness', 'mercilessness'], 'criminalese': ['criminalese', 'misreliance'], 'criminate': ['antimeric', 'carminite', 'criminate', 'metrician'], 'criminatory': ['coriamyrtin', 'criminatory'], 'crimpage': ['crimpage', 'pergamic'], 'crinal': ['carlin', 'clarin', 'crinal'], 'crinanite': ['crinanite', 'natricine'], 'crinated': ['crinated', 'dicentra'], 'crine': ['cerin', 'crine'], 'crined': ['cedrin', 'cinder', 'crined'], 'crinet': ['cinter', 'cretin', 'crinet'], 'cringle': ['clinger', 'cringle'], 'crinite': ['citrine', 'crinite', 'inciter', 'neritic'], 'crinkle': ['clinker', 'crinkle'], 'cripes': ['crepis', 'cripes', 'persic', 'precis', 'spicer'], 'cripple': ['clipper', 'cripple'], 'crisp': ['crisp', 'scrip'], 'crispation': ['antipsoric', 'ascription', 'crispation'], 'crisped': ['crisped', 'discerp'], 'crispy': ['crispy', 'cypris'], 'crista': ['crista', 'racist'], 'cristopher': ['cristopher', 'rectorship'], 'criteria': ['criteria', 'triceria'], 'criterion': ['criterion', 'tricerion'], 'criterium': ['criterium', 'tricerium'], 'crith': ['crith', 'richt'], 'critic': ['citric', 'critic'], 'cro': ['cor', 'cro', 'orc', 'roc'], 'croak': ['arock', 'croak'], 'croat': ['actor', 'corta', 'croat', 'rocta', 'taroc', 'troca'], 'croatan': ['cantaro', 'croatan'], 'croatian': ['craniota', 'croatian', 'narcotia', 'raincoat'], 'crocein': ['cornice', 'crocein'], 'croceine': ['cicerone', 'croceine'], 'crocetin': ['crocetin', 'necrotic'], 'crocidolite': ['crocidolite', 'crocodilite'], 'crocin': ['cornic', 'crocin'], 'crocodile': ['cordicole', 'crocodile'], 'crocodilite': ['crocidolite', 'crocodilite'], 'croconate': ['coenactor', 'croconate'], 'crocus': ['crocus', 'succor'], 'crom': ['corm', 'crom'], 'crome': ['comer', 'crome'], 'cromer': ['cremor', 'cromer'], 'crone': ['coner', 'crone', 'recon'], 'cronet': ['conter', 'cornet', 'cronet', 'roncet'], 'cronian': ['corinna', 'cronian'], 'cronish': ['cornish', 'cronish', 'sorchin'], 'crony': ['corny', 'crony'], 'croodle': ['colored', 'croodle', 'decolor'], 'crool': ['color', 'corol', 'crool'], 'croon': ['conor', 'croon', 'ronco'], 'crooner': ['coroner', 'crooner', 'recroon'], 'crop': ['copr', 'corp', 'crop'], 'cropman': ['crampon', 'cropman'], 'croppa': ['crappo', 'croppa'], 'crore': ['corer', 'crore'], 'crosa': ['arcos', 'crosa', 'oscar', 'sacro'], 'crosier': ['cirrose', 'crosier'], 'crosnes': ['cresson', 'crosnes'], 'crosse': ['cessor', 'crosse', 'scorse'], 'crosser': ['crosser', 'recross'], 'crossite': ['crossite', 'crosstie'], 'crossover': ['crossover', 'overcross'], 'crosstie': ['crossite', 'crosstie'], 'crosstied': ['crosstied', 'dissector'], 'crosstree': ['crosstree', 'rectoress'], 'crosswalk': ['classwork', 'crosswalk'], 'crotal': ['carlot', 'crotal'], 'crotalic': ['cortical', 'crotalic'], 'crotalinae': ['creational', 'crotalinae', 'laceration', 'reactional'], 'crotaline': ['alectrion', 'clarionet', 'crotaline', 'locarnite'], 'crotalism': ['clamorist', 'crotalism'], 'crotalo': ['crotalo', 'locator'], 'crotaloid': ['crotaloid', 'doctorial'], 'crotin': ['citron', 'cortin', 'crotin'], 'croton': ['corton', 'croton'], 'crotonate': ['contortae', 'crotonate'], 'crottle': ['clotter', 'crottle'], 'crouchant': ['archcount', 'crouchant'], 'croupal': ['copular', 'croupal', 'cupolar', 'porcula'], 'croupe': ['couper', 'croupe', 'poucer', 'recoup'], 'croupily': ['croupily', 'polyuric'], 'croupiness': ['croupiness', 'percussion', 'supersonic'], 'crouse': ['cerous', 'course', 'crouse', 'source'], 'crout': ['court', 'crout', 'turco'], 'croute': ['couter', 'croute'], 'crouton': ['contour', 'cornuto', 'countor', 'crouton'], 'crowder': ['crowder', 'recrowd'], 'crowned': ['crowned', 'decrown'], 'crowner': ['crowner', 'recrown'], 'crownmaker': ['cankerworm', 'crownmaker'], 'croy': ['cory', 'croy'], 'croydon': ['corydon', 'croydon'], 'cruces': ['cercus', 'cruces'], 'cruciate': ['aceturic', 'cruciate'], 'crudwort': ['crudwort', 'curdwort'], 'cruel': ['cruel', 'lucre', 'ulcer'], 'cruels': ['clerus', 'cruels'], 'cruelty': ['cruelty', 'cutlery'], 'cruet': ['cruet', 'eruct', 'recut', 'truce'], 'cruise': ['cruise', 'crusie'], 'cruisken': ['cruisken', 'unsicker'], 'crunode': ['crunode', 'uncored'], 'crureus': ['crureus', 'surcrue'], 'crurogenital': ['crurogenital', 'genitocrural'], 'cruroinguinal': ['cruroinguinal', 'inguinocrural'], 'crus': ['crus', 'scur'], 'crusado': ['acrodus', 'crusado'], 'crusca': ['crusca', 'curcas'], 'cruse': ['cruse', 'curse', 'sucre'], 'crusher': ['crusher', 'recrush'], 'crusie': ['cruise', 'crusie'], 'crust': ['crust', 'curst'], 'crustate': ['crustate', 'scrutate'], 'crustation': ['crustation', 'scrutation'], 'crustily': ['crustily', 'rusticly'], 'crustiness': ['crustiness', 'rusticness'], 'crusty': ['crusty', 'curtsy'], 'cruth': ['cruth', 'rutch'], 'cryosel': ['cryosel', 'scroyle'], 'cryptodire': ['cryptodire', 'predictory'], 'cryptomeria': ['cryptomeria', 'imprecatory'], 'cryptostomate': ['cryptostomate', 'prostatectomy'], 'ctenidial': ['ctenidial', 'identical'], 'ctenoid': ['condite', 'ctenoid'], 'ctenolium': ['ctenolium', 'monticule'], 'ctenophore': ['ctenophore', 'nectophore'], 'ctetology': ['ctetology', 'tectology'], 'cuailnge': ['cuailnge', 'glaucine'], 'cuarteron': ['cuarteron', 'raconteur'], 'cubanite': ['cubanite', 'incubate'], 'cuber': ['bruce', 'cebur', 'cuber'], 'cubist': ['bustic', 'cubist'], 'cubit': ['butic', 'cubit'], 'cubitale': ['baculite', 'cubitale'], 'cuboidal': ['baculoid', 'cuboidal'], 'cuchan': ['caunch', 'cuchan'], 'cueball': ['bullace', 'cueball'], 'cueman': ['acumen', 'cueman'], 'cuir': ['cuir', 'uric'], 'culebra': ['culebra', 'curable'], 'culet': ['culet', 'lucet'], 'culinary': ['culinary', 'uranylic'], 'culmy': ['culmy', 'cumyl'], 'culpose': ['culpose', 'ploceus', 'upclose'], 'cultch': ['clutch', 'cultch'], 'cultivar': ['cultivar', 'curvital'], 'culturine': ['culturine', 'inculture'], 'cumaean': ['cumaean', 'encauma'], 'cumar': ['carum', 'cumar'], 'cumber': ['cumber', 'cumbre'], 'cumberer': ['cerebrum', 'cumberer'], 'cumbraite': ['bacterium', 'cumbraite'], 'cumbre': ['cumber', 'cumbre'], 'cumic': ['cumic', 'mucic'], 'cumin': ['cumin', 'mucin'], 'cumol': ['cumol', 'locum'], 'cumulite': ['cumulite', 'lutecium'], 'cumyl': ['culmy', 'cumyl'], 'cuna': ['cuna', 'unca'], 'cunan': ['canun', 'cunan'], 'cuneal': ['auncel', 'cuneal', 'lacune', 'launce', 'unlace'], 'cuneator': ['cornuate', 'courante', 'cuneator', 'outrance'], 'cunila': ['cunila', 'lucian', 'lucina', 'uncial'], 'cuon': ['cuon', 'unco'], 'cuorin': ['cuorin', 'uronic'], 'cupid': ['cupid', 'pudic'], 'cupidity': ['cupidity', 'pudicity'], 'cupidone': ['cupidone', 'uncopied'], 'cupola': ['copula', 'cupola'], 'cupolar': ['copular', 'croupal', 'cupolar', 'porcula'], 'cupreous': ['cupreous', 'upcourse'], 'cuprite': ['cuprite', 'picture'], 'curable': ['culebra', 'curable'], 'curate': ['acture', 'cauter', 'curate'], 'curateship': ['curateship', 'pasticheur'], 'curation': ['curation', 'nocturia'], 'curatory': ['curatory', 'outcarry'], 'curcas': ['crusca', 'curcas'], 'curdle': ['curdle', 'curled'], 'curdwort': ['crudwort', 'curdwort'], 'cure': ['cure', 'ecru', 'eruc'], 'curer': ['curer', 'recur'], 'curial': ['curial', 'lauric', 'uracil', 'uralic'], 'curialist': ['curialist', 'rusticial'], 'curie': ['curie', 'ureic'], 'curin': ['curin', 'incur', 'runic'], 'curine': ['curine', 'erucin', 'neuric'], 'curiosa': ['carious', 'curiosa'], 'curite': ['curite', 'teucri', 'uretic'], 'curled': ['curdle', 'curled'], 'curler': ['curler', 'recurl'], 'cursa': ['cursa', 'scaur'], 'cursal': ['cursal', 'sulcar'], 'curse': ['cruse', 'curse', 'sucre'], 'cursed': ['cedrus', 'cursed'], 'curst': ['crust', 'curst'], 'cursus': ['cursus', 'ruscus'], 'curtail': ['curtail', 'trucial'], 'curtailer': ['curtailer', 'recruital', 'reticular'], 'curtain': ['curtain', 'turacin', 'turcian'], 'curtation': ['anticourt', 'curtation', 'ructation'], 'curtilage': ['curtilage', 'cutigeral', 'graticule'], 'curtis': ['citrus', 'curtis', 'rictus', 'rustic'], 'curtise': ['curtise', 'icterus'], 'curtsy': ['crusty', 'curtsy'], 'curvital': ['cultivar', 'curvital'], 'cush': ['cush', 'such'], 'cushionless': ['cushionless', 'slouchiness'], 'cusinero': ['coinsure', 'corineus', 'cusinero'], 'cusk': ['cusk', 'suck'], 'cusp': ['cusp', 'scup'], 'cuspal': ['cuspal', 'placus'], 'custom': ['custom', 'muscot'], 'customer': ['costumer', 'customer'], 'cutheal': ['auchlet', 'cutheal', 'taluche'], 'cutigeral': ['curtilage', 'cutigeral', 'graticule'], 'cutin': ['cutin', 'incut', 'tunic'], 'cutis': ['cutis', 'ictus'], 'cutler': ['cutler', 'reluct'], 'cutleress': ['cutleress', 'lecturess', 'truceless'], 'cutleria': ['arculite', 'cutleria', 'lucretia', 'reticula', 'treculia'], 'cutlery': ['cruelty', 'cutlery'], 'cutlet': ['cutlet', 'cuttle'], 'cutoff': ['cutoff', 'offcut'], 'cutout': ['cutout', 'outcut'], 'cutover': ['cutover', 'overcut'], 'cuttle': ['cutlet', 'cuttle'], 'cuttler': ['clutter', 'cuttler'], 'cutup': ['cutup', 'upcut'], 'cuya': ['cuya', 'yuca'], 'cyamus': ['cyamus', 'muysca'], 'cyan': ['cany', 'cyan'], 'cyanidine': ['cyanidine', 'dicyanine'], 'cyanol': ['alcyon', 'cyanol'], 'cyanole': ['alcyone', 'cyanole'], 'cyanometric': ['craniectomy', 'cyanometric'], 'cyanophycin': ['cyanophycin', 'phycocyanin'], 'cyanuret': ['centaury', 'cyanuret'], 'cyath': ['cathy', 'cyath', 'yacht'], 'cyclamine': ['cyclamine', 'macilency'], 'cyclian': ['cyclian', 'cynical'], 'cyclide': ['cyclide', 'decylic', 'dicycle'], 'cyclism': ['clysmic', 'cyclism'], 'cyclotome': ['colectomy', 'cyclotome'], 'cydonian': ['anodynic', 'cydonian'], 'cylindrite': ['cylindrite', 'indirectly'], 'cylix': ['cylix', 'xylic'], 'cymation': ['cymation', 'myatonic', 'onymatic'], 'cymoid': ['cymoid', 'mycoid'], 'cymometer': ['cymometer', 'mecometry'], 'cymose': ['cymose', 'mycose'], 'cymule': ['cymule', 'lyceum'], 'cynara': ['canary', 'cynara'], 'cynaroid': ['cynaroid', 'dicaryon'], 'cynical': ['cyclian', 'cynical'], 'cynogale': ['acylogen', 'cynogale'], 'cynophilic': ['cynophilic', 'philocynic'], 'cynosural': ['consulary', 'cynosural'], 'cyphonism': ['cyphonism', 'symphonic'], 'cypre': ['crepy', 'cypre', 'percy'], 'cypria': ['cypria', 'picary', 'piracy'], 'cyprian': ['cyprian', 'cyprina'], 'cyprina': ['cyprian', 'cyprina'], 'cyprine': ['cyprine', 'pyrenic'], 'cypris': ['crispy', 'cypris'], 'cyrano': ['canroy', 'crayon', 'cyrano', 'nyroca'], 'cyril': ['cyril', 'lyric'], 'cyrilla': ['cyrilla', 'lyrical'], 'cyrtopia': ['cyrtopia', 'poticary'], 'cyst': ['cyst', 'scyt'], 'cystidean': ['asyndetic', 'cystidean', 'syndicate'], 'cystitis': ['cystitis', 'scytitis'], 'cystoadenoma': ['adenocystoma', 'cystoadenoma'], 'cystofibroma': ['cystofibroma', 'fibrocystoma'], 'cystolith': ['cystolith', 'lithocyst'], 'cystomyxoma': ['cystomyxoma', 'myxocystoma'], 'cystonephrosis': ['cystonephrosis', 'nephrocystosis'], 'cystopyelitis': ['cystopyelitis', 'pyelocystitis'], 'cystotome': ['cystotome', 'cytostome', 'ostectomy'], 'cystourethritis': ['cystourethritis', 'urethrocystitis'], 'cytase': ['cytase', 'stacey'], 'cytherea': ['cheatery', 'cytherea', 'teachery'], 'cytherean': ['cytherean', 'enchytrae'], 'cytisine': ['cytisine', 'syenitic'], 'cytoblastemic': ['blastomycetic', 'cytoblastemic'], 'cytoblastemous': ['blastomycetous', 'cytoblastemous'], 'cytochrome': ['chromocyte', 'cytochrome'], 'cytoid': ['cytoid', 'docity'], 'cytomere': ['cytomere', 'merocyte'], 'cytophil': ['cytophil', 'phycitol'], 'cytosine': ['cenosity', 'cytosine'], 'cytosome': ['cytosome', 'otomyces'], 'cytost': ['cytost', 'scotty'], 'cytostome': ['cystotome', 'cytostome', 'ostectomy'], 'czarian': ['czarian', 'czarina'], 'czarina': ['czarian', 'czarina'], 'da': ['ad', 'da'], 'dab': ['bad', 'dab'], 'dabber': ['barbed', 'dabber'], 'dabbler': ['dabbler', 'drabble'], 'dabitis': ['dabitis', 'dibatis'], 'dablet': ['dablet', 'tabled'], 'dace': ['cade', 'dace', 'ecad'], 'dacelo': ['alcedo', 'dacelo'], 'dacian': ['acnida', 'anacid', 'dacian'], 'dacker': ['arcked', 'dacker'], 'dacryolith': ['dacryolith', 'hydrotical'], 'dacryon': ['candroy', 'dacryon'], 'dactylonomy': ['dactylonomy', 'monodactyly'], 'dactylopteridae': ['dactylopteridae', 'pterodactylidae'], 'dactylopterus': ['dactylopterus', 'pterodactylus'], 'dacus': ['cadus', 'dacus'], 'dad': ['add', 'dad'], 'dada': ['adad', 'adda', 'dada'], 'dadap': ['dadap', 'padda'], 'dade': ['dade', 'dead', 'edda'], 'dadu': ['addu', 'dadu', 'daud', 'duad'], 'dae': ['ade', 'dae'], 'daemon': ['daemon', 'damone', 'modena'], 'daemonic': ['codamine', 'comedian', 'daemonic', 'demoniac'], 'daer': ['ared', 'daer', 'dare', 'dear', 'read'], 'dag': ['dag', 'gad'], 'dagaba': ['badaga', 'dagaba', 'gadaba'], 'dagame': ['dagame', 'damage'], 'dagbane': ['bandage', 'dagbane'], 'dagestan': ['dagestan', 'standage'], 'dagger': ['dagger', 'gadger', 'ragged'], 'daggers': ['daggers', 'seggard'], 'daggle': ['daggle', 'lagged'], 'dago': ['dago', 'goad'], 'dagomba': ['dagomba', 'gambado'], 'dags': ['dags', 'sgad'], 'dah': ['dah', 'dha', 'had'], 'daidle': ['daidle', 'laddie'], 'daikon': ['daikon', 'nodiak'], 'dail': ['dail', 'dali', 'dial', 'laid', 'lida'], 'daily': ['daily', 'lydia'], 'daimen': ['daimen', 'damine', 'maiden', 'median', 'medina'], 'daimio': ['daimio', 'maioid'], 'daimon': ['amidon', 'daimon', 'domain'], 'dain': ['adin', 'andi', 'dain', 'dani', 'dian', 'naid'], 'dairi': ['dairi', 'darii', 'radii'], 'dairy': ['dairy', 'diary', 'yaird'], 'dais': ['dais', 'dasi', 'disa', 'said', 'sida'], 'daisy': ['daisy', 'sayid'], 'daker': ['daker', 'drake', 'kedar', 'radek'], 'dal': ['dal', 'lad'], 'dale': ['dale', 'deal', 'lade', 'lead', 'leda'], 'dalea': ['adela', 'dalea'], 'dalecarlian': ['calendarial', 'dalecarlian'], 'daleman': ['daleman', 'lademan', 'leadman'], 'daler': ['alder', 'daler', 'lader'], 'dalesman': ['dalesman', 'leadsman'], 'dali': ['dail', 'dali', 'dial', 'laid', 'lida'], 'dalle': ['dalle', 'della', 'ladle'], 'dallying': ['dallying', 'ladyling'], 'dalt': ['dalt', 'tald'], 'dalteen': ['dalteen', 'dentale', 'edental'], 'dam': ['dam', 'mad'], 'dama': ['adam', 'dama'], 'damage': ['dagame', 'damage'], 'daman': ['adman', 'daman', 'namda'], 'damara': ['armada', 'damara', 'ramada'], 'dame': ['dame', 'made', 'mead'], 'damewort': ['damewort', 'wardmote'], 'damia': ['amadi', 'damia', 'madia', 'maida'], 'damie': ['amide', 'damie', 'media'], 'damier': ['admire', 'armied', 'damier', 'dimera', 'merida'], 'damine': ['daimen', 'damine', 'maiden', 'median', 'medina'], 'dammer': ['dammer', 'dramme'], 'dammish': ['dammish', 'mahdism'], 'damn': ['damn', 'mand'], 'damnation': ['damnation', 'mandation'], 'damnatory': ['damnatory', 'mandatory'], 'damned': ['damned', 'demand', 'madden'], 'damner': ['damner', 'manred', 'randem', 'remand'], 'damnii': ['amidin', 'damnii'], 'damnous': ['damnous', 'osmunda'], 'damon': ['damon', 'monad', 'nomad'], 'damone': ['daemon', 'damone', 'modena'], 'damonico': ['damonico', 'monoacid'], 'dampen': ['dampen', 'madnep'], 'damper': ['damper', 'ramped'], 'dampish': ['dampish', 'madship', 'phasmid'], 'dan': ['and', 'dan'], 'dana': ['anda', 'dana'], 'danaan': ['ananda', 'danaan'], 'danai': ['danai', 'diana', 'naiad'], 'danainae': ['anadenia', 'danainae'], 'danakil': ['danakil', 'dankali', 'kaldani', 'ladakin'], 'danalite': ['danalite', 'detainal'], 'dancalite': ['cadential', 'dancalite'], 'dance': ['dance', 'decan'], 'dancer': ['cedarn', 'dancer', 'nacred'], 'dancery': ['ardency', 'dancery'], 'dander': ['dander', 'darned', 'nadder'], 'dandle': ['dandle', 'landed'], 'dandler': ['dandler', 'dendral'], 'dane': ['ande', 'dane', 'dean', 'edna'], 'danewort': ['danewort', 'teardown'], 'danger': ['danger', 'gander', 'garden', 'ranged'], 'dangerful': ['dangerful', 'gardenful'], 'dangerless': ['dangerless', 'gardenless'], 'dangle': ['angled', 'dangle', 'englad', 'lagend'], 'dangler': ['dangler', 'gnarled'], 'danglin': ['danglin', 'landing'], 'dani': ['adin', 'andi', 'dain', 'dani', 'dian', 'naid'], 'danian': ['andian', 'danian', 'nidana'], 'danic': ['canid', 'cnida', 'danic'], 'daniel': ['aldine', 'daniel', 'delian', 'denial', 'enalid', 'leadin'], 'daniele': ['adeline', 'daniele', 'delaine'], 'danielic': ['alcidine', 'danielic', 'lecaniid'], 'danio': ['adion', 'danio', 'doina', 'donia'], 'danish': ['danish', 'sandhi'], 'danism': ['danism', 'disman'], 'danite': ['danite', 'detain'], 'dankali': ['danakil', 'dankali', 'kaldani', 'ladakin'], 'danli': ['danli', 'ladin', 'linda', 'nidal'], 'dannie': ['aidenn', 'andine', 'dannie', 'indane'], 'danseuse': ['danseuse', 'sudanese'], 'dantean': ['andante', 'dantean'], 'dantist': ['dantist', 'distant'], 'danuri': ['danuri', 'diurna', 'dunair', 'durain', 'durani', 'durian'], 'dao': ['ado', 'dao', 'oda'], 'daoine': ['daoine', 'oneida'], 'dap': ['dap', 'pad'], 'daphnis': ['daphnis', 'dishpan'], 'dapicho': ['dapicho', 'phacoid'], 'dapple': ['dapple', 'lapped', 'palped'], 'dar': ['dar', 'rad'], 'daraf': ['daraf', 'farad'], 'darby': ['bardy', 'darby'], 'darci': ['acrid', 'caird', 'carid', 'darci', 'daric', 'dirca'], 'dare': ['ared', 'daer', 'dare', 'dear', 'read'], 'dareall': ['ardella', 'dareall'], 'daren': ['andre', 'arend', 'daren', 'redan'], 'darer': ['darer', 'drear'], 'darg': ['darg', 'drag', 'grad'], 'darger': ['darger', 'gerard', 'grader', 'redrag', 'regard'], 'dargo': ['dargo', 'dogra', 'drago'], 'dargsman': ['dargsman', 'dragsman'], 'dari': ['arid', 'dari', 'raid'], 'daric': ['acrid', 'caird', 'carid', 'darci', 'daric', 'dirca'], 'darien': ['darien', 'draine'], 'darii': ['dairi', 'darii', 'radii'], 'darin': ['darin', 'dinar', 'drain', 'indra', 'nadir', 'ranid'], 'daring': ['daring', 'dingar', 'gradin'], 'darius': ['darius', 'radius'], 'darken': ['darken', 'kanred', 'ranked'], 'darkener': ['darkener', 'redarken'], 'darn': ['darn', 'nard', 'rand'], 'darned': ['dander', 'darned', 'nadder'], 'darnel': ['aldern', 'darnel', 'enlard', 'lander', 'lenard', 'randle', 'reland'], 'darner': ['darner', 'darren', 'errand', 'rander', 'redarn'], 'darning': ['darning', 'randing'], 'darrein': ['darrein', 'drainer'], 'darren': ['darner', 'darren', 'errand', 'rander', 'redarn'], 'darshana': ['darshana', 'shardana'], 'darst': ['darst', 'darts', 'strad'], 'dart': ['dart', 'drat'], 'darter': ['darter', 'dartre', 'redart', 'retard', 'retrad', 'tarred', 'trader'], 'darting': ['darting', 'trading'], 'dartle': ['dartle', 'tardle'], 'dartoic': ['arctoid', 'carotid', 'dartoic'], 'dartre': ['darter', 'dartre', 'redart', 'retard', 'retrad', 'tarred', 'trader'], 'dartrose': ['dartrose', 'roadster'], 'darts': ['darst', 'darts', 'strad'], 'daryl': ['daryl', 'lardy', 'lyard'], 'das': ['das', 'sad'], 'dash': ['dash', 'sadh', 'shad'], 'dashed': ['dashed', 'shaded'], 'dasheen': ['dasheen', 'enshade'], 'dasher': ['dasher', 'shader', 'sheard'], 'dashing': ['dashing', 'shading'], 'dashnak': ['dashnak', 'shadkan'], 'dashy': ['dashy', 'shady'], 'dasi': ['dais', 'dasi', 'disa', 'said', 'sida'], 'dasnt': ['dasnt', 'stand'], 'dasturi': ['dasturi', 'rudista'], 'dasya': ['adays', 'dasya'], 'dasyurine': ['dasyurine', 'dysneuria'], 'data': ['adat', 'data'], 'datable': ['albetad', 'datable'], 'dataria': ['dataria', 'radiata'], 'date': ['adet', 'date', 'tade', 'tead', 'teda'], 'dateless': ['dateless', 'detassel'], 'dater': ['dater', 'derat', 'detar', 'drate', 'rated', 'trade', 'tread'], 'datil': ['datil', 'dital', 'tidal', 'tilda'], 'datism': ['amidst', 'datism'], 'daub': ['baud', 'buda', 'daub'], 'dauber': ['dauber', 'redaub'], 'daubster': ['daubster', 'subtread'], 'daud': ['addu', 'dadu', 'daud', 'duad'], 'daunch': ['chandu', 'daunch'], 'daunter': ['daunter', 'unarted', 'unrated', 'untread'], 'dauntless': ['adultness', 'dauntless'], 'daur': ['ardu', 'daur', 'dura'], 'dave': ['dave', 'deva', 'vade', 'veda'], 'daven': ['daven', 'vaned'], 'davy': ['davy', 'vady'], 'daw': ['awd', 'daw', 'wad'], 'dawdler': ['dawdler', 'waddler'], 'dawdling': ['dawdling', 'waddling'], 'dawdlingly': ['dawdlingly', 'waddlingly'], 'dawdy': ['dawdy', 'waddy'], 'dawn': ['dawn', 'wand'], 'dawnlike': ['dawnlike', 'wandlike'], 'dawny': ['dawny', 'wandy'], 'day': ['ady', 'day', 'yad'], 'dayal': ['adlay', 'dayal'], 'dayfly': ['dayfly', 'ladyfy'], 'days': ['days', 'dyas'], 'daysman': ['daysman', 'mandyas'], 'daytime': ['daytime', 'maytide'], 'daywork': ['daywork', 'workday'], 'daze': ['adze', 'daze'], 'de': ['de', 'ed'], 'deacon': ['acnode', 'deacon'], 'deaconship': ['deaconship', 'endophasic'], 'dead': ['dade', 'dead', 'edda'], 'deadborn': ['deadborn', 'endboard'], 'deadener': ['deadener', 'endeared'], 'deadlock': ['deadlock', 'deckload'], 'deaf': ['deaf', 'fade'], 'deair': ['aider', 'deair', 'irade', 'redia'], 'deal': ['dale', 'deal', 'lade', 'lead', 'leda'], 'dealable': ['dealable', 'leadable'], 'dealation': ['atloidean', 'dealation'], 'dealer': ['dealer', 'leader', 'redeal', 'relade', 'relead'], 'dealership': ['dealership', 'leadership'], 'dealing': ['adeling', 'dealing', 'leading'], 'dealt': ['adlet', 'dealt', 'delta', 'lated', 'taled'], 'deaminase': ['deaminase', 'mesadenia'], 'dean': ['ande', 'dane', 'dean', 'edna'], 'deaner': ['deaner', 'endear'], 'deaness': ['deaness', 'edessan'], 'deaquation': ['adequation', 'deaquation'], 'dear': ['ared', 'daer', 'dare', 'dear', 'read'], 'dearie': ['aeried', 'dearie'], 'dearth': ['dearth', 'hatred', 'rathed', 'thread'], 'deary': ['deary', 'deray', 'rayed', 'ready', 'yeard'], 'deash': ['deash', 'hades', 'sadhe', 'shade'], 'deasil': ['aisled', 'deasil', 'ladies', 'sailed'], 'deave': ['deave', 'eaved', 'evade'], 'deb': ['bed', 'deb'], 'debacle': ['belaced', 'debacle'], 'debar': ['ardeb', 'beard', 'bread', 'debar'], 'debark': ['bedark', 'debark'], 'debaser': ['debaser', 'sabered'], 'debater': ['betread', 'debater'], 'deben': ['beden', 'deben', 'deneb'], 'debi': ['beid', 'bide', 'debi', 'dieb'], 'debile': ['debile', 'edible'], 'debit': ['bidet', 'debit'], 'debosh': ['beshod', 'debosh'], 'debrief': ['debrief', 'defiber', 'fibered'], 'debutant': ['debutant', 'unbatted'], 'debutante': ['debutante', 'unabetted'], 'decachord': ['decachord', 'dodecarch'], 'decadic': ['caddice', 'decadic'], 'decal': ['clead', 'decal', 'laced'], 'decalin': ['cladine', 'decalin', 'iceland'], 'decaliter': ['decaliter', 'decalitre'], 'decalitre': ['decaliter', 'decalitre'], 'decameter': ['decameter', 'decametre'], 'decametre': ['decameter', 'decametre'], 'decan': ['dance', 'decan'], 'decanal': ['candela', 'decanal'], 'decani': ['decani', 'decian'], 'decant': ['cadent', 'canted', 'decant'], 'decantate': ['catenated', 'decantate'], 'decanter': ['crenated', 'decanter', 'nectared'], 'decantherous': ['countershade', 'decantherous'], 'decap': ['caped', 'decap', 'paced'], 'decart': ['cedrat', 'decart', 'redact'], 'decastere': ['decastere', 'desecrate'], 'decator': ['cordate', 'decator', 'redcoat'], 'decay': ['acedy', 'decay'], 'deceiver': ['deceiver', 'received'], 'decennia': ['cadinene', 'decennia', 'enneadic'], 'decennial': ['celandine', 'decennial'], 'decent': ['cedent', 'decent'], 'decenter': ['centered', 'decenter', 'decentre', 'recedent'], 'decentre': ['centered', 'decenter', 'decentre', 'recedent'], 'decern': ['cendre', 'decern'], 'decian': ['decani', 'decian'], 'deciatine': ['deciatine', 'diacetine', 'taenicide', 'teniacide'], 'decider': ['decider', 'decried'], 'decillion': ['celloidin', 'collidine', 'decillion'], 'decima': ['amiced', 'decima'], 'decimal': ['camelid', 'decimal', 'declaim', 'medical'], 'decimally': ['decimally', 'medically'], 'decimate': ['decimate', 'medicate'], 'decimation': ['decimation', 'medication'], 'decimator': ['decimator', 'medicator', 'mordicate'], 'decimestrial': ['decimestrial', 'sedimetrical'], 'decimosexto': ['decimosexto', 'sextodecimo'], 'deckel': ['deckel', 'deckle'], 'decker': ['decker', 'redeck'], 'deckle': ['deckel', 'deckle'], 'deckload': ['deadlock', 'deckload'], 'declaim': ['camelid', 'decimal', 'declaim', 'medical'], 'declaimer': ['declaimer', 'demiracle'], 'declaration': ['declaration', 'redactional'], 'declare': ['cedrela', 'creedal', 'declare'], 'declass': ['classed', 'declass'], 'declinate': ['declinate', 'encitadel'], 'declinatory': ['adrenolytic', 'declinatory'], 'decoat': ['coated', 'decoat'], 'decollate': ['decollate', 'ocellated'], 'decollator': ['corollated', 'decollator'], 'decolor': ['colored', 'croodle', 'decolor'], 'decompress': ['compressed', 'decompress'], 'deconsider': ['considered', 'deconsider'], 'decorate': ['decorate', 'ocreated'], 'decoration': ['carotenoid', 'coronadite', 'decoration'], 'decorist': ['decorist', 'sectroid'], 'decream': ['decream', 'racemed'], 'decree': ['decree', 'recede'], 'decreer': ['decreer', 'receder'], 'decreet': ['decreet', 'decrete'], 'decrepit': ['decrepit', 'depicter', 'precited'], 'decrete': ['decreet', 'decrete'], 'decretist': ['decretist', 'trisected'], 'decrial': ['decrial', 'radicel', 'radicle'], 'decried': ['decider', 'decried'], 'decrown': ['crowned', 'decrown'], 'decry': ['cedry', 'decry'], 'decurionate': ['counteridea', 'decurionate'], 'decurrency': ['decurrency', 'recrudency'], 'decursion': ['cinderous', 'decursion'], 'decus': ['decus', 'duces'], 'decyl': ['clyde', 'decyl'], 'decylic': ['cyclide', 'decylic', 'dicycle'], 'dedan': ['dedan', 'denda'], 'dedicant': ['addicent', 'dedicant'], 'dedo': ['dedo', 'dode', 'eddo'], 'deduce': ['deduce', 'deuced'], 'deduct': ['deduct', 'ducted'], 'deem': ['deem', 'deme', 'mede', 'meed'], 'deemer': ['deemer', 'meered', 'redeem', 'remede'], 'deep': ['deep', 'peed'], 'deer': ['deer', 'dere', 'dree', 'rede', 'reed'], 'deerhair': ['deerhair', 'dehairer'], 'deerhorn': ['deerhorn', 'dehorner'], 'deerwood': ['deerwood', 'doorweed'], 'defat': ['defat', 'fated'], 'defaulter': ['defaulter', 'redefault'], 'defeater': ['defeater', 'federate', 'redefeat'], 'defensor': ['defensor', 'foresend'], 'defer': ['defer', 'freed'], 'defial': ['afield', 'defial'], 'defiber': ['debrief', 'defiber', 'fibered'], 'defile': ['defile', 'fidele'], 'defiled': ['defiled', 'fielded'], 'defiler': ['defiler', 'fielder'], 'definable': ['beanfield', 'definable'], 'define': ['define', 'infeed'], 'definer': ['definer', 'refined'], 'deflect': ['clefted', 'deflect'], 'deflesh': ['deflesh', 'fleshed'], 'deflex': ['deflex', 'flexed'], 'deflower': ['deflower', 'flowered'], 'defluent': ['defluent', 'unfelted'], 'defog': ['defog', 'fodge'], 'deforciant': ['deforciant', 'fornicated'], 'deforest': ['deforest', 'forested'], 'deform': ['deform', 'formed'], 'deformer': ['deformer', 'reformed'], 'defray': ['defray', 'frayed'], 'defrost': ['defrost', 'frosted'], 'deg': ['deg', 'ged'], 'degarnish': ['degarnish', 'garnished'], 'degasser': ['degasser', 'dressage'], 'degelation': ['degelation', 'delegation'], 'degrain': ['degrain', 'deraign', 'deringa', 'gradine', 'grained', 'reading'], 'degu': ['degu', 'gude'], 'dehair': ['dehair', 'haired'], 'dehairer': ['deerhair', 'dehairer'], 'dehorn': ['dehorn', 'horned'], 'dehorner': ['deerhorn', 'dehorner'], 'dehors': ['dehors', 'rhodes', 'shoder', 'shored'], 'dehortation': ['dehortation', 'theriodonta'], 'dehusk': ['dehusk', 'husked'], 'deicer': ['ceride', 'deicer'], 'deictical': ['deictical', 'dialectic'], 'deification': ['deification', 'edification'], 'deificatory': ['deificatory', 'edificatory'], 'deifier': ['deifier', 'edifier'], 'deify': ['deify', 'edify'], 'deign': ['deign', 'dinge', 'nidge'], 'deino': ['deino', 'dione', 'edoni'], 'deinocephalia': ['deinocephalia', 'palaeechinoid'], 'deinos': ['deinos', 'donsie', 'inodes', 'onside'], 'deipara': ['deipara', 'paridae'], 'deirdre': ['deirdre', 'derider', 'derride', 'ridered'], 'deism': ['deism', 'disme'], 'deist': ['deist', 'steid'], 'deistic': ['deistic', 'dietics'], 'deistically': ['deistically', 'dialystelic'], 'deity': ['deity', 'tydie'], 'deityship': ['deityship', 'diphysite'], 'del': ['del', 'eld', 'led'], 'delaine': ['adeline', 'daniele', 'delaine'], 'delaminate': ['antemedial', 'delaminate'], 'delapse': ['delapse', 'sepaled'], 'delate': ['delate', 'elated'], 'delater': ['delater', 'related', 'treadle'], 'delator': ['delator', 'leotard'], 'delawn': ['delawn', 'lawned', 'wandle'], 'delay': ['delay', 'leady'], 'delayer': ['delayer', 'layered', 'redelay'], 'delayful': ['delayful', 'feudally'], 'dele': ['dele', 'lede', 'leed'], 'delead': ['delead', 'leaded'], 'delegation': ['degelation', 'delegation'], 'delegatory': ['delegatory', 'derogately'], 'delete': ['delete', 'teedle'], 'delf': ['delf', 'fled'], 'delhi': ['delhi', 'hield'], 'delia': ['adiel', 'delia', 'ideal'], 'delian': ['aldine', 'daniel', 'delian', 'denial', 'enalid', 'leadin'], 'delible': ['bellied', 'delible'], 'delicateness': ['delicateness', 'delicatessen'], 'delicatessen': ['delicateness', 'delicatessen'], 'delichon': ['chelidon', 'chelonid', 'delichon'], 'delict': ['delict', 'deltic'], 'deligation': ['deligation', 'gadolinite', 'gelatinoid'], 'delignate': ['delignate', 'gelatined'], 'delimit': ['delimit', 'limited'], 'delimitation': ['delimitation', 'mniotiltidae'], 'delineator': ['delineator', 'rondeletia'], 'delint': ['delint', 'dentil'], 'delirament': ['delirament', 'derailment'], 'deliriant': ['deliriant', 'draintile', 'interlaid'], 'deliver': ['deliver', 'deviler', 'livered'], 'deliverer': ['deliverer', 'redeliver'], 'della': ['dalle', 'della', 'ladle'], 'deloul': ['deloul', 'duello'], 'delphinius': ['delphinius', 'sulphinide'], 'delta': ['adlet', 'dealt', 'delta', 'lated', 'taled'], 'deltaic': ['citadel', 'deltaic', 'dialect', 'edictal', 'lactide'], 'deltic': ['delict', 'deltic'], 'deluding': ['deluding', 'ungilded'], 'delusion': ['delusion', 'unsoiled'], 'delusionist': ['delusionist', 'indissolute'], 'deluster': ['deluster', 'ulstered'], 'demal': ['demal', 'medal'], 'demand': ['damned', 'demand', 'madden'], 'demander': ['demander', 'redemand'], 'demanding': ['demanding', 'maddening'], 'demandingly': ['demandingly', 'maddeningly'], 'demantoid': ['demantoid', 'dominated'], 'demarcate': ['camerated', 'demarcate'], 'demarcation': ['demarcation', 'democratian'], 'demark': ['demark', 'marked'], 'demast': ['demast', 'masted'], 'deme': ['deem', 'deme', 'mede', 'meed'], 'demean': ['amende', 'demean', 'meaned', 'nadeem'], 'demeanor': ['demeanor', 'enamored'], 'dementia': ['dementia', 'mendaite'], 'demerit': ['demerit', 'dimeter', 'merited', 'mitered'], 'demerol': ['demerol', 'modeler', 'remodel'], 'demetrian': ['demetrian', 'dermatine', 'meandrite', 'minareted'], 'demi': ['demi', 'diem', 'dime', 'mide'], 'demibrute': ['bermudite', 'demibrute'], 'demicannon': ['cinnamoned', 'demicannon'], 'demicanon': ['demicanon', 'dominance'], 'demidog': ['demidog', 'demigod'], 'demigod': ['demidog', 'demigod'], 'demiluster': ['demiluster', 'demilustre'], 'demilustre': ['demiluster', 'demilustre'], 'demiparallel': ['demiparallel', 'imparalleled'], 'demipronation': ['demipronation', 'preadmonition', 'predomination'], 'demiracle': ['declaimer', 'demiracle'], 'demiram': ['demiram', 'mermaid'], 'demirep': ['demirep', 'epiderm', 'impeder', 'remiped'], 'demirobe': ['demirobe', 'embodier'], 'demisable': ['beadleism', 'demisable'], 'demise': ['demise', 'diseme'], 'demit': ['demit', 'timed'], 'demiturned': ['demiturned', 'undertimed'], 'demob': ['demob', 'mobed'], 'democratian': ['demarcation', 'democratian'], 'demolisher': ['demolisher', 'redemolish'], 'demoniac': ['codamine', 'comedian', 'daemonic', 'demoniac'], 'demoniacism': ['demoniacism', 'seminomadic'], 'demonial': ['demonial', 'melanoid'], 'demoniast': ['ademonist', 'demoniast', 'staminode'], 'demonish': ['demonish', 'hedonism'], 'demonism': ['demonism', 'medimnos', 'misnomed'], 'demotics': ['comedist', 'demotics', 'docetism', 'domestic'], 'demotion': ['demotion', 'entomoid', 'moontide'], 'demount': ['demount', 'mounted'], 'demurrer': ['demurrer', 'murderer'], 'demurring': ['demurring', 'murdering'], 'demurringly': ['demurringly', 'murderingly'], 'demy': ['demy', 'emyd'], 'den': ['den', 'end', 'ned'], 'denarius': ['denarius', 'desaurin', 'unraised'], 'denaro': ['denaro', 'orenda'], 'denary': ['denary', 'yander'], 'denat': ['denat', 'entad'], 'denature': ['denature', 'undereat'], 'denda': ['dedan', 'denda'], 'dendral': ['dandler', 'dendral'], 'dendrite': ['dendrite', 'tindered'], 'dendrites': ['dendrites', 'distender', 'redistend'], 'dene': ['dene', 'eden', 'need'], 'deneb': ['beden', 'deben', 'deneb'], 'dengue': ['dengue', 'unedge'], 'denial': ['aldine', 'daniel', 'delian', 'denial', 'enalid', 'leadin'], 'denier': ['denier', 'nereid'], 'denierer': ['denierer', 'reindeer'], 'denigrate': ['argentide', 'denigrate', 'dinergate'], 'denim': ['denim', 'mendi'], 'denis': ['denis', 'snide'], 'denominate': ['denominate', 'emendation'], 'denotable': ['denotable', 'detonable'], 'denotation': ['denotation', 'detonation'], 'denotative': ['denotative', 'detonative'], 'denotive': ['denotive', 'devonite'], 'denouncer': ['denouncer', 'unencored'], 'dense': ['dense', 'needs'], 'denshare': ['denshare', 'seerhand'], 'denshire': ['denshire', 'drisheen'], 'density': ['density', 'destiny'], 'dent': ['dent', 'tend'], 'dental': ['dental', 'tandle'], 'dentale': ['dalteen', 'dentale', 'edental'], 'dentalism': ['dentalism', 'dismantle'], 'dentaria': ['anteriad', 'atridean', 'dentaria'], 'dentatoserrate': ['dentatoserrate', 'serratodentate'], 'dentatosinuate': ['dentatosinuate', 'sinuatodentate'], 'denter': ['denter', 'rented', 'tender'], 'dentex': ['dentex', 'extend'], 'denticle': ['cliented', 'denticle'], 'denticular': ['denticular', 'unarticled'], 'dentil': ['delint', 'dentil'], 'dentilingual': ['dentilingual', 'indulgential', 'linguidental'], 'dentin': ['dentin', 'indent', 'intend', 'tinned'], 'dentinal': ['dentinal', 'teinland', 'tendinal'], 'dentine': ['dentine', 'nineted'], 'dentinitis': ['dentinitis', 'tendinitis'], 'dentinoma': ['dentinoma', 'nominated'], 'dentist': ['dentist', 'distent', 'stinted'], 'dentolabial': ['dentolabial', 'labiodental'], 'dentolingual': ['dentolingual', 'linguodental'], 'denture': ['denture', 'untreed'], 'denudative': ['denudative', 'undeviated'], 'denude': ['denude', 'dudeen'], 'denumeral': ['denumeral', 'undermeal', 'unrealmed'], 'denunciator': ['denunciator', 'underaction'], 'deny': ['deny', 'dyne'], 'deoppilant': ['deoppilant', 'pentaploid'], 'deota': ['deota', 'todea'], 'depa': ['depa', 'peda'], 'depaint': ['depaint', 'inadept', 'painted', 'patined'], 'depart': ['depart', 'parted', 'petard'], 'departition': ['departition', 'partitioned', 'trepidation'], 'departure': ['apertured', 'departure'], 'depas': ['depas', 'sepad', 'spade'], 'depencil': ['depencil', 'penciled', 'pendicle'], 'depender': ['depender', 'redepend'], 'depetticoat': ['depetticoat', 'petticoated'], 'depicter': ['decrepit', 'depicter', 'precited'], 'depiction': ['depiction', 'pectinoid'], 'depilate': ['depilate', 'leptidae', 'pileated'], 'depletion': ['depletion', 'diplotene'], 'deploration': ['deploration', 'periodontal'], 'deploy': ['deploy', 'podley'], 'depoh': ['depoh', 'ephod', 'hoped'], 'depolish': ['depolish', 'polished'], 'deport': ['deport', 'ported', 'redtop'], 'deportation': ['antitorpedo', 'deportation'], 'deposal': ['adelops', 'deposal'], 'deposer': ['deposer', 'reposed'], 'deposit': ['deposit', 'topside'], 'deposition': ['deposition', 'positioned'], 'depositional': ['depositional', 'despoliation'], 'depositure': ['depositure', 'pterideous'], 'deprave': ['deprave', 'pervade'], 'depraver': ['depraver', 'pervader'], 'depravingly': ['depravingly', 'pervadingly'], 'deprecable': ['deprecable', 'precedable'], 'deprecation': ['capernoited', 'deprecation'], 'depreciation': ['depreciation', 'predeication'], 'depressant': ['depressant', 'partedness'], 'deprint': ['deprint', 'printed'], 'deprival': ['deprival', 'prevalid'], 'deprivate': ['deprivate', 'predative'], 'deprive': ['deprive', 'previde'], 'depriver': ['depriver', 'predrive'], 'depurant': ['depurant', 'unparted'], 'depuration': ['depuration', 'portunidae'], 'deraign': ['degrain', 'deraign', 'deringa', 'gradine', 'grained', 'reading'], 'derail': ['ariled', 'derail', 'dialer'], 'derailment': ['delirament', 'derailment'], 'derange': ['derange', 'enraged', 'gardeen', 'gerenda', 'grandee', 'grenade'], 'deranged': ['deranged', 'gardened'], 'deranger': ['deranger', 'gardener'], 'derat': ['dater', 'derat', 'detar', 'drate', 'rated', 'trade', 'tread'], 'derate': ['derate', 'redate'], 'derater': ['derater', 'retrade', 'retread', 'treader'], 'deray': ['deary', 'deray', 'rayed', 'ready', 'yeard'], 'dere': ['deer', 'dere', 'dree', 'rede', 'reed'], 'deregister': ['deregister', 'registered'], 'derelict': ['derelict', 'relicted'], 'deric': ['cider', 'cried', 'deric', 'dicer'], 'derider': ['deirdre', 'derider', 'derride', 'ridered'], 'deringa': ['degrain', 'deraign', 'deringa', 'gradine', 'grained', 'reading'], 'derision': ['derision', 'ironside', 'resinoid', 'sirenoid'], 'derivation': ['derivation', 'ordinative'], 'derivational': ['derivational', 'revalidation'], 'derive': ['derive', 'redive'], 'deriver': ['deriver', 'redrive', 'rivered'], 'derma': ['armed', 'derma', 'dream', 'ramed'], 'dermad': ['dermad', 'madder'], 'dermal': ['dermal', 'marled', 'medlar'], 'dermatic': ['dermatic', 'timecard'], 'dermatine': ['demetrian', 'dermatine', 'meandrite', 'minareted'], 'dermatoneurosis': ['dermatoneurosis', 'neurodermatosis'], 'dermatophone': ['dermatophone', 'herpetomonad'], 'dermoblast': ['blastoderm', 'dermoblast'], 'dermol': ['dermol', 'molder', 'remold'], 'dermosclerite': ['dermosclerite', 'sclerodermite'], 'dern': ['dern', 'rend'], 'derogately': ['delegatory', 'derogately'], 'derogation': ['derogation', 'trogonidae'], 'derout': ['derout', 'detour', 'douter'], 'derride': ['deirdre', 'derider', 'derride', 'ridered'], 'derries': ['derries', 'desirer', 'resider', 'serried'], 'derringer': ['derringer', 'regrinder'], 'derry': ['derry', 'redry', 'ryder'], 'derust': ['derust', 'duster'], 'desalt': ['desalt', 'salted'], 'desand': ['desand', 'sadden', 'sanded'], 'desaurin': ['denarius', 'desaurin', 'unraised'], 'descendant': ['adscendent', 'descendant'], 'descender': ['descender', 'redescend'], 'descent': ['descent', 'scented'], 'description': ['description', 'discerption'], 'desecrate': ['decastere', 'desecrate'], 'desecration': ['considerate', 'desecration'], 'deseed': ['deseed', 'seeded'], 'desertic': ['creedist', 'desertic', 'discreet', 'discrete'], 'desertion': ['desertion', 'detersion'], 'deserver': ['deserver', 'reserved', 'reversed'], 'desex': ['desex', 'sexed'], 'deshabille': ['deshabille', 'shieldable'], 'desi': ['desi', 'ides', 'seid', 'side'], 'desiccation': ['desiccation', 'discoactine'], 'desight': ['desight', 'sighted'], 'design': ['design', 'singed'], 'designer': ['designer', 'redesign', 'resigned'], 'desilver': ['desilver', 'silvered'], 'desirable': ['desirable', 'redisable'], 'desire': ['desire', 'reside'], 'desirer': ['derries', 'desirer', 'resider', 'serried'], 'desirous': ['desirous', 'siderous'], 'desition': ['desition', 'sedition'], 'desma': ['desma', 'mesad'], 'desman': ['amends', 'desman'], 'desmopathy': ['desmopathy', 'phymatodes'], 'desorption': ['desorption', 'priodontes'], 'despair': ['despair', 'pardesi'], 'despairing': ['despairing', 'spinigrade'], 'desperation': ['desperation', 'esperantido'], 'despise': ['despise', 'pedesis'], 'despiser': ['despiser', 'disperse'], 'despoil': ['despoil', 'soliped', 'spoiled'], 'despoiler': ['despoiler', 'leprosied'], 'despoliation': ['depositional', 'despoliation'], 'despot': ['despot', 'posted'], 'despotat': ['despotat', 'postdate'], 'dessert': ['dessert', 'tressed'], 'destain': ['destain', 'instead', 'sainted', 'satined'], 'destine': ['destine', 'edestin'], 'destinism': ['destinism', 'timidness'], 'destiny': ['density', 'destiny'], 'desugar': ['desugar', 'sugared'], 'detail': ['detail', 'dietal', 'dilate', 'edital', 'tailed'], 'detailer': ['detailer', 'elaterid'], 'detain': ['danite', 'detain'], 'detainal': ['danalite', 'detainal'], 'detar': ['dater', 'derat', 'detar', 'drate', 'rated', 'trade', 'tread'], 'detassel': ['dateless', 'detassel'], 'detax': ['detax', 'taxed'], 'detecter': ['detecter', 'redetect'], 'detent': ['detent', 'netted', 'tented'], 'deter': ['deter', 'treed'], 'determinant': ['determinant', 'detrainment'], 'detersion': ['desertion', 'detersion'], 'detest': ['detest', 'tested'], 'dethrone': ['dethrone', 'threnode'], 'detin': ['detin', 'teind', 'tined'], 'detinet': ['detinet', 'dinette'], 'detonable': ['denotable', 'detonable'], 'detonation': ['denotation', 'detonation'], 'detonative': ['denotative', 'detonative'], 'detonator': ['detonator', 'tetraodon'], 'detour': ['derout', 'detour', 'douter'], 'detracter': ['detracter', 'retracted'], 'detraction': ['detraction', 'doctrinate', 'tetarconid'], 'detrain': ['antired', 'detrain', 'randite', 'trained'], 'detrainment': ['determinant', 'detrainment'], 'detrusion': ['detrusion', 'tinderous', 'unstoried'], 'detrusive': ['detrusive', 'divesture', 'servitude'], 'deuce': ['deuce', 'educe'], 'deuced': ['deduce', 'deuced'], 'deul': ['deul', 'duel', 'leud'], 'deva': ['dave', 'deva', 'vade', 'veda'], 'devance': ['devance', 'vendace'], 'develin': ['develin', 'endevil'], 'developer': ['developer', 'redevelop'], 'devil': ['devil', 'divel', 'lived'], 'deviler': ['deliver', 'deviler', 'livered'], 'devisceration': ['considerative', 'devisceration'], 'deviser': ['deviser', 'diverse', 'revised'], 'devitrify': ['devitrify', 'fervidity'], 'devoid': ['devoid', 'voided'], 'devoir': ['devoir', 'voider'], 'devonite': ['denotive', 'devonite'], 'devourer': ['devourer', 'overdure', 'overrude'], 'devow': ['devow', 'vowed'], 'dew': ['dew', 'wed'], 'dewan': ['awned', 'dewan', 'waned'], 'dewater': ['dewater', 'tarweed', 'watered'], 'dewer': ['dewer', 'ewder', 'rewed'], 'dewey': ['dewey', 'weedy'], 'dewily': ['dewily', 'widely', 'wieldy'], 'dewiness': ['dewiness', 'wideness'], 'dewool': ['dewool', 'elwood', 'wooled'], 'deworm': ['deworm', 'wormed'], 'dewy': ['dewy', 'wyde'], 'dextraural': ['dextraural', 'extradural'], 'dextrosinistral': ['dextrosinistral', 'sinistrodextral'], 'dey': ['dey', 'dye', 'yed'], 'deyhouse': ['deyhouse', 'dyehouse'], 'deyship': ['deyship', 'diphyes'], 'dezinc': ['dezinc', 'zendic'], 'dha': ['dah', 'dha', 'had'], 'dhamnoo': ['dhamnoo', 'hoodman', 'manhood'], 'dhan': ['dhan', 'hand'], 'dharna': ['andhra', 'dharna'], 'dheri': ['dheri', 'hider', 'hired'], 'dhobi': ['bodhi', 'dhobi'], 'dhoon': ['dhoon', 'hondo'], 'dhu': ['dhu', 'hud'], 'di': ['di', 'id'], 'diabolist': ['diabolist', 'idioblast'], 'diacetin': ['diacetin', 'indicate'], 'diacetine': ['deciatine', 'diacetine', 'taenicide', 'teniacide'], 'diacetyl': ['diacetyl', 'lyctidae'], 'diachoretic': ['citharoedic', 'diachoretic'], 'diaclase': ['diaclase', 'sidalcea'], 'diaconal': ['cladonia', 'condalia', 'diaconal'], 'diact': ['diact', 'dicta'], 'diadem': ['diadem', 'mediad'], 'diaderm': ['admired', 'diaderm'], 'diaeretic': ['diaeretic', 'icteridae'], 'diagenetic': ['diagenetic', 'digenetica'], 'diageotropism': ['diageotropism', 'geodiatropism'], 'diagonal': ['diagonal', 'ganoidal', 'gonadial'], 'dial': ['dail', 'dali', 'dial', 'laid', 'lida'], 'dialect': ['citadel', 'deltaic', 'dialect', 'edictal', 'lactide'], 'dialectic': ['deictical', 'dialectic'], 'dialector': ['dialector', 'lacertoid'], 'dialer': ['ariled', 'derail', 'dialer'], 'dialin': ['anilid', 'dialin', 'dianil', 'inlaid'], 'dialing': ['dialing', 'gliadin'], 'dialister': ['dialister', 'trailside'], 'diallelon': ['diallelon', 'llandeilo'], 'dialogism': ['dialogism', 'sigmoidal'], 'dialystelic': ['deistically', 'dialystelic'], 'dialytic': ['calidity', 'dialytic'], 'diamagnet': ['agminated', 'diamagnet'], 'diamantine': ['diamantine', 'inanimated'], 'diameter': ['diameter', 'diatreme'], 'diametric': ['citramide', 'diametric', 'matricide'], 'diamide': ['amidide', 'diamide', 'mididae'], 'diamine': ['amidine', 'diamine'], 'diamorphine': ['diamorphine', 'phronimidae'], 'dian': ['adin', 'andi', 'dain', 'dani', 'dian', 'naid'], 'diana': ['danai', 'diana', 'naiad'], 'diander': ['diander', 'drained'], 'diane': ['diane', 'idean'], 'dianetics': ['andesitic', 'dianetics'], 'dianil': ['anilid', 'dialin', 'dianil', 'inlaid'], 'diapensia': ['diapensia', 'diaspinae'], 'diaper': ['diaper', 'paired'], 'diaphote': ['diaphote', 'hepatoid'], 'diaphtherin': ['diaphtherin', 'diphtherian'], 'diapnoic': ['diapnoic', 'pinacoid'], 'diapnotic': ['antipodic', 'diapnotic'], 'diaporthe': ['aphrodite', 'atrophied', 'diaporthe'], 'diarch': ['chidra', 'diarch'], 'diarchial': ['diarchial', 'rachidial'], 'diarchy': ['diarchy', 'hyracid'], 'diarian': ['aridian', 'diarian'], 'diary': ['dairy', 'diary', 'yaird'], 'diascia': ['ascidia', 'diascia'], 'diascope': ['diascope', 'psocidae', 'scopidae'], 'diaspinae': ['diapensia', 'diaspinae'], 'diastem': ['diastem', 'misdate'], 'diastema': ['adamsite', 'diastema'], 'diaster': ['astride', 'diaster', 'disrate', 'restiad', 'staired'], 'diastole': ['diastole', 'isolated', 'sodalite', 'solidate'], 'diastrophic': ['aphrodistic', 'diastrophic'], 'diastrophy': ['diastrophy', 'dystrophia'], 'diatomales': ['diatomales', 'mastoidale', 'mastoideal'], 'diatomean': ['diatomean', 'mantoidea'], 'diatomin': ['diatomin', 'domitian'], 'diatonic': ['actinoid', 'diatonic', 'naticoid'], 'diatreme': ['diameter', 'diatreme'], 'diatropism': ['diatropism', 'prismatoid'], 'dib': ['bid', 'dib'], 'dibatis': ['dabitis', 'dibatis'], 'dibber': ['dibber', 'ribbed'], 'dibbler': ['dibbler', 'dribble'], 'dibrom': ['dibrom', 'morbid'], 'dicaryon': ['cynaroid', 'dicaryon'], 'dicast': ['dicast', 'stadic'], 'dice': ['dice', 'iced'], 'dicentra': ['crinated', 'dicentra'], 'dicer': ['cider', 'cried', 'deric', 'dicer'], 'diceras': ['diceras', 'radices', 'sidecar'], 'dich': ['chid', 'dich'], 'dichroite': ['dichroite', 'erichtoid', 'theriodic'], 'dichromat': ['chromatid', 'dichromat'], 'dichter': ['dichter', 'ditcher'], 'dicolic': ['codicil', 'dicolic'], 'dicolon': ['dicolon', 'dolcino'], 'dicoumarin': ['acridonium', 'dicoumarin'], 'dicta': ['diact', 'dicta'], 'dictaphone': ['dictaphone', 'endopathic'], 'dictational': ['antidotical', 'dictational'], 'dictionary': ['dictionary', 'indicatory'], 'dicyanine': ['cyanidine', 'dicyanine'], 'dicycle': ['cyclide', 'decylic', 'dicycle'], 'dicyema': ['dicyema', 'mediacy'], 'diddle': ['diddle', 'lidded'], 'diddler': ['diddler', 'driddle'], 'didym': ['didym', 'middy'], 'die': ['die', 'ide'], 'dieb': ['beid', 'bide', 'debi', 'dieb'], 'diego': ['diego', 'dogie', 'geoid'], 'dielytra': ['dielytra', 'tileyard'], 'diem': ['demi', 'diem', 'dime', 'mide'], 'dier': ['dier', 'dire', 'reid', 'ride'], 'diesel': ['diesel', 'sedile', 'seidel'], 'diet': ['diet', 'dite', 'edit', 'tide', 'tied'], 'dietal': ['detail', 'dietal', 'dilate', 'edital', 'tailed'], 'dieter': ['dieter', 'tiered'], 'dietic': ['citied', 'dietic'], 'dietics': ['deistic', 'dietics'], 'dig': ['dig', 'gid'], 'digenetica': ['diagenetic', 'digenetica'], 'digeny': ['digeny', 'dyeing'], 'digester': ['digester', 'redigest'], 'digitalein': ['digitalein', 'diligentia'], 'digitation': ['digitation', 'goniatitid'], 'digitonin': ['digitonin', 'indigotin'], 'digredient': ['digredient', 'reddingite'], 'dihalo': ['dihalo', 'haloid'], 'diiambus': ['basidium', 'diiambus'], 'dika': ['dika', 'kaid'], 'dikaryon': ['ankyroid', 'dikaryon'], 'dike': ['dike', 'keid'], 'dilacerate': ['dilacerate', 'lacertidae'], 'dilatant': ['atlantid', 'dilatant'], 'dilate': ['detail', 'dietal', 'dilate', 'edital', 'tailed'], 'dilater': ['dilater', 'lardite', 'redtail'], 'dilatometric': ['calotermitid', 'dilatometric'], 'dilator': ['dilator', 'ortalid'], 'dilatory': ['adroitly', 'dilatory', 'idolatry'], 'diligence': ['ceilinged', 'diligence'], 'diligentia': ['digitalein', 'diligentia'], 'dillue': ['dillue', 'illude'], 'dilluer': ['dilluer', 'illuder'], 'dilo': ['dilo', 'diol', 'doli', 'idol', 'olid'], 'diluent': ['diluent', 'untiled'], 'dilute': ['dilute', 'dultie'], 'diluted': ['diluted', 'luddite'], 'dilutent': ['dilutent', 'untilted', 'untitled'], 'diluvian': ['diluvian', 'induvial'], 'dim': ['dim', 'mid'], 'dimatis': ['amidist', 'dimatis'], 'dimble': ['dimble', 'limbed'], 'dime': ['demi', 'diem', 'dime', 'mide'], 'dimer': ['dimer', 'mider'], 'dimera': ['admire', 'armied', 'damier', 'dimera', 'merida'], 'dimeran': ['adermin', 'amerind', 'dimeran'], 'dimerous': ['dimerous', 'soredium'], 'dimeter': ['demerit', 'dimeter', 'merited', 'mitered'], 'dimetria': ['dimetria', 'mitridae', 'tiremaid', 'triamide'], 'diminisher': ['diminisher', 'rediminish'], 'dimit': ['dimit', 'timid'], 'dimmer': ['dimmer', 'immerd', 'rimmed'], 'dimna': ['dimna', 'manid'], 'dimyarian': ['dimyarian', 'myrianida'], 'din': ['din', 'ind', 'nid'], 'dinah': ['ahind', 'dinah'], 'dinar': ['darin', 'dinar', 'drain', 'indra', 'nadir', 'ranid'], 'dinder': ['dinder', 'ridden', 'rinded'], 'dindle': ['dindle', 'niddle'], 'dine': ['dine', 'enid', 'inde', 'nide'], 'diner': ['diner', 'riden', 'rinde'], 'dinergate': ['argentide', 'denigrate', 'dinergate'], 'dinero': ['dinero', 'dorine'], 'dinette': ['detinet', 'dinette'], 'dineuric': ['dineuric', 'eurindic'], 'dingar': ['daring', 'dingar', 'gradin'], 'dinge': ['deign', 'dinge', 'nidge'], 'dingle': ['dingle', 'elding', 'engild', 'gilden'], 'dingo': ['dingo', 'doing', 'gondi', 'gonid'], 'dingwall': ['dingwall', 'windgall'], 'dingy': ['dingy', 'dying'], 'dinheiro': ['dinheiro', 'hernioid'], 'dinic': ['dinic', 'indic'], 'dining': ['dining', 'indign', 'niding'], 'dink': ['dink', 'kind'], 'dinkey': ['dinkey', 'kidney'], 'dinocerata': ['arctoidean', 'carotidean', 'cordaitean', 'dinocerata'], 'dinoceratan': ['carnationed', 'dinoceratan'], 'dinomic': ['dinomic', 'dominic'], 'dint': ['dint', 'tind'], 'dinus': ['dinus', 'indus', 'nidus'], 'dioeciopolygamous': ['dioeciopolygamous', 'polygamodioecious'], 'diogenite': ['diogenite', 'gideonite'], 'diol': ['dilo', 'diol', 'doli', 'idol', 'olid'], 'dion': ['dion', 'nodi', 'odin'], 'dione': ['deino', 'dione', 'edoni'], 'diopter': ['diopter', 'peridot', 'proetid', 'protide', 'pteroid'], 'dioptra': ['dioptra', 'parotid'], 'dioptral': ['dioptral', 'tripodal'], 'dioptric': ['dioptric', 'tripodic'], 'dioptrical': ['dioptrical', 'tripodical'], 'dioptry': ['dioptry', 'tripody'], 'diorama': ['amaroid', 'diorama'], 'dioramic': ['dioramic', 'dromicia'], 'dioscorein': ['dioscorein', 'dioscorine'], 'dioscorine': ['dioscorein', 'dioscorine'], 'dioscuri': ['dioscuri', 'sciuroid'], 'diose': ['diose', 'idose', 'oside'], 'diosmin': ['diosmin', 'odinism'], 'diosmotic': ['diosmotic', 'sodomitic'], 'diparentum': ['diparentum', 'unimparted'], 'dipetto': ['dipetto', 'diptote'], 'diphase': ['aphides', 'diphase'], 'diphaser': ['diphaser', 'parished', 'raphides', 'sephardi'], 'diphosphate': ['diphosphate', 'phosphatide'], 'diphtherian': ['diaphtherin', 'diphtherian'], 'diphyes': ['deyship', 'diphyes'], 'diphysite': ['deityship', 'diphysite'], 'dipicrate': ['dipicrate', 'patricide', 'pediatric'], 'diplanar': ['diplanar', 'prandial'], 'diplasion': ['aspidinol', 'diplasion'], 'dipleura': ['dipleura', 'epidural'], 'dipleural': ['dipleural', 'preludial'], 'diplocephalus': ['diplocephalus', 'pseudophallic'], 'diploe': ['diploe', 'dipole'], 'diploetic': ['diploetic', 'lepidotic'], 'diplotene': ['depletion', 'diplotene'], 'dipnoan': ['dipnoan', 'nonpaid', 'pandion'], 'dipolar': ['dipolar', 'polarid'], 'dipole': ['diploe', 'dipole'], 'dipsaceous': ['dipsaceous', 'spadiceous'], 'dipter': ['dipter', 'trepid'], 'dipteraceous': ['dipteraceous', 'epiceratodus'], 'dipteral': ['dipteral', 'tripedal'], 'dipterological': ['dipterological', 'pteridological'], 'dipterologist': ['dipterologist', 'pteridologist'], 'dipterology': ['dipterology', 'pteridology'], 'dipteros': ['dipteros', 'portside'], 'diptote': ['dipetto', 'diptote'], 'dirca': ['acrid', 'caird', 'carid', 'darci', 'daric', 'dirca'], 'dircaean': ['caridean', 'dircaean', 'radiance'], 'dire': ['dier', 'dire', 'reid', 'ride'], 'direct': ['credit', 'direct'], 'directable': ['creditable', 'directable'], 'directer': ['cedriret', 'directer', 'recredit', 'redirect'], 'direction': ['cretinoid', 'direction'], 'directional': ['clitoridean', 'directional'], 'directive': ['creditive', 'directive'], 'directly': ['directly', 'tridecyl'], 'directoire': ['cordierite', 'directoire'], 'director': ['creditor', 'director'], 'directorship': ['creditorship', 'directorship'], 'directress': ['creditress', 'directress'], 'directrix': ['creditrix', 'directrix'], 'direly': ['direly', 'idyler'], 'direption': ['direption', 'perdition', 'tropidine'], 'dirge': ['dirge', 'gride', 'redig', 'ridge'], 'dirgelike': ['dirgelike', 'ridgelike'], 'dirgeman': ['dirgeman', 'margined', 'midrange'], 'dirgler': ['dirgler', 'girdler'], 'dirten': ['dirten', 'rident', 'tinder'], 'dis': ['dis', 'sid'], 'disa': ['dais', 'dasi', 'disa', 'said', 'sida'], 'disadventure': ['disadventure', 'unadvertised'], 'disappearer': ['disappearer', 'redisappear'], 'disarmed': ['disarmed', 'misdread'], 'disastimeter': ['disastimeter', 'semistriated'], 'disattire': ['disattire', 'distraite'], 'disbud': ['disbud', 'disdub'], 'disburse': ['disburse', 'subsider'], 'discastle': ['clidastes', 'discastle'], 'discern': ['discern', 'rescind'], 'discerner': ['discerner', 'rescinder'], 'discernment': ['discernment', 'rescindment'], 'discerp': ['crisped', 'discerp'], 'discerption': ['description', 'discerption'], 'disclike': ['disclike', 'sicklied'], 'discoactine': ['desiccation', 'discoactine'], 'discoid': ['discoid', 'disodic'], 'discontinuer': ['discontinuer', 'undiscretion'], 'discounter': ['discounter', 'rediscount'], 'discoverer': ['discoverer', 'rediscover'], 'discreate': ['discreate', 'sericated'], 'discreet': ['creedist', 'desertic', 'discreet', 'discrete'], 'discreetly': ['discreetly', 'discretely'], 'discreetness': ['discreetness', 'discreteness'], 'discrepate': ['discrepate', 'pederastic'], 'discrete': ['creedist', 'desertic', 'discreet', 'discrete'], 'discretely': ['discreetly', 'discretely'], 'discreteness': ['discreetness', 'discreteness'], 'discretion': ['discretion', 'soricident'], 'discriminator': ['discriminator', 'doctrinairism'], 'disculpate': ['disculpate', 'spiculated'], 'discusser': ['discusser', 'rediscuss'], 'discutable': ['discutable', 'subdeltaic', 'subdialect'], 'disdub': ['disbud', 'disdub'], 'disease': ['disease', 'seaside'], 'diseme': ['demise', 'diseme'], 'disenact': ['disenact', 'distance'], 'disendow': ['disendow', 'downside'], 'disentwine': ['disentwine', 'indentwise'], 'disharmony': ['disharmony', 'hydramnios'], 'dishearten': ['dishearten', 'intershade'], 'dished': ['dished', 'eddish'], 'disherent': ['disherent', 'hinderest', 'tenderish'], 'dishling': ['dishling', 'hidlings'], 'dishonor': ['dishonor', 'ironshod'], 'dishorn': ['dishorn', 'dronish'], 'dishpan': ['daphnis', 'dishpan'], 'disilicate': ['disilicate', 'idealistic'], 'disimprove': ['disimprove', 'misprovide'], 'disk': ['disk', 'kids', 'skid'], 'dislocate': ['dislocate', 'lactoside'], 'disman': ['danism', 'disman'], 'dismantle': ['dentalism', 'dismantle'], 'disme': ['deism', 'disme'], 'dismemberer': ['dismemberer', 'disremember'], 'disnature': ['disnature', 'sturnidae', 'truandise'], 'disnest': ['disnest', 'dissent'], 'disodic': ['discoid', 'disodic'], 'disparage': ['disparage', 'grapsidae'], 'disparation': ['disparation', 'tridiapason'], 'dispatcher': ['dispatcher', 'redispatch'], 'dispensable': ['dispensable', 'piebaldness'], 'dispense': ['dispense', 'piedness'], 'disperse': ['despiser', 'disperse'], 'dispetal': ['dispetal', 'pedalist'], 'dispireme': ['dispireme', 'epidermis'], 'displayer': ['displayer', 'redisplay'], 'displeaser': ['displeaser', 'pearlsides'], 'disponee': ['disponee', 'openside'], 'disporum': ['disporum', 'misproud'], 'disprepare': ['disprepare', 'predespair'], 'disrate': ['astride', 'diaster', 'disrate', 'restiad', 'staired'], 'disremember': ['dismemberer', 'disremember'], 'disrepute': ['disrepute', 'redispute'], 'disrespect': ['disrespect', 'disscepter'], 'disrupt': ['disrupt', 'prudist'], 'disscepter': ['disrespect', 'disscepter'], 'disseat': ['disseat', 'sestiad'], 'dissector': ['crosstied', 'dissector'], 'dissent': ['disnest', 'dissent'], 'dissenter': ['dissenter', 'tiredness'], 'dissertate': ['dissertate', 'statesider'], 'disserve': ['disserve', 'dissever'], 'dissever': ['disserve', 'dissever'], 'dissocial': ['cissoidal', 'dissocial'], 'dissolve': ['dissolve', 'voidless'], 'dissoul': ['dissoul', 'dulosis', 'solidus'], 'distale': ['distale', 'salited'], 'distance': ['disenact', 'distance'], 'distant': ['dantist', 'distant'], 'distater': ['distater', 'striated'], 'distender': ['dendrites', 'distender', 'redistend'], 'distent': ['dentist', 'distent', 'stinted'], 'distich': ['distich', 'stichid'], 'distillage': ['distillage', 'sigillated'], 'distiller': ['distiller', 'redistill'], 'distinguisher': ['distinguisher', 'redistinguish'], 'distoma': ['distoma', 'mastoid'], 'distome': ['distome', 'modiste'], 'distrainer': ['distrainer', 'redistrain'], 'distrait': ['distrait', 'triadist'], 'distraite': ['disattire', 'distraite'], 'disturber': ['disturber', 'redisturb'], 'disulphone': ['disulphone', 'unpolished'], 'disuniform': ['disuniform', 'indusiform'], 'dit': ['dit', 'tid'], 'dita': ['adit', 'dita'], 'dital': ['datil', 'dital', 'tidal', 'tilda'], 'ditcher': ['dichter', 'ditcher'], 'dite': ['diet', 'dite', 'edit', 'tide', 'tied'], 'diter': ['diter', 'tired', 'tried'], 'dithionic': ['chitinoid', 'dithionic'], 'ditone': ['ditone', 'intoed'], 'ditrochean': ['achondrite', 'ditrochean', 'ordanchite'], 'diuranate': ['diuranate', 'untiaraed'], 'diurna': ['danuri', 'diurna', 'dunair', 'durain', 'durani', 'durian'], 'diurnation': ['diurnation', 'induration'], 'diurne': ['diurne', 'inured', 'ruined', 'unride'], 'diva': ['avid', 'diva'], 'divan': ['divan', 'viand'], 'divata': ['divata', 'dvaita'], 'divel': ['devil', 'divel', 'lived'], 'diver': ['diver', 'drive'], 'diverge': ['diverge', 'grieved'], 'diverse': ['deviser', 'diverse', 'revised'], 'diverter': ['diverter', 'redivert', 'verditer'], 'divest': ['divest', 'vedist'], 'divesture': ['detrusive', 'divesture', 'servitude'], 'divisionism': ['divisionism', 'misdivision'], 'divorce': ['cervoid', 'divorce'], 'divorcee': ['coderive', 'divorcee'], 'do': ['do', 'od'], 'doable': ['albedo', 'doable'], 'doarium': ['doarium', 'uramido'], 'doat': ['doat', 'toad', 'toda'], 'doater': ['doater', 'toader'], 'doating': ['antigod', 'doating'], 'doatish': ['doatish', 'toadish'], 'dob': ['bod', 'dob'], 'dobe': ['bode', 'dobe'], 'dobra': ['abord', 'bardo', 'board', 'broad', 'dobra', 'dorab'], 'dobrao': ['dobrao', 'doorba'], 'doby': ['body', 'boyd', 'doby'], 'doc': ['cod', 'doc'], 'docetism': ['comedist', 'demotics', 'docetism', 'domestic'], 'docile': ['cleoid', 'coiled', 'docile'], 'docity': ['cytoid', 'docity'], 'docker': ['corked', 'docker', 'redock'], 'doctorial': ['crotaloid', 'doctorial'], 'doctorship': ['doctorship', 'trophodisc'], 'doctrinairism': ['discriminator', 'doctrinairism'], 'doctrinate': ['detraction', 'doctrinate', 'tetarconid'], 'doctrine': ['centroid', 'doctrine'], 'documental': ['columnated', 'documental'], 'dod': ['dod', 'odd'], 'dode': ['dedo', 'dode', 'eddo'], 'dodecarch': ['decachord', 'dodecarch'], 'dodlet': ['dodlet', 'toddle'], 'dodman': ['dodman', 'oddman'], 'doe': ['doe', 'edo', 'ode'], 'doeg': ['doeg', 'doge', 'gode'], 'doer': ['doer', 'redo', 'rode', 'roed'], 'does': ['does', 'dose'], 'doesnt': ['doesnt', 'stoned'], 'dog': ['dog', 'god'], 'dogate': ['dogate', 'dotage', 'togaed'], 'dogbane': ['bondage', 'dogbane'], 'dogbite': ['bigoted', 'dogbite'], 'doge': ['doeg', 'doge', 'gode'], 'dogger': ['dogger', 'gorged'], 'doghead': ['doghead', 'godhead'], 'doghood': ['doghood', 'godhood'], 'dogie': ['diego', 'dogie', 'geoid'], 'dogless': ['dogless', 'glossed', 'godless'], 'doglike': ['doglike', 'godlike'], 'dogly': ['dogly', 'godly', 'goldy'], 'dogra': ['dargo', 'dogra', 'drago'], 'dogship': ['dogship', 'godship'], 'dogstone': ['dogstone', 'stegodon'], 'dogwatch': ['dogwatch', 'watchdog'], 'doina': ['adion', 'danio', 'doina', 'donia'], 'doing': ['dingo', 'doing', 'gondi', 'gonid'], 'doko': ['doko', 'dook'], 'dol': ['dol', 'lod', 'old'], 'dola': ['alod', 'dola', 'load', 'odal'], 'dolcian': ['dolcian', 'nodical'], 'dolciano': ['conoidal', 'dolciano'], 'dolcino': ['dicolon', 'dolcino'], 'dole': ['dole', 'elod', 'lode', 'odel'], 'dolesman': ['dolesman', 'lodesman'], 'doless': ['doless', 'dossel'], 'doli': ['dilo', 'diol', 'doli', 'idol', 'olid'], 'dolia': ['aloid', 'dolia', 'idola'], 'dolina': ['dolina', 'ladino'], 'doline': ['doline', 'indole', 'leonid', 'loined', 'olenid'], 'dolium': ['dolium', 'idolum'], 'dolly': ['dolly', 'lloyd'], 'dolman': ['almond', 'dolman'], 'dolor': ['dolor', 'drool'], 'dolose': ['dolose', 'oodles', 'soodle'], 'dolphin': ['dolphin', 'pinhold'], 'dolt': ['dolt', 'told'], 'dom': ['dom', 'mod'], 'domain': ['amidon', 'daimon', 'domain'], 'domainal': ['domainal', 'domanial'], 'domal': ['domal', 'modal'], 'domanial': ['domainal', 'domanial'], 'dome': ['dome', 'mode', 'moed'], 'domer': ['domer', 'drome'], 'domestic': ['comedist', 'demotics', 'docetism', 'domestic'], 'domic': ['comid', 'domic'], 'domical': ['domical', 'lacmoid'], 'dominance': ['demicanon', 'dominance'], 'dominate': ['dominate', 'nematoid'], 'dominated': ['demantoid', 'dominated'], 'domination': ['admonition', 'domination'], 'dominative': ['admonitive', 'dominative'], 'dominator': ['admonitor', 'dominator'], 'domine': ['domine', 'domnei', 'emodin', 'medino'], 'dominial': ['dominial', 'imolinda', 'limoniad'], 'dominic': ['dinomic', 'dominic'], 'domino': ['domino', 'monoid'], 'domitian': ['diatomin', 'domitian'], 'domnei': ['domine', 'domnei', 'emodin', 'medino'], 'don': ['don', 'nod'], 'donal': ['donal', 'nodal'], 'donar': ['adorn', 'donar', 'drona', 'radon'], 'donated': ['donated', 'nodated'], 'donatiaceae': ['actaeonidae', 'donatiaceae'], 'donatism': ['donatism', 'saintdom'], 'donator': ['donator', 'odorant', 'tornado'], 'done': ['done', 'node'], 'donet': ['donet', 'noted', 'toned'], 'dong': ['dong', 'gond'], 'donga': ['donga', 'gonad'], 'dongola': ['dongola', 'gondola'], 'dongon': ['dongon', 'nongod'], 'donia': ['adion', 'danio', 'doina', 'donia'], 'donna': ['donna', 'nonda'], 'donnert': ['donnert', 'tendron'], 'donnie': ['donnie', 'indone', 'ondine'], 'donor': ['donor', 'rondo'], 'donorship': ['donorship', 'rhodopsin'], 'donsie': ['deinos', 'donsie', 'inodes', 'onside'], 'donum': ['donum', 'mound'], 'doob': ['bodo', 'bood', 'doob'], 'dook': ['doko', 'dook'], 'dool': ['dool', 'lood'], 'dooli': ['dooli', 'iodol'], 'doom': ['doom', 'mood'], 'doomer': ['doomer', 'mooder', 'redoom', 'roomed'], 'dooms': ['dooms', 'sodom'], 'door': ['door', 'odor', 'oord', 'rood'], 'doorba': ['dobrao', 'doorba'], 'doorbell': ['bordello', 'doorbell'], 'doored': ['doored', 'odored'], 'doorframe': ['doorframe', 'reformado'], 'doorless': ['doorless', 'odorless'], 'doorplate': ['doorplate', 'leptodora'], 'doorpost': ['doorpost', 'doorstop'], 'doorstone': ['doorstone', 'roodstone'], 'doorstop': ['doorpost', 'doorstop'], 'doorweed': ['deerwood', 'doorweed'], 'dop': ['dop', 'pod'], 'dopa': ['apod', 'dopa'], 'doper': ['doper', 'pedro', 'pored'], 'dopplerite': ['dopplerite', 'lepidopter'], 'dor': ['dor', 'rod'], 'dora': ['dora', 'orad', 'road'], 'dorab': ['abord', 'bardo', 'board', 'broad', 'dobra', 'dorab'], 'doree': ['doree', 'erode'], 'dori': ['dori', 'roid'], 'doria': ['aroid', 'doria', 'radio'], 'dorian': ['dorian', 'inroad', 'ordain'], 'dorical': ['cordial', 'dorical'], 'dorine': ['dinero', 'dorine'], 'dorlach': ['chordal', 'dorlach'], 'dormancy': ['dormancy', 'mordancy'], 'dormant': ['dormant', 'mordant'], 'dormer': ['dormer', 'remord'], 'dormie': ['dormie', 'moider'], 'dorn': ['dorn', 'rond'], 'dornic': ['dornic', 'nordic'], 'dorothea': ['dorothea', 'theodora'], 'dorp': ['dorp', 'drop', 'prod'], 'dorsel': ['dorsel', 'seldor', 'solder'], 'dorsoapical': ['dorsoapical', 'prosodiacal'], 'dorsocaudal': ['caudodorsal', 'dorsocaudal'], 'dorsocentral': ['centrodorsal', 'dorsocentral'], 'dorsocervical': ['cervicodorsal', 'dorsocervical'], 'dorsolateral': ['dorsolateral', 'laterodorsal'], 'dorsomedial': ['dorsomedial', 'mediodorsal'], 'dorsosacral': ['dorsosacral', 'sacrodorsal'], 'dorsoventrad': ['dorsoventrad', 'ventrodorsad'], 'dorsoventral': ['dorsoventral', 'ventrodorsal'], 'dorsoventrally': ['dorsoventrally', 'ventrodorsally'], 'dos': ['dos', 'ods', 'sod'], 'dosa': ['dosa', 'sado', 'soda'], 'dosage': ['dosage', 'seadog'], 'dose': ['does', 'dose'], 'doser': ['doser', 'rosed'], 'dosimetric': ['dosimetric', 'mediocrist'], 'dossel': ['doless', 'dossel'], 'dosser': ['dosser', 'sordes'], 'dot': ['dot', 'tod'], 'dotage': ['dogate', 'dotage', 'togaed'], 'dote': ['dote', 'tode', 'toed'], 'doter': ['doter', 'tored', 'trode'], 'doty': ['doty', 'tody'], 'doubler': ['boulder', 'doubler'], 'doubter': ['doubter', 'obtrude', 'outbred', 'redoubt'], 'douc': ['douc', 'duco'], 'douce': ['coude', 'douce'], 'doum': ['doum', 'moud', 'odum'], 'doup': ['doup', 'updo'], 'dour': ['dour', 'duro', 'ordu', 'roud'], 'dourine': ['dourine', 'neuroid'], 'dourly': ['dourly', 'lourdy'], 'douser': ['douser', 'soured'], 'douter': ['derout', 'detour', 'douter'], 'dover': ['dover', 'drove', 'vedro'], 'dow': ['dow', 'owd', 'wod'], 'dowager': ['dowager', 'wordage'], 'dower': ['dower', 'rowed'], 'dowl': ['dowl', 'wold'], 'dowlas': ['dowlas', 'oswald'], 'downbear': ['downbear', 'rawboned'], 'downcome': ['comedown', 'downcome'], 'downer': ['downer', 'wonder', 'worden'], 'downingia': ['downingia', 'godwinian'], 'downset': ['downset', 'setdown'], 'downside': ['disendow', 'downside'], 'downtake': ['downtake', 'takedown'], 'downthrow': ['downthrow', 'throwdown'], 'downturn': ['downturn', 'turndown'], 'downward': ['downward', 'drawdown'], 'dowry': ['dowry', 'rowdy', 'wordy'], 'dowser': ['dowser', 'drowse'], 'doxa': ['doxa', 'odax'], 'doyle': ['doyle', 'yodel'], 'dozen': ['dozen', 'zoned'], 'drab': ['bard', 'brad', 'drab'], 'draba': ['barad', 'draba'], 'drabble': ['dabbler', 'drabble'], 'draco': ['cardo', 'draco'], 'draconic': ['cancroid', 'draconic'], 'draconis': ['draconis', 'sardonic'], 'dracontian': ['dracontian', 'octandrian'], 'drafter': ['drafter', 'redraft'], 'drag': ['darg', 'drag', 'grad'], 'draggle': ['draggle', 'raggled'], 'dragline': ['dragline', 'reginald', 'ringlead'], 'dragman': ['dragman', 'grandam', 'grandma'], 'drago': ['dargo', 'dogra', 'drago'], 'dragoman': ['dragoman', 'garamond', 'ondagram'], 'dragonize': ['dragonize', 'organized'], 'dragoon': ['dragoon', 'gadroon'], 'dragoonage': ['dragoonage', 'gadroonage'], 'dragsman': ['dargsman', 'dragsman'], 'drail': ['drail', 'laird', 'larid', 'liard'], 'drain': ['darin', 'dinar', 'drain', 'indra', 'nadir', 'ranid'], 'drainable': ['albardine', 'drainable'], 'drainage': ['drainage', 'gardenia'], 'draine': ['darien', 'draine'], 'drained': ['diander', 'drained'], 'drainer': ['darrein', 'drainer'], 'drainman': ['drainman', 'mandarin'], 'draintile': ['deliriant', 'draintile', 'interlaid'], 'drake': ['daker', 'drake', 'kedar', 'radek'], 'dramme': ['dammer', 'dramme'], 'drang': ['drang', 'grand'], 'drape': ['drape', 'padre'], 'drat': ['dart', 'drat'], 'drate': ['dater', 'derat', 'detar', 'drate', 'rated', 'trade', 'tread'], 'draw': ['draw', 'ward'], 'drawable': ['drawable', 'wardable'], 'drawback': ['backward', 'drawback'], 'drawbore': ['drawbore', 'wardrobe'], 'drawbridge': ['bridgeward', 'drawbridge'], 'drawdown': ['downward', 'drawdown'], 'drawee': ['drawee', 'rewade'], 'drawer': ['drawer', 'redraw', 'reward', 'warder'], 'drawers': ['drawers', 'resward'], 'drawfile': ['drawfile', 'lifeward'], 'drawgate': ['drawgate', 'gateward'], 'drawhead': ['drawhead', 'headward'], 'drawhorse': ['drawhorse', 'shoreward'], 'drawing': ['drawing', 'ginward', 'warding'], 'drawoff': ['drawoff', 'offward'], 'drawout': ['drawout', 'outdraw', 'outward'], 'drawsheet': ['drawsheet', 'watershed'], 'drawstop': ['drawstop', 'postward'], 'dray': ['adry', 'dray', 'yard'], 'drayage': ['drayage', 'yardage'], 'drayman': ['drayman', 'yardman'], 'dread': ['adder', 'dread', 'readd'], 'dreadly': ['dreadly', 'laddery'], 'dream': ['armed', 'derma', 'dream', 'ramed'], 'dreamage': ['dreamage', 'redamage'], 'dreamer': ['dreamer', 'redream'], 'dreamhole': ['dreamhole', 'heloderma'], 'dreamish': ['dreamish', 'semihard'], 'dreamland': ['dreamland', 'raddleman'], 'drear': ['darer', 'drear'], 'dreary': ['dreary', 'yarder'], 'dredge': ['dredge', 'gedder'], 'dree': ['deer', 'dere', 'dree', 'rede', 'reed'], 'dreiling': ['dreiling', 'gridelin'], 'dressage': ['degasser', 'dressage'], 'dresser': ['dresser', 'redress'], 'drib': ['bird', 'drib'], 'dribble': ['dibbler', 'dribble'], 'driblet': ['birdlet', 'driblet'], 'driddle': ['diddler', 'driddle'], 'drier': ['drier', 'rider'], 'driest': ['driest', 'stride'], 'driller': ['driller', 'redrill'], 'drillman': ['drillman', 'mandrill'], 'dringle': ['dringle', 'grindle'], 'drisheen': ['denshire', 'drisheen'], 'drive': ['diver', 'drive'], 'driven': ['driven', 'nervid', 'verdin'], 'drivescrew': ['drivescrew', 'screwdrive'], 'drogue': ['drogue', 'gourde'], 'drolly': ['drolly', 'lordly'], 'drome': ['domer', 'drome'], 'dromicia': ['dioramic', 'dromicia'], 'drona': ['adorn', 'donar', 'drona', 'radon'], 'drone': ['drone', 'ronde'], 'drongo': ['drongo', 'gordon'], 'dronish': ['dishorn', 'dronish'], 'drool': ['dolor', 'drool'], 'drop': ['dorp', 'drop', 'prod'], 'dropsy': ['dropsy', 'dryops'], 'drossel': ['drossel', 'rodless'], 'drove': ['dover', 'drove', 'vedro'], 'drow': ['drow', 'word'], 'drowse': ['dowser', 'drowse'], 'drub': ['burd', 'drub'], 'drugger': ['drugger', 'grudger'], 'druggery': ['druggery', 'grudgery'], 'drungar': ['drungar', 'gurnard'], 'drupe': ['drupe', 'duper', 'perdu', 'prude', 'pured'], 'drusean': ['asunder', 'drusean'], 'dryops': ['dropsy', 'dryops'], 'duad': ['addu', 'dadu', 'daud', 'duad'], 'dual': ['auld', 'dual', 'laud', 'udal'], 'duali': ['duali', 'dulia'], 'dualin': ['dualin', 'ludian', 'unlaid'], 'dualism': ['dualism', 'laudism'], 'dualist': ['dualist', 'laudist'], 'dub': ['bud', 'dub'], 'dubber': ['dubber', 'rubbed'], 'dubious': ['biduous', 'dubious'], 'dubitate': ['dubitate', 'tabitude'], 'ducal': ['cauld', 'ducal'], 'duces': ['decus', 'duces'], 'duckstone': ['duckstone', 'unstocked'], 'duco': ['douc', 'duco'], 'ducted': ['deduct', 'ducted'], 'duction': ['conduit', 'duction', 'noctuid'], 'duculinae': ['duculinae', 'nuculidae'], 'dudeen': ['denude', 'dudeen'], 'dudler': ['dudler', 'ruddle'], 'duel': ['deul', 'duel', 'leud'], 'dueler': ['dueler', 'eluder'], 'dueling': ['dueling', 'indulge'], 'duello': ['deloul', 'duello'], 'duenna': ['duenna', 'undean'], 'duer': ['duer', 'dure', 'rude', 'urde'], 'duffer': ['duffer', 'ruffed'], 'dufter': ['dufter', 'turfed'], 'dug': ['dug', 'gud'], 'duim': ['duim', 'muid'], 'dukery': ['dukery', 'duyker'], 'dulat': ['adult', 'dulat'], 'dulcian': ['dulcian', 'incudal', 'lucanid', 'lucinda'], 'dulciana': ['claudian', 'dulciana'], 'duler': ['duler', 'urled'], 'dulia': ['duali', 'dulia'], 'dullify': ['dullify', 'fluidly'], 'dulosis': ['dissoul', 'dulosis', 'solidus'], 'dulseman': ['dulseman', 'unalmsed'], 'dultie': ['dilute', 'dultie'], 'dum': ['dum', 'mud'], 'duma': ['duma', 'maud'], 'dumaist': ['dumaist', 'stadium'], 'dumontite': ['dumontite', 'unomitted'], 'dumple': ['dumple', 'plumed'], 'dunair': ['danuri', 'diurna', 'dunair', 'durain', 'durani', 'durian'], 'dunal': ['dunal', 'laund', 'lunda', 'ulnad'], 'dunderpate': ['dunderpate', 'undeparted'], 'dune': ['dune', 'nude', 'unde'], 'dungaree': ['dungaree', 'guardeen', 'unagreed', 'underage', 'ungeared'], 'dungeon': ['dungeon', 'negundo'], 'dunger': ['dunger', 'gerund', 'greund', 'nudger'], 'dungol': ['dungol', 'ungold'], 'dungy': ['dungy', 'gundy'], 'dunite': ['dunite', 'united', 'untied'], 'dunlap': ['dunlap', 'upland'], 'dunne': ['dunne', 'unden'], 'dunner': ['dunner', 'undern'], 'dunpickle': ['dunpickle', 'unpickled'], 'dunstable': ['dunstable', 'unblasted', 'unstabled'], 'dunt': ['dunt', 'tund'], 'duny': ['duny', 'undy'], 'duo': ['duo', 'udo'], 'duodenal': ['duodenal', 'unloaded'], 'duodenocholecystostomy': ['cholecystoduodenostomy', 'duodenocholecystostomy'], 'duodenojejunal': ['duodenojejunal', 'jejunoduodenal'], 'duodenopancreatectomy': ['duodenopancreatectomy', 'pancreatoduodenectomy'], 'dup': ['dup', 'pud'], 'duper': ['drupe', 'duper', 'perdu', 'prude', 'pured'], 'dupion': ['dupion', 'unipod'], 'dupla': ['dupla', 'plaud'], 'duplone': ['duplone', 'unpoled'], 'dura': ['ardu', 'daur', 'dura'], 'durain': ['danuri', 'diurna', 'dunair', 'durain', 'durani', 'durian'], 'duramen': ['duramen', 'maunder', 'unarmed'], 'durance': ['durance', 'redunca', 'unraced'], 'durango': ['aground', 'durango'], 'durani': ['danuri', 'diurna', 'dunair', 'durain', 'durani', 'durian'], 'durant': ['durant', 'tundra'], 'durban': ['durban', 'undrab'], 'durdenite': ['durdenite', 'undertide'], 'dure': ['duer', 'dure', 'rude', 'urde'], 'durene': ['durene', 'endure'], 'durenol': ['durenol', 'lounder', 'roundel'], 'durgan': ['durgan', 'undrag'], 'durian': ['danuri', 'diurna', 'dunair', 'durain', 'durani', 'durian'], 'during': ['during', 'ungird'], 'durity': ['durity', 'rudity'], 'durmast': ['durmast', 'mustard'], 'duro': ['dour', 'duro', 'ordu', 'roud'], 'dusken': ['dusken', 'sundek'], 'dust': ['dust', 'stud'], 'duster': ['derust', 'duster'], 'dustin': ['dustin', 'nudist'], 'dustpan': ['dustpan', 'upstand'], 'dusty': ['dusty', 'study'], 'duyker': ['dukery', 'duyker'], 'dvaita': ['divata', 'dvaita'], 'dwale': ['dwale', 'waled', 'weald'], 'dwine': ['dwine', 'edwin', 'wendi', 'widen', 'wined'], 'dyad': ['addy', 'dyad'], 'dyas': ['days', 'dyas'], 'dye': ['dey', 'dye', 'yed'], 'dyehouse': ['deyhouse', 'dyehouse'], 'dyeing': ['digeny', 'dyeing'], 'dyer': ['dyer', 'yerd'], 'dying': ['dingy', 'dying'], 'dynamo': ['dynamo', 'monday'], 'dynamoelectric': ['dynamoelectric', 'electrodynamic'], 'dynamoelectrical': ['dynamoelectrical', 'electrodynamical'], 'dynamotor': ['androtomy', 'dynamotor'], 'dyne': ['deny', 'dyne'], 'dyophone': ['dyophone', 'honeypod'], 'dysluite': ['dysluite', 'sedulity'], 'dysneuria': ['dasyurine', 'dysneuria'], 'dysphoric': ['chrysopid', 'dysphoric'], 'dysphrenia': ['dysphrenia', 'sphyraenid', 'sphyrnidae'], 'dystome': ['dystome', 'modesty'], 'dystrophia': ['diastrophy', 'dystrophia'], 'ea': ['ae', 'ea'], 'each': ['ache', 'each', 'haec'], 'eager': ['agree', 'eager', 'eagre'], 'eagle': ['aegle', 'eagle', 'galee'], 'eagless': ['ageless', 'eagless'], 'eaglet': ['eaglet', 'legate', 'teagle', 'telega'], 'eagre': ['agree', 'eager', 'eagre'], 'ean': ['ean', 'nae', 'nea'], 'ear': ['aer', 'are', 'ear', 'era', 'rea'], 'eared': ['eared', 'erade'], 'earful': ['earful', 'farleu', 'ferula'], 'earing': ['arenig', 'earing', 'gainer', 'reagin', 'regain'], 'earl': ['earl', 'eral', 'lear', 'real'], 'earlap': ['earlap', 'parale'], 'earle': ['areel', 'earle'], 'earlet': ['earlet', 'elater', 'relate'], 'earliness': ['earliness', 'naileress'], 'earlship': ['earlship', 'pearlish'], 'early': ['early', 'layer', 'relay'], 'earn': ['arne', 'earn', 'rane'], 'earner': ['earner', 'ranere'], 'earnest': ['earnest', 'eastern', 'nearest'], 'earnestly': ['earnestly', 'easternly'], 'earnful': ['earnful', 'funeral'], 'earning': ['earning', 'engrain'], 'earplug': ['earplug', 'graupel', 'plaguer'], 'earring': ['earring', 'grainer'], 'earringed': ['earringed', 'grenadier'], 'earshot': ['asthore', 'earshot'], 'eartab': ['abater', 'artabe', 'eartab', 'trabea'], 'earth': ['earth', 'hater', 'heart', 'herat', 'rathe'], 'earthborn': ['abhorrent', 'earthborn'], 'earthed': ['earthed', 'hearted'], 'earthen': ['earthen', 'enheart', 'hearten', 'naether', 'teheran', 'traheen'], 'earthian': ['earthian', 'rhaetian'], 'earthiness': ['earthiness', 'heartiness'], 'earthless': ['earthless', 'heartless'], 'earthling': ['earthling', 'heartling'], 'earthly': ['earthly', 'heartly', 'lathery', 'rathely'], 'earthnut': ['earthnut', 'heartnut'], 'earthpea': ['earthpea', 'heartpea'], 'earthquake': ['earthquake', 'heartquake'], 'earthward': ['earthward', 'heartward'], 'earthy': ['earthy', 'hearty', 'yearth'], 'earwig': ['earwig', 'grewia'], 'earwitness': ['earwitness', 'wateriness'], 'easel': ['easel', 'lease'], 'easement': ['easement', 'estamene'], 'easer': ['easer', 'erase'], 'easily': ['easily', 'elysia'], 'easing': ['easing', 'sangei'], 'east': ['ates', 'east', 'eats', 'sate', 'seat', 'seta'], 'eastabout': ['aetobatus', 'eastabout'], 'eastbound': ['eastbound', 'unboasted'], 'easter': ['asteer', 'easter', 'eastre', 'reseat', 'saeter', 'seater', 'staree', 'teaser', 'teresa'], 'easterling': ['easterling', 'generalist'], 'eastern': ['earnest', 'eastern', 'nearest'], 'easternly': ['earnestly', 'easternly'], 'easting': ['easting', 'gainset', 'genista', 'ingesta', 'seating', 'signate', 'teasing'], 'eastlake': ['alestake', 'eastlake'], 'eastre': ['asteer', 'easter', 'eastre', 'reseat', 'saeter', 'seater', 'staree', 'teaser', 'teresa'], 'easy': ['easy', 'eyas'], 'eat': ['ate', 'eat', 'eta', 'tae', 'tea'], 'eatberry': ['betrayer', 'eatberry', 'rebetray', 'teaberry'], 'eaten': ['eaten', 'enate'], 'eater': ['arete', 'eater', 'teaer'], 'eating': ['eating', 'ingate', 'tangie'], 'eats': ['ates', 'east', 'eats', 'sate', 'seat', 'seta'], 'eave': ['eave', 'evea'], 'eaved': ['deave', 'eaved', 'evade'], 'eaver': ['eaver', 'reave'], 'eaves': ['eaves', 'evase', 'seave'], 'eben': ['been', 'bene', 'eben'], 'ebenales': ['ebenales', 'lebanese'], 'ebon': ['beno', 'bone', 'ebon'], 'ebony': ['boney', 'ebony'], 'ebriety': ['byerite', 'ebriety'], 'eburna': ['eburna', 'unbare', 'unbear', 'urbane'], 'eburnated': ['eburnated', 'underbeat', 'unrebated'], 'eburnian': ['eburnian', 'inurbane'], 'ecad': ['cade', 'dace', 'ecad'], 'ecanda': ['adance', 'ecanda'], 'ecardinal': ['ecardinal', 'lardacein'], 'ecarinate': ['anaeretic', 'ecarinate'], 'ecarte': ['cerate', 'create', 'ecarte'], 'ecaudata': ['acaudate', 'ecaudata'], 'ecclesiasticism': ['ecclesiasticism', 'misecclesiastic'], 'eche': ['chee', 'eche'], 'echelon': ['chelone', 'echelon'], 'echeveria': ['echeveria', 'reachieve'], 'echidna': ['chained', 'echidna'], 'echinal': ['chilean', 'echinal', 'nichael'], 'echinate': ['echinate', 'hecatine'], 'echinital': ['echinital', 'inethical'], 'echis': ['echis', 'shice'], 'echoer': ['choree', 'cohere', 'echoer'], 'echoic': ['choice', 'echoic'], 'echoist': ['chitose', 'echoist'], 'eciton': ['eciton', 'noetic', 'notice', 'octine'], 'eckehart': ['eckehart', 'hacktree'], 'eclair': ['carlie', 'claire', 'eclair', 'erical'], 'eclat': ['cleat', 'eclat', 'ectal', 'lacet', 'tecla'], 'eclipsable': ['eclipsable', 'spliceable'], 'eclipser': ['eclipser', 'pericles', 'resplice'], 'economics': ['economics', 'neocosmic'], 'economism': ['economism', 'monoecism', 'monosemic'], 'economist': ['economist', 'mesotonic'], 'ecorticate': ['ecorticate', 'octaeteric'], 'ecostate': ['coestate', 'ecostate'], 'ecotonal': ['colonate', 'ecotonal'], 'ecotype': ['ecotype', 'ocypete'], 'ecrasite': ['ecrasite', 'sericate'], 'ecru': ['cure', 'ecru', 'eruc'], 'ectad': ['cadet', 'ectad'], 'ectal': ['cleat', 'eclat', 'ectal', 'lacet', 'tecla'], 'ectasis': ['ascites', 'ectasis'], 'ectene': ['cetene', 'ectene'], 'ectental': ['ectental', 'tentacle'], 'ectiris': ['ectiris', 'eristic'], 'ectocardia': ['coradicate', 'ectocardia'], 'ectocranial': ['calonectria', 'ectocranial'], 'ectoglia': ['ectoglia', 'geotical', 'goetical'], 'ectomorph': ['ectomorph', 'topchrome'], 'ectomorphic': ['cetomorphic', 'chemotropic', 'ectomorphic'], 'ectomorphy': ['chromotype', 'cormophyte', 'ectomorphy'], 'ectopia': ['ectopia', 'opacite'], 'ectopy': ['cotype', 'ectopy'], 'ectorhinal': ['chlorinate', 'ectorhinal', 'tornachile'], 'ectosarc': ['ectosarc', 'reaccost'], 'ectrogenic': ['ectrogenic', 'egocentric', 'geocentric'], 'ectromelia': ['carmeloite', 'ectromelia', 'meteorical'], 'ectropion': ['ectropion', 'neotropic'], 'ed': ['de', 'ed'], 'edda': ['dade', 'dead', 'edda'], 'eddaic': ['caddie', 'eddaic'], 'eddish': ['dished', 'eddish'], 'eddo': ['dedo', 'dode', 'eddo'], 'edema': ['adeem', 'ameed', 'edema'], 'eden': ['dene', 'eden', 'need'], 'edental': ['dalteen', 'dentale', 'edental'], 'edentata': ['antedate', 'edentata'], 'edessan': ['deaness', 'edessan'], 'edestan': ['edestan', 'standee'], 'edestin': ['destine', 'edestin'], 'edgar': ['edgar', 'grade'], 'edger': ['edger', 'greed'], 'edgerman': ['edgerman', 'gendarme'], 'edgrew': ['edgrew', 'wedger'], 'edible': ['debile', 'edible'], 'edict': ['cetid', 'edict'], 'edictal': ['citadel', 'deltaic', 'dialect', 'edictal', 'lactide'], 'edification': ['deification', 'edification'], 'edificatory': ['deificatory', 'edificatory'], 'edifier': ['deifier', 'edifier'], 'edify': ['deify', 'edify'], 'edit': ['diet', 'dite', 'edit', 'tide', 'tied'], 'edital': ['detail', 'dietal', 'dilate', 'edital', 'tailed'], 'edith': ['edith', 'ethid'], 'edition': ['edition', 'odinite', 'otidine', 'tineoid'], 'editor': ['editor', 'triode'], 'editorial': ['editorial', 'radiolite'], 'edmund': ['edmund', 'mudden'], 'edna': ['ande', 'dane', 'dean', 'edna'], 'edo': ['doe', 'edo', 'ode'], 'edoni': ['deino', 'dione', 'edoni'], 'education': ['coadunite', 'education', 'noctuidae'], 'educe': ['deuce', 'educe'], 'edward': ['edward', 'wadder', 'warded'], 'edwin': ['dwine', 'edwin', 'wendi', 'widen', 'wined'], 'eel': ['eel', 'lee'], 'eelgrass': ['eelgrass', 'gearless', 'rageless'], 'eelpot': ['eelpot', 'opelet'], 'eelspear': ['eelspear', 'prelease'], 'eely': ['eely', 'yeel'], 'eer': ['eer', 'ere', 'ree'], 'efik': ['efik', 'fike'], 'eft': ['eft', 'fet'], 'egad': ['aged', 'egad', 'gade'], 'egba': ['egba', 'gabe'], 'egbo': ['bego', 'egbo'], 'egeran': ['egeran', 'enrage', 'ergane', 'genear', 'genera'], 'egest': ['egest', 'geest', 'geste'], 'egger': ['egger', 'grege'], 'egghot': ['egghot', 'hogget'], 'eggler': ['eggler', 'legger'], 'eggy': ['eggy', 'yegg'], 'eglantine': ['eglantine', 'inelegant', 'legantine'], 'eglatere': ['eglatere', 'regelate', 'relegate'], 'egma': ['egma', 'game', 'mage'], 'ego': ['ego', 'geo'], 'egocentric': ['ectrogenic', 'egocentric', 'geocentric'], 'egoist': ['egoist', 'stogie'], 'egol': ['egol', 'goel', 'loge', 'ogle', 'oleg'], 'egotheism': ['egotheism', 'eightsome'], 'egret': ['egret', 'greet', 'reget'], 'eh': ['eh', 'he'], 'ehretia': ['ehretia', 'etheria'], 'eident': ['eident', 'endite'], 'eidograph': ['eidograph', 'ideograph'], 'eidology': ['eidology', 'ideology'], 'eighth': ['eighth', 'height'], 'eightsome': ['egotheism', 'eightsome'], 'eigne': ['eigne', 'genie'], 'eileen': ['eileen', 'lienee'], 'ekaha': ['ekaha', 'hakea'], 'eke': ['eke', 'kee'], 'eker': ['eker', 'reek'], 'ekoi': ['ekoi', 'okie'], 'ekron': ['ekron', 'krone'], 'ektene': ['ektene', 'ketene'], 'elabrate': ['elabrate', 'tearable'], 'elaidic': ['aedilic', 'elaidic'], 'elaidin': ['anilide', 'elaidin'], 'elain': ['alien', 'aline', 'anile', 'elain', 'elian', 'laine', 'linea'], 'elaine': ['aileen', 'elaine'], 'elamite': ['alemite', 'elamite'], 'elance': ['elance', 'enlace'], 'eland': ['eland', 'laden', 'lenad'], 'elanet': ['elanet', 'lanete', 'lateen'], 'elanus': ['elanus', 'unseal'], 'elaphomyces': ['elaphomyces', 'mesocephaly'], 'elaphurus': ['elaphurus', 'sulphurea'], 'elapid': ['aliped', 'elapid'], 'elapoid': ['elapoid', 'oedipal'], 'elaps': ['elaps', 'lapse', 'lepas', 'pales', 'salep', 'saple', 'sepal', 'slape', 'spale', 'speal'], 'elapse': ['asleep', 'elapse', 'please'], 'elastic': ['astelic', 'elastic', 'latices'], 'elasticin': ['elasticin', 'inelastic', 'sciential'], 'elastin': ['elastin', 'salient', 'saltine', 'slainte'], 'elastomer': ['elastomer', 'salometer'], 'elate': ['atlee', 'elate'], 'elated': ['delate', 'elated'], 'elater': ['earlet', 'elater', 'relate'], 'elaterid': ['detailer', 'elaterid'], 'elaterin': ['elaterin', 'entailer', 'treenail'], 'elatha': ['althea', 'elatha'], 'elatine': ['elatine', 'lineate'], 'elation': ['alnoite', 'elation', 'toenail'], 'elator': ['elator', 'lorate'], 'elb': ['bel', 'elb'], 'elbert': ['belter', 'elbert', 'treble'], 'elberta': ['bearlet', 'bleater', 'elberta', 'retable'], 'elbow': ['below', 'bowel', 'elbow'], 'elbowed': ['boweled', 'elbowed'], 'eld': ['del', 'eld', 'led'], 'eldin': ['eldin', 'lined'], 'elding': ['dingle', 'elding', 'engild', 'gilden'], 'elean': ['anele', 'elean'], 'election': ['coteline', 'election'], 'elective': ['cleveite', 'elective'], 'elector': ['elector', 'electro'], 'electoral': ['electoral', 'recollate'], 'electra': ['electra', 'treacle'], 'electragy': ['electragy', 'glycerate'], 'electret': ['electret', 'tercelet'], 'electric': ['electric', 'lectrice'], 'electrion': ['centriole', 'electrion', 'relection'], 'electro': ['elector', 'electro'], 'electrodynamic': ['dynamoelectric', 'electrodynamic'], 'electrodynamical': ['dynamoelectrical', 'electrodynamical'], 'electromagnetic': ['electromagnetic', 'magnetoelectric'], 'electromagnetical': ['electromagnetical', 'magnetoelectrical'], 'electrothermic': ['electrothermic', 'thermoelectric'], 'electrothermometer': ['electrothermometer', 'thermoelectrometer'], 'elegant': ['angelet', 'elegant'], 'elegiambus': ['elegiambus', 'iambelegus'], 'elegiast': ['elegiast', 'selagite'], 'elemi': ['elemi', 'meile'], 'elemin': ['elemin', 'meline'], 'elephantic': ['elephantic', 'plancheite'], 'elettaria': ['elettaria', 'retaliate'], 'eleut': ['eleut', 'elute'], 'elevator': ['elevator', 'overlate'], 'elfin': ['elfin', 'nifle'], 'elfishness': ['elfishness', 'fleshiness'], 'elfkin': ['elfkin', 'finkel'], 'elfwort': ['elfwort', 'felwort'], 'eli': ['eli', 'lei', 'lie'], 'elia': ['aiel', 'aile', 'elia'], 'elian': ['alien', 'aline', 'anile', 'elain', 'elian', 'laine', 'linea'], 'elias': ['aisle', 'elias'], 'elicitor': ['elicitor', 'trioleic'], 'eliminand': ['eliminand', 'mindelian'], 'elinor': ['elinor', 'lienor', 'lorien', 'noiler'], 'elinvar': ['elinvar', 'ravelin', 'reanvil', 'valerin'], 'elisha': ['elisha', 'hailse', 'sheila'], 'elisor': ['elisor', 'resoil'], 'elissa': ['elissa', 'lassie'], 'elite': ['elite', 'telei'], 'eliza': ['aizle', 'eliza'], 'elk': ['elk', 'lek'], 'ella': ['alle', 'ella', 'leal'], 'ellagate': ['allegate', 'ellagate'], 'ellenyard': ['ellenyard', 'learnedly'], 'ellick': ['ellick', 'illeck'], 'elliot': ['elliot', 'oillet'], 'elm': ['elm', 'mel'], 'elmer': ['elmer', 'merel', 'merle'], 'elmy': ['elmy', 'yelm'], 'eloah': ['eloah', 'haole'], 'elod': ['dole', 'elod', 'lode', 'odel'], 'eloge': ['eloge', 'golee'], 'elohimic': ['elohimic', 'hemiolic'], 'elohist': ['elohist', 'hostile'], 'eloign': ['eloign', 'gileno', 'legion'], 'eloigner': ['eloigner', 'legioner'], 'eloignment': ['eloignment', 'omnilegent'], 'elon': ['elon', 'enol', 'leno', 'leon', 'lone', 'noel'], 'elonite': ['elonite', 'leonite'], 'elops': ['elops', 'slope', 'spole'], 'elric': ['crile', 'elric', 'relic'], 'els': ['els', 'les'], 'elsa': ['elsa', 'sale', 'seal', 'slae'], 'else': ['else', 'lees', 'seel', 'sele', 'slee'], 'elsin': ['elsin', 'lenis', 'niels', 'silen', 'sline'], 'elt': ['elt', 'let'], 'eluate': ['aulete', 'eluate'], 'eluder': ['dueler', 'eluder'], 'elusion': ['elusion', 'luiseno'], 'elusory': ['elusory', 'yoursel'], 'elute': ['eleut', 'elute'], 'elution': ['elution', 'outline'], 'elutor': ['elutor', 'louter', 'outler'], 'elvan': ['elvan', 'navel', 'venal'], 'elvanite': ['elvanite', 'lavenite'], 'elver': ['elver', 'lever', 'revel'], 'elvet': ['elvet', 'velte'], 'elvira': ['averil', 'elvira'], 'elvis': ['elvis', 'levis', 'slive'], 'elwood': ['dewool', 'elwood', 'wooled'], 'elymi': ['elymi', 'emily', 'limey'], 'elysia': ['easily', 'elysia'], 'elytral': ['alertly', 'elytral'], 'elytrin': ['elytrin', 'inertly', 'trinely'], 'elytroposis': ['elytroposis', 'proteolysis'], 'elytrous': ['elytrous', 'urostyle'], 'em': ['em', 'me'], 'emanate': ['emanate', 'manatee'], 'emanation': ['amnionate', 'anamniote', 'emanation'], 'emanatist': ['emanatist', 'staminate', 'tasmanite'], 'embalmer': ['embalmer', 'emmarble'], 'embar': ['amber', 'bearm', 'bemar', 'bream', 'embar'], 'embargo': ['bergamo', 'embargo'], 'embark': ['embark', 'markeb'], 'embay': ['beamy', 'embay', 'maybe'], 'ember': ['breme', 'ember'], 'embind': ['embind', 'nimbed'], 'embira': ['ambier', 'bremia', 'embira'], 'embodier': ['demirobe', 'embodier'], 'embody': ['beydom', 'embody'], 'embole': ['bemole', 'embole'], 'embraceor': ['cerebroma', 'embraceor'], 'embrail': ['embrail', 'mirabel'], 'embryoid': ['embryoid', 'reimbody'], 'embus': ['embus', 'sebum'], 'embusk': ['bemusk', 'embusk'], 'emcee': ['emcee', 'meece'], 'emeership': ['emeership', 'ephemeris'], 'emend': ['emend', 'mende'], 'emendation': ['denominate', 'emendation'], 'emendator': ['emendator', 'ondameter'], 'emerita': ['emerita', 'emirate'], 'emerse': ['emerse', 'seemer'], 'emersion': ['emersion', 'meriones'], 'emersonian': ['emersonian', 'mansioneer'], 'emesa': ['emesa', 'mease'], 'emigrate': ['emigrate', 'remigate'], 'emigration': ['emigration', 'remigation'], 'emil': ['emil', 'lime', 'mile'], 'emilia': ['emilia', 'mailie'], 'emily': ['elymi', 'emily', 'limey'], 'emim': ['emim', 'mime'], 'emir': ['emir', 'imer', 'mire', 'reim', 'remi', 'riem', 'rime'], 'emirate': ['emerita', 'emirate'], 'emirship': ['emirship', 'imperish'], 'emissary': ['emissary', 'missayer'], 'emit': ['emit', 'item', 'mite', 'time'], 'emitter': ['emitter', 'termite'], 'emm': ['emm', 'mem'], 'emmarble': ['embalmer', 'emmarble'], 'emodin': ['domine', 'domnei', 'emodin', 'medino'], 'emotion': ['emotion', 'moonite'], 'empanel': ['empanel', 'emplane', 'peelman'], 'empathic': ['empathic', 'emphatic'], 'empathically': ['empathically', 'emphatically'], 'emphasis': ['emphasis', 'misshape'], 'emphatic': ['empathic', 'emphatic'], 'emphatically': ['empathically', 'emphatically'], 'empire': ['empire', 'epimer'], 'empiricist': ['empiricist', 'empiristic'], 'empiristic': ['empiricist', 'empiristic'], 'emplane': ['empanel', 'emplane', 'peelman'], 'employer': ['employer', 'polymere'], 'emporia': ['emporia', 'meropia'], 'emporial': ['emporial', 'proemial'], 'emporium': ['emporium', 'pomerium', 'proemium'], 'emprise': ['emprise', 'imprese', 'premise', 'spireme'], 'empt': ['empt', 'temp'], 'emptier': ['emptier', 'impetre'], 'emption': ['emption', 'pimento'], 'emptional': ['emptional', 'palmitone'], 'emptor': ['emptor', 'trompe'], 'empyesis': ['empyesis', 'pyemesis'], 'emu': ['emu', 'ume'], 'emulant': ['almuten', 'emulant'], 'emulation': ['emulation', 'laumonite'], 'emulsion': ['emulsion', 'solenium'], 'emundation': ['emundation', 'mountained'], 'emyd': ['demy', 'emyd'], 'en': ['en', 'ne'], 'enable': ['baleen', 'enable'], 'enabler': ['enabler', 'renable'], 'enaction': ['cetonian', 'enaction'], 'enactor': ['enactor', 'necator', 'orcanet'], 'enactory': ['enactory', 'octenary'], 'enaena': ['aenean', 'enaena'], 'enalid': ['aldine', 'daniel', 'delian', 'denial', 'enalid', 'leadin'], 'enaliornis': ['enaliornis', 'rosaniline'], 'enaluron': ['enaluron', 'neuronal'], 'enam': ['amen', 'enam', 'mane', 'mean', 'name', 'nema'], 'enamel': ['enamel', 'melena'], 'enameling': ['enameling', 'malengine', 'meningeal'], 'enamor': ['enamor', 'monera', 'oreman', 'romane'], 'enamored': ['demeanor', 'enamored'], 'enanthem': ['enanthem', 'menthane'], 'enantiomer': ['enantiomer', 'renominate'], 'enapt': ['enapt', 'paten', 'penta', 'tapen'], 'enarch': ['enarch', 'ranche'], 'enarm': ['enarm', 'namer', 'reman'], 'enarme': ['enarme', 'meaner', 'rename'], 'enarthrosis': ['enarthrosis', 'nearthrosis'], 'enate': ['eaten', 'enate'], 'enatic': ['acetin', 'actine', 'enatic'], 'enation': ['enation', 'etonian'], 'enbrave': ['enbrave', 'verbena'], 'encapsule': ['encapsule', 'pelecanus'], 'encase': ['encase', 'seance', 'seneca'], 'encash': ['encash', 'sanche'], 'encauma': ['cumaean', 'encauma'], 'encaustes': ['acuteness', 'encaustes'], 'encaustic': ['encaustic', 'succinate'], 'encephalomeningitis': ['encephalomeningitis', 'meningoencephalitis'], 'encephalomeningocele': ['encephalomeningocele', 'meningoencephalocele'], 'encephalomyelitis': ['encephalomyelitis', 'myeloencephalitis'], 'enchair': ['chainer', 'enchair', 'rechain'], 'encharge': ['encharge', 'rechange'], 'encharnel': ['channeler', 'encharnel'], 'enchytrae': ['cytherean', 'enchytrae'], 'encina': ['canine', 'encina', 'neanic'], 'encinillo': ['encinillo', 'linolenic'], 'encist': ['encist', 'incest', 'insect', 'scient'], 'encitadel': ['declinate', 'encitadel'], 'enclaret': ['celarent', 'centrale', 'enclaret'], 'enclasp': ['enclasp', 'spancel'], 'enclave': ['enclave', 'levance', 'valence'], 'enclosure': ['enclosure', 'recounsel'], 'encoignure': ['encoignure', 'neurogenic'], 'encoil': ['clione', 'coelin', 'encoil', 'enolic'], 'encomiastic': ['cosmetician', 'encomiastic'], 'encomic': ['comenic', 'encomic', 'meconic'], 'encomium': ['encomium', 'meconium'], 'encoronal': ['encoronal', 'olecranon'], 'encoronate': ['encoronate', 'entocornea'], 'encradle': ['calender', 'encradle'], 'encranial': ['carnelian', 'encranial'], 'encratic': ['acentric', 'encratic', 'nearctic'], 'encratism': ['encratism', 'miscreant'], 'encraty': ['encraty', 'nectary'], 'encreel': ['crenele', 'encreel'], 'encrinital': ['encrinital', 'tricennial'], 'encrisp': ['encrisp', 'pincers'], 'encrust': ['encrust', 'uncrest'], 'encurl': ['encurl', 'lucern'], 'encurtain': ['encurtain', 'runcinate', 'uncertain'], 'encyrtidae': ['encyrtidae', 'nycteridae'], 'end': ['den', 'end', 'ned'], 'endaortic': ['citronade', 'endaortic', 'redaction'], 'endboard': ['deadborn', 'endboard'], 'endear': ['deaner', 'endear'], 'endeared': ['deadener', 'endeared'], 'endearing': ['endearing', 'engrained', 'grenadine'], 'endearingly': ['endearingly', 'engrainedly'], 'endemial': ['endemial', 'madeline'], 'endere': ['endere', 'needer', 'reeden'], 'enderonic': ['enderonic', 'endocrine'], 'endevil': ['develin', 'endevil'], 'endew': ['endew', 'wende'], 'ending': ['ending', 'ginned'], 'endite': ['eident', 'endite'], 'endive': ['endive', 'envied', 'veined'], 'endoarteritis': ['endoarteritis', 'sideronatrite'], 'endocline': ['endocline', 'indolence'], 'endocrine': ['enderonic', 'endocrine'], 'endome': ['endome', 'omened'], 'endopathic': ['dictaphone', 'endopathic'], 'endophasic': ['deaconship', 'endophasic'], 'endoral': ['endoral', 'ladrone', 'leonard'], 'endosarc': ['endosarc', 'secondar'], 'endosome': ['endosome', 'moonseed'], 'endosporium': ['endosporium', 'imponderous'], 'endosteal': ['endosteal', 'leadstone'], 'endothecial': ['chelidonate', 'endothecial'], 'endothelia': ['endothelia', 'ethanediol', 'ethenoidal'], 'endow': ['endow', 'nowed'], 'endura': ['endura', 'neurad', 'undear', 'unread'], 'endurably': ['endurably', 'undryable'], 'endure': ['durene', 'endure'], 'endurer': ['endurer', 'underer'], 'enduring': ['enduring', 'unringed'], 'enduringly': ['enduringly', 'underlying'], 'endwise': ['endwise', 'sinewed'], 'enema': ['ameen', 'amene', 'enema'], 'enemy': ['enemy', 'yemen'], 'energesis': ['energesis', 'regenesis'], 'energeticist': ['energeticist', 'energetistic'], 'energetistic': ['energeticist', 'energetistic'], 'energic': ['energic', 'generic'], 'energical': ['energical', 'generical'], 'energid': ['energid', 'reeding'], 'energist': ['energist', 'steering'], 'energy': ['energy', 'greeny', 'gyrene'], 'enervate': ['enervate', 'venerate'], 'enervation': ['enervation', 'veneration'], 'enervative': ['enervative', 'venerative'], 'enervator': ['enervator', 'renovater', 'venerator'], 'enfilade': ['alfenide', 'enfilade'], 'enfile': ['enfile', 'enlief', 'enlife', 'feline'], 'enflesh': ['enflesh', 'fleshen'], 'enfoil': ['enfoil', 'olefin'], 'enfold': ['enfold', 'folden', 'fondle'], 'enforcer': ['confrere', 'enforcer', 'reconfer'], 'enframe': ['enframe', 'freeman'], 'engaol': ['angelo', 'engaol'], 'engarb': ['banger', 'engarb', 'graben'], 'engaud': ['augend', 'engaud', 'unaged'], 'engild': ['dingle', 'elding', 'engild', 'gilden'], 'engird': ['engird', 'ringed'], 'engirdle': ['engirdle', 'reedling'], 'engirt': ['engirt', 'tinger'], 'englacial': ['angelical', 'englacial', 'galenical'], 'englacially': ['angelically', 'englacially'], 'englad': ['angled', 'dangle', 'englad', 'lagend'], 'englander': ['englander', 'greenland'], 'english': ['english', 'shingle'], 'englisher': ['englisher', 'reshingle'], 'englut': ['englut', 'gluten', 'ungelt'], 'engobe': ['begone', 'engobe'], 'engold': ['engold', 'golden'], 'engrail': ['aligner', 'engrail', 'realign', 'reginal'], 'engrailed': ['engrailed', 'geraldine'], 'engrailment': ['engrailment', 'realignment'], 'engrain': ['earning', 'engrain'], 'engrained': ['endearing', 'engrained', 'grenadine'], 'engrainedly': ['endearingly', 'engrainedly'], 'engram': ['engram', 'german', 'manger'], 'engraphic': ['engraphic', 'preaching'], 'engrave': ['avenger', 'engrave'], 'engross': ['engross', 'grossen'], 'enhat': ['enhat', 'ethan', 'nathe', 'neath', 'thane'], 'enheart': ['earthen', 'enheart', 'hearten', 'naether', 'teheran', 'traheen'], 'enherit': ['enherit', 'etherin', 'neither', 'therein'], 'enhydra': ['enhydra', 'henyard'], 'eniac': ['anice', 'eniac'], 'enicuridae': ['audiencier', 'enicuridae'], 'enid': ['dine', 'enid', 'inde', 'nide'], 'enif': ['enif', 'fine', 'neif', 'nife'], 'enisle': ['enisle', 'ensile', 'senile', 'silene'], 'enlace': ['elance', 'enlace'], 'enlard': ['aldern', 'darnel', 'enlard', 'lander', 'lenard', 'randle', 'reland'], 'enlarge': ['enlarge', 'general', 'gleaner'], 'enleaf': ['enleaf', 'leafen'], 'enlief': ['enfile', 'enlief', 'enlife', 'feline'], 'enlife': ['enfile', 'enlief', 'enlife', 'feline'], 'enlight': ['enlight', 'lighten'], 'enlist': ['enlist', 'listen', 'silent', 'tinsel'], 'enlisted': ['enlisted', 'lintseed'], 'enlister': ['enlister', 'esterlin', 'listener', 'relisten'], 'enmass': ['enmass', 'maness', 'messan'], 'enneadic': ['cadinene', 'decennia', 'enneadic'], 'ennobler': ['ennobler', 'nonrebel'], 'ennoic': ['conine', 'connie', 'ennoic'], 'ennomic': ['ennomic', 'meconin'], 'enoch': ['cohen', 'enoch'], 'enocyte': ['enocyte', 'neocyte'], 'enodal': ['enodal', 'loaden'], 'enoil': ['enoil', 'ileon', 'olein'], 'enol': ['elon', 'enol', 'leno', 'leon', 'lone', 'noel'], 'enolic': ['clione', 'coelin', 'encoil', 'enolic'], 'enomania': ['enomania', 'maeonian'], 'enomotarch': ['chromatone', 'enomotarch'], 'enorganic': ['enorganic', 'ignorance'], 'enorm': ['enorm', 'moner', 'morne'], 'enormous': ['enormous', 'unmorose'], 'enos': ['enos', 'nose'], 'enostosis': ['enostosis', 'sootiness'], 'enow': ['enow', 'owen', 'wone'], 'enphytotic': ['enphytotic', 'entophytic'], 'enrace': ['careen', 'carene', 'enrace'], 'enrage': ['egeran', 'enrage', 'ergane', 'genear', 'genera'], 'enraged': ['derange', 'enraged', 'gardeen', 'gerenda', 'grandee', 'grenade'], 'enragedly': ['enragedly', 'legendary'], 'enrapt': ['arpent', 'enrapt', 'entrap', 'panter', 'parent', 'pretan', 'trepan'], 'enravish': ['enravish', 'ravenish', 'vanisher'], 'enray': ['enray', 'yearn'], 'enrib': ['brine', 'enrib'], 'enrich': ['enrich', 'nicher', 'richen'], 'enring': ['enring', 'ginner'], 'enrive': ['enrive', 'envier', 'veiner', 'verine'], 'enrobe': ['boreen', 'enrobe', 'neebor', 'rebone'], 'enrol': ['enrol', 'loren'], 'enrolled': ['enrolled', 'rondelle'], 'enrough': ['enrough', 'roughen'], 'enruin': ['enruin', 'neurin', 'unrein'], 'enrut': ['enrut', 'tuner', 'urent'], 'ens': ['ens', 'sen'], 'ensaint': ['ensaint', 'stanine'], 'ensate': ['ensate', 'enseat', 'santee', 'sateen', 'senate'], 'ense': ['ense', 'esne', 'nese', 'seen', 'snee'], 'enseam': ['enseam', 'semnae'], 'enseat': ['ensate', 'enseat', 'santee', 'sateen', 'senate'], 'ensepulcher': ['ensepulcher', 'ensepulchre'], 'ensepulchre': ['ensepulcher', 'ensepulchre'], 'enshade': ['dasheen', 'enshade'], 'enshroud': ['enshroud', 'unshored'], 'ensigncy': ['ensigncy', 'syngenic'], 'ensilage': ['ensilage', 'genesial', 'signalee'], 'ensile': ['enisle', 'ensile', 'senile', 'silene'], 'ensilver': ['ensilver', 'sniveler'], 'ensmall': ['ensmall', 'smallen'], 'ensoul': ['ensoul', 'olenus', 'unsole'], 'enspirit': ['enspirit', 'pristine'], 'enstar': ['astern', 'enstar', 'stenar', 'sterna'], 'enstatite': ['enstatite', 'intestate', 'satinette'], 'enstool': ['enstool', 'olonets'], 'enstore': ['enstore', 'estrone', 'storeen', 'tornese'], 'ensue': ['ensue', 'seenu', 'unsee'], 'ensuer': ['ensuer', 'ensure'], 'ensure': ['ensuer', 'ensure'], 'entablature': ['entablature', 'untreatable'], 'entach': ['entach', 'netcha'], 'entad': ['denat', 'entad'], 'entada': ['adnate', 'entada'], 'entail': ['entail', 'tineal'], 'entailer': ['elaterin', 'entailer', 'treenail'], 'ental': ['ental', 'laten', 'leant'], 'entasia': ['anisate', 'entasia'], 'entasis': ['entasis', 'sestian', 'sestina'], 'entelam': ['entelam', 'leetman'], 'enter': ['enter', 'neter', 'renet', 'terne', 'treen'], 'enteral': ['alterne', 'enteral', 'eternal', 'teleran', 'teneral'], 'enterer': ['enterer', 'terrene'], 'enteria': ['enteria', 'trainee', 'triaene'], 'enteric': ['citrene', 'enteric', 'enticer', 'tercine'], 'enterocolitis': ['coloenteritis', 'enterocolitis'], 'enterogastritis': ['enterogastritis', 'gastroenteritis'], 'enteroid': ['enteroid', 'orendite'], 'enteron': ['enteron', 'tenoner'], 'enteropexy': ['enteropexy', 'oxyterpene'], 'entertain': ['entertain', 'tarentine', 'terentian'], 'entheal': ['entheal', 'lethean'], 'enthraldom': ['enthraldom', 'motherland'], 'enthuse': ['enthuse', 'unsheet'], 'entia': ['entia', 'teian', 'tenai', 'tinea'], 'enticer': ['citrene', 'enteric', 'enticer', 'tercine'], 'entincture': ['entincture', 'unreticent'], 'entire': ['entire', 'triene'], 'entirely': ['entirely', 'lientery'], 'entirety': ['entirety', 'eternity'], 'entity': ['entity', 'tinety'], 'entocoelic': ['coelection', 'entocoelic'], 'entocornea': ['encoronate', 'entocornea'], 'entohyal': ['entohyal', 'ethanoyl'], 'entoil': ['entoil', 'lionet'], 'entomeric': ['entomeric', 'intercome', 'morencite'], 'entomic': ['centimo', 'entomic', 'tecomin'], 'entomical': ['entomical', 'melanotic'], 'entomion': ['entomion', 'noontime'], 'entomoid': ['demotion', 'entomoid', 'moontide'], 'entomophily': ['entomophily', 'monophylite'], 'entomotomy': ['entomotomy', 'omentotomy'], 'entoparasite': ['antiprotease', 'entoparasite'], 'entophyte': ['entophyte', 'tenophyte'], 'entophytic': ['enphytotic', 'entophytic'], 'entopic': ['entopic', 'nepotic', 'pentoic'], 'entoplastic': ['entoplastic', 'spinotectal', 'tectospinal', 'tenoplastic'], 'entoretina': ['entoretina', 'tetraonine'], 'entosarc': ['ancestor', 'entosarc'], 'entotic': ['entotic', 'tonetic'], 'entozoa': ['entozoa', 'ozonate'], 'entozoic': ['entozoic', 'enzootic'], 'entrail': ['entrail', 'latiner', 'latrine', 'ratline', 'reliant', 'retinal', 'trenail'], 'entrain': ['entrain', 'teriann'], 'entrance': ['centenar', 'entrance'], 'entrap': ['arpent', 'enrapt', 'entrap', 'panter', 'parent', 'pretan', 'trepan'], 'entreat': ['entreat', 'ratteen', 'tarente', 'ternate', 'tetrane'], 'entreating': ['entreating', 'interagent'], 'entree': ['entree', 'rentee', 'retene'], 'entrepas': ['entrepas', 'septenar'], 'entropion': ['entropion', 'pontonier', 'prenotion'], 'entropium': ['entropium', 'importune'], 'entrust': ['entrust', 'stunter', 'trusten'], 'enumeration': ['enumeration', 'mountaineer'], 'enunciation': ['enunciation', 'incuneation'], 'enunciator': ['enunciator', 'uncreation'], 'enure': ['enure', 'reune'], 'envelope': ['envelope', 'ovenpeel'], 'enverdure': ['enverdure', 'unrevered'], 'envied': ['endive', 'envied', 'veined'], 'envier': ['enrive', 'envier', 'veiner', 'verine'], 'envious': ['envious', 'niveous', 'veinous'], 'envoy': ['envoy', 'nevoy', 'yoven'], 'enwood': ['enwood', 'wooden'], 'enwound': ['enwound', 'unowned'], 'enwrap': ['enwrap', 'pawner', 'repawn'], 'enwrite': ['enwrite', 'retwine'], 'enzootic': ['entozoic', 'enzootic'], 'eoan': ['aeon', 'eoan'], 'eogaean': ['eogaean', 'neogaea'], 'eolithic': ['chiolite', 'eolithic'], 'eon': ['eon', 'neo', 'one'], 'eonism': ['eonism', 'mesion', 'oneism', 'simeon'], 'eophyton': ['eophyton', 'honeypot'], 'eosaurus': ['eosaurus', 'rousseau'], 'eosin': ['eosin', 'noise'], 'eosinoblast': ['bosselation', 'eosinoblast'], 'epacrid': ['epacrid', 'peracid', 'preacid'], 'epacris': ['epacris', 'scrapie', 'serapic'], 'epactal': ['epactal', 'placate'], 'eparch': ['aperch', 'eparch', 'percha', 'preach'], 'eparchial': ['eparchial', 'raphaelic'], 'eparchy': ['eparchy', 'preachy'], 'epha': ['epha', 'heap'], 'epharmonic': ['epharmonic', 'pinachrome'], 'ephemeris': ['emeership', 'ephemeris'], 'ephod': ['depoh', 'ephod', 'hoped'], 'ephor': ['ephor', 'hoper'], 'ephorus': ['ephorus', 'orpheus', 'upshore'], 'epibasal': ['ablepsia', 'epibasal'], 'epibole': ['epibole', 'epilobe'], 'epic': ['epic', 'pice'], 'epical': ['epical', 'piacle', 'plaice'], 'epicarp': ['crappie', 'epicarp'], 'epicentral': ['epicentral', 'parentelic'], 'epiceratodus': ['dipteraceous', 'epiceratodus'], 'epichorial': ['aerophilic', 'epichorial'], 'epicly': ['epicly', 'pyelic'], 'epicostal': ['alopecist', 'altiscope', 'epicostal', 'scapolite'], 'epicotyl': ['epicotyl', 'lipocyte'], 'epicranial': ['epicranial', 'periacinal'], 'epiderm': ['demirep', 'epiderm', 'impeder', 'remiped'], 'epiderma': ['epiderma', 'premedia'], 'epidermal': ['epidermal', 'impleader', 'premedial'], 'epidermis': ['dispireme', 'epidermis'], 'epididymovasostomy': ['epididymovasostomy', 'vasoepididymostomy'], 'epidural': ['dipleura', 'epidural'], 'epigram': ['epigram', 'primage'], 'epilabrum': ['epilabrum', 'impuberal'], 'epilachna': ['cephalina', 'epilachna'], 'epilate': ['epilate', 'epitela', 'pileate'], 'epilation': ['epilation', 'polianite'], 'epilatory': ['epilatory', 'petiolary'], 'epilobe': ['epibole', 'epilobe'], 'epimer': ['empire', 'epimer'], 'epiotic': ['epiotic', 'poietic'], 'epipactis': ['epipactis', 'epipastic'], 'epipastic': ['epipactis', 'epipastic'], 'epiplasm': ['epiplasm', 'palmipes'], 'epiploic': ['epiploic', 'epipolic'], 'epipolic': ['epiploic', 'epipolic'], 'epirotic': ['epirotic', 'periotic'], 'episclera': ['episclera', 'periclase'], 'episematic': ['episematic', 'septicemia'], 'episodal': ['episodal', 'lapidose', 'sepaloid'], 'episodial': ['apsidiole', 'episodial'], 'epistatic': ['epistatic', 'pistacite'], 'episternal': ['alpestrine', 'episternal', 'interlapse', 'presential'], 'episternum': ['episternum', 'uprisement'], 'epistlar': ['epistlar', 'pilaster', 'plaister', 'priestal'], 'epistle': ['epistle', 'septile'], 'epistler': ['epistler', 'spirelet'], 'epistoler': ['epistoler', 'peristole', 'perseitol', 'pistoleer'], 'epistoma': ['epistoma', 'metopias'], 'epistome': ['epistome', 'epsomite'], 'epistroma': ['epistroma', 'peristoma'], 'epitela': ['epilate', 'epitela', 'pileate'], 'epithecal': ['epithecal', 'petechial', 'phacelite'], 'epithecate': ['epithecate', 'petechiate'], 'epithet': ['epithet', 'heptite'], 'epithyme': ['epithyme', 'hemitype'], 'epitomizer': ['epitomizer', 'peritomize'], 'epizoal': ['epizoal', 'lopezia', 'opalize'], 'epoch': ['epoch', 'poche'], 'epodic': ['copied', 'epodic'], 'epornitic': ['epornitic', 'proteinic'], 'epos': ['epos', 'peso', 'pose', 'sope'], 'epsilon': ['epsilon', 'sinople'], 'epsomite': ['epistome', 'epsomite'], 'epulis': ['epulis', 'pileus'], 'epulo': ['epulo', 'loupe'], 'epuloid': ['epuloid', 'euploid'], 'epulosis': ['epulosis', 'pelusios'], 'epulotic': ['epulotic', 'poultice'], 'epural': ['epural', 'perula', 'pleura'], 'epuration': ['epuration', 'eupatorin'], 'equal': ['equal', 'quale', 'queal'], 'equalable': ['aquabelle', 'equalable'], 'equiangle': ['angelique', 'equiangle'], 'equinity': ['equinity', 'inequity'], 'equip': ['equip', 'pique'], 'equitable': ['equitable', 'quietable'], 'equitist': ['equitist', 'quietist'], 'equus': ['equus', 'usque'], 'er': ['er', 're'], 'era': ['aer', 'are', 'ear', 'era', 'rea'], 'erade': ['eared', 'erade'], 'eradicant': ['carinated', 'eradicant'], 'eradicator': ['corradiate', 'cortaderia', 'eradicator'], 'eral': ['earl', 'eral', 'lear', 'real'], 'eranist': ['asterin', 'eranist', 'restain', 'stainer', 'starnie', 'stearin'], 'erase': ['easer', 'erase'], 'erased': ['erased', 'reseda', 'seared'], 'eraser': ['eraser', 'searer'], 'erasmian': ['erasmian', 'raiseman'], 'erasmus': ['assumer', 'erasmus', 'masseur'], 'erastian': ['artesian', 'asterina', 'asternia', 'erastian', 'seatrain'], 'erastus': ['erastus', 'ressaut'], 'erava': ['avera', 'erava'], 'erbia': ['barie', 'beira', 'erbia', 'rebia'], 'erbium': ['erbium', 'imbrue'], 'erd': ['erd', 'red'], 'ere': ['eer', 'ere', 'ree'], 'erect': ['crete', 'erect'], 'erectable': ['celebrate', 'erectable'], 'erecting': ['erecting', 'gentrice'], 'erection': ['erection', 'neoteric', 'nocerite', 'renotice'], 'eremic': ['eremic', 'merice'], 'eremital': ['eremital', 'materiel'], 'erept': ['erept', 'peter', 'petre'], 'ereptic': ['ereptic', 'precite', 'receipt'], 'ereption': ['ereption', 'tropeine'], 'erethic': ['erethic', 'etheric', 'heretic', 'heteric', 'teicher'], 'erethism': ['erethism', 'etherism', 'heterism'], 'erethismic': ['erethismic', 'hetericism'], 'erethistic': ['erethistic', 'hetericist'], 'eretrian': ['arretine', 'eretrian', 'eritrean', 'retainer'], 'erg': ['erg', 'ger', 'reg'], 'ergal': ['argel', 'ergal', 'garle', 'glare', 'lager', 'large', 'regal'], 'ergamine': ['ergamine', 'merginae'], 'ergane': ['egeran', 'enrage', 'ergane', 'genear', 'genera'], 'ergastic': ['agrestic', 'ergastic'], 'ergates': ['ergates', 'gearset', 'geaster'], 'ergoism': ['ergoism', 'ogreism'], 'ergomaniac': ['ergomaniac', 'grecomania'], 'ergon': ['ergon', 'genro', 'goner', 'negro'], 'ergot': ['ergot', 'rotge'], 'ergotamine': ['angiometer', 'ergotamine', 'geometrina'], 'ergotin': ['ergotin', 'genitor', 'negrito', 'ogtiern', 'trigone'], 'ergusia': ['ergusia', 'gerusia', 'sarigue'], 'eria': ['aire', 'eria'], 'erian': ['erian', 'irena', 'reina'], 'eric': ['eric', 'rice'], 'erica': ['acier', 'aeric', 'ceria', 'erica'], 'ericad': ['acider', 'ericad'], 'erical': ['carlie', 'claire', 'eclair', 'erical'], 'erichtoid': ['dichroite', 'erichtoid', 'theriodic'], 'erigenia': ['aegirine', 'erigenia'], 'erigeron': ['erigeron', 'reignore'], 'erik': ['erik', 'kier', 'reki'], 'erineum': ['erineum', 'unireme'], 'erinose': ['erinose', 'roseine'], 'eristalis': ['eristalis', 'serialist'], 'eristic': ['ectiris', 'eristic'], 'eristical': ['eristical', 'realistic'], 'erithacus': ['erithacus', 'eucharist'], 'eritrean': ['arretine', 'eretrian', 'eritrean', 'retainer'], 'erma': ['erma', 'mare', 'rame', 'ream'], 'ermani': ['ermani', 'marine', 'remain'], 'ermines': ['ermines', 'inermes'], 'erne': ['erne', 'neer', 'reen'], 'ernest': ['ernest', 'nester', 'resent', 'streen'], 'ernie': ['ernie', 'ierne', 'irene'], 'ernst': ['ernst', 'stern'], 'erode': ['doree', 'erode'], 'eros': ['eros', 'rose', 'sero', 'sore'], 'erose': ['erose', 'soree'], 'erotesis': ['erotesis', 'isostere'], 'erotic': ['erotic', 'tercio'], 'erotical': ['calorite', 'erotical', 'loricate'], 'eroticism': ['eroticism', 'isometric', 'meroistic', 'trioecism'], 'erotism': ['erotism', 'mortise', 'trisome'], 'erotogenic': ['erotogenic', 'geocronite', 'orogenetic'], 'errabund': ['errabund', 'unbarred'], 'errand': ['darner', 'darren', 'errand', 'rander', 'redarn'], 'errant': ['arrent', 'errant', 'ranter', 'ternar'], 'errantia': ['artarine', 'errantia'], 'erratic': ['cartier', 'cirrate', 'erratic'], 'erratum': ['erratum', 'maturer'], 'erring': ['erring', 'rering', 'ringer'], 'errite': ['errite', 'reiter', 'retier', 'retire', 'tierer'], 'ers': ['ers', 'ser'], 'ersar': ['ersar', 'raser', 'serra'], 'erse': ['erse', 'rees', 'seer', 'sere'], 'erthen': ['erthen', 'henter', 'nether', 'threne'], 'eruc': ['cure', 'ecru', 'eruc'], 'eruciform': ['eruciform', 'urceiform'], 'erucin': ['curine', 'erucin', 'neuric'], 'erucivorous': ['erucivorous', 'overcurious'], 'eruct': ['cruet', 'eruct', 'recut', 'truce'], 'eruction': ['eruction', 'neurotic'], 'erugate': ['erugate', 'guetare'], 'erumpent': ['erumpent', 'untemper'], 'eruption': ['eruption', 'unitrope'], 'erwin': ['erwin', 'rewin', 'winer'], 'eryngium': ['eryngium', 'gynerium'], 'eryon': ['eryon', 'onery'], 'eryops': ['eryops', 'osprey'], 'erythea': ['erythea', 'hetaery', 'yeather'], 'erythrin': ['erythrin', 'tyrrheni'], 'erythrophage': ['erythrophage', 'heterography'], 'erythrophyllin': ['erythrophyllin', 'phylloerythrin'], 'erythropia': ['erythropia', 'pyrotheria'], 'es': ['es', 'se'], 'esca': ['case', 'esca'], 'escalan': ['escalan', 'scalena'], 'escalin': ['celsian', 'escalin', 'sanicle', 'secalin'], 'escaloped': ['copleased', 'escaloped'], 'escapement': ['escapement', 'espacement'], 'escaper': ['escaper', 'respace'], 'escarp': ['casper', 'escarp', 'parsec', 'scrape', 'secpar', 'spacer'], 'eschar': ['arches', 'chaser', 'eschar', 'recash', 'search'], 'eschara': ['asearch', 'eschara'], 'escheator': ['escheator', 'tocharese'], 'escobilla': ['escobilla', 'obeliscal'], 'escolar': ['escolar', 'solacer'], 'escort': ['corset', 'cortes', 'coster', 'escort', 'scoter', 'sector'], 'escortment': ['centermost', 'escortment'], 'escrol': ['closer', 'cresol', 'escrol'], 'escropulo': ['escropulo', 'supercool'], 'esculent': ['esculent', 'unselect'], 'esculin': ['esculin', 'incluse'], 'esere': ['esere', 'reese', 'resee'], 'esexual': ['esexual', 'sexuale'], 'eshin': ['eshin', 'shine'], 'esiphonal': ['esiphonal', 'phaseolin'], 'esker': ['esker', 'keres', 'reesk', 'seker', 'skeer', 'skere'], 'eskualdun': ['eskualdun', 'euskaldun'], 'eskuara': ['eskuara', 'euskara'], 'esne': ['ense', 'esne', 'nese', 'seen', 'snee'], 'esophagogastrostomy': ['esophagogastrostomy', 'gastroesophagostomy'], 'esopus': ['esopus', 'spouse'], 'esoterical': ['cesarolite', 'esoterical'], 'esoterist': ['esoterist', 'trisetose'], 'esotrope': ['esotrope', 'proteose'], 'esotropia': ['aportoise', 'esotropia'], 'espacement': ['escapement', 'espacement'], 'espadon': ['espadon', 'spadone'], 'esparto': ['esparto', 'petrosa', 'seaport'], 'esperantic': ['esperantic', 'interspace'], 'esperantido': ['desperation', 'esperantido'], 'esperantism': ['esperantism', 'strepsinema'], 'esperanto': ['esperanto', 'personate'], 'espial': ['espial', 'lipase', 'pelias'], 'espier': ['espier', 'peiser'], 'espinal': ['espinal', 'pinales', 'spaniel'], 'espino': ['espino', 'sepion'], 'espringal': ['espringal', 'presignal', 'relapsing'], 'esquire': ['esquire', 'risquee'], 'essence': ['essence', 'senesce'], 'essenism': ['essenism', 'messines'], 'essie': ['essie', 'seise'], 'essling': ['essling', 'singles'], 'essoin': ['essoin', 'ossein'], 'essonite': ['essonite', 'ossetine'], 'essorant': ['assentor', 'essorant', 'starnose'], 'estamene': ['easement', 'estamene'], 'esteem': ['esteem', 'mestee'], 'estella': ['estella', 'sellate'], 'ester': ['ester', 'estre', 'reest', 'reset', 'steer', 'stere', 'stree', 'terse', 'tsere'], 'esterlin': ['enlister', 'esterlin', 'listener', 'relisten'], 'esterling': ['esterling', 'steerling'], 'estevin': ['estevin', 'tensive'], 'esth': ['esth', 'hest', 'seth'], 'esther': ['esther', 'hester', 'theres'], 'estivage': ['estivage', 'vegasite'], 'estoc': ['coset', 'estoc', 'scote'], 'estonian': ['estonian', 'nasonite'], 'estop': ['estop', 'stoep', 'stope'], 'estradiol': ['estradiol', 'idolaster'], 'estrange': ['estrange', 'segreant', 'sergeant', 'sternage'], 'estray': ['atresy', 'estray', 'reasty', 'stayer'], 'estre': ['ester', 'estre', 'reest', 'reset', 'steer', 'stere', 'stree', 'terse', 'tsere'], 'estreat': ['estreat', 'restate', 'retaste'], 'estrepe': ['estrepe', 'resteep', 'steeper'], 'estriate': ['estriate', 'treatise'], 'estrin': ['estrin', 'insert', 'sinter', 'sterin', 'triens'], 'estriol': ['estriol', 'torsile'], 'estrogen': ['estrogen', 'gerontes'], 'estrone': ['enstore', 'estrone', 'storeen', 'tornese'], 'estrous': ['estrous', 'oestrus', 'sestuor', 'tussore'], 'estrual': ['arustle', 'estrual', 'saluter', 'saulter'], 'estufa': ['estufa', 'fusate'], 'eta': ['ate', 'eat', 'eta', 'tae', 'tea'], 'etacism': ['cameist', 'etacism', 'sematic'], 'etacist': ['etacist', 'statice'], 'etalon': ['etalon', 'tolane'], 'etamin': ['etamin', 'inmate', 'taimen', 'tamein'], 'etamine': ['amenite', 'etamine', 'matinee'], 'etch': ['chet', 'etch', 'tche', 'tech'], 'etcher': ['cherte', 'etcher'], 'eternal': ['alterne', 'enteral', 'eternal', 'teleran', 'teneral'], 'eternalism': ['eternalism', 'streamline'], 'eternity': ['entirety', 'eternity'], 'etesian': ['etesian', 'senaite'], 'ethal': ['ethal', 'lathe', 'leath'], 'ethan': ['enhat', 'ethan', 'nathe', 'neath', 'thane'], 'ethanal': ['anthela', 'ethanal'], 'ethane': ['ethane', 'taheen'], 'ethanediol': ['endothelia', 'ethanediol', 'ethenoidal'], 'ethanim': ['ethanim', 'hematin'], 'ethanoyl': ['entohyal', 'ethanoyl'], 'ethel': ['ethel', 'lethe'], 'ethenoidal': ['endothelia', 'ethanediol', 'ethenoidal'], 'ether': ['ether', 'rethe', 'theer', 'there', 'three'], 'etheria': ['ehretia', 'etheria'], 'etheric': ['erethic', 'etheric', 'heretic', 'heteric', 'teicher'], 'etherin': ['enherit', 'etherin', 'neither', 'therein'], 'etherion': ['etherion', 'hereinto', 'heronite'], 'etherism': ['erethism', 'etherism', 'heterism'], 'etherization': ['etherization', 'heterization'], 'etherize': ['etherize', 'heterize'], 'ethicism': ['ethicism', 'shemitic'], 'ethicist': ['ethicist', 'thecitis', 'theistic'], 'ethics': ['ethics', 'sethic'], 'ethid': ['edith', 'ethid'], 'ethine': ['ethine', 'theine'], 'ethiop': ['ethiop', 'ophite', 'peitho'], 'ethmoidal': ['ethmoidal', 'oldhamite'], 'ethmosphenoid': ['ethmosphenoid', 'sphenoethmoid'], 'ethmosphenoidal': ['ethmosphenoidal', 'sphenoethmoidal'], 'ethnal': ['ethnal', 'hantle', 'lathen', 'thenal'], 'ethnical': ['chainlet', 'ethnical'], 'ethnological': ['allothogenic', 'ethnological'], 'ethnos': ['ethnos', 'honest'], 'ethography': ['ethography', 'hyetograph'], 'ethologic': ['ethologic', 'theologic'], 'ethological': ['ethological', 'lethologica', 'theological'], 'ethology': ['ethology', 'theology'], 'ethos': ['ethos', 'shote', 'those'], 'ethylic': ['ethylic', 'techily'], 'ethylin': ['ethylin', 'thienyl'], 'etna': ['ante', 'aten', 'etna', 'nate', 'neat', 'taen', 'tane', 'tean'], 'etnean': ['etnean', 'neaten'], 'etonian': ['enation', 'etonian'], 'etruscan': ['etruscan', 'recusant'], 'etta': ['etta', 'tate', 'teat'], 'ettarre': ['ettarre', 'retreat', 'treater'], 'ettle': ['ettle', 'tetel'], 'etua': ['aute', 'etua'], 'euaster': ['austere', 'euaster'], 'eucalypteol': ['eucalypteol', 'eucalyptole'], 'eucalyptole': ['eucalypteol', 'eucalyptole'], 'eucatropine': ['eucatropine', 'neurectopia'], 'eucharis': ['acheirus', 'eucharis'], 'eucharist': ['erithacus', 'eucharist'], 'euchlaena': ['acheulean', 'euchlaena'], 'eulogism': ['eulogism', 'uglisome'], 'eumolpus': ['eumolpus', 'plumeous'], 'eunomia': ['eunomia', 'moineau'], 'eunomy': ['eunomy', 'euonym'], 'euonym': ['eunomy', 'euonym'], 'eupatorin': ['epuration', 'eupatorin'], 'euplastic': ['euplastic', 'spiculate'], 'euploid': ['epuloid', 'euploid'], 'euproctis': ['crepitous', 'euproctis', 'uroseptic'], 'eurindic': ['dineuric', 'eurindic'], 'eurus': ['eurus', 'usure'], 'euscaro': ['acerous', 'carouse', 'euscaro'], 'euskaldun': ['eskualdun', 'euskaldun'], 'euskara': ['eskuara', 'euskara'], 'eusol': ['eusol', 'louse'], 'eutannin': ['eutannin', 'uninnate'], 'eutaxic': ['auxetic', 'eutaxic'], 'eutheria': ['eutheria', 'hauerite'], 'eutropic': ['eutropic', 'outprice'], 'eva': ['ave', 'eva'], 'evade': ['deave', 'eaved', 'evade'], 'evader': ['evader', 'verdea'], 'evadne': ['advene', 'evadne'], 'evan': ['evan', 'nave', 'vane'], 'evanish': ['evanish', 'inshave'], 'evase': ['eaves', 'evase', 'seave'], 'eve': ['eve', 'vee'], 'evea': ['eave', 'evea'], 'evection': ['civetone', 'evection'], 'evejar': ['evejar', 'rajeev'], 'evelyn': ['evelyn', 'evenly'], 'even': ['even', 'neve', 'veen'], 'evener': ['evener', 'veneer'], 'evenly': ['evelyn', 'evenly'], 'evens': ['evens', 'seven'], 'eveque': ['eveque', 'queeve'], 'ever': ['ever', 'reve', 'veer'], 'evert': ['evert', 'revet'], 'everwhich': ['everwhich', 'whichever'], 'everwho': ['everwho', 'however', 'whoever'], 'every': ['every', 'veery'], 'evestar': ['evestar', 'versate'], 'evict': ['civet', 'evict'], 'evil': ['evil', 'levi', 'live', 'veil', 'vile', 'vlei'], 'evildoer': ['evildoer', 'overidle'], 'evilhearted': ['evilhearted', 'vilehearted'], 'evilly': ['evilly', 'lively', 'vilely'], 'evilness': ['evilness', 'liveness', 'veinless', 'vileness', 'vineless'], 'evince': ['cevine', 'evince', 'venice'], 'evisite': ['evisite', 'visitee'], 'evitation': ['evitation', 'novitiate'], 'evocator': ['evocator', 'overcoat'], 'evodia': ['evodia', 'ovidae'], 'evoker': ['evoker', 'revoke'], 'evolver': ['evolver', 'revolve'], 'ewder': ['dewer', 'ewder', 'rewed'], 'ewe': ['ewe', 'wee'], 'ewer': ['ewer', 'were'], 'exacter': ['exacter', 'excreta'], 'exalt': ['exalt', 'latex'], 'exam': ['amex', 'exam', 'xema'], 'examinate': ['examinate', 'exanimate', 'metaxenia'], 'examination': ['examination', 'exanimation'], 'exanimate': ['examinate', 'exanimate', 'metaxenia'], 'exanimation': ['examination', 'exanimation'], 'exasperation': ['exasperation', 'xenoparasite'], 'exaudi': ['adieux', 'exaudi'], 'excarnation': ['centraxonia', 'excarnation'], 'excecation': ['cacoxenite', 'excecation'], 'except': ['except', 'expect'], 'exceptant': ['exceptant', 'expectant'], 'exceptive': ['exceptive', 'expective'], 'excitation': ['excitation', 'intoxicate'], 'excitor': ['excitor', 'xerotic'], 'excreta': ['exacter', 'excreta'], 'excurse': ['excurse', 'excuser'], 'excuser': ['excurse', 'excuser'], 'exert': ['exert', 'exter'], 'exhilarate': ['exhilarate', 'heteraxial'], 'exist': ['exist', 'sixte'], 'exocarp': ['exocarp', 'praecox'], 'exon': ['exon', 'oxen'], 'exordia': ['exordia', 'exradio'], 'exotic': ['coxite', 'exotic'], 'expatiater': ['expatiater', 'expatriate'], 'expatriate': ['expatiater', 'expatriate'], 'expect': ['except', 'expect'], 'expectant': ['exceptant', 'expectant'], 'expective': ['exceptive', 'expective'], 'expirator': ['expirator', 'operatrix'], 'expiree': ['expiree', 'peixere'], 'explicator': ['explicator', 'extropical'], 'expressionism': ['expressionism', 'misexpression'], 'exradio': ['exordia', 'exradio'], 'extend': ['dentex', 'extend'], 'exter': ['exert', 'exter'], 'exterminate': ['antiextreme', 'exterminate'], 'extirpationist': ['extirpationist', 'sextipartition'], 'extra': ['extra', 'retax', 'taxer'], 'extradural': ['dextraural', 'extradural'], 'extropical': ['explicator', 'extropical'], 'exultancy': ['exultancy', 'unexactly'], 'ey': ['ey', 'ye'], 'eyah': ['ahey', 'eyah', 'yeah'], 'eyas': ['easy', 'eyas'], 'eye': ['eye', 'yee'], 'eyed': ['eyed', 'yede'], 'eyen': ['eyen', 'eyne'], 'eyer': ['eyer', 'eyre', 'yere'], 'eyn': ['eyn', 'nye', 'yen'], 'eyne': ['eyen', 'eyne'], 'eyot': ['eyot', 'yote'], 'eyra': ['aery', 'eyra', 'yare', 'year'], 'eyre': ['eyer', 'eyre', 'yere'], 'ezba': ['baze', 'ezba'], 'ezra': ['ezra', 'raze'], 'facebread': ['barefaced', 'facebread'], 'facer': ['facer', 'farce'], 'faciend': ['faciend', 'fancied'], 'facile': ['facile', 'filace'], 'faciobrachial': ['brachiofacial', 'faciobrachial'], 'faciocervical': ['cervicofacial', 'faciocervical'], 'factable': ['factable', 'labefact'], 'factional': ['factional', 'falcation'], 'factish': ['catfish', 'factish'], 'facture': ['facture', 'furcate'], 'facula': ['facula', 'faucal'], 'fade': ['deaf', 'fade'], 'fader': ['fader', 'farde'], 'faery': ['faery', 'freya'], 'fagoter': ['aftergo', 'fagoter'], 'faience': ['faience', 'fiancee'], 'fail': ['alif', 'fail'], 'fain': ['fain', 'naif'], 'fainly': ['fainly', 'naifly'], 'faint': ['faint', 'fanti'], 'fair': ['fair', 'fiar', 'raif'], 'fake': ['fake', 'feak'], 'faker': ['faker', 'freak'], 'fakery': ['fakery', 'freaky'], 'fakir': ['fakir', 'fraik', 'kafir', 'rafik'], 'falcation': ['factional', 'falcation'], 'falco': ['falco', 'focal'], 'falconet': ['conflate', 'falconet'], 'fallback': ['backfall', 'fallback'], 'faller': ['faller', 'refall'], 'fallfish': ['fallfish', 'fishfall'], 'fallible': ['fallible', 'fillable'], 'falling': ['falling', 'fingall'], 'falser': ['falser', 'flaser'], 'faltboat': ['faltboat', 'flatboat'], 'falutin': ['falutin', 'flutina'], 'falx': ['falx', 'flax'], 'fameless': ['fameless', 'selfsame'], 'famelessness': ['famelessness', 'selfsameness'], 'famine': ['famine', 'infame'], 'fancied': ['faciend', 'fancied'], 'fangle': ['fangle', 'flange'], 'fannia': ['fannia', 'fianna'], 'fanti': ['faint', 'fanti'], 'far': ['far', 'fra'], 'farad': ['daraf', 'farad'], 'farce': ['facer', 'farce'], 'farcetta': ['afteract', 'artefact', 'farcetta', 'farctate'], 'farctate': ['afteract', 'artefact', 'farcetta', 'farctate'], 'farde': ['fader', 'farde'], 'fardel': ['alfred', 'fardel'], 'fare': ['fare', 'fear', 'frae', 'rafe'], 'farfel': ['farfel', 'raffle'], 'faring': ['faring', 'frangi'], 'farl': ['farl', 'ralf'], 'farleu': ['earful', 'farleu', 'ferula'], 'farm': ['farm', 'fram'], 'farmable': ['farmable', 'framable'], 'farmer': ['farmer', 'framer'], 'farming': ['farming', 'framing'], 'farnesol': ['farnesol', 'forensal'], 'faro': ['faro', 'fora'], 'farolito': ['farolito', 'footrail'], 'farse': ['farse', 'frase'], 'farset': ['farset', 'faster', 'strafe'], 'farsi': ['farsi', 'sarif'], 'fascio': ['fascio', 'fiasco'], 'fasher': ['afresh', 'fasher', 'ferash'], 'fashioner': ['fashioner', 'refashion'], 'fast': ['fast', 'saft'], 'fasten': ['fasten', 'nefast', 'stefan'], 'fastener': ['fastener', 'fenestra', 'refasten'], 'faster': ['farset', 'faster', 'strafe'], 'fasthold': ['fasthold', 'holdfast'], 'fastland': ['fastland', 'landfast'], 'fat': ['aft', 'fat'], 'fatal': ['aflat', 'fatal'], 'fate': ['atef', 'fate', 'feat'], 'fated': ['defat', 'fated'], 'father': ['father', 'freath', 'hafter'], 'faucal': ['facula', 'faucal'], 'faucet': ['faucet', 'fucate'], 'faulter': ['faulter', 'refutal', 'tearful'], 'faultfind': ['faultfind', 'findfault'], 'faunish': ['faunish', 'nusfiah'], 'faunist': ['faunist', 'fustian', 'infaust'], 'favorer': ['favorer', 'overfar', 'refavor'], 'fayles': ['fayles', 'safely'], 'feague': ['feague', 'feuage'], 'feak': ['fake', 'feak'], 'feal': ['alef', 'feal', 'flea', 'leaf'], 'fealty': ['fealty', 'featly'], 'fear': ['fare', 'fear', 'frae', 'rafe'], 'feastful': ['feastful', 'sufflate'], 'feat': ['atef', 'fate', 'feat'], 'featherbed': ['befathered', 'featherbed'], 'featherer': ['featherer', 'hereafter'], 'featly': ['fealty', 'featly'], 'feckly': ['feckly', 'flecky'], 'fecundate': ['fecundate', 'unfaceted'], 'fecundator': ['fecundator', 'unfactored'], 'federate': ['defeater', 'federate', 'redefeat'], 'feeder': ['feeder', 'refeed'], 'feeding': ['feeding', 'feigned'], 'feel': ['feel', 'flee'], 'feeler': ['feeler', 'refeel', 'reflee'], 'feer': ['feer', 'free', 'reef'], 'feering': ['feering', 'feigner', 'freeing', 'reefing', 'refeign'], 'feetless': ['feetless', 'feteless'], 'fei': ['fei', 'fie', 'ife'], 'feif': ['feif', 'fife'], 'feigned': ['feeding', 'feigned'], 'feigner': ['feering', 'feigner', 'freeing', 'reefing', 'refeign'], 'feil': ['feil', 'file', 'leif', 'lief', 'life'], 'feint': ['feint', 'fient'], 'feis': ['feis', 'fise', 'sife'], 'feist': ['feist', 'stife'], 'felapton': ['felapton', 'pantofle'], 'felid': ['felid', 'field'], 'feline': ['enfile', 'enlief', 'enlife', 'feline'], 'felinity': ['felinity', 'finitely'], 'fels': ['fels', 'self'], 'felt': ['felt', 'flet', 'left'], 'felter': ['felter', 'telfer', 'trefle'], 'felting': ['felting', 'neftgil'], 'feltness': ['feltness', 'leftness'], 'felwort': ['elfwort', 'felwort'], 'feminal': ['feminal', 'inflame'], 'femora': ['femora', 'foamer'], 'femorocaudal': ['caudofemoral', 'femorocaudal'], 'femorotibial': ['femorotibial', 'tibiofemoral'], 'femur': ['femur', 'fumer'], 'fen': ['fen', 'nef'], 'fender': ['fender', 'ferned'], 'fenestra': ['fastener', 'fenestra', 'refasten'], 'feodary': ['feodary', 'foreday'], 'feral': ['feral', 'flare'], 'ferash': ['afresh', 'fasher', 'ferash'], 'feria': ['afire', 'feria'], 'ferine': ['ferine', 'refine'], 'ferison': ['ferison', 'foresin'], 'ferity': ['ferity', 'freity'], 'ferk': ['ferk', 'kerf'], 'ferling': ['ferling', 'flinger', 'refling'], 'ferly': ['ferly', 'flyer', 'refly'], 'fermail': ['fermail', 'fermila'], 'fermenter': ['fermenter', 'referment'], 'fermila': ['fermail', 'fermila'], 'ferned': ['fender', 'ferned'], 'ferri': ['ferri', 'firer', 'freir', 'frier'], 'ferrihydrocyanic': ['ferrihydrocyanic', 'hydroferricyanic'], 'ferrohydrocyanic': ['ferrohydrocyanic', 'hydroferrocyanic'], 'ferry': ['ferry', 'freyr', 'fryer'], 'fertil': ['fertil', 'filter', 'lifter', 'relift', 'trifle'], 'ferula': ['earful', 'farleu', 'ferula'], 'ferule': ['ferule', 'fueler', 'refuel'], 'ferulic': ['ferulic', 'lucifer'], 'fervidity': ['devitrify', 'fervidity'], 'festination': ['festination', 'infestation', 'sinfonietta'], 'fet': ['eft', 'fet'], 'fetal': ['aleft', 'alfet', 'fetal', 'fleta'], 'fetcher': ['fetcher', 'refetch'], 'feteless': ['feetless', 'feteless'], 'fetial': ['fetial', 'filate', 'lafite', 'leafit'], 'fetish': ['fetish', 'fishet'], 'fetor': ['fetor', 'forte', 'ofter'], 'fetter': ['fetter', 'frette'], 'feuage': ['feague', 'feuage'], 'feudalism': ['feudalism', 'sulfamide'], 'feudally': ['delayful', 'feudally'], 'feulamort': ['feulamort', 'formulate'], 'fi': ['fi', 'if'], 'fiance': ['fiance', 'inface'], 'fiancee': ['faience', 'fiancee'], 'fianna': ['fannia', 'fianna'], 'fiar': ['fair', 'fiar', 'raif'], 'fiard': ['fiard', 'fraid'], 'fiasco': ['fascio', 'fiasco'], 'fiber': ['bifer', 'brief', 'fiber'], 'fibered': ['debrief', 'defiber', 'fibered'], 'fiberless': ['briefless', 'fiberless', 'fibreless'], 'fiberware': ['fiberware', 'fibreware'], 'fibreless': ['briefless', 'fiberless', 'fibreless'], 'fibreware': ['fiberware', 'fibreware'], 'fibroadenoma': ['adenofibroma', 'fibroadenoma'], 'fibroangioma': ['angiofibroma', 'fibroangioma'], 'fibrochondroma': ['chondrofibroma', 'fibrochondroma'], 'fibrocystoma': ['cystofibroma', 'fibrocystoma'], 'fibrolipoma': ['fibrolipoma', 'lipofibroma'], 'fibromucous': ['fibromucous', 'mucofibrous'], 'fibromyoma': ['fibromyoma', 'myofibroma'], 'fibromyxoma': ['fibromyxoma', 'myxofibroma'], 'fibromyxosarcoma': ['fibromyxosarcoma', 'myxofibrosarcoma'], 'fibroneuroma': ['fibroneuroma', 'neurofibroma'], 'fibroserous': ['fibroserous', 'serofibrous'], 'fiche': ['chief', 'fiche'], 'fickleness': ['fickleness', 'fleckiness'], 'fickly': ['fickly', 'flicky'], 'fico': ['coif', 'fico', 'foci'], 'fictional': ['cliftonia', 'fictional'], 'ficula': ['ficula', 'fulica'], 'fiddler': ['fiddler', 'flidder'], 'fidele': ['defile', 'fidele'], 'fidget': ['fidget', 'gifted'], 'fidicula': ['fidicula', 'fiducial'], 'fiducial': ['fidicula', 'fiducial'], 'fie': ['fei', 'fie', 'ife'], 'fiedlerite': ['fiedlerite', 'friedelite'], 'field': ['felid', 'field'], 'fielded': ['defiled', 'fielded'], 'fielder': ['defiler', 'fielder'], 'fieldman': ['fieldman', 'inflamed'], 'fiendish': ['fiendish', 'finished'], 'fient': ['feint', 'fient'], 'fiery': ['fiery', 'reify'], 'fife': ['feif', 'fife'], 'fifteener': ['fifteener', 'teneriffe'], 'fifty': ['fifty', 'tiffy'], 'fig': ['fig', 'gif'], 'fighter': ['fighter', 'freight', 'refight'], 'figurate': ['figurate', 'fruitage'], 'fike': ['efik', 'fike'], 'filace': ['facile', 'filace'], 'filago': ['filago', 'gifola'], 'filao': ['filao', 'folia'], 'filar': ['filar', 'flair', 'frail'], 'filate': ['fetial', 'filate', 'lafite', 'leafit'], 'file': ['feil', 'file', 'leif', 'lief', 'life'], 'filelike': ['filelike', 'lifelike'], 'filer': ['filer', 'flier', 'lifer', 'rifle'], 'filet': ['filet', 'flite'], 'fillable': ['fallible', 'fillable'], 'filler': ['filler', 'refill'], 'filo': ['filo', 'foil', 'lifo'], 'filter': ['fertil', 'filter', 'lifter', 'relift', 'trifle'], 'filterer': ['filterer', 'refilter'], 'filthless': ['filthless', 'shelflist'], 'filtrable': ['filtrable', 'flirtable'], 'filtration': ['filtration', 'flirtation'], 'finale': ['afenil', 'finale'], 'finder': ['finder', 'friend', 'redfin', 'refind'], 'findfault': ['faultfind', 'findfault'], 'fine': ['enif', 'fine', 'neif', 'nife'], 'finely': ['finely', 'lenify'], 'finer': ['finer', 'infer'], 'finesser': ['finesser', 'rifeness'], 'fingall': ['falling', 'fingall'], 'finger': ['finger', 'fringe'], 'fingerer': ['fingerer', 'refinger'], 'fingerflower': ['fingerflower', 'fringeflower'], 'fingerless': ['fingerless', 'fringeless'], 'fingerlet': ['fingerlet', 'fringelet'], 'fingu': ['fingu', 'fungi'], 'finical': ['finical', 'lanific'], 'finished': ['fiendish', 'finished'], 'finisher': ['finisher', 'refinish'], 'finitely': ['felinity', 'finitely'], 'finkel': ['elfkin', 'finkel'], 'finlet': ['finlet', 'infelt'], 'finner': ['finner', 'infern'], 'firca': ['afric', 'firca'], 'fire': ['fire', 'reif', 'rife'], 'fireable': ['afebrile', 'balefire', 'fireable'], 'firearm': ['firearm', 'marfire'], 'fireback': ['backfire', 'fireback'], 'fireburn': ['burnfire', 'fireburn'], 'fired': ['fired', 'fried'], 'fireplug': ['fireplug', 'gripeful'], 'firer': ['ferri', 'firer', 'freir', 'frier'], 'fireshaft': ['fireshaft', 'tasheriff'], 'firestone': ['firestone', 'forestine'], 'firetop': ['firetop', 'potifer'], 'firm': ['firm', 'frim'], 'first': ['first', 'frist'], 'firth': ['firth', 'frith'], 'fise': ['feis', 'fise', 'sife'], 'fishbone': ['bonefish', 'fishbone'], 'fisheater': ['fisheater', 'sherifate'], 'fisher': ['fisher', 'sherif'], 'fishery': ['fishery', 'sherify'], 'fishet': ['fetish', 'fishet'], 'fishfall': ['fallfish', 'fishfall'], 'fishlet': ['fishlet', 'leftish'], 'fishpond': ['fishpond', 'pondfish'], 'fishpool': ['fishpool', 'foolship'], 'fishwood': ['fishwood', 'woodfish'], 'fissury': ['fissury', 'russify'], 'fist': ['fist', 'sift'], 'fisted': ['fisted', 'sifted'], 'fister': ['fister', 'resift', 'sifter', 'strife'], 'fisting': ['fisting', 'sifting'], 'fitout': ['fitout', 'outfit'], 'fitter': ['fitter', 'tifter'], 'fixer': ['fixer', 'refix'], 'flageolet': ['flageolet', 'folletage'], 'flair': ['filar', 'flair', 'frail'], 'flamant': ['flamant', 'flatman'], 'flame': ['flame', 'fleam'], 'flamed': ['flamed', 'malfed'], 'flandowser': ['flandowser', 'sandflower'], 'flange': ['fangle', 'flange'], 'flare': ['feral', 'flare'], 'flaser': ['falser', 'flaser'], 'flasher': ['flasher', 'reflash'], 'flatboat': ['faltboat', 'flatboat'], 'flatman': ['flamant', 'flatman'], 'flatwise': ['flatwise', 'saltwife'], 'flaunt': ['flaunt', 'unflat'], 'flax': ['falx', 'flax'], 'flea': ['alef', 'feal', 'flea', 'leaf'], 'fleam': ['flame', 'fleam'], 'fleay': ['fleay', 'leafy'], 'fleche': ['fleche', 'fleech'], 'flecker': ['flecker', 'freckle'], 'fleckiness': ['fickleness', 'fleckiness'], 'flecky': ['feckly', 'flecky'], 'fled': ['delf', 'fled'], 'flee': ['feel', 'flee'], 'fleech': ['fleche', 'fleech'], 'fleer': ['fleer', 'refel'], 'flemish': ['flemish', 'himself'], 'flenser': ['flenser', 'fresnel'], 'flesh': ['flesh', 'shelf'], 'fleshed': ['deflesh', 'fleshed'], 'fleshen': ['enflesh', 'fleshen'], 'flesher': ['flesher', 'herself'], 'fleshful': ['fleshful', 'shelfful'], 'fleshiness': ['elfishness', 'fleshiness'], 'fleshy': ['fleshy', 'shelfy'], 'flet': ['felt', 'flet', 'left'], 'fleta': ['aleft', 'alfet', 'fetal', 'fleta'], 'fleuret': ['fleuret', 'treeful'], 'flew': ['flew', 'welf'], 'flexed': ['deflex', 'flexed'], 'flexured': ['flexured', 'refluxed'], 'flicky': ['fickly', 'flicky'], 'flidder': ['fiddler', 'flidder'], 'flier': ['filer', 'flier', 'lifer', 'rifle'], 'fligger': ['fligger', 'friggle'], 'flinger': ['ferling', 'flinger', 'refling'], 'flingy': ['flingy', 'flying'], 'flirtable': ['filtrable', 'flirtable'], 'flirtation': ['filtration', 'flirtation'], 'flirter': ['flirter', 'trifler'], 'flirting': ['flirting', 'trifling'], 'flirtingly': ['flirtingly', 'triflingly'], 'flit': ['flit', 'lift'], 'flite': ['filet', 'flite'], 'fliting': ['fliting', 'lifting'], 'flitter': ['flitter', 'triflet'], 'flo': ['flo', 'lof'], 'float': ['aloft', 'float', 'flota'], 'floater': ['floater', 'florate', 'refloat'], 'flobby': ['bobfly', 'flobby'], 'flodge': ['flodge', 'fodgel'], 'floe': ['floe', 'fole'], 'flog': ['flog', 'golf'], 'flogger': ['flogger', 'frogleg'], 'floodable': ['bloodleaf', 'floodable'], 'flooder': ['flooder', 'reflood'], 'floodwater': ['floodwater', 'toadflower', 'waterflood'], 'floorer': ['floorer', 'refloor'], 'florate': ['floater', 'florate', 'refloat'], 'florentine': ['florentine', 'nonfertile'], 'floret': ['floret', 'forlet', 'lofter', 'torfel'], 'floria': ['floria', 'foliar'], 'floriate': ['floriate', 'foralite'], 'florican': ['florican', 'fornical'], 'floridan': ['floridan', 'florinda'], 'florinda': ['floridan', 'florinda'], 'flot': ['flot', 'loft'], 'flota': ['aloft', 'float', 'flota'], 'flounder': ['flounder', 'reunfold', 'unfolder'], 'flour': ['flour', 'fluor'], 'flourisher': ['flourisher', 'reflourish'], 'flouting': ['flouting', 'outfling'], 'flow': ['flow', 'fowl', 'wolf'], 'flower': ['flower', 'fowler', 'reflow', 'wolfer'], 'flowered': ['deflower', 'flowered'], 'flowerer': ['flowerer', 'reflower'], 'flowery': ['flowery', 'fowlery'], 'flowing': ['flowing', 'fowling'], 'floyd': ['floyd', 'foldy'], 'fluavil': ['fluavil', 'fluvial', 'vialful'], 'flucan': ['canful', 'flucan'], 'fluctuant': ['fluctuant', 'untactful'], 'flue': ['flue', 'fuel'], 'fluent': ['fluent', 'netful', 'unfelt', 'unleft'], 'fluidly': ['dullify', 'fluidly'], 'flukewort': ['flukewort', 'flutework'], 'fluor': ['flour', 'fluor'], 'fluorate': ['fluorate', 'outflare'], 'fluorinate': ['antifouler', 'fluorinate', 'uniflorate'], 'fluorine': ['fluorine', 'neurofil'], 'fluorobenzene': ['benzofluorene', 'fluorobenzene'], 'flusher': ['flusher', 'reflush'], 'flushing': ['flushing', 'lungfish'], 'fluster': ['fluster', 'restful'], 'flustra': ['flustra', 'starful'], 'flutework': ['flukewort', 'flutework'], 'flutina': ['falutin', 'flutina'], 'fluvial': ['fluavil', 'fluvial', 'vialful'], 'fluxer': ['fluxer', 'reflux'], 'flyblow': ['blowfly', 'flyblow'], 'flyer': ['ferly', 'flyer', 'refly'], 'flying': ['flingy', 'flying'], 'fo': ['fo', 'of'], 'foal': ['foal', 'loaf', 'olaf'], 'foamer': ['femora', 'foamer'], 'focal': ['falco', 'focal'], 'foci': ['coif', 'fico', 'foci'], 'focuser': ['focuser', 'refocus'], 'fodge': ['defog', 'fodge'], 'fodgel': ['flodge', 'fodgel'], 'fogeater': ['fogeater', 'foregate'], 'fogo': ['fogo', 'goof'], 'foil': ['filo', 'foil', 'lifo'], 'foister': ['foister', 'forties'], 'folden': ['enfold', 'folden', 'fondle'], 'folder': ['folder', 'refold'], 'foldy': ['floyd', 'foldy'], 'fole': ['floe', 'fole'], 'folia': ['filao', 'folia'], 'foliar': ['floria', 'foliar'], 'foliature': ['foliature', 'toluifera'], 'folletage': ['flageolet', 'folletage'], 'fomenter': ['fomenter', 'refoment'], 'fondle': ['enfold', 'folden', 'fondle'], 'fondu': ['fondu', 'found'], 'foo': ['foo', 'ofo'], 'fool': ['fool', 'loof', 'olof'], 'foolship': ['fishpool', 'foolship'], 'footer': ['footer', 'refoot'], 'foothot': ['foothot', 'hotfoot'], 'footler': ['footler', 'rooflet'], 'footpad': ['footpad', 'padfoot'], 'footrail': ['farolito', 'footrail'], 'foots': ['foots', 'sfoot', 'stoof'], 'footsore': ['footsore', 'sorefoot'], 'foppish': ['foppish', 'fopship'], 'fopship': ['foppish', 'fopship'], 'for': ['for', 'fro', 'orf'], 'fora': ['faro', 'fora'], 'foralite': ['floriate', 'foralite'], 'foramen': ['foramen', 'foreman'], 'forcemeat': ['aftercome', 'forcemeat'], 'forcement': ['coferment', 'forcement'], 'fore': ['fore', 'froe', 'ofer'], 'forecast': ['cofaster', 'forecast'], 'forecaster': ['forecaster', 'reforecast'], 'forecover': ['forecover', 'overforce'], 'foreday': ['feodary', 'foreday'], 'forefit': ['forefit', 'forfeit'], 'foregate': ['fogeater', 'foregate'], 'foregirth': ['foregirth', 'foreright'], 'forego': ['forego', 'goofer'], 'forel': ['forel', 'rolfe'], 'forelive': ['forelive', 'overfile'], 'foreman': ['foramen', 'foreman'], 'foremean': ['foremean', 'forename'], 'forename': ['foremean', 'forename'], 'forensal': ['farnesol', 'forensal'], 'forensic': ['forensic', 'forinsec'], 'forepart': ['forepart', 'prefator'], 'foreright': ['foregirth', 'foreright'], 'foresend': ['defensor', 'foresend'], 'foresign': ['foresign', 'foresing'], 'foresin': ['ferison', 'foresin'], 'foresing': ['foresign', 'foresing'], 'forest': ['forest', 'forset', 'foster'], 'forestage': ['forestage', 'fosterage'], 'forestal': ['astrofel', 'forestal'], 'forestate': ['forestate', 'foretaste'], 'forested': ['deforest', 'forested'], 'forestem': ['forestem', 'fretsome'], 'forester': ['forester', 'fosterer', 'reforest'], 'forestine': ['firestone', 'forestine'], 'foretaste': ['forestate', 'foretaste'], 'foreutter': ['foreutter', 'outferret'], 'forfeit': ['forefit', 'forfeit'], 'forfeiter': ['forfeiter', 'reforfeit'], 'forgeman': ['forgeman', 'formagen'], 'forinsec': ['forensic', 'forinsec'], 'forint': ['forint', 'fortin'], 'forlet': ['floret', 'forlet', 'lofter', 'torfel'], 'form': ['form', 'from'], 'formagen': ['forgeman', 'formagen'], 'formalin': ['formalin', 'informal', 'laniform'], 'formally': ['formally', 'formylal'], 'formed': ['deform', 'formed'], 'former': ['former', 'reform'], 'formica': ['aciform', 'formica'], 'formicina': ['aciniform', 'formicina'], 'formicoidea': ['aecidioform', 'formicoidea'], 'formin': ['formin', 'inform'], 'forminate': ['forminate', 'fremontia', 'taeniform'], 'formulae': ['formulae', 'fumarole'], 'formulaic': ['cauliform', 'formulaic', 'fumarolic'], 'formulate': ['feulamort', 'formulate'], 'formulator': ['formulator', 'torulaform'], 'formylal': ['formally', 'formylal'], 'fornical': ['florican', 'fornical'], 'fornicated': ['deforciant', 'fornicated'], 'forpit': ['forpit', 'profit'], 'forritsome': ['forritsome', 'ostreiform'], 'forrue': ['forrue', 'fourer', 'fourre', 'furore'], 'forset': ['forest', 'forset', 'foster'], 'forst': ['forst', 'frost'], 'fort': ['fort', 'frot'], 'forte': ['fetor', 'forte', 'ofter'], 'forth': ['forth', 'froth'], 'forthcome': ['forthcome', 'homecroft'], 'forthy': ['forthy', 'frothy'], 'forties': ['foister', 'forties'], 'fortin': ['forint', 'fortin'], 'forward': ['forward', 'froward'], 'forwarder': ['forwarder', 'reforward'], 'forwardly': ['forwardly', 'frowardly'], 'forwardness': ['forwardness', 'frowardness'], 'foster': ['forest', 'forset', 'foster'], 'fosterage': ['forestage', 'fosterage'], 'fosterer': ['forester', 'fosterer', 'reforest'], 'fot': ['fot', 'oft'], 'fou': ['fou', 'ouf'], 'fouler': ['fouler', 'furole'], 'found': ['fondu', 'found'], 'foundationer': ['foundationer', 'refoundation'], 'founder': ['founder', 'refound'], 'foundling': ['foundling', 'unfolding'], 'fourble': ['beflour', 'fourble'], 'fourer': ['forrue', 'fourer', 'fourre', 'furore'], 'fourre': ['forrue', 'fourer', 'fourre', 'furore'], 'fowl': ['flow', 'fowl', 'wolf'], 'fowler': ['flower', 'fowler', 'reflow', 'wolfer'], 'fowlery': ['flowery', 'fowlery'], 'fowling': ['flowing', 'fowling'], 'fra': ['far', 'fra'], 'frache': ['chafer', 'frache'], 'frae': ['fare', 'fear', 'frae', 'rafe'], 'fraghan': ['fraghan', 'harfang'], 'fraid': ['fiard', 'fraid'], 'fraik': ['fakir', 'fraik', 'kafir', 'rafik'], 'frail': ['filar', 'flair', 'frail'], 'fraiser': ['fraiser', 'frasier'], 'fram': ['farm', 'fram'], 'framable': ['farmable', 'framable'], 'frame': ['frame', 'fream'], 'framer': ['farmer', 'framer'], 'framing': ['farming', 'framing'], 'frangi': ['faring', 'frangi'], 'frantic': ['frantic', 'infarct', 'infract'], 'frase': ['farse', 'frase'], 'frasier': ['fraiser', 'frasier'], 'frat': ['frat', 'raft'], 'fratcheous': ['fratcheous', 'housecraft'], 'frater': ['frater', 'rafter'], 'frayed': ['defray', 'frayed'], 'freak': ['faker', 'freak'], 'freaky': ['fakery', 'freaky'], 'fream': ['frame', 'fream'], 'freath': ['father', 'freath', 'hafter'], 'freckle': ['flecker', 'freckle'], 'free': ['feer', 'free', 'reef'], 'freed': ['defer', 'freed'], 'freeing': ['feering', 'feigner', 'freeing', 'reefing', 'refeign'], 'freeman': ['enframe', 'freeman'], 'freer': ['freer', 'refer'], 'fregata': ['fregata', 'raftage'], 'fregatae': ['afterage', 'fregatae'], 'freight': ['fighter', 'freight', 'refight'], 'freir': ['ferri', 'firer', 'freir', 'frier'], 'freit': ['freit', 'refit'], 'freity': ['ferity', 'freity'], 'fremontia': ['forminate', 'fremontia', 'taeniform'], 'frenetic': ['frenetic', 'infecter', 'reinfect'], 'freshener': ['freshener', 'refreshen'], 'fresnel': ['flenser', 'fresnel'], 'fret': ['fret', 'reft', 'tref'], 'fretful': ['fretful', 'truffle'], 'fretsome': ['forestem', 'fretsome'], 'frette': ['fetter', 'frette'], 'freya': ['faery', 'freya'], 'freyr': ['ferry', 'freyr', 'fryer'], 'fried': ['fired', 'fried'], 'friedelite': ['fiedlerite', 'friedelite'], 'friend': ['finder', 'friend', 'redfin', 'refind'], 'frier': ['ferri', 'firer', 'freir', 'frier'], 'friesic': ['friesic', 'serific'], 'friggle': ['fligger', 'friggle'], 'frightener': ['frightener', 'refrighten'], 'frigolabile': ['frigolabile', 'glorifiable'], 'frike': ['frike', 'kefir'], 'frim': ['firm', 'frim'], 'fringe': ['finger', 'fringe'], 'fringeflower': ['fingerflower', 'fringeflower'], 'fringeless': ['fingerless', 'fringeless'], 'fringelet': ['fingerlet', 'fringelet'], 'frist': ['first', 'frist'], 'frit': ['frit', 'rift'], 'frith': ['firth', 'frith'], 'friulian': ['friulian', 'unifilar'], 'fro': ['for', 'fro', 'orf'], 'froe': ['fore', 'froe', 'ofer'], 'frogleg': ['flogger', 'frogleg'], 'from': ['form', 'from'], 'fronter': ['fronter', 'refront'], 'frontonasal': ['frontonasal', 'nasofrontal'], 'frontooccipital': ['frontooccipital', 'occipitofrontal'], 'frontoorbital': ['frontoorbital', 'orbitofrontal'], 'frontoparietal': ['frontoparietal', 'parietofrontal'], 'frontotemporal': ['frontotemporal', 'temporofrontal'], 'frontpiece': ['frontpiece', 'perfection'], 'frost': ['forst', 'frost'], 'frosted': ['defrost', 'frosted'], 'frot': ['fort', 'frot'], 'froth': ['forth', 'froth'], 'frothy': ['forthy', 'frothy'], 'froward': ['forward', 'froward'], 'frowardly': ['forwardly', 'frowardly'], 'frowardness': ['forwardness', 'frowardness'], 'fruitage': ['figurate', 'fruitage'], 'fruitless': ['fruitless', 'resistful'], 'frush': ['frush', 'shurf'], 'frustule': ['frustule', 'sulfuret'], 'fruticulose': ['fruticulose', 'luctiferous'], 'fryer': ['ferry', 'freyr', 'fryer'], 'fucales': ['caseful', 'fucales'], 'fucate': ['faucet', 'fucate'], 'fuel': ['flue', 'fuel'], 'fueler': ['ferule', 'fueler', 'refuel'], 'fuerte': ['fuerte', 'refute'], 'fuirena': ['fuirena', 'unafire'], 'fulcrate': ['crateful', 'fulcrate'], 'fulica': ['ficula', 'fulica'], 'fulmar': ['armful', 'fulmar'], 'fulminatory': ['fulminatory', 'unformality'], 'fulminous': ['fulminous', 'sulfonium'], 'fulwa': ['awful', 'fulwa'], 'fumarole': ['formulae', 'fumarole'], 'fumarolic': ['cauliform', 'formulaic', 'fumarolic'], 'fumble': ['beflum', 'fumble'], 'fumer': ['femur', 'fumer'], 'fundable': ['fundable', 'unfabled'], 'funder': ['funder', 'refund'], 'funebrial': ['funebrial', 'unfriable'], 'funeral': ['earnful', 'funeral'], 'fungal': ['fungal', 'unflag'], 'fungi': ['fingu', 'fungi'], 'funori': ['funori', 'furoin'], 'fur': ['fur', 'urf'], 'fural': ['alfur', 'fural'], 'furan': ['furan', 'unfar'], 'furbish': ['burfish', 'furbish'], 'furbisher': ['furbisher', 'refurbish'], 'furcal': ['carful', 'furcal'], 'furcate': ['facture', 'furcate'], 'furler': ['furler', 'refurl'], 'furnish': ['furnish', 'runfish'], 'furnisher': ['furnisher', 'refurnish'], 'furoin': ['funori', 'furoin'], 'furole': ['fouler', 'furole'], 'furore': ['forrue', 'fourer', 'fourre', 'furore'], 'furstone': ['furstone', 'unforest'], 'fusate': ['estufa', 'fusate'], 'fusteric': ['fusteric', 'scutifer'], 'fustian': ['faunist', 'fustian', 'infaust'], 'gab': ['bag', 'gab'], 'gabbler': ['gabbler', 'grabble'], 'gabe': ['egba', 'gabe'], 'gabelle': ['gabelle', 'gelable'], 'gabelled': ['gabelled', 'geldable'], 'gabi': ['agib', 'biga', 'gabi'], 'gabion': ['bagnio', 'gabion', 'gobian'], 'gabioned': ['badigeon', 'gabioned'], 'gable': ['bagel', 'belga', 'gable', 'gleba'], 'gablock': ['backlog', 'gablock'], 'gaboon': ['abongo', 'gaboon'], 'gad': ['dag', 'gad'], 'gadaba': ['badaga', 'dagaba', 'gadaba'], 'gadder': ['gadder', 'graded'], 'gaddi': ['gaddi', 'gadid'], 'gade': ['aged', 'egad', 'gade'], 'gadger': ['dagger', 'gadger', 'ragged'], 'gadget': ['gadget', 'tagged'], 'gadid': ['gaddi', 'gadid'], 'gadinine': ['gadinine', 'indigena'], 'gadolinite': ['deligation', 'gadolinite', 'gelatinoid'], 'gadroon': ['dragoon', 'gadroon'], 'gadroonage': ['dragoonage', 'gadroonage'], 'gaduin': ['anguid', 'gaduin'], 'gael': ['gael', 'gale', 'geal'], 'gaen': ['agen', 'gaen', 'gane', 'gean', 'gena'], 'gaet': ['gaet', 'gate', 'geat', 'geta'], 'gaetulan': ['angulate', 'gaetulan'], 'gager': ['agger', 'gager', 'regga'], 'gahnite': ['gahnite', 'heating'], 'gahrwali': ['gahrwali', 'garhwali'], 'gaiassa': ['assagai', 'gaiassa'], 'gail': ['gail', 'gali', 'gila', 'glia'], 'gain': ['gain', 'inga', 'naig', 'ngai'], 'gaincall': ['gaincall', 'gallican'], 'gaine': ['angie', 'gaine'], 'gainer': ['arenig', 'earing', 'gainer', 'reagin', 'regain'], 'gainless': ['gainless', 'glassine'], 'gainly': ['gainly', 'laying'], 'gainsayer': ['asynergia', 'gainsayer'], 'gainset': ['easting', 'gainset', 'genista', 'ingesta', 'seating', 'signate', 'teasing'], 'gainstrive': ['gainstrive', 'vinegarist'], 'gainturn': ['gainturn', 'naturing'], 'gaiter': ['gaiter', 'tairge', 'triage'], 'gaize': ['gaize', 'ziega'], 'gaj': ['gaj', 'jag'], 'gal': ['gal', 'lag'], 'gala': ['agal', 'agla', 'alga', 'gala'], 'galactonic': ['cognatical', 'galactonic'], 'galatae': ['galatae', 'galatea'], 'galatea': ['galatae', 'galatea'], 'gale': ['gael', 'gale', 'geal'], 'galea': ['algae', 'galea'], 'galee': ['aegle', 'eagle', 'galee'], 'galei': ['agiel', 'agile', 'galei'], 'galeid': ['algedi', 'galeid'], 'galen': ['agnel', 'angel', 'angle', 'galen', 'genal', 'glean', 'lagen'], 'galena': ['alnage', 'angela', 'galena', 'lagena'], 'galenian': ['alangine', 'angelina', 'galenian'], 'galenic': ['angelic', 'galenic'], 'galenical': ['angelical', 'englacial', 'galenical'], 'galenist': ['galenist', 'genitals', 'stealing'], 'galenite': ['galenite', 'legatine'], 'galeoid': ['galeoid', 'geoidal'], 'galera': ['aglare', 'alegar', 'galera', 'laager'], 'galet': ['aglet', 'galet'], 'galewort': ['galewort', 'waterlog'], 'galey': ['agley', 'galey'], 'galga': ['galga', 'glaga'], 'gali': ['gail', 'gali', 'gila', 'glia'], 'galidia': ['agialid', 'galidia'], 'galik': ['galik', 'glaik'], 'galilean': ['galilean', 'gallinae'], 'galiot': ['galiot', 'latigo'], 'galla': ['algal', 'galla'], 'gallate': ['gallate', 'tallage'], 'gallein': ['gallein', 'galline', 'nigella'], 'galleria': ['allergia', 'galleria'], 'gallery': ['allergy', 'gallery', 'largely', 'regally'], 'galli': ['galli', 'glial'], 'gallican': ['gaincall', 'gallican'], 'gallicole': ['collegial', 'gallicole'], 'gallinae': ['galilean', 'gallinae'], 'galline': ['gallein', 'galline', 'nigella'], 'gallnut': ['gallnut', 'nutgall'], 'galloper': ['galloper', 'regallop'], 'gallotannate': ['gallotannate', 'tannogallate'], 'gallotannic': ['gallotannic', 'tannogallic'], 'gallstone': ['gallstone', 'stonegall'], 'gallybagger': ['gallybagger', 'gallybeggar'], 'gallybeggar': ['gallybagger', 'gallybeggar'], 'galore': ['galore', 'gaoler'], 'galtonia': ['galtonia', 'notalgia'], 'galvanopsychic': ['galvanopsychic', 'psychogalvanic'], 'galvanothermometer': ['galvanothermometer', 'thermogalvanometer'], 'gam': ['gam', 'mag'], 'gamaliel': ['gamaliel', 'melalgia'], 'gamashes': ['gamashes', 'smashage'], 'gamasid': ['gamasid', 'magadis'], 'gambado': ['dagomba', 'gambado'], 'gambier': ['gambier', 'imbarge'], 'gambler': ['gambler', 'gambrel'], 'gambrel': ['gambler', 'gambrel'], 'game': ['egma', 'game', 'mage'], 'gamely': ['gamely', 'gleamy', 'mygale'], 'gamene': ['gamene', 'manege', 'menage'], 'gamete': ['gamete', 'metage'], 'gametogenic': ['gametogenic', 'gamogenetic', 'geomagnetic'], 'gamic': ['gamic', 'magic'], 'gamin': ['gamin', 'mangi'], 'gaming': ['gaming', 'gigman'], 'gamma': ['gamma', 'magma'], 'gammer': ['gammer', 'gramme'], 'gamogenetic': ['gametogenic', 'gamogenetic', 'geomagnetic'], 'gamori': ['gamori', 'gomari', 'gromia'], 'gan': ['gan', 'nag'], 'ganam': ['amang', 'ganam', 'manga'], 'ganch': ['chang', 'ganch'], 'gander': ['danger', 'gander', 'garden', 'ranged'], 'gandul': ['gandul', 'unglad'], 'gane': ['agen', 'gaen', 'gane', 'gean', 'gena'], 'gangan': ['gangan', 'nagnag'], 'ganger': ['ganger', 'grange', 'nagger'], 'ganging': ['ganging', 'nagging'], 'gangism': ['gangism', 'gigsman'], 'ganglioneuron': ['ganglioneuron', 'neuroganglion'], 'gangly': ['gangly', 'naggly'], 'ganguela': ['ganguela', 'language'], 'gangway': ['gangway', 'waygang'], 'ganister': ['astringe', 'ganister', 'gantries'], 'ganoidal': ['diagonal', 'ganoidal', 'gonadial'], 'ganoidean': ['ganoidean', 'indogaean'], 'ganoidian': ['agoniadin', 'anangioid', 'ganoidian'], 'ganosis': ['agnosis', 'ganosis'], 'gansel': ['angles', 'gansel'], 'gant': ['gant', 'gnat', 'tang'], 'ganta': ['ganta', 'tanga'], 'ganton': ['ganton', 'tongan'], 'gantries': ['astringe', 'ganister', 'gantries'], 'gantry': ['gantry', 'gyrant'], 'ganymede': ['ganymede', 'megadyne'], 'ganzie': ['agnize', 'ganzie'], 'gaol': ['gaol', 'goal', 'gola', 'olga'], 'gaoler': ['galore', 'gaoler'], 'gaon': ['agon', 'ango', 'gaon', 'goan', 'gona'], 'gaonic': ['agonic', 'angico', 'gaonic', 'goniac'], 'gapa': ['gapa', 'paga'], 'gape': ['gape', 'page', 'peag', 'pega'], 'gaper': ['gaper', 'grape', 'pager', 'parge'], 'gar': ['gar', 'gra', 'rag'], 'gara': ['agar', 'agra', 'gara', 'raga'], 'garamond': ['dragoman', 'garamond', 'ondagram'], 'garance': ['carnage', 'cranage', 'garance'], 'garb': ['brag', 'garb', 'grab'], 'garbel': ['garbel', 'garble'], 'garble': ['garbel', 'garble'], 'garbless': ['bragless', 'garbless'], 'garce': ['cager', 'garce', 'grace'], 'garcinia': ['agaricin', 'garcinia'], 'gardeen': ['derange', 'enraged', 'gardeen', 'gerenda', 'grandee', 'grenade'], 'garden': ['danger', 'gander', 'garden', 'ranged'], 'gardened': ['deranged', 'gardened'], 'gardener': ['deranger', 'gardener'], 'gardenful': ['dangerful', 'gardenful'], 'gardenia': ['drainage', 'gardenia'], 'gardenin': ['gardenin', 'grenadin'], 'gardenless': ['dangerless', 'gardenless'], 'gare': ['ager', 'agre', 'gare', 'gear', 'rage'], 'gareh': ['gareh', 'gerah'], 'garetta': ['garetta', 'rattage', 'regatta'], 'garewaite': ['garewaite', 'waiterage'], 'garfish': ['garfish', 'ragfish'], 'garget': ['garget', 'tagger'], 'gargety': ['gargety', 'raggety'], 'gargle': ['gargle', 'gregal', 'lagger', 'raggle'], 'garhwali': ['gahrwali', 'garhwali'], 'garial': ['argali', 'garial'], 'garle': ['argel', 'ergal', 'garle', 'glare', 'lager', 'large', 'regal'], 'garment': ['garment', 'margent'], 'garmenture': ['garmenture', 'reargument'], 'garn': ['garn', 'gnar', 'rang'], 'garnel': ['angler', 'arleng', 'garnel', 'largen', 'rangle', 'regnal'], 'garner': ['garner', 'ranger'], 'garnet': ['argent', 'garnet', 'garten', 'tanger'], 'garneter': ['argenter', 'garneter'], 'garnetiferous': ['argentiferous', 'garnetiferous'], 'garnets': ['angster', 'garnets', 'nagster', 'strange'], 'garnett': ['garnett', 'gnatter', 'gratten', 'tergant'], 'garnice': ['anergic', 'garnice', 'garniec', 'geranic', 'grecian'], 'garniec': ['anergic', 'garnice', 'garniec', 'geranic', 'grecian'], 'garnish': ['garnish', 'rashing'], 'garnished': ['degarnish', 'garnished'], 'garnisher': ['garnisher', 'regarnish'], 'garo': ['argo', 'garo', 'gora'], 'garran': ['garran', 'ragnar'], 'garret': ['garret', 'garter', 'grater', 'targer'], 'garreted': ['garreted', 'gartered'], 'garroter': ['garroter', 'regrator'], 'garten': ['argent', 'garnet', 'garten', 'tanger'], 'garter': ['garret', 'garter', 'grater', 'targer'], 'gartered': ['garreted', 'gartered'], 'gartering': ['gartering', 'regrating'], 'garum': ['garum', 'murga'], 'gary': ['gary', 'gray'], 'gas': ['gas', 'sag'], 'gasan': ['gasan', 'sanga'], 'gash': ['gash', 'shag'], 'gasless': ['gasless', 'glasses', 'sagless'], 'gaslit': ['algist', 'gaslit'], 'gasoliner': ['gasoliner', 'seignoral'], 'gasper': ['gasper', 'sparge'], 'gast': ['gast', 'stag'], 'gaster': ['gaster', 'stager'], 'gastrin': ['gastrin', 'staring'], 'gastroenteritis': ['enterogastritis', 'gastroenteritis'], 'gastroesophagostomy': ['esophagogastrostomy', 'gastroesophagostomy'], 'gastrohepatic': ['gastrohepatic', 'hepatogastric'], 'gastronomic': ['gastronomic', 'monogastric'], 'gastropathic': ['gastropathic', 'graphostatic'], 'gastrophrenic': ['gastrophrenic', 'nephrogastric', 'phrenogastric'], 'gastrular': ['gastrular', 'stragular'], 'gat': ['gat', 'tag'], 'gate': ['gaet', 'gate', 'geat', 'geta'], 'gateman': ['gateman', 'magenta', 'magnate', 'magneta'], 'gater': ['gater', 'grate', 'great', 'greta', 'retag', 'targe'], 'gateward': ['drawgate', 'gateward'], 'gateway': ['gateway', 'getaway', 'waygate'], 'gatherer': ['gatherer', 'regather'], 'gator': ['argot', 'gator', 'gotra', 'groat'], 'gatter': ['gatter', 'target'], 'gaucho': ['gaucho', 'guacho'], 'gaufer': ['agrufe', 'gaufer', 'gaufre'], 'gauffer': ['gauffer', 'gauffre'], 'gauffre': ['gauffer', 'gauffre'], 'gaufre': ['agrufe', 'gaufer', 'gaufre'], 'gaul': ['gaul', 'gula'], 'gaulin': ['gaulin', 'lingua'], 'gaulter': ['gaulter', 'tegular'], 'gaum': ['gaum', 'muga'], 'gaun': ['gaun', 'guan', 'guna', 'uang'], 'gaunt': ['gaunt', 'tunga'], 'gaur': ['gaur', 'guar', 'ruga'], 'gaura': ['gaura', 'guara'], 'gaurian': ['anguria', 'gaurian', 'guarani'], 'gave': ['gave', 'vage', 'vega'], 'gavyuti': ['gavyuti', 'vaguity'], 'gaw': ['gaw', 'wag'], 'gawn': ['gawn', 'gnaw', 'wang'], 'gay': ['agy', 'gay'], 'gaz': ['gaz', 'zag'], 'gazel': ['gazel', 'glaze'], 'gazer': ['gazer', 'graze'], 'gazon': ['gazon', 'zogan'], 'gazy': ['gazy', 'zyga'], 'geal': ['gael', 'gale', 'geal'], 'gean': ['agen', 'gaen', 'gane', 'gean', 'gena'], 'gear': ['ager', 'agre', 'gare', 'gear', 'rage'], 'geared': ['agreed', 'geared'], 'gearless': ['eelgrass', 'gearless', 'rageless'], 'gearman': ['gearman', 'manager'], 'gearset': ['ergates', 'gearset', 'geaster'], 'geaster': ['ergates', 'gearset', 'geaster'], 'geat': ['gaet', 'gate', 'geat', 'geta'], 'gebur': ['bugre', 'gebur'], 'ged': ['deg', 'ged'], 'gedder': ['dredge', 'gedder'], 'geest': ['egest', 'geest', 'geste'], 'gegger': ['gegger', 'gregge'], 'geheimrat': ['geheimrat', 'hermitage'], 'gein': ['gein', 'gien'], 'geira': ['geira', 'regia'], 'geison': ['geison', 'isogen'], 'geissospermine': ['geissospermine', 'spermiogenesis'], 'gel': ['gel', 'leg'], 'gelable': ['gabelle', 'gelable'], 'gelasian': ['anglaise', 'gelasian'], 'gelastic': ['gelastic', 'gestical'], 'gelatin': ['atingle', 'gelatin', 'genital', 'langite', 'telinga'], 'gelatinate': ['gelatinate', 'nagatelite'], 'gelatined': ['delignate', 'gelatined'], 'gelatinizer': ['gelatinizer', 'integralize'], 'gelatinoid': ['deligation', 'gadolinite', 'gelatinoid'], 'gelation': ['gelation', 'lagonite', 'legation'], 'gelatose': ['gelatose', 'segolate'], 'geldable': ['gabelled', 'geldable'], 'gelder': ['gelder', 'ledger', 'redleg'], 'gelding': ['gelding', 'ledging'], 'gelid': ['gelid', 'glide'], 'gelidness': ['gelidness', 'glideness'], 'gelosin': ['gelosin', 'lignose'], 'gem': ['gem', 'meg'], 'gemara': ['gemara', 'ramage'], 'gemaric': ['gemaric', 'grimace', 'megaric'], 'gemarist': ['gemarist', 'magister', 'sterigma'], 'gematria': ['gematria', 'maritage'], 'gemul': ['gemul', 'glume'], 'gena': ['agen', 'gaen', 'gane', 'gean', 'gena'], 'genal': ['agnel', 'angel', 'angle', 'galen', 'genal', 'glean', 'lagen'], 'genarch': ['changer', 'genarch'], 'gendarme': ['edgerman', 'gendarme'], 'genear': ['egeran', 'enrage', 'ergane', 'genear', 'genera'], 'geneat': ['geneat', 'negate', 'tegean'], 'genera': ['egeran', 'enrage', 'ergane', 'genear', 'genera'], 'generable': ['generable', 'greenable'], 'general': ['enlarge', 'general', 'gleaner'], 'generalist': ['easterling', 'generalist'], 'generall': ['allergen', 'generall'], 'generation': ['generation', 'renegation'], 'generic': ['energic', 'generic'], 'generical': ['energical', 'generical'], 'genesiac': ['agenesic', 'genesiac'], 'genesial': ['ensilage', 'genesial', 'signalee'], 'genetical': ['clientage', 'genetical'], 'genetta': ['genetta', 'tentage'], 'geneura': ['geneura', 'uneager'], 'geneva': ['avenge', 'geneva', 'vangee'], 'genial': ['algine', 'genial', 'linage'], 'genicular': ['genicular', 'neuralgic'], 'genie': ['eigne', 'genie'], 'genion': ['genion', 'inogen'], 'genipa': ['genipa', 'piegan'], 'genista': ['easting', 'gainset', 'genista', 'ingesta', 'seating', 'signate', 'teasing'], 'genistein': ['genistein', 'gentisein'], 'genital': ['atingle', 'gelatin', 'genital', 'langite', 'telinga'], 'genitals': ['galenist', 'genitals', 'stealing'], 'genitival': ['genitival', 'vigilante'], 'genitocrural': ['crurogenital', 'genitocrural'], 'genitor': ['ergotin', 'genitor', 'negrito', 'ogtiern', 'trigone'], 'genitorial': ['genitorial', 'religation'], 'genitory': ['genitory', 'ortygine'], 'genitourinary': ['genitourinary', 'urinogenitary'], 'geniture': ['geniture', 'guerinet'], 'genizero': ['genizero', 'negroize'], 'genoa': ['agone', 'genoa'], 'genoblastic': ['blastogenic', 'genoblastic'], 'genocidal': ['algedonic', 'genocidal'], 'genom': ['genom', 'gnome'], 'genotypical': ['genotypical', 'ptyalogenic'], 'genre': ['genre', 'green', 'neger', 'reneg'], 'genro': ['ergon', 'genro', 'goner', 'negro'], 'gent': ['gent', 'teng'], 'gentes': ['gentes', 'gesten'], 'genthite': ['genthite', 'teething'], 'gentian': ['antigen', 'gentian'], 'gentianic': ['antigenic', 'gentianic'], 'gentisein': ['genistein', 'gentisein'], 'gentle': ['gentle', 'telegn'], 'gentrice': ['erecting', 'gentrice'], 'genua': ['augen', 'genua'], 'genual': ['genual', 'leguan'], 'genuine': ['genuine', 'ingenue'], 'genus': ['genus', 'negus'], 'geo': ['ego', 'geo'], 'geocentric': ['ectrogenic', 'egocentric', 'geocentric'], 'geocratic': ['categoric', 'geocratic'], 'geocronite': ['erotogenic', 'geocronite', 'orogenetic'], 'geodal': ['algedo', 'geodal'], 'geode': ['geode', 'ogeed'], 'geodiatropism': ['diageotropism', 'geodiatropism'], 'geoduck': ['geoduck', 'goeduck'], 'geohydrology': ['geohydrology', 'hydrogeology'], 'geoid': ['diego', 'dogie', 'geoid'], 'geoidal': ['galeoid', 'geoidal'], 'geoisotherm': ['geoisotherm', 'isogeotherm'], 'geomagnetic': ['gametogenic', 'gamogenetic', 'geomagnetic'], 'geomant': ['geomant', 'magneto', 'megaton', 'montage'], 'geomantic': ['atmogenic', 'geomantic'], 'geometrical': ['geometrical', 'glaciometer'], 'geometrina': ['angiometer', 'ergotamine', 'geometrina'], 'geon': ['geon', 'gone'], 'geonim': ['geonim', 'imogen'], 'georama': ['georama', 'roamage'], 'geotectonic': ['geotectonic', 'tocogenetic'], 'geotic': ['geotic', 'goetic'], 'geotical': ['ectoglia', 'geotical', 'goetical'], 'geotonic': ['geotonic', 'otogenic'], 'geoty': ['geoty', 'goety'], 'ger': ['erg', 'ger', 'reg'], 'gerah': ['gareh', 'gerah'], 'geraldine': ['engrailed', 'geraldine'], 'geranial': ['algerian', 'geranial', 'regalian'], 'geranic': ['anergic', 'garnice', 'garniec', 'geranic', 'grecian'], 'geraniol': ['geraniol', 'regional'], 'geranomorph': ['geranomorph', 'monographer', 'nomographer'], 'geranyl': ['angerly', 'geranyl'], 'gerard': ['darger', 'gerard', 'grader', 'redrag', 'regard'], 'gerastian': ['agrestian', 'gerastian', 'stangeria'], 'geraty': ['geraty', 'gyrate'], 'gerb': ['berg', 'gerb'], 'gerbe': ['gerbe', 'grebe', 'rebeg'], 'gerbera': ['bargeer', 'gerbera'], 'gerenda': ['derange', 'enraged', 'gardeen', 'gerenda', 'grandee', 'grenade'], 'gerendum': ['gerendum', 'unmerged'], 'gerent': ['gerent', 'regent'], 'gerenuk': ['gerenuk', 'greenuk'], 'gerim': ['gerim', 'grime'], 'gerip': ['gerip', 'gripe'], 'german': ['engram', 'german', 'manger'], 'germania': ['germania', 'megarian'], 'germanics': ['germanics', 'screaming'], 'germanification': ['germanification', 'remagnification'], 'germanify': ['germanify', 'remagnify'], 'germanious': ['germanious', 'gramineous', 'marigenous'], 'germanist': ['germanist', 'streaming'], 'germanite': ['germanite', 'germinate', 'gramenite', 'mangerite'], 'germanly': ['germanly', 'germanyl'], 'germanyl': ['germanly', 'germanyl'], 'germinal': ['germinal', 'maligner', 'malinger'], 'germinant': ['germinant', 'minargent'], 'germinate': ['germanite', 'germinate', 'gramenite', 'mangerite'], 'germon': ['germon', 'monger', 'morgen'], 'geronomite': ['geronomite', 'goniometer'], 'geront': ['geront', 'tonger'], 'gerontal': ['argentol', 'gerontal'], 'gerontes': ['estrogen', 'gerontes'], 'gerontic': ['gerontic', 'negrotic'], 'gerontism': ['gerontism', 'monergist'], 'gerres': ['gerres', 'serger'], 'gersum': ['gersum', 'mergus'], 'gerund': ['dunger', 'gerund', 'greund', 'nudger'], 'gerundive': ['gerundive', 'ungrieved'], 'gerusia': ['ergusia', 'gerusia', 'sarigue'], 'gervas': ['gervas', 'graves'], 'gervase': ['gervase', 'greaves', 'servage'], 'ges': ['ges', 'seg'], 'gesan': ['agnes', 'gesan'], 'gesith': ['gesith', 'steigh'], 'gesning': ['gesning', 'ginseng'], 'gest': ['gest', 'steg'], 'gestapo': ['gestapo', 'postage'], 'gestate': ['gestate', 'tagetes'], 'geste': ['egest', 'geest', 'geste'], 'gesten': ['gentes', 'gesten'], 'gestical': ['gelastic', 'gestical'], 'gesticular': ['gesticular', 'scutigeral'], 'gesture': ['gesture', 'guester'], 'get': ['get', 'teg'], 'geta': ['gaet', 'gate', 'geat', 'geta'], 'getaway': ['gateway', 'getaway', 'waygate'], 'gettable': ['begettal', 'gettable'], 'getup': ['getup', 'upget'], 'geyerite': ['geyerite', 'tigereye'], 'ghaist': ['ghaist', 'tagish'], 'ghent': ['ghent', 'thegn'], 'ghosty': ['ghosty', 'hogsty'], 'ghoul': ['ghoul', 'lough'], 'giansar': ['giansar', 'sarangi'], 'giant': ['giant', 'tangi', 'tiang'], 'gib': ['big', 'gib'], 'gibbon': ['gibbon', 'gobbin'], 'gibel': ['bilge', 'gibel'], 'gibing': ['biggin', 'gibing'], 'gid': ['dig', 'gid'], 'gideonite': ['diogenite', 'gideonite'], 'gien': ['gein', 'gien'], 'gienah': ['gienah', 'hangie'], 'gif': ['fig', 'gif'], 'gifola': ['filago', 'gifola'], 'gifted': ['fidget', 'gifted'], 'gigman': ['gaming', 'gigman'], 'gigsman': ['gangism', 'gigsman'], 'gila': ['gail', 'gali', 'gila', 'glia'], 'gilaki': ['gilaki', 'giliak'], 'gilbertese': ['gilbertese', 'selbergite'], 'gilden': ['dingle', 'elding', 'engild', 'gilden'], 'gilder': ['gilder', 'girdle', 'glider', 'regild', 'ridgel'], 'gilding': ['gilding', 'gliding'], 'gileno': ['eloign', 'gileno', 'legion'], 'giles': ['giles', 'gilse'], 'giliak': ['gilaki', 'giliak'], 'giller': ['giller', 'grille', 'regill'], 'gilo': ['gilo', 'goli'], 'gilpy': ['gilpy', 'pigly'], 'gilse': ['giles', 'gilse'], 'gim': ['gim', 'mig'], 'gimel': ['gimel', 'glime'], 'gimmer': ['gimmer', 'grimme', 'megrim'], 'gimper': ['gimper', 'impreg'], 'gin': ['gin', 'ing', 'nig'], 'ginger': ['ginger', 'nigger'], 'gingery': ['gingery', 'niggery'], 'ginglymodi': ['ginglymodi', 'ginglymoid'], 'ginglymoid': ['ginglymodi', 'ginglymoid'], 'gink': ['gink', 'king'], 'ginned': ['ending', 'ginned'], 'ginner': ['enring', 'ginner'], 'ginney': ['ginney', 'nignye'], 'ginseng': ['gesning', 'ginseng'], 'ginward': ['drawing', 'ginward', 'warding'], 'gio': ['gio', 'goi'], 'giornata': ['giornata', 'gratiano'], 'giornatate': ['giornatate', 'tetragonia'], 'gip': ['gip', 'pig'], 'gipper': ['gipper', 'grippe'], 'girandole': ['girandole', 'negroidal'], 'girasole': ['girasole', 'seraglio'], 'girba': ['bragi', 'girba'], 'gird': ['gird', 'grid'], 'girder': ['girder', 'ridger'], 'girding': ['girding', 'ridging'], 'girdingly': ['girdingly', 'ridgingly'], 'girdle': ['gilder', 'girdle', 'glider', 'regild', 'ridgel'], 'girdler': ['dirgler', 'girdler'], 'girdling': ['girdling', 'ridgling'], 'girling': ['girling', 'rigling'], 'girn': ['girn', 'grin', 'ring'], 'girny': ['girny', 'ringy'], 'girondin': ['girondin', 'nonrigid'], 'girsle': ['girsle', 'gisler', 'glires', 'grilse'], 'girt': ['girt', 'grit', 'trig'], 'girth': ['girth', 'grith', 'right'], 'gish': ['gish', 'sigh'], 'gisla': ['gisla', 'ligas', 'sigla'], 'gisler': ['girsle', 'gisler', 'glires', 'grilse'], 'git': ['git', 'tig'], 'gitalin': ['gitalin', 'tailing'], 'gith': ['gith', 'thig'], 'gitksan': ['gitksan', 'skating', 'takings'], 'gittern': ['gittern', 'gritten', 'retting'], 'giustina': ['giustina', 'ignatius'], 'giver': ['giver', 'vergi'], 'glaceing': ['cageling', 'glaceing'], 'glacier': ['glacier', 'gracile'], 'glaciometer': ['geometrical', 'glaciometer'], 'gladdener': ['gladdener', 'glandered', 'regladden'], 'glaga': ['galga', 'glaga'], 'glaik': ['galik', 'glaik'], 'glaiket': ['glaiket', 'taglike'], 'glair': ['argil', 'glair', 'grail'], 'glaireous': ['aligerous', 'glaireous'], 'glaister': ['glaister', 'regalist'], 'glaive': ['glaive', 'vagile'], 'glance': ['cangle', 'glance'], 'glancer': ['cangler', 'glancer', 'reclang'], 'glancingly': ['clangingly', 'glancingly'], 'glandered': ['gladdener', 'glandered', 'regladden'], 'glans': ['glans', 'slang'], 'glare': ['argel', 'ergal', 'garle', 'glare', 'lager', 'large', 'regal'], 'glariness': ['glariness', 'grainless'], 'glary': ['glary', 'gyral'], 'glasser': ['glasser', 'largess'], 'glasses': ['gasless', 'glasses', 'sagless'], 'glassie': ['algesis', 'glassie'], 'glassine': ['gainless', 'glassine'], 'glaucin': ['glaucin', 'glucina'], 'glaucine': ['cuailnge', 'glaucine'], 'glaum': ['algum', 'almug', 'glaum', 'gluma', 'mulga'], 'glaur': ['glaur', 'gular'], 'glaury': ['glaury', 'raguly'], 'glaver': ['glaver', 'gravel'], 'glaze': ['gazel', 'glaze'], 'glazy': ['glazy', 'zygal'], 'gleamy': ['gamely', 'gleamy', 'mygale'], 'glean': ['agnel', 'angel', 'angle', 'galen', 'genal', 'glean', 'lagen'], 'gleaner': ['enlarge', 'general', 'gleaner'], 'gleary': ['argyle', 'gleary'], 'gleba': ['bagel', 'belga', 'gable', 'gleba'], 'glebal': ['begall', 'glebal'], 'glede': ['glede', 'gleed', 'ledge'], 'gledy': ['gledy', 'ledgy'], 'gleed': ['glede', 'gleed', 'ledge'], 'gleeman': ['gleeman', 'melange'], 'glia': ['gail', 'gali', 'gila', 'glia'], 'gliadin': ['dialing', 'gliadin'], 'glial': ['galli', 'glial'], 'glibness': ['beslings', 'blessing', 'glibness'], 'glidder': ['glidder', 'griddle'], 'glide': ['gelid', 'glide'], 'glideness': ['gelidness', 'glideness'], 'glider': ['gilder', 'girdle', 'glider', 'regild', 'ridgel'], 'gliding': ['gilding', 'gliding'], 'glime': ['gimel', 'glime'], 'glink': ['glink', 'kling'], 'glires': ['girsle', 'gisler', 'glires', 'grilse'], 'glisten': ['glisten', 'singlet'], 'glister': ['glister', 'gristle'], 'glitnir': ['glitnir', 'ritling'], 'glitter': ['glitter', 'grittle'], 'gloater': ['argolet', 'gloater', 'legator'], 'gloating': ['gloating', 'goatling'], 'globate': ['boltage', 'globate'], 'globe': ['bogle', 'globe'], 'globin': ['globin', 'goblin', 'lobing'], 'gloea': ['gloea', 'legoa'], 'glome': ['glome', 'golem', 'molge'], 'glomerate': ['algometer', 'glomerate'], 'glore': ['glore', 'ogler'], 'gloria': ['gloria', 'larigo', 'logria'], 'gloriana': ['argolian', 'gloriana'], 'gloriette': ['gloriette', 'rigolette'], 'glorifiable': ['frigolabile', 'glorifiable'], 'glossed': ['dogless', 'glossed', 'godless'], 'glosser': ['glosser', 'regloss'], 'glossitic': ['glossitic', 'logistics'], 'glossohyal': ['glossohyal', 'hyoglossal'], 'glossolabial': ['glossolabial', 'labioglossal'], 'glossolabiolaryngeal': ['glossolabiolaryngeal', 'labioglossolaryngeal'], 'glossolabiopharyngeal': ['glossolabiopharyngeal', 'labioglossopharyngeal'], 'glottid': ['glottid', 'goldtit'], 'glover': ['glover', 'grovel'], 'gloveress': ['gloveress', 'groveless'], 'glow': ['glow', 'gowl'], 'glower': ['glower', 'reglow'], 'gloy': ['gloy', 'logy'], 'glucemia': ['glucemia', 'mucilage'], 'glucina': ['glaucin', 'glucina'], 'glucine': ['glucine', 'lucigen'], 'glucinum': ['cingulum', 'glucinum'], 'glucosane': ['consulage', 'glucosane'], 'glue': ['glue', 'gule', 'luge'], 'gluer': ['gluer', 'gruel', 'luger'], 'gluma': ['algum', 'almug', 'glaum', 'gluma', 'mulga'], 'glume': ['gemul', 'glume'], 'glumose': ['glumose', 'lugsome'], 'gluten': ['englut', 'gluten', 'ungelt'], 'glutin': ['glutin', 'luting', 'ungilt'], 'glutter': ['glutter', 'guttler'], 'glycerate': ['electragy', 'glycerate'], 'glycerinize': ['glycerinize', 'glycerizine'], 'glycerizine': ['glycerinize', 'glycerizine'], 'glycerophosphate': ['glycerophosphate', 'phosphoglycerate'], 'glycocin': ['glycocin', 'glyconic'], 'glyconic': ['glycocin', 'glyconic'], 'glycosine': ['glycosine', 'lysogenic'], 'glycosuria': ['glycosuria', 'graciously'], 'gnaeus': ['gnaeus', 'unsage'], 'gnaphalium': ['gnaphalium', 'phalangium'], 'gnar': ['garn', 'gnar', 'rang'], 'gnarled': ['dangler', 'gnarled'], 'gnash': ['gnash', 'shang'], 'gnat': ['gant', 'gnat', 'tang'], 'gnatho': ['gnatho', 'thonga'], 'gnathotheca': ['chaetognath', 'gnathotheca'], 'gnatling': ['gnatling', 'tangling'], 'gnatter': ['garnett', 'gnatter', 'gratten', 'tergant'], 'gnaw': ['gawn', 'gnaw', 'wang'], 'gnetum': ['gnetum', 'nutmeg'], 'gnome': ['genom', 'gnome'], 'gnomic': ['coming', 'gnomic'], 'gnomist': ['gnomist', 'mosting'], 'gnomonic': ['gnomonic', 'oncoming'], 'gnomonical': ['cognominal', 'gnomonical'], 'gnostic': ['costing', 'gnostic'], 'gnostical': ['gnostical', 'nostalgic'], 'gnu': ['gnu', 'gun'], 'go': ['go', 'og'], 'goa': ['ago', 'goa'], 'goad': ['dago', 'goad'], 'goal': ['gaol', 'goal', 'gola', 'olga'], 'goan': ['agon', 'ango', 'gaon', 'goan', 'gona'], 'goat': ['goat', 'toag', 'toga'], 'goatee': ['goatee', 'goetae'], 'goatlike': ['goatlike', 'togalike'], 'goatling': ['gloating', 'goatling'], 'goatly': ['goatly', 'otalgy'], 'gob': ['bog', 'gob'], 'goban': ['bogan', 'goban'], 'gobbe': ['bebog', 'begob', 'gobbe'], 'gobbin': ['gibbon', 'gobbin'], 'gobelin': ['gobelin', 'gobline', 'ignoble', 'inglobe'], 'gobian': ['bagnio', 'gabion', 'gobian'], 'goblet': ['boglet', 'goblet'], 'goblin': ['globin', 'goblin', 'lobing'], 'gobline': ['gobelin', 'gobline', 'ignoble', 'inglobe'], 'goblinry': ['boringly', 'goblinry'], 'gobo': ['bogo', 'gobo'], 'goby': ['bogy', 'bygo', 'goby'], 'goclenian': ['congenial', 'goclenian'], 'god': ['dog', 'god'], 'goddam': ['goddam', 'mogdad'], 'gode': ['doeg', 'doge', 'gode'], 'godhead': ['doghead', 'godhead'], 'godhood': ['doghood', 'godhood'], 'godless': ['dogless', 'glossed', 'godless'], 'godlike': ['doglike', 'godlike'], 'godling': ['godling', 'lodging'], 'godly': ['dogly', 'godly', 'goldy'], 'godship': ['dogship', 'godship'], 'godwinian': ['downingia', 'godwinian'], 'goeduck': ['geoduck', 'goeduck'], 'goel': ['egol', 'goel', 'loge', 'ogle', 'oleg'], 'goer': ['goer', 'gore', 'ogre'], 'goes': ['goes', 'sego'], 'goetae': ['goatee', 'goetae'], 'goetic': ['geotic', 'goetic'], 'goetical': ['ectoglia', 'geotical', 'goetical'], 'goety': ['geoty', 'goety'], 'goglet': ['goglet', 'toggel', 'toggle'], 'goi': ['gio', 'goi'], 'goidel': ['goidel', 'goldie'], 'goitral': ['goitral', 'larigot', 'ligator'], 'gol': ['gol', 'log'], 'gola': ['gaol', 'goal', 'gola', 'olga'], 'golden': ['engold', 'golden'], 'goldenmouth': ['goldenmouth', 'longmouthed'], 'golder': ['golder', 'lodger'], 'goldie': ['goidel', 'goldie'], 'goldtit': ['glottid', 'goldtit'], 'goldy': ['dogly', 'godly', 'goldy'], 'golee': ['eloge', 'golee'], 'golem': ['glome', 'golem', 'molge'], 'golf': ['flog', 'golf'], 'golfer': ['golfer', 'reflog'], 'goli': ['gilo', 'goli'], 'goliard': ['argolid', 'goliard'], 'golo': ['golo', 'gool'], 'goma': ['goma', 'ogam'], 'gomari': ['gamori', 'gomari', 'gromia'], 'gomart': ['gomart', 'margot'], 'gomphrena': ['gomphrena', 'nephogram'], 'gon': ['gon', 'nog'], 'gona': ['agon', 'ango', 'gaon', 'goan', 'gona'], 'gonad': ['donga', 'gonad'], 'gonadial': ['diagonal', 'ganoidal', 'gonadial'], 'gonal': ['along', 'gonal', 'lango', 'longa', 'nogal'], 'gond': ['dong', 'gond'], 'gondi': ['dingo', 'doing', 'gondi', 'gonid'], 'gondola': ['dongola', 'gondola'], 'gondolier': ['gondolier', 'negroloid'], 'gone': ['geon', 'gone'], 'goner': ['ergon', 'genro', 'goner', 'negro'], 'gonesome': ['gonesome', 'osmogene'], 'gongoresque': ['gongoresque', 'gorgonesque'], 'gonia': ['gonia', 'ngaio', 'nogai'], 'goniac': ['agonic', 'angico', 'gaonic', 'goniac'], 'goniale': ['goniale', 'noilage'], 'goniaster': ['goniaster', 'orangeist'], 'goniatitid': ['digitation', 'goniatitid'], 'gonid': ['dingo', 'doing', 'gondi', 'gonid'], 'gonidia': ['angioid', 'gonidia'], 'gonidiferous': ['gonidiferous', 'indigoferous'], 'goniometer': ['geronomite', 'goniometer'], 'gonomery': ['gonomery', 'merogony'], 'gonosome': ['gonosome', 'mongoose'], 'gonyocele': ['coelogyne', 'gonyocele'], 'gonys': ['gonys', 'songy'], 'goober': ['booger', 'goober'], 'goodyear': ['goodyear', 'goodyera'], 'goodyera': ['goodyear', 'goodyera'], 'goof': ['fogo', 'goof'], 'goofer': ['forego', 'goofer'], 'gool': ['golo', 'gool'], 'gools': ['gools', 'logos'], 'goop': ['goop', 'pogo'], 'gor': ['gor', 'rog'], 'gora': ['argo', 'garo', 'gora'], 'goral': ['algor', 'argol', 'goral', 'largo'], 'goran': ['angor', 'argon', 'goran', 'grano', 'groan', 'nagor', 'orang', 'organ', 'rogan', 'ronga'], 'gorb': ['borg', 'brog', 'gorb'], 'gorbal': ['brolga', 'gorbal'], 'gorce': ['corge', 'gorce'], 'gordian': ['gordian', 'idorgan', 'roading'], 'gordon': ['drongo', 'gordon'], 'gordonia': ['gordonia', 'organoid', 'rigadoon'], 'gore': ['goer', 'gore', 'ogre'], 'gorer': ['gorer', 'roger'], 'gorge': ['gorge', 'grego'], 'gorged': ['dogger', 'gorged'], 'gorger': ['gorger', 'gregor'], 'gorgerin': ['gorgerin', 'ringgoer'], 'gorgonesque': ['gongoresque', 'gorgonesque'], 'goric': ['corgi', 'goric', 'orgic'], 'goring': ['goring', 'gringo'], 'gorse': ['gorse', 'soger'], 'gortonian': ['gortonian', 'organotin'], 'gory': ['gory', 'gyro', 'orgy'], 'gos': ['gos', 'sog'], 'gosain': ['gosain', 'isagon', 'sagoin'], 'gosh': ['gosh', 'shog'], 'gospel': ['gospel', 'spogel'], 'gossipry': ['gossipry', 'gryposis'], 'got': ['got', 'tog'], 'gotra': ['argot', 'gator', 'gotra', 'groat'], 'goup': ['goup', 'ogpu', 'upgo'], 'gourde': ['drogue', 'gourde'], 'gout': ['gout', 'toug'], 'goutish': ['goutish', 'outsigh'], 'gowan': ['gowan', 'wagon', 'wonga'], 'gowdnie': ['gowdnie', 'widgeon'], 'gowl': ['glow', 'gowl'], 'gown': ['gown', 'wong'], 'goyin': ['goyin', 'yogin'], 'gra': ['gar', 'gra', 'rag'], 'grab': ['brag', 'garb', 'grab'], 'grabble': ['gabbler', 'grabble'], 'graben': ['banger', 'engarb', 'graben'], 'grace': ['cager', 'garce', 'grace'], 'gracile': ['glacier', 'gracile'], 'graciously': ['glycosuria', 'graciously'], 'grad': ['darg', 'drag', 'grad'], 'gradation': ['gradation', 'indagator', 'tanagroid'], 'grade': ['edgar', 'grade'], 'graded': ['gadder', 'graded'], 'grader': ['darger', 'gerard', 'grader', 'redrag', 'regard'], 'gradient': ['gradient', 'treading'], 'gradienter': ['gradienter', 'intergrade'], 'gradientia': ['gradientia', 'grantiidae'], 'gradin': ['daring', 'dingar', 'gradin'], 'gradine': ['degrain', 'deraign', 'deringa', 'gradine', 'grained', 'reading'], 'grading': ['grading', 'niggard'], 'graeae': ['aerage', 'graeae'], 'graeme': ['graeme', 'meager', 'meagre'], 'grafter': ['grafter', 'regraft'], 'graian': ['graian', 'nagari'], 'grail': ['argil', 'glair', 'grail'], 'grailer': ['grailer', 'reglair'], 'grain': ['agrin', 'grain'], 'grained': ['degrain', 'deraign', 'deringa', 'gradine', 'grained', 'reading'], 'grainer': ['earring', 'grainer'], 'grainless': ['glariness', 'grainless'], 'graith': ['aright', 'graith'], 'grallina': ['grallina', 'granilla'], 'gralline': ['allergin', 'gralline'], 'grame': ['grame', 'marge', 'regma'], 'gramenite': ['germanite', 'germinate', 'gramenite', 'mangerite'], 'gramineous': ['germanious', 'gramineous', 'marigenous'], 'graminiform': ['graminiform', 'marginiform'], 'graminous': ['graminous', 'ignoramus'], 'gramme': ['gammer', 'gramme'], 'gramophonic': ['gramophonic', 'monographic', 'nomographic', 'phonogramic'], 'gramophonical': ['gramophonical', 'monographical', 'nomographical'], 'gramophonically': ['gramophonically', 'monographically', 'nomographically', 'phonogramically'], 'gramophonist': ['gramophonist', 'monographist'], 'granadine': ['granadine', 'grenadian'], 'granate': ['argante', 'granate', 'tanager'], 'granatum': ['armgaunt', 'granatum'], 'grand': ['drang', 'grand'], 'grandam': ['dragman', 'grandam', 'grandma'], 'grandee': ['derange', 'enraged', 'gardeen', 'gerenda', 'grandee', 'grenade'], 'grandeeism': ['grandeeism', 'renegadism'], 'grandeur': ['grandeur', 'unregard'], 'grandeval': ['grandeval', 'landgrave'], 'grandiose': ['grandiose', 'sargonide'], 'grandma': ['dragman', 'grandam', 'grandma'], 'grandparental': ['grandparental', 'grandpaternal'], 'grandpaternal': ['grandparental', 'grandpaternal'], 'grane': ['anger', 'areng', 'grane', 'range'], 'grange': ['ganger', 'grange', 'nagger'], 'grangousier': ['grangousier', 'gregarinous'], 'granilla': ['grallina', 'granilla'], 'granite': ['angrite', 'granite', 'ingrate', 'tangier', 'tearing', 'tigrean'], 'granivore': ['granivore', 'overgrain'], 'grano': ['angor', 'argon', 'goran', 'grano', 'groan', 'nagor', 'orang', 'organ', 'rogan', 'ronga'], 'granophyre': ['granophyre', 'renography'], 'grantee': ['grantee', 'greaten', 'reagent', 'rentage'], 'granter': ['granter', 'regrant'], 'granth': ['granth', 'thrang'], 'grantiidae': ['gradientia', 'grantiidae'], 'granula': ['angular', 'granula'], 'granule': ['granule', 'unlarge', 'unregal'], 'granulite': ['granulite', 'traguline'], 'grape': ['gaper', 'grape', 'pager', 'parge'], 'graperoot': ['graperoot', 'prorogate'], 'graphical': ['algraphic', 'graphical'], 'graphically': ['calligraphy', 'graphically'], 'graphologic': ['graphologic', 'logographic'], 'graphological': ['graphological', 'logographical'], 'graphology': ['graphology', 'logography'], 'graphometer': ['graphometer', 'meteorgraph'], 'graphophonic': ['graphophonic', 'phonographic'], 'graphostatic': ['gastropathic', 'graphostatic'], 'graphotypic': ['graphotypic', 'pictography', 'typographic'], 'grapsidae': ['disparage', 'grapsidae'], 'grasp': ['grasp', 'sprag'], 'grasper': ['grasper', 'regrasp', 'sparger'], 'grasser': ['grasser', 'regrass'], 'grasshopper': ['grasshopper', 'hoppergrass'], 'grassman': ['grassman', 'mangrass'], 'grat': ['grat', 'trag'], 'grate': ['gater', 'grate', 'great', 'greta', 'retag', 'targe'], 'grateman': ['grateman', 'mangrate', 'mentagra', 'targeman'], 'grater': ['garret', 'garter', 'grater', 'targer'], 'gratiano': ['giornata', 'gratiano'], 'graticule': ['curtilage', 'cutigeral', 'graticule'], 'gratiolin': ['gratiolin', 'largition', 'tailoring'], 'gratis': ['gratis', 'striga'], 'gratten': ['garnett', 'gnatter', 'gratten', 'tergant'], 'graupel': ['earplug', 'graupel', 'plaguer'], 'gravamen': ['gravamen', 'graveman'], 'gravel': ['glaver', 'gravel'], 'graveman': ['gravamen', 'graveman'], 'graves': ['gervas', 'graves'], 'gravure': ['gravure', 'verruga'], 'gray': ['gary', 'gray'], 'grayling': ['grayling', 'ragingly'], 'graze': ['gazer', 'graze'], 'greaser': ['argeers', 'greaser', 'serrage'], 'great': ['gater', 'grate', 'great', 'greta', 'retag', 'targe'], 'greaten': ['grantee', 'greaten', 'reagent', 'rentage'], 'greater': ['greater', 'regrate', 'terrage'], 'greaves': ['gervase', 'greaves', 'servage'], 'grebe': ['gerbe', 'grebe', 'rebeg'], 'grecian': ['anergic', 'garnice', 'garniec', 'geranic', 'grecian'], 'grecomania': ['ergomaniac', 'grecomania'], 'greed': ['edger', 'greed'], 'green': ['genre', 'green', 'neger', 'reneg'], 'greenable': ['generable', 'greenable'], 'greener': ['greener', 'regreen', 'reneger'], 'greenish': ['greenish', 'sheering'], 'greenland': ['englander', 'greenland'], 'greenuk': ['gerenuk', 'greenuk'], 'greeny': ['energy', 'greeny', 'gyrene'], 'greet': ['egret', 'greet', 'reget'], 'greeter': ['greeter', 'regreet'], 'gregal': ['gargle', 'gregal', 'lagger', 'raggle'], 'gregarian': ['gregarian', 'gregarina'], 'gregarina': ['gregarian', 'gregarina'], 'gregarinous': ['grangousier', 'gregarinous'], 'grege': ['egger', 'grege'], 'gregge': ['gegger', 'gregge'], 'grego': ['gorge', 'grego'], 'gregor': ['gorger', 'gregor'], 'greige': ['greige', 'reggie'], 'grein': ['grein', 'inger', 'nigre', 'regin', 'reign', 'ringe'], 'gremial': ['gremial', 'lamiger'], 'gremlin': ['gremlin', 'mingler'], 'grenade': ['derange', 'enraged', 'gardeen', 'gerenda', 'grandee', 'grenade'], 'grenadian': ['granadine', 'grenadian'], 'grenadier': ['earringed', 'grenadier'], 'grenadin': ['gardenin', 'grenadin'], 'grenadine': ['endearing', 'engrained', 'grenadine'], 'greta': ['gater', 'grate', 'great', 'greta', 'retag', 'targe'], 'gretel': ['gretel', 'reglet'], 'greund': ['dunger', 'gerund', 'greund', 'nudger'], 'grewia': ['earwig', 'grewia'], 'grey': ['grey', 'gyre'], 'grid': ['gird', 'grid'], 'griddle': ['glidder', 'griddle'], 'gride': ['dirge', 'gride', 'redig', 'ridge'], 'gridelin': ['dreiling', 'gridelin'], 'grieve': ['grieve', 'regive'], 'grieved': ['diverge', 'grieved'], 'grille': ['giller', 'grille', 'regill'], 'grilse': ['girsle', 'gisler', 'glires', 'grilse'], 'grimace': ['gemaric', 'grimace', 'megaric'], 'grime': ['gerim', 'grime'], 'grimme': ['gimmer', 'grimme', 'megrim'], 'grin': ['girn', 'grin', 'ring'], 'grinder': ['grinder', 'regrind'], 'grindle': ['dringle', 'grindle'], 'gringo': ['goring', 'gringo'], 'grip': ['grip', 'prig'], 'gripe': ['gerip', 'gripe'], 'gripeful': ['fireplug', 'gripeful'], 'griper': ['griper', 'regrip'], 'gripman': ['gripman', 'prigman', 'ramping'], 'grippe': ['gipper', 'grippe'], 'grisounite': ['grisounite', 'grisoutine', 'integrious'], 'grisoutine': ['grisounite', 'grisoutine', 'integrious'], 'grist': ['grist', 'grits', 'strig'], 'gristle': ['glister', 'gristle'], 'grit': ['girt', 'grit', 'trig'], 'grith': ['girth', 'grith', 'right'], 'grits': ['grist', 'grits', 'strig'], 'gritten': ['gittern', 'gritten', 'retting'], 'grittle': ['glitter', 'grittle'], 'grivna': ['grivna', 'raving'], 'grizzel': ['grizzel', 'grizzle'], 'grizzle': ['grizzel', 'grizzle'], 'groan': ['angor', 'argon', 'goran', 'grano', 'groan', 'nagor', 'orang', 'organ', 'rogan', 'ronga'], 'groaner': ['groaner', 'oranger', 'organer'], 'groaning': ['groaning', 'organing'], 'groat': ['argot', 'gator', 'gotra', 'groat'], 'grobian': ['biorgan', 'grobian'], 'groined': ['groined', 'negroid'], 'gromia': ['gamori', 'gomari', 'gromia'], 'groove': ['groove', 'overgo'], 'grope': ['grope', 'porge'], 'groper': ['groper', 'porger'], 'groset': ['groset', 'storge'], 'grossen': ['engross', 'grossen'], 'grot': ['grot', 'trog'], 'grotian': ['grotian', 'trigona'], 'grotto': ['grotto', 'torgot'], 'grounded': ['grounded', 'underdog', 'undergod'], 'grouper': ['grouper', 'regroup'], 'grouse': ['grouse', 'rugose'], 'grousy': ['grousy', 'gyrous'], 'grovel': ['glover', 'grovel'], 'groveless': ['gloveress', 'groveless'], 'growan': ['awrong', 'growan'], 'grower': ['grower', 'regrow'], 'grown': ['grown', 'wrong'], 'grub': ['burg', 'grub'], 'grudge': ['grudge', 'rugged'], 'grudger': ['drugger', 'grudger'], 'grudgery': ['druggery', 'grudgery'], 'grue': ['grue', 'urge'], 'gruel': ['gluer', 'gruel', 'luger'], 'gruelly': ['gruelly', 'gullery'], 'grues': ['grues', 'surge'], 'grun': ['grun', 'rung'], 'grush': ['grush', 'shrug'], 'grusinian': ['grusinian', 'unarising'], 'grutten': ['grutten', 'turgent'], 'gryposis': ['gossipry', 'gryposis'], 'guacho': ['gaucho', 'guacho'], 'guan': ['gaun', 'guan', 'guna', 'uang'], 'guanamine': ['guanamine', 'guineaman'], 'guanine': ['anguine', 'guanine', 'guinean'], 'guar': ['gaur', 'guar', 'ruga'], 'guara': ['gaura', 'guara'], 'guarani': ['anguria', 'gaurian', 'guarani'], 'guarantorship': ['guarantorship', 'uranographist'], 'guardeen': ['dungaree', 'guardeen', 'unagreed', 'underage', 'ungeared'], 'guarder': ['guarder', 'reguard'], 'guatusan': ['augustan', 'guatusan'], 'gud': ['dug', 'gud'], 'gude': ['degu', 'gude'], 'guenon': ['guenon', 'ungone'], 'guepard': ['guepard', 'upgrade'], 'guerdon': ['guerdon', 'undergo', 'ungored'], 'guerdoner': ['guerdoner', 'reundergo', 'undergoer', 'undergore'], 'guerinet': ['geniture', 'guerinet'], 'guester': ['gesture', 'guester'], 'guetar': ['argute', 'guetar', 'rugate', 'tuareg'], 'guetare': ['erugate', 'guetare'], 'guha': ['augh', 'guha'], 'guiana': ['guiana', 'iguana'], 'guib': ['bugi', 'guib'], 'guineaman': ['guanamine', 'guineaman'], 'guinean': ['anguine', 'guanine', 'guinean'], 'guiser': ['guiser', 'sergiu'], 'gul': ['gul', 'lug'], 'gula': ['gaul', 'gula'], 'gulae': ['gulae', 'legua'], 'gular': ['glaur', 'gular'], 'gularis': ['agrilus', 'gularis'], 'gulden': ['gulden', 'lunged'], 'gule': ['glue', 'gule', 'luge'], 'gules': ['gules', 'gusle'], 'gullery': ['gruelly', 'gullery'], 'gullible': ['bluegill', 'gullible'], 'gulonic': ['gulonic', 'unlogic'], 'gulp': ['gulp', 'plug'], 'gulpin': ['gulpin', 'puling'], 'gum': ['gum', 'mug'], 'gumbo': ['bogum', 'gumbo'], 'gumshoe': ['gumshoe', 'hugsome'], 'gumweed': ['gumweed', 'mugweed'], 'gun': ['gnu', 'gun'], 'guna': ['gaun', 'guan', 'guna', 'uang'], 'gunate': ['gunate', 'tangue'], 'gundi': ['gundi', 'undig'], 'gundy': ['dungy', 'gundy'], 'gunk': ['gunk', 'kung'], 'gunl': ['gunl', 'lung'], 'gunnership': ['gunnership', 'unsphering'], 'gunreach': ['gunreach', 'uncharge'], 'gunsel': ['gunsel', 'selung', 'slunge'], 'gunshot': ['gunshot', 'shotgun', 'uhtsong'], 'gunster': ['gunster', 'surgent'], 'gunter': ['gunter', 'gurnet', 'urgent'], 'gup': ['gup', 'pug'], 'gur': ['gur', 'rug'], 'gurgeon': ['gurgeon', 'ungorge'], 'gurgle': ['gurgle', 'lugger', 'ruggle'], 'gurian': ['gurian', 'ugrian'], 'guric': ['guric', 'ugric'], 'gurl': ['gurl', 'lurg'], 'gurnard': ['drungar', 'gurnard'], 'gurnet': ['gunter', 'gurnet', 'urgent'], 'gurt': ['gurt', 'trug'], 'gush': ['gush', 'shug', 'sugh'], 'gusher': ['gusher', 'regush'], 'gusle': ['gules', 'gusle'], 'gust': ['gust', 'stug'], 'gut': ['gut', 'tug'], 'gutless': ['gutless', 'tugless'], 'gutlike': ['gutlike', 'tuglike'], 'gutnish': ['gutnish', 'husting', 'unsight'], 'guttler': ['glutter', 'guttler'], 'guttular': ['guttular', 'guttural'], 'guttural': ['guttular', 'guttural'], 'gweed': ['gweed', 'wedge'], 'gymnasic': ['gymnasic', 'syngamic'], 'gymnastic': ['gymnastic', 'nystagmic'], 'gynandrous': ['androgynus', 'gynandrous'], 'gynerium': ['eryngium', 'gynerium'], 'gynospore': ['gynospore', 'sporogeny'], 'gypsine': ['gypsine', 'pigsney'], 'gyral': ['glary', 'gyral'], 'gyrant': ['gantry', 'gyrant'], 'gyrate': ['geraty', 'gyrate'], 'gyration': ['gyration', 'organity', 'ortygian'], 'gyre': ['grey', 'gyre'], 'gyrene': ['energy', 'greeny', 'gyrene'], 'gyro': ['gory', 'gyro', 'orgy'], 'gyroma': ['gyroma', 'morgay'], 'gyromitra': ['gyromitra', 'migratory'], 'gyrophora': ['gyrophora', 'orography'], 'gyrous': ['grousy', 'gyrous'], 'gyrus': ['gyrus', 'surgy'], 'ha': ['ah', 'ha'], 'haberdine': ['haberdine', 'hebridean'], 'habile': ['habile', 'halebi'], 'habiri': ['bihari', 'habiri'], 'habiru': ['brahui', 'habiru'], 'habit': ['baith', 'habit'], 'habitan': ['abthain', 'habitan'], 'habitat': ['habitat', 'tabitha'], 'habited': ['habited', 'thebaid'], 'habitus': ['habitus', 'ushabti'], 'habnab': ['babhan', 'habnab'], 'hacienda': ['chanidae', 'hacienda'], 'hackin': ['hackin', 'kachin'], 'hackle': ['hackle', 'lekach'], 'hackler': ['chalker', 'hackler'], 'hackly': ['chalky', 'hackly'], 'hacktree': ['eckehart', 'hacktree'], 'hackwood': ['hackwood', 'woodhack'], 'hacky': ['chyak', 'hacky'], 'had': ['dah', 'dha', 'had'], 'hadden': ['hadden', 'handed'], 'hade': ['hade', 'head'], 'hades': ['deash', 'hades', 'sadhe', 'shade'], 'hadji': ['hadji', 'jihad'], 'haec': ['ache', 'each', 'haec'], 'haem': ['ahem', 'haem', 'hame'], 'haet': ['ahet', 'haet', 'hate', 'heat', 'thea'], 'hafgan': ['afghan', 'hafgan'], 'hafter': ['father', 'freath', 'hafter'], 'hageen': ['hageen', 'hangee'], 'hailse': ['elisha', 'hailse', 'sheila'], 'hainan': ['hainan', 'nahani'], 'hair': ['ahir', 'hair'], 'hairband': ['bhandari', 'hairband'], 'haired': ['dehair', 'haired'], 'hairen': ['hairen', 'hernia'], 'hairlet': ['hairlet', 'therial'], 'hairstone': ['hairstone', 'hortensia'], 'hairup': ['hairup', 'rupiah'], 'hak': ['hak', 'kha'], 'hakam': ['hakam', 'makah'], 'hakea': ['ekaha', 'hakea'], 'hakim': ['hakim', 'khami'], 'haku': ['haku', 'kahu'], 'halal': ['allah', 'halal'], 'halbert': ['blather', 'halbert'], 'hale': ['hale', 'heal', 'leah'], 'halebi': ['habile', 'halebi'], 'halenia': ['ainaleh', 'halenia'], 'halesome': ['halesome', 'healsome'], 'halicore': ['halicore', 'heroical'], 'haliotidae': ['aethalioid', 'haliotidae'], 'hallan': ['hallan', 'nallah'], 'hallower': ['hallower', 'rehallow'], 'halma': ['halma', 'hamal'], 'halogeton': ['halogeton', 'theogonal'], 'haloid': ['dihalo', 'haloid'], 'halophile': ['halophile', 'philohela'], 'halophytism': ['halophytism', 'hylopathism'], 'hals': ['hals', 'lash'], 'halse': ['halse', 'leash', 'selah', 'shale', 'sheal', 'shela'], 'halsen': ['halsen', 'hansel', 'lanseh'], 'halt': ['halt', 'lath'], 'halter': ['arthel', 'halter', 'lather', 'thaler'], 'halterbreak': ['halterbreak', 'leatherbark'], 'halting': ['halting', 'lathing', 'thingal'], 'halve': ['halve', 'havel'], 'halver': ['halver', 'lavehr'], 'ham': ['ham', 'mah'], 'hamal': ['halma', 'hamal'], 'hame': ['ahem', 'haem', 'hame'], 'hameil': ['hameil', 'hiemal'], 'hamel': ['hamel', 'hemal'], 'hamfatter': ['aftermath', 'hamfatter'], 'hami': ['hami', 'hima', 'mahi'], 'hamital': ['hamital', 'thalami'], 'hamites': ['atheism', 'hamites'], 'hamlet': ['hamlet', 'malthe'], 'hammerer': ['hammerer', 'rehammer'], 'hamsa': ['hamsa', 'masha', 'shama'], 'hamulites': ['hamulites', 'shulamite'], 'hamus': ['hamus', 'musha'], 'hanaster': ['hanaster', 'sheratan'], 'hance': ['achen', 'chane', 'chena', 'hance'], 'hand': ['dhan', 'hand'], 'handbook': ['bandhook', 'handbook'], 'handed': ['hadden', 'handed'], 'hander': ['hander', 'harden'], 'handicapper': ['handicapper', 'prehandicap'], 'handscrape': ['handscrape', 'scaphander'], 'handstone': ['handstone', 'stonehand'], 'handwork': ['handwork', 'workhand'], 'hangar': ['arghan', 'hangar'], 'hangby': ['banghy', 'hangby'], 'hangee': ['hageen', 'hangee'], 'hanger': ['hanger', 'rehang'], 'hangie': ['gienah', 'hangie'], 'hangnail': ['hangnail', 'langhian'], 'hangout': ['hangout', 'tohunga'], 'hank': ['ankh', 'hank', 'khan'], 'hano': ['hano', 'noah'], 'hans': ['hans', 'nash', 'shan'], 'hansa': ['ahsan', 'hansa', 'hasan'], 'hanse': ['ashen', 'hanse', 'shane', 'shean'], 'hanseatic': ['anchistea', 'hanseatic'], 'hansel': ['halsen', 'hansel', 'lanseh'], 'hant': ['hant', 'tanh', 'than'], 'hantle': ['ethnal', 'hantle', 'lathen', 'thenal'], 'hao': ['aho', 'hao'], 'haole': ['eloah', 'haole'], 'haoma': ['haoma', 'omaha'], 'haori': ['haori', 'iroha'], 'hap': ['hap', 'pah'], 'hapalotis': ['hapalotis', 'sapotilha'], 'hapi': ['hapi', 'pahi'], 'haplodoci': ['chilopoda', 'haplodoci'], 'haplont': ['haplont', 'naphtol'], 'haplosis': ['alphosis', 'haplosis'], 'haply': ['haply', 'phyla'], 'happiest': ['happiest', 'peatship'], 'haptene': ['haptene', 'heptane', 'phenate'], 'haptenic': ['haptenic', 'pantheic', 'pithecan'], 'haptere': ['haptere', 'preheat'], 'haptic': ['haptic', 'pathic'], 'haptics': ['haptics', 'spathic'], 'haptometer': ['amphorette', 'haptometer'], 'haptophoric': ['haptophoric', 'pathophoric'], 'haptophorous': ['haptophorous', 'pathophorous'], 'haptotropic': ['haptotropic', 'protopathic'], 'hapu': ['hapu', 'hupa'], 'harass': ['harass', 'hassar'], 'harb': ['bhar', 'harb'], 'harborer': ['abhorrer', 'harborer'], 'harden': ['hander', 'harden'], 'hardener': ['hardener', 'reharden'], 'hardenite': ['hardenite', 'herniated'], 'hardtail': ['hardtail', 'thaliard'], 'hardy': ['hardy', 'hydra'], 'hare': ['hare', 'hear', 'rhea'], 'harebrain': ['harebrain', 'herbarian'], 'harem': ['harem', 'herma', 'rhema'], 'haremism': ['ashimmer', 'haremism'], 'harfang': ['fraghan', 'harfang'], 'haricot': ['chariot', 'haricot'], 'hark': ['hark', 'khar', 'rakh'], 'harka': ['harka', 'kahar'], 'harlot': ['harlot', 'orthal', 'thoral'], 'harmala': ['harmala', 'marhala'], 'harman': ['amhran', 'harman', 'mahran'], 'harmer': ['harmer', 'reharm'], 'harmine': ['harmine', 'hireman'], 'harmonic': ['choirman', 'harmonic', 'omniarch'], 'harmonical': ['harmonical', 'monarchial'], 'harmonics': ['anorchism', 'harmonics'], 'harmonistic': ['anchoritism', 'chiromantis', 'chrismation', 'harmonistic'], 'harnesser': ['harnesser', 'reharness'], 'harold': ['harold', 'holard'], 'harpa': ['aphra', 'harpa', 'parah'], 'harpings': ['harpings', 'phrasing'], 'harpist': ['harpist', 'traship'], 'harpless': ['harpless', 'splasher'], 'harris': ['arrish', 'harris', 'rarish', 'sirrah'], 'harrower': ['harrower', 'reharrow'], 'hart': ['hart', 'rath', 'tahr', 'thar', 'trah'], 'hartin': ['hartin', 'thrain'], 'hartite': ['hartite', 'rathite'], 'haruspices': ['chuprassie', 'haruspices'], 'harvester': ['harvester', 'reharvest'], 'hasan': ['ahsan', 'hansa', 'hasan'], 'hash': ['hash', 'sahh', 'shah'], 'hasher': ['hasher', 'rehash'], 'hasidic': ['hasidic', 'sahidic'], 'hasidim': ['hasidim', 'maidish'], 'hasky': ['hasky', 'shaky'], 'haslet': ['haslet', 'lesath', 'shelta'], 'hasp': ['hasp', 'pash', 'psha', 'shap'], 'hassar': ['harass', 'hassar'], 'hassel': ['hassel', 'hassle'], 'hassle': ['hassel', 'hassle'], 'haste': ['ashet', 'haste', 'sheat'], 'hasten': ['athens', 'hasten', 'snathe', 'sneath'], 'haster': ['haster', 'hearst', 'hearts'], 'hastilude': ['hastilude', 'lustihead'], 'hastler': ['hastler', 'slather'], 'hasty': ['hasty', 'yasht'], 'hat': ['aht', 'hat', 'tha'], 'hatchery': ['hatchery', 'thearchy'], 'hate': ['ahet', 'haet', 'hate', 'heat', 'thea'], 'hateable': ['hateable', 'heatable'], 'hateful': ['hateful', 'heatful'], 'hateless': ['hateless', 'heatless'], 'hater': ['earth', 'hater', 'heart', 'herat', 'rathe'], 'hati': ['hati', 'thai'], 'hatred': ['dearth', 'hatred', 'rathed', 'thread'], 'hatress': ['hatress', 'shaster'], 'hatt': ['hatt', 'tath', 'that'], 'hattemist': ['hattemist', 'thematist'], 'hatter': ['hatter', 'threat'], 'hattery': ['hattery', 'theatry'], 'hattic': ['chatti', 'hattic'], 'hattock': ['hattock', 'totchka'], 'hau': ['ahu', 'auh', 'hau'], 'hauerite': ['eutheria', 'hauerite'], 'haul': ['haul', 'hula'], 'hauler': ['hauler', 'rehaul'], 'haunt': ['ahunt', 'haunt', 'thuan', 'unhat'], 'haunter': ['haunter', 'nauther', 'unearth', 'unheart', 'urethan'], 'hauntingly': ['hauntingly', 'unhatingly'], 'haurient': ['haurient', 'huterian'], 'havel': ['halve', 'havel'], 'havers': ['havers', 'shaver', 'shrave'], 'haw': ['haw', 'hwa', 'wah', 'wha'], 'hawer': ['hawer', 'whare'], 'hawm': ['hawm', 'wham'], 'hawse': ['hawse', 'shewa', 'whase'], 'hawser': ['hawser', 'rewash', 'washer'], 'hay': ['hay', 'yah'], 'haya': ['ayah', 'haya'], 'hayz': ['hayz', 'hazy'], 'hazarder': ['hazarder', 'rehazard'], 'hazel': ['hazel', 'hazle'], 'hazle': ['hazel', 'hazle'], 'hazy': ['hayz', 'hazy'], 'he': ['eh', 'he'], 'head': ['hade', 'head'], 'headbander': ['barehanded', 'bradenhead', 'headbander'], 'headboard': ['broadhead', 'headboard'], 'header': ['adhere', 'header', 'hedera', 'rehead'], 'headily': ['headily', 'hylidae'], 'headlight': ['headlight', 'lighthead'], 'headlong': ['headlong', 'longhead'], 'headman': ['headman', 'manhead'], 'headmaster': ['headmaster', 'headstream', 'streamhead'], 'headnote': ['headnote', 'notehead'], 'headrail': ['headrail', 'railhead'], 'headrent': ['adherent', 'headrent', 'neatherd', 'threaden'], 'headring': ['headring', 'ringhead'], 'headset': ['headset', 'sethead'], 'headskin': ['headskin', 'nakedish', 'sinkhead'], 'headspring': ['headspring', 'springhead'], 'headstone': ['headstone', 'stonehead'], 'headstream': ['headmaster', 'headstream', 'streamhead'], 'headstrong': ['headstrong', 'stronghead'], 'headward': ['drawhead', 'headward'], 'headwater': ['headwater', 'waterhead'], 'heal': ['hale', 'heal', 'leah'], 'healer': ['healer', 'rehale', 'reheal'], 'healsome': ['halesome', 'healsome'], 'heap': ['epha', 'heap'], 'heaper': ['heaper', 'reheap'], 'heaps': ['heaps', 'pesah', 'phase', 'shape'], 'hear': ['hare', 'hear', 'rhea'], 'hearer': ['hearer', 'rehear'], 'hearken': ['hearken', 'kenareh'], 'hearst': ['haster', 'hearst', 'hearts'], 'heart': ['earth', 'hater', 'heart', 'herat', 'rathe'], 'heartdeep': ['heartdeep', 'preheated'], 'hearted': ['earthed', 'hearted'], 'heartedness': ['heartedness', 'neatherdess'], 'hearten': ['earthen', 'enheart', 'hearten', 'naether', 'teheran', 'traheen'], 'heartener': ['heartener', 'rehearten'], 'heartiness': ['earthiness', 'heartiness'], 'hearting': ['hearting', 'ingather'], 'heartless': ['earthless', 'heartless'], 'heartling': ['earthling', 'heartling'], 'heartly': ['earthly', 'heartly', 'lathery', 'rathely'], 'heartnut': ['earthnut', 'heartnut'], 'heartpea': ['earthpea', 'heartpea'], 'heartquake': ['earthquake', 'heartquake'], 'hearts': ['haster', 'hearst', 'hearts'], 'heartsome': ['heartsome', 'samothere'], 'heartward': ['earthward', 'heartward'], 'heartweed': ['heartweed', 'weathered'], 'hearty': ['earthy', 'hearty', 'yearth'], 'heat': ['ahet', 'haet', 'hate', 'heat', 'thea'], 'heatable': ['hateable', 'heatable'], 'heater': ['heater', 'hereat', 'reheat'], 'heatful': ['hateful', 'heatful'], 'heath': ['heath', 'theah'], 'heating': ['gahnite', 'heating'], 'heatless': ['hateless', 'heatless'], 'heatronic': ['anchorite', 'antechoir', 'heatronic', 'hectorian'], 'heave': ['heave', 'hevea'], 'hebraizer': ['hebraizer', 'herbarize'], 'hebridean': ['haberdine', 'hebridean'], 'hecate': ['achete', 'hecate', 'teache', 'thecae'], 'hecatine': ['echinate', 'hecatine'], 'heckle': ['heckle', 'kechel'], 'hectare': ['cheater', 'hectare', 'recheat', 'reteach', 'teacher'], 'hecte': ['cheet', 'hecte'], 'hector': ['hector', 'rochet', 'tocher', 'troche'], 'hectorian': ['anchorite', 'antechoir', 'heatronic', 'hectorian'], 'hectorship': ['christophe', 'hectorship'], 'hedera': ['adhere', 'header', 'hedera', 'rehead'], 'hedonical': ['chelodina', 'hedonical'], 'hedonism': ['demonish', 'hedonism'], 'heehaw': ['heehaw', 'wahehe'], 'heel': ['heel', 'hele'], 'heeler': ['heeler', 'reheel'], 'heelpost': ['heelpost', 'pesthole'], 'heer': ['heer', 'here'], 'hegari': ['hegari', 'hegira'], 'hegemonic': ['hegemonic', 'hemogenic'], 'hegira': ['hegari', 'hegira'], 'hei': ['hei', 'hie'], 'height': ['eighth', 'height'], 'heightener': ['heightener', 'reheighten'], 'heintzite': ['heintzite', 'hintzeite'], 'heinz': ['heinz', 'hienz'], 'heir': ['heir', 'hire'], 'heirdom': ['heirdom', 'homerid'], 'heirless': ['heirless', 'hireless'], 'hejazi': ['hejazi', 'jeziah'], 'helcosis': ['helcosis', 'ochlesis'], 'helcotic': ['helcotic', 'lochetic', 'ochletic'], 'hele': ['heel', 'hele'], 'heliacal': ['achillea', 'heliacal'], 'heliast': ['heliast', 'thesial'], 'helical': ['alichel', 'challie', 'helical'], 'heliced': ['chelide', 'heliced'], 'helicon': ['choline', 'helicon'], 'heling': ['heling', 'hingle'], 'heliophotography': ['heliophotography', 'photoheliography'], 'helios': ['helios', 'isohel'], 'heliostatic': ['chiastolite', 'heliostatic'], 'heliotactic': ['heliotactic', 'thiolacetic'], 'helium': ['helium', 'humlie'], 'hellcat': ['hellcat', 'tellach'], 'helleborein': ['helleborein', 'helleborine'], 'helleborine': ['helleborein', 'helleborine'], 'hellenic': ['chenille', 'hellenic'], 'helleri': ['helleri', 'hellier'], 'hellicat': ['hellicat', 'lecithal'], 'hellier': ['helleri', 'hellier'], 'helm': ['helm', 'heml'], 'heloderma': ['dreamhole', 'heloderma'], 'helot': ['helot', 'hotel', 'thole'], 'helotize': ['helotize', 'hotelize'], 'helpmeet': ['helpmeet', 'meethelp'], 'hemad': ['ahmed', 'hemad'], 'hemal': ['hamel', 'hemal'], 'hemapod': ['hemapod', 'mophead'], 'hematic': ['chamite', 'hematic'], 'hematin': ['ethanim', 'hematin'], 'hematinic': ['hematinic', 'minchiate'], 'hematolin': ['hematolin', 'maholtine'], 'hematonic': ['hematonic', 'methanoic'], 'hematosin': ['hematosin', 'thomasine'], 'hematoxic': ['hematoxic', 'hexatomic'], 'hematuric': ['hematuric', 'rheumatic'], 'hemiasci': ['hemiasci', 'ischemia'], 'hemiatrophy': ['hemiatrophy', 'hypothermia'], 'hemic': ['chime', 'hemic', 'miche'], 'hemicarp': ['camphire', 'hemicarp'], 'hemicatalepsy': ['hemicatalepsy', 'mesaticephaly'], 'hemiclastic': ['alchemistic', 'hemiclastic'], 'hemicrany': ['hemicrany', 'machinery'], 'hemiholohedral': ['hemiholohedral', 'holohemihedral'], 'hemiolic': ['elohimic', 'hemiolic'], 'hemiparesis': ['hemiparesis', 'phariseeism'], 'hemistater': ['amherstite', 'hemistater'], 'hemiterata': ['hemiterata', 'metatheria'], 'hemitype': ['epithyme', 'hemitype'], 'heml': ['helm', 'heml'], 'hemogenic': ['hegemonic', 'hemogenic'], 'hemol': ['hemol', 'mohel'], 'hemologist': ['hemologist', 'theologism'], 'hemopneumothorax': ['hemopneumothorax', 'pneumohemothorax'], 'henbit': ['behint', 'henbit'], 'hent': ['hent', 'neth', 'then'], 'henter': ['erthen', 'henter', 'nether', 'threne'], 'henyard': ['enhydra', 'henyard'], 'hepar': ['hepar', 'phare', 'raphe'], 'heparin': ['heparin', 'nephria'], 'hepatic': ['aphetic', 'caphite', 'hepatic'], 'hepatica': ['apachite', 'hepatica'], 'hepatical': ['caliphate', 'hepatical'], 'hepatize': ['aphetize', 'hepatize'], 'hepatocolic': ['hepatocolic', 'otocephalic'], 'hepatogastric': ['gastrohepatic', 'hepatogastric'], 'hepatoid': ['diaphote', 'hepatoid'], 'hepatomegalia': ['hepatomegalia', 'megalohepatia'], 'hepatonephric': ['hepatonephric', 'phrenohepatic'], 'hepatostomy': ['hepatostomy', 'somatophyte'], 'hepialid': ['hepialid', 'phialide'], 'heptace': ['heptace', 'tepache'], 'heptad': ['heptad', 'pathed'], 'heptagon': ['heptagon', 'pathogen'], 'heptameron': ['heptameron', 'promethean'], 'heptane': ['haptene', 'heptane', 'phenate'], 'heptaploidy': ['heptaploidy', 'typhlopidae'], 'hepteris': ['hepteris', 'treeship'], 'heptine': ['heptine', 'nephite'], 'heptite': ['epithet', 'heptite'], 'heptorite': ['heptorite', 'tephroite'], 'heptylic': ['heptylic', 'phyletic'], 'her': ['her', 'reh', 'rhe'], 'heraclid': ['heraclid', 'heraldic'], 'heraldic': ['heraclid', 'heraldic'], 'heraldist': ['heraldist', 'tehsildar'], 'herat': ['earth', 'hater', 'heart', 'herat', 'rathe'], 'herbage': ['breaghe', 'herbage'], 'herbarian': ['harebrain', 'herbarian'], 'herbarism': ['herbarism', 'shambrier'], 'herbarize': ['hebraizer', 'herbarize'], 'herbert': ['berther', 'herbert'], 'herbous': ['herbous', 'subhero'], 'herdic': ['chider', 'herdic'], 'here': ['heer', 'here'], 'hereafter': ['featherer', 'hereafter'], 'hereat': ['heater', 'hereat', 'reheat'], 'herein': ['herein', 'inhere'], 'hereinto': ['etherion', 'hereinto', 'heronite'], 'herem': ['herem', 'rheme'], 'heretic': ['erethic', 'etheric', 'heretic', 'heteric', 'teicher'], 'heretically': ['heretically', 'heterically'], 'heretication': ['heretication', 'theoretician'], 'hereto': ['hereto', 'hetero'], 'heritance': ['catherine', 'heritance'], 'herl': ['herl', 'hler', 'lehr'], 'herma': ['harem', 'herma', 'rhema'], 'hermaic': ['chimera', 'hermaic'], 'hermitage': ['geheimrat', 'hermitage'], 'hermo': ['hermo', 'homer', 'horme'], 'herne': ['herne', 'rheen'], 'hernia': ['hairen', 'hernia'], 'hernial': ['hernial', 'inhaler'], 'herniate': ['atherine', 'herniate'], 'herniated': ['hardenite', 'herniated'], 'hernioid': ['dinheiro', 'hernioid'], 'hero': ['hero', 'hoer'], 'herodian': ['herodian', 'ironhead'], 'heroic': ['coheir', 'heroic'], 'heroical': ['halicore', 'heroical'], 'heroin': ['heroin', 'hieron', 'hornie'], 'heroism': ['heroism', 'moreish'], 'heronite': ['etherion', 'hereinto', 'heronite'], 'herophile': ['herophile', 'rheophile'], 'herpes': ['herpes', 'hesper', 'sphere'], 'herpetism': ['herpetism', 'metership', 'metreship', 'temperish'], 'herpetological': ['herpetological', 'pretheological'], 'herpetomonad': ['dermatophone', 'herpetomonad'], 'hers': ['hers', 'resh', 'sher'], 'herse': ['herse', 'sereh', 'sheer', 'shree'], 'hersed': ['hersed', 'sheder'], 'herself': ['flesher', 'herself'], 'hersir': ['hersir', 'sherri'], 'herulian': ['herulian', 'inhauler'], 'hervati': ['athrive', 'hervati'], 'hesitater': ['hesitater', 'hetaerist'], 'hesper': ['herpes', 'hesper', 'sphere'], 'hespera': ['hespera', 'rephase', 'reshape'], 'hesperia': ['hesperia', 'pharisee'], 'hesperian': ['hesperian', 'phrenesia', 'seraphine'], 'hesperid': ['hesperid', 'perished'], 'hesperinon': ['hesperinon', 'prehension'], 'hesperis': ['hesperis', 'seership'], 'hest': ['esth', 'hest', 'seth'], 'hester': ['esther', 'hester', 'theres'], 'het': ['het', 'the'], 'hetaeric': ['cheatrie', 'hetaeric'], 'hetaerist': ['hesitater', 'hetaerist'], 'hetaery': ['erythea', 'hetaery', 'yeather'], 'heteratomic': ['heteratomic', 'theorematic'], 'heteraxial': ['exhilarate', 'heteraxial'], 'heteric': ['erethic', 'etheric', 'heretic', 'heteric', 'teicher'], 'heterically': ['heretically', 'heterically'], 'hetericism': ['erethismic', 'hetericism'], 'hetericist': ['erethistic', 'hetericist'], 'heterism': ['erethism', 'etherism', 'heterism'], 'heterization': ['etherization', 'heterization'], 'heterize': ['etherize', 'heterize'], 'hetero': ['hereto', 'hetero'], 'heterocarpus': ['heterocarpus', 'urethrascope'], 'heteroclite': ['heteroclite', 'heterotelic'], 'heterodromy': ['heterodromy', 'hydrometeor'], 'heteroecismal': ['cholesteremia', 'heteroecismal'], 'heterography': ['erythrophage', 'heterography'], 'heterogynous': ['heterogynous', 'thyreogenous'], 'heterology': ['heterology', 'thereology'], 'heteromeri': ['heteromeri', 'moerithere'], 'heteroousiast': ['autoheterosis', 'heteroousiast'], 'heteropathy': ['heteropathy', 'theotherapy'], 'heteropodal': ['heteropodal', 'prelatehood'], 'heterotelic': ['heteroclite', 'heterotelic'], 'heterotic': ['heterotic', 'theoretic'], 'hetman': ['anthem', 'hetman', 'mentha'], 'hetmanate': ['hetmanate', 'methanate'], 'hetter': ['hetter', 'tether'], 'hevea': ['heave', 'hevea'], 'hevi': ['hevi', 'hive'], 'hewel': ['hewel', 'wheel'], 'hewer': ['hewer', 'wheer', 'where'], 'hewn': ['hewn', 'when'], 'hewt': ['hewt', 'thew', 'whet'], 'hexacid': ['hexacid', 'hexadic'], 'hexadic': ['hexacid', 'hexadic'], 'hexakisoctahedron': ['hexakisoctahedron', 'octakishexahedron'], 'hexakistetrahedron': ['hexakistetrahedron', 'tetrakishexahedron'], 'hexatetrahedron': ['hexatetrahedron', 'tetrahexahedron'], 'hexatomic': ['hematoxic', 'hexatomic'], 'hexonic': ['choenix', 'hexonic'], 'hiant': ['ahint', 'hiant', 'tahin'], 'hiatal': ['hiatal', 'thalia'], 'hibernate': ['hibernate', 'inbreathe'], 'hic': ['chi', 'hic', 'ich'], 'hickwall': ['hickwall', 'wallhick'], 'hidage': ['adighe', 'hidage'], 'hider': ['dheri', 'hider', 'hired'], 'hidling': ['hidling', 'hilding'], 'hidlings': ['dishling', 'hidlings'], 'hidrotic': ['hidrotic', 'trichoid'], 'hie': ['hei', 'hie'], 'hield': ['delhi', 'hield'], 'hiemal': ['hameil', 'hiemal'], 'hienz': ['heinz', 'hienz'], 'hieron': ['heroin', 'hieron', 'hornie'], 'hieros': ['hieros', 'hosier'], 'hight': ['hight', 'thigh'], 'higuero': ['higuero', 'roughie'], 'hilasmic': ['chiliasm', 'hilasmic', 'machilis'], 'hilding': ['hidling', 'hilding'], 'hillside': ['hillside', 'sidehill'], 'hilsa': ['alish', 'hilsa'], 'hilt': ['hilt', 'lith'], 'hima': ['hami', 'hima', 'mahi'], 'himself': ['flemish', 'himself'], 'hinderest': ['disherent', 'hinderest', 'tenderish'], 'hindu': ['hindu', 'hundi', 'unhid'], 'hing': ['hing', 'nigh'], 'hinge': ['hinge', 'neigh'], 'hingle': ['heling', 'hingle'], 'hint': ['hint', 'thin'], 'hinter': ['hinter', 'nither', 'theirn'], 'hintproof': ['hintproof', 'hoofprint'], 'hintzeite': ['heintzite', 'hintzeite'], 'hip': ['hip', 'phi'], 'hipbone': ['hipbone', 'hopbine'], 'hippodamous': ['amphipodous', 'hippodamous'], 'hippolyte': ['hippolyte', 'typophile'], 'hippus': ['hippus', 'uppish'], 'hiram': ['hiram', 'ihram', 'mahri'], 'hircine': ['hircine', 'rheinic'], 'hire': ['heir', 'hire'], 'hired': ['dheri', 'hider', 'hired'], 'hireless': ['heirless', 'hireless'], 'hireman': ['harmine', 'hireman'], 'hiren': ['hiren', 'rhein', 'rhine'], 'hirmos': ['hirmos', 'romish'], 'hirse': ['hirse', 'shier', 'shire'], 'hirsel': ['hirsel', 'hirsle', 'relish'], 'hirsle': ['hirsel', 'hirsle', 'relish'], 'his': ['his', 'hsi', 'shi'], 'hish': ['hish', 'shih'], 'hisn': ['hisn', 'shin', 'sinh'], 'hispa': ['aphis', 'apish', 'hispa', 'saiph', 'spahi'], 'hispanist': ['hispanist', 'saintship'], 'hiss': ['hiss', 'sish'], 'hist': ['hist', 'sith', 'this', 'tshi'], 'histamine': ['histamine', 'semihiant'], 'histie': ['histie', 'shiite'], 'histioid': ['histioid', 'idiotish'], 'histon': ['histon', 'shinto', 'tonish'], 'histonal': ['histonal', 'toshnail'], 'historic': ['historic', 'orchitis'], 'historics': ['historics', 'trichosis'], 'history': ['history', 'toryish'], 'hittable': ['hittable', 'tithable'], 'hitter': ['hitter', 'tither'], 'hive': ['hevi', 'hive'], 'hives': ['hives', 'shive'], 'hler': ['herl', 'hler', 'lehr'], 'ho': ['ho', 'oh'], 'hoar': ['hoar', 'hora'], 'hoard': ['hoard', 'rhoda'], 'hoarse': ['ahorse', 'ashore', 'hoarse', 'shorea'], 'hoarstone': ['anorthose', 'hoarstone'], 'hoast': ['hoast', 'hosta', 'shoat'], 'hobbism': ['hobbism', 'mobbish'], 'hobo': ['boho', 'hobo'], 'hocco': ['choco', 'hocco'], 'hock': ['hock', 'koch'], 'hocker': ['choker', 'hocker'], 'hocky': ['choky', 'hocky'], 'hocus': ['chous', 'hocus'], 'hodiernal': ['hodiernal', 'rhodaline'], 'hoer': ['hero', 'hoer'], 'hogan': ['ahong', 'hogan'], 'hogget': ['egghot', 'hogget'], 'hogmanay': ['hogmanay', 'mahogany'], 'hognut': ['hognut', 'nought'], 'hogsty': ['ghosty', 'hogsty'], 'hoister': ['hoister', 'rehoist'], 'hoit': ['hoit', 'hoti', 'thio'], 'holard': ['harold', 'holard'], 'holconoti': ['holconoti', 'holotonic'], 'holcus': ['holcus', 'lochus', 'slouch'], 'holdfast': ['fasthold', 'holdfast'], 'holdout': ['holdout', 'outhold'], 'holdup': ['holdup', 'uphold'], 'holeman': ['holeman', 'manhole'], 'holey': ['holey', 'hoyle'], 'holiday': ['holiday', 'hyaloid', 'hyoidal'], 'hollandite': ['hollandite', 'hollantide'], 'hollantide': ['hollandite', 'hollantide'], 'hollower': ['hollower', 'rehollow'], 'holmia': ['holmia', 'maholi'], 'holocentrid': ['holocentrid', 'lechriodont'], 'holohemihedral': ['hemiholohedral', 'holohemihedral'], 'holosteric': ['holosteric', 'thiocresol'], 'holotonic': ['holconoti', 'holotonic'], 'holster': ['holster', 'hostler'], 'homage': ['homage', 'ohmage'], 'homarine': ['homarine', 'homerian'], 'homecroft': ['forthcome', 'homecroft'], 'homeogenous': ['homeogenous', 'homogeneous'], 'homeotypic': ['homeotypic', 'mythopoeic'], 'homeotypical': ['homeotypical', 'polymetochia'], 'homer': ['hermo', 'homer', 'horme'], 'homerian': ['homarine', 'homerian'], 'homeric': ['homeric', 'moriche'], 'homerical': ['chloremia', 'homerical'], 'homerid': ['heirdom', 'homerid'], 'homerist': ['homerist', 'isotherm', 'otherism', 'theorism'], 'homiletics': ['homiletics', 'mesolithic'], 'homo': ['homo', 'moho'], 'homocline': ['chemiloon', 'homocline'], 'homogeneous': ['homeogenous', 'homogeneous'], 'homopolic': ['homopolic', 'lophocomi'], 'homopteran': ['homopteran', 'trophonema'], 'homrai': ['homrai', 'mahori', 'mohair'], 'hondo': ['dhoon', 'hondo'], 'honest': ['ethnos', 'honest'], 'honeypod': ['dyophone', 'honeypod'], 'honeypot': ['eophyton', 'honeypot'], 'honorer': ['honorer', 'rehonor'], 'hontous': ['hontous', 'nothous'], 'hoodman': ['dhamnoo', 'hoodman', 'manhood'], 'hoofprint': ['hintproof', 'hoofprint'], 'hooker': ['hooker', 'rehook'], 'hookweed': ['hookweed', 'weedhook'], 'hoop': ['hoop', 'phoo', 'pooh'], 'hooper': ['hooper', 'rehoop'], 'hoot': ['hoot', 'thoo', 'toho'], 'hop': ['hop', 'pho', 'poh'], 'hopbine': ['hipbone', 'hopbine'], 'hopcalite': ['hopcalite', 'phacolite'], 'hope': ['hope', 'peho'], 'hoped': ['depoh', 'ephod', 'hoped'], 'hoper': ['ephor', 'hoper'], 'hoplite': ['hoplite', 'pithole'], 'hoppergrass': ['grasshopper', 'hoppergrass'], 'hoppers': ['hoppers', 'shopper'], 'hora': ['hoar', 'hora'], 'horal': ['horal', 'lohar'], 'hordarian': ['arianrhod', 'hordarian'], 'horizontal': ['horizontal', 'notorhizal'], 'horme': ['hermo', 'homer', 'horme'], 'horned': ['dehorn', 'horned'], 'hornet': ['hornet', 'nother', 'theron', 'throne'], 'hornie': ['heroin', 'hieron', 'hornie'], 'hornpipe': ['hornpipe', 'porphine'], 'horopteric': ['horopteric', 'rheotropic', 'trichopore'], 'horrent': ['horrent', 'norther'], 'horse': ['horse', 'shoer', 'shore'], 'horsecar': ['cosharer', 'horsecar'], 'horseless': ['horseless', 'shoreless'], 'horseman': ['horseman', 'rhamnose', 'shoreman'], 'horser': ['horser', 'shorer'], 'horsetail': ['horsetail', 'isotheral'], 'horseweed': ['horseweed', 'shoreweed'], 'horsewhip': ['horsewhip', 'whoreship'], 'horsewood': ['horsewood', 'woodhorse'], 'horsing': ['horsing', 'shoring'], 'horst': ['horst', 'short'], 'hortensia': ['hairstone', 'hortensia'], 'hortite': ['hortite', 'orthite', 'thorite'], 'hose': ['hose', 'shoe'], 'hosed': ['hosed', 'shode'], 'hosel': ['hosel', 'sheol', 'shole'], 'hoseless': ['hoseless', 'shoeless'], 'hoseman': ['hoseman', 'shoeman'], 'hosier': ['hieros', 'hosier'], 'hospitaler': ['hospitaler', 'trophesial'], 'host': ['host', 'shot', 'thos', 'tosh'], 'hosta': ['hoast', 'hosta', 'shoat'], 'hostager': ['hostager', 'shortage'], 'hoster': ['hoster', 'tosher'], 'hostile': ['elohist', 'hostile'], 'hosting': ['hosting', 'onsight'], 'hostler': ['holster', 'hostler'], 'hostless': ['hostless', 'shotless'], 'hostly': ['hostly', 'toshly'], 'hot': ['hot', 'tho'], 'hotel': ['helot', 'hotel', 'thole'], 'hotelize': ['helotize', 'hotelize'], 'hotfoot': ['foothot', 'hotfoot'], 'hoti': ['hoit', 'hoti', 'thio'], 'hotter': ['hotter', 'tother'], 'hounce': ['cohune', 'hounce'], 'houseboat': ['boathouse', 'houseboat'], 'housebug': ['bughouse', 'housebug'], 'housecraft': ['fratcheous', 'housecraft'], 'housetop': ['housetop', 'pothouse'], 'housewarm': ['housewarm', 'warmhouse'], 'housewear': ['housewear', 'warehouse'], 'housework': ['housework', 'workhouse'], 'hovering': ['hovering', 'overnigh'], 'how': ['how', 'who'], 'howel': ['howel', 'whole'], 'however': ['everwho', 'however', 'whoever'], 'howlet': ['howlet', 'thowel'], 'howso': ['howso', 'woosh'], 'howsomever': ['howsomever', 'whomsoever', 'whosomever'], 'hoya': ['ahoy', 'hoya'], 'hoyle': ['holey', 'hoyle'], 'hsi': ['his', 'hsi', 'shi'], 'huari': ['huari', 'uriah'], 'hubert': ['hubert', 'turbeh'], 'hud': ['dhu', 'hud'], 'hudsonite': ['hudsonite', 'unhoisted'], 'huer': ['huer', 'hure'], 'hug': ['hug', 'ugh'], 'hughes': ['hughes', 'sheugh'], 'hughoc': ['chough', 'hughoc'], 'hugo': ['hugo', 'ough'], 'hugsome': ['gumshoe', 'hugsome'], 'huk': ['huk', 'khu'], 'hula': ['haul', 'hula'], 'hulsean': ['hulsean', 'unleash'], 'hulster': ['hulster', 'hustler', 'sluther'], 'huma': ['ahum', 'huma'], 'human': ['human', 'nahum'], 'humane': ['humane', 'humean'], 'humanics': ['humanics', 'inasmuch'], 'humean': ['humane', 'humean'], 'humeroradial': ['humeroradial', 'radiohumeral'], 'humic': ['chimu', 'humic'], 'humidor': ['humidor', 'rhodium'], 'humlie': ['helium', 'humlie'], 'humor': ['humor', 'mohur'], 'humoralistic': ['humoralistic', 'humoristical'], 'humoristical': ['humoralistic', 'humoristical'], 'hump': ['hump', 'umph'], 'hundi': ['hindu', 'hundi', 'unhid'], 'hunger': ['hunger', 'rehung'], 'hunterian': ['hunterian', 'ruthenian'], 'hup': ['hup', 'phu'], 'hupa': ['hapu', 'hupa'], 'hurdis': ['hurdis', 'rudish'], 'hurdle': ['hurdle', 'hurled'], 'hure': ['huer', 'hure'], 'hurled': ['hurdle', 'hurled'], 'huron': ['huron', 'rohun'], 'hurst': ['hurst', 'trush'], 'hurt': ['hurt', 'ruth'], 'hurter': ['hurter', 'ruther'], 'hurtful': ['hurtful', 'ruthful'], 'hurtfully': ['hurtfully', 'ruthfully'], 'hurtfulness': ['hurtfulness', 'ruthfulness'], 'hurting': ['hurting', 'ungirth', 'unright'], 'hurtingest': ['hurtingest', 'shuttering'], 'hurtle': ['hurtle', 'luther'], 'hurtless': ['hurtless', 'ruthless'], 'hurtlessly': ['hurtlessly', 'ruthlessly'], 'hurtlessness': ['hurtlessness', 'ruthlessness'], 'husbander': ['husbander', 'shabunder'], 'husked': ['dehusk', 'husked'], 'huso': ['huso', 'shou'], 'huspil': ['huspil', 'pulish'], 'husting': ['gutnish', 'husting', 'unsight'], 'hustle': ['hustle', 'sleuth'], 'hustler': ['hulster', 'hustler', 'sluther'], 'huterian': ['haurient', 'huterian'], 'hwa': ['haw', 'hwa', 'wah', 'wha'], 'hyaloid': ['holiday', 'hyaloid', 'hyoidal'], 'hydra': ['hardy', 'hydra'], 'hydramnios': ['disharmony', 'hydramnios'], 'hydrate': ['hydrate', 'thready'], 'hydrazidine': ['anhydridize', 'hydrazidine'], 'hydrazine': ['anhydrize', 'hydrazine'], 'hydriodate': ['hydriodate', 'iodhydrate'], 'hydriodic': ['hydriodic', 'iodhydric'], 'hydriote': ['hydriote', 'thyreoid'], 'hydrobromate': ['bromohydrate', 'hydrobromate'], 'hydrocarbide': ['carbohydride', 'hydrocarbide'], 'hydrocharis': ['hydrocharis', 'hydrorachis'], 'hydroferricyanic': ['ferrihydrocyanic', 'hydroferricyanic'], 'hydroferrocyanic': ['ferrohydrocyanic', 'hydroferrocyanic'], 'hydrofluoboric': ['borofluohydric', 'hydrofluoboric'], 'hydrogeology': ['geohydrology', 'hydrogeology'], 'hydroiodic': ['hydroiodic', 'iodohydric'], 'hydrometeor': ['heterodromy', 'hydrometeor'], 'hydromotor': ['hydromotor', 'orthodromy'], 'hydronephrosis': ['hydronephrosis', 'nephrohydrosis'], 'hydropneumopericardium': ['hydropneumopericardium', 'pneumohydropericardium'], 'hydropneumothorax': ['hydropneumothorax', 'pneumohydrothorax'], 'hydrorachis': ['hydrocharis', 'hydrorachis'], 'hydrosulphate': ['hydrosulphate', 'sulphohydrate'], 'hydrotical': ['dacryolith', 'hydrotical'], 'hydrous': ['hydrous', 'shroudy'], 'hyetograph': ['ethography', 'hyetograph'], 'hylidae': ['headily', 'hylidae'], 'hylist': ['hylist', 'slithy'], 'hyllus': ['hyllus', 'lushly'], 'hylopathism': ['halophytism', 'hylopathism'], 'hymenic': ['chimney', 'hymenic'], 'hymettic': ['hymettic', 'thymetic'], 'hymnologist': ['hymnologist', 'smoothingly'], 'hyoglossal': ['glossohyal', 'hyoglossal'], 'hyoidal': ['holiday', 'hyaloid', 'hyoidal'], 'hyothyreoid': ['hyothyreoid', 'thyreohyoid'], 'hyothyroid': ['hyothyroid', 'thyrohyoid'], 'hypaethron': ['hypaethron', 'hypothenar'], 'hypercone': ['coryphene', 'hypercone'], 'hypergamous': ['hypergamous', 'museography'], 'hypertoxic': ['hypertoxic', 'xerophytic'], 'hypnobate': ['batyphone', 'hypnobate'], 'hypnoetic': ['hypnoetic', 'neophytic'], 'hypnotic': ['hypnotic', 'phytonic', 'pythonic', 'typhonic'], 'hypnotism': ['hypnotism', 'pythonism'], 'hypnotist': ['hypnotist', 'pythonist'], 'hypnotize': ['hypnotize', 'pythonize'], 'hypnotoid': ['hypnotoid', 'pythonoid'], 'hypobole': ['hypobole', 'lyophobe'], 'hypocarp': ['apocryph', 'hypocarp'], 'hypocrite': ['chirotype', 'hypocrite'], 'hypodorian': ['hypodorian', 'radiophony'], 'hypoglottis': ['hypoglottis', 'phytologist'], 'hypomanic': ['amphicyon', 'hypomanic'], 'hypopteron': ['hypopteron', 'phonotyper'], 'hyporadius': ['hyporadius', 'suprahyoid'], 'hyposcleral': ['hyposcleral', 'phylloceras'], 'hyposmia': ['hyposmia', 'phymosia'], 'hypostomatic': ['hypostomatic', 'somatophytic'], 'hypothec': ['hypothec', 'photechy'], 'hypothenar': ['hypaethron', 'hypothenar'], 'hypothermia': ['hemiatrophy', 'hypothermia'], 'hypsiloid': ['hypsiloid', 'syphiloid'], 'hyracid': ['diarchy', 'hyracid'], 'hyssop': ['hyssop', 'phossy', 'sposhy'], 'hysteresial': ['hysteresial', 'hysteriales'], 'hysteria': ['hysteria', 'sheriyat'], 'hysteriales': ['hysteresial', 'hysteriales'], 'hysterolaparotomy': ['hysterolaparotomy', 'laparohysterotomy'], 'hysteromyomectomy': ['hysteromyomectomy', 'myomohysterectomy'], 'hysteropathy': ['hysteropathy', 'hysterophyta'], 'hysterophyta': ['hysteropathy', 'hysterophyta'], 'iamb': ['iamb', 'mabi'], 'iambelegus': ['elegiambus', 'iambelegus'], 'iambic': ['cimbia', 'iambic'], 'ian': ['ani', 'ian'], 'ianus': ['ianus', 'suina'], 'iatraliptics': ['iatraliptics', 'partialistic'], 'iatric': ['iatric', 'tricia'], 'ibad': ['adib', 'ibad'], 'iban': ['bain', 'bani', 'iban'], 'ibanag': ['bagani', 'bangia', 'ibanag'], 'iberian': ['aribine', 'bairnie', 'iberian'], 'ibo': ['ibo', 'obi'], 'ibota': ['biota', 'ibota'], 'icacorea': ['coraciae', 'icacorea'], 'icarian': ['arician', 'icarian'], 'icecap': ['icecap', 'ipecac'], 'iced': ['dice', 'iced'], 'iceland': ['cladine', 'decalin', 'iceland'], 'icelandic': ['cicindela', 'cinclidae', 'icelandic'], 'iceman': ['anemic', 'cinema', 'iceman'], 'ich': ['chi', 'hic', 'ich'], 'ichnolite': ['ichnolite', 'neolithic'], 'ichor': ['chiro', 'choir', 'ichor'], 'icicle': ['cilice', 'icicle'], 'icon': ['cion', 'coin', 'icon'], 'iconian': ['anionic', 'iconian'], 'iconism': ['iconism', 'imsonic', 'miscoin'], 'iconolater': ['iconolater', 'relocation'], 'iconomania': ['iconomania', 'oniomaniac'], 'iconometrical': ['iconometrical', 'intracoelomic'], 'icteridae': ['diaeretic', 'icteridae'], 'icterine': ['icterine', 'reincite'], 'icterus': ['curtise', 'icterus'], 'ictonyx': ['ictonyx', 'oxyntic'], 'ictus': ['cutis', 'ictus'], 'id': ['di', 'id'], 'ida': ['aid', 'ida'], 'idaean': ['adenia', 'idaean'], 'ide': ['die', 'ide'], 'idea': ['aide', 'idea'], 'ideal': ['adiel', 'delia', 'ideal'], 'idealism': ['idealism', 'lamiides'], 'idealistic': ['disilicate', 'idealistic'], 'ideality': ['aedility', 'ideality'], 'idealness': ['idealness', 'leadiness'], 'idean': ['diane', 'idean'], 'ideation': ['ideation', 'iodinate', 'taenioid'], 'identical': ['ctenidial', 'identical'], 'ideograph': ['eidograph', 'ideograph'], 'ideology': ['eidology', 'ideology'], 'ideoplasty': ['ideoplasty', 'stylopidae'], 'ides': ['desi', 'ides', 'seid', 'side'], 'idiasm': ['idiasm', 'simiad'], 'idioblast': ['diabolist', 'idioblast'], 'idiomology': ['idiomology', 'oligomyoid'], 'idioretinal': ['idioretinal', 'litorinidae'], 'idiotish': ['histioid', 'idiotish'], 'idle': ['idle', 'lide', 'lied'], 'idleman': ['idleman', 'melinda'], 'idleset': ['idleset', 'isleted'], 'idlety': ['idlety', 'lydite', 'tidely', 'tidley'], 'idly': ['idly', 'idyl'], 'idocrase': ['idocrase', 'radicose'], 'idoism': ['idoism', 'iodism'], 'idol': ['dilo', 'diol', 'doli', 'idol', 'olid'], 'idola': ['aloid', 'dolia', 'idola'], 'idolaster': ['estradiol', 'idolaster'], 'idolatry': ['adroitly', 'dilatory', 'idolatry'], 'idolum': ['dolium', 'idolum'], 'idoneal': ['adinole', 'idoneal'], 'idorgan': ['gordian', 'idorgan', 'roading'], 'idose': ['diose', 'idose', 'oside'], 'idotea': ['idotea', 'iodate', 'otidae'], 'idryl': ['idryl', 'lyrid'], 'idyl': ['idly', 'idyl'], 'idyler': ['direly', 'idyler'], 'ierne': ['ernie', 'ierne', 'irene'], 'if': ['fi', 'if'], 'ife': ['fei', 'fie', 'ife'], 'igara': ['agria', 'igara'], 'igdyr': ['igdyr', 'ridgy'], 'igloo': ['igloo', 'logoi'], 'ignatius': ['giustina', 'ignatius'], 'igneoaqueous': ['aqueoigneous', 'igneoaqueous'], 'ignicolist': ['ignicolist', 'soliciting'], 'igniter': ['igniter', 'ringite', 'tigrine'], 'ignitor': ['ignitor', 'rioting'], 'ignoble': ['gobelin', 'gobline', 'ignoble', 'inglobe'], 'ignoramus': ['graminous', 'ignoramus'], 'ignorance': ['enorganic', 'ignorance'], 'ignorant': ['ignorant', 'tongrian'], 'ignore': ['ignore', 'region'], 'ignorement': ['ignorement', 'omnigerent'], 'iguana': ['guiana', 'iguana'], 'ihlat': ['ihlat', 'tahil'], 'ihram': ['hiram', 'ihram', 'mahri'], 'ijma': ['ijma', 'jami'], 'ikat': ['atik', 'ikat'], 'ikona': ['ikona', 'konia'], 'ikra': ['ikra', 'kari', 'raki'], 'ila': ['ail', 'ila', 'lai'], 'ileac': ['alice', 'celia', 'ileac'], 'ileon': ['enoil', 'ileon', 'olein'], 'iliac': ['cilia', 'iliac'], 'iliacus': ['acilius', 'iliacus'], 'ilian': ['ilian', 'inial'], 'ilicaceae': ['caeciliae', 'ilicaceae'], 'ilioischiac': ['ilioischiac', 'ischioiliac'], 'iliosacral': ['iliosacral', 'oscillaria'], 'ilk': ['ilk', 'kil'], 'ilka': ['ilka', 'kail', 'kali'], 'ilkane': ['alkine', 'ilkane', 'inlake', 'inleak'], 'illative': ['illative', 'veiltail'], 'illaudatory': ['illaudatory', 'laudatorily'], 'illeck': ['ellick', 'illeck'], 'illinois': ['illinois', 'illision'], 'illision': ['illinois', 'illision'], 'illium': ['illium', 'lilium'], 'illoricated': ['illoricated', 'lacertiloid'], 'illth': ['illth', 'thill'], 'illude': ['dillue', 'illude'], 'illuder': ['dilluer', 'illuder'], 'illy': ['illy', 'lily', 'yill'], 'ilmenite': ['ilmenite', 'melinite', 'menilite'], 'ilongot': ['ilongot', 'tooling'], 'ilot': ['ilot', 'toil'], 'ilya': ['ilya', 'yali'], 'ima': ['aim', 'ami', 'ima'], 'imager': ['imager', 'maigre', 'margie', 'mirage'], 'imaginant': ['animating', 'imaginant'], 'imaginer': ['imaginer', 'migraine'], 'imagist': ['imagist', 'stigmai'], 'imago': ['amigo', 'imago'], 'imam': ['ammi', 'imam', 'maim', 'mima'], 'imaret': ['imaret', 'metria', 'mirate', 'rimate'], 'imbarge': ['gambier', 'imbarge'], 'imbark': ['bikram', 'imbark'], 'imbat': ['ambit', 'imbat'], 'imbed': ['bedim', 'imbed'], 'imbrue': ['erbium', 'imbrue'], 'imbrute': ['burmite', 'imbrute', 'terbium'], 'imer': ['emir', 'imer', 'mire', 'reim', 'remi', 'riem', 'rime'], 'imerina': ['imerina', 'inermia'], 'imitancy': ['imitancy', 'intimacy', 'minacity'], 'immane': ['ammine', 'immane'], 'immanes': ['amenism', 'immanes', 'misname'], 'immaterials': ['immaterials', 'materialism'], 'immerd': ['dimmer', 'immerd', 'rimmed'], 'immersible': ['immersible', 'semilimber'], 'immersion': ['immersion', 'semiminor'], 'immi': ['immi', 'mimi'], 'imogen': ['geonim', 'imogen'], 'imolinda': ['dominial', 'imolinda', 'limoniad'], 'imp': ['imp', 'pim'], 'impaction': ['impaction', 'ptomainic'], 'impages': ['impages', 'mispage'], 'impaint': ['impaint', 'timpani'], 'impair': ['impair', 'pamiri'], 'impala': ['impala', 'malapi'], 'impaler': ['impaler', 'impearl', 'lempira', 'premial'], 'impalsy': ['impalsy', 'misplay'], 'impane': ['impane', 'pieman'], 'impanel': ['impanel', 'maniple'], 'impar': ['impar', 'pamir', 'prima'], 'imparalleled': ['demiparallel', 'imparalleled'], 'imparl': ['imparl', 'primal'], 'impart': ['armpit', 'impart'], 'imparter': ['imparter', 'reimpart'], 'impartial': ['impartial', 'primatial'], 'impaste': ['impaste', 'pastime'], 'impasture': ['impasture', 'septarium'], 'impeach': ['aphemic', 'impeach'], 'impearl': ['impaler', 'impearl', 'lempira', 'premial'], 'impeder': ['demirep', 'epiderm', 'impeder', 'remiped'], 'impedient': ['impedient', 'mendipite'], 'impenetrable': ['impenetrable', 'intemperable'], 'impenetrably': ['impenetrably', 'intemperably'], 'impenetrate': ['impenetrate', 'intemperate'], 'imperant': ['imperant', 'pairment', 'partimen', 'premiant', 'tripeman'], 'imperate': ['imperate', 'premiate'], 'imperish': ['emirship', 'imperish'], 'imperscriptible': ['imperscriptible', 'imprescriptible'], 'impersonate': ['impersonate', 'proseminate'], 'impersonation': ['impersonation', 'prosemination', 'semipronation'], 'impeticos': ['impeticos', 'poeticism'], 'impetre': ['emptier', 'impetre'], 'impetus': ['impetus', 'upsmite'], 'imphee': ['imphee', 'phemie'], 'implacental': ['capillament', 'implacental'], 'implanter': ['implanter', 'reimplant'], 'implate': ['implate', 'palmite'], 'impleader': ['epidermal', 'impleader', 'premedial'], 'implicate': ['ampelitic', 'implicate'], 'impling': ['impling', 'limping'], 'imply': ['imply', 'limpy', 'pilmy'], 'impollute': ['impollute', 'multipole'], 'imponderous': ['endosporium', 'imponderous'], 'imponent': ['imponent', 'pimenton'], 'importable': ['bitemporal', 'importable'], 'importancy': ['importancy', 'patronymic', 'pyromantic'], 'importer': ['importer', 'promerit', 'reimport'], 'importunance': ['importunance', 'unimportance'], 'importunate': ['importunate', 'permutation'], 'importune': ['entropium', 'importune'], 'imposal': ['imposal', 'spiloma'], 'imposer': ['imposer', 'promise', 'semipro'], 'imposter': ['imposter', 'tripsome'], 'imposure': ['imposure', 'premious'], 'imprecatory': ['cryptomeria', 'imprecatory'], 'impreg': ['gimper', 'impreg'], 'imprescriptible': ['imperscriptible', 'imprescriptible'], 'imprese': ['emprise', 'imprese', 'premise', 'spireme'], 'impress': ['impress', 'persism', 'premiss'], 'impresser': ['impresser', 'reimpress'], 'impressibility': ['impressibility', 'permissibility'], 'impressible': ['impressible', 'permissible'], 'impressibleness': ['impressibleness', 'permissibleness'], 'impressibly': ['impressibly', 'permissibly'], 'impression': ['impression', 'permission'], 'impressionism': ['impressionism', 'misimpression'], 'impressive': ['impressive', 'permissive'], 'impressively': ['impressively', 'permissively'], 'impressiveness': ['impressiveness', 'permissiveness'], 'impressure': ['impressure', 'presurmise'], 'imprinter': ['imprinter', 'reimprint'], 'imprisoner': ['imprisoner', 'reimprison'], 'improcreant': ['improcreant', 'preromantic'], 'impship': ['impship', 'pimpish'], 'impuberal': ['epilabrum', 'impuberal'], 'impugnable': ['impugnable', 'plumbagine'], 'impure': ['impure', 'umpire'], 'impuritan': ['impuritan', 'partinium'], 'imputer': ['imputer', 'trumpie'], 'imsonic': ['iconism', 'imsonic', 'miscoin'], 'in': ['in', 'ni'], 'inaction': ['aconitin', 'inaction', 'nicotian'], 'inactivate': ['inactivate', 'vaticinate'], 'inactivation': ['inactivation', 'vaticination'], 'inactive': ['antivice', 'inactive', 'vineatic'], 'inadept': ['depaint', 'inadept', 'painted', 'patined'], 'inaja': ['inaja', 'jaina'], 'inalimental': ['antimallein', 'inalimental'], 'inamorata': ['amatorian', 'inamorata'], 'inane': ['annie', 'inane'], 'inanga': ['angina', 'inanga'], 'inanimate': ['amanitine', 'inanimate'], 'inanimated': ['diamantine', 'inanimated'], 'inapt': ['inapt', 'paint', 'pinta'], 'inaptly': ['inaptly', 'planity', 'ptyalin'], 'inarch': ['chinar', 'inarch'], 'inarm': ['inarm', 'minar'], 'inasmuch': ['humanics', 'inasmuch'], 'inaurate': ['inaurate', 'ituraean'], 'inbe': ['beni', 'bien', 'bine', 'inbe'], 'inbreak': ['brankie', 'inbreak'], 'inbreathe': ['hibernate', 'inbreathe'], 'inbred': ['binder', 'inbred', 'rebind'], 'inbreed': ['birdeen', 'inbreed'], 'inca': ['cain', 'inca'], 'incaic': ['acinic', 'incaic'], 'incarnate': ['cratinean', 'incarnate', 'nectarian'], 'incase': ['casein', 'incase'], 'incast': ['incast', 'nastic'], 'incensation': ['incensation', 'inscenation'], 'incept': ['incept', 'pectin'], 'inceptor': ['inceptor', 'pretonic'], 'inceration': ['cineration', 'inceration'], 'incessant': ['anticness', 'cantiness', 'incessant'], 'incest': ['encist', 'incest', 'insect', 'scient'], 'inch': ['chin', 'inch'], 'inched': ['chined', 'inched'], 'inchoate': ['inchoate', 'noachite'], 'incide': ['cindie', 'incide'], 'incinerate': ['creatinine', 'incinerate'], 'incisal': ['incisal', 'salicin'], 'incision': ['incision', 'inosinic'], 'incisure': ['incisure', 'sciurine'], 'inciter': ['citrine', 'crinite', 'inciter', 'neritic'], 'inclinatorium': ['anticlinorium', 'inclinatorium'], 'inclosure': ['cornelius', 'inclosure', 'reclusion'], 'include': ['include', 'nuclide'], 'incluse': ['esculin', 'incluse'], 'incog': ['coign', 'incog'], 'incognito': ['cognition', 'incognito'], 'incoherence': ['coinherence', 'incoherence'], 'incoherent': ['coinherent', 'incoherent'], 'incomeless': ['comeliness', 'incomeless'], 'incomer': ['incomer', 'moneric'], 'incomputable': ['incomputable', 'uncompatible'], 'incondite': ['incondite', 'nicotined'], 'inconglomerate': ['inconglomerate', 'nongeometrical'], 'inconsistent': ['inconsistent', 'nonscientist'], 'inconsonant': ['inconsonant', 'nonsanction'], 'incontrovertibility': ['incontrovertibility', 'introconvertibility'], 'incontrovertible': ['incontrovertible', 'introconvertible'], 'incorporate': ['incorporate', 'procreation'], 'incorporated': ['adrenotropic', 'incorporated'], 'incorpse': ['conspire', 'incorpse'], 'incrash': ['archsin', 'incrash'], 'increase': ['cerasein', 'increase'], 'increate': ['aneretic', 'centiare', 'creatine', 'increate', 'iterance'], 'incredited': ['incredited', 'indirected'], 'increep': ['crepine', 'increep'], 'increpate': ['anticreep', 'apenteric', 'increpate'], 'increst': ['cistern', 'increst'], 'incruental': ['incruental', 'unicentral'], 'incrustant': ['incrustant', 'scrutinant'], 'incrustate': ['incrustate', 'scaturient', 'scrutinate'], 'incubate': ['cubanite', 'incubate'], 'incudal': ['dulcian', 'incudal', 'lucanid', 'lucinda'], 'incudomalleal': ['incudomalleal', 'malleoincudal'], 'inculcation': ['anticouncil', 'inculcation'], 'inculture': ['culturine', 'inculture'], 'incuneation': ['enunciation', 'incuneation'], 'incur': ['curin', 'incur', 'runic'], 'incurable': ['binuclear', 'incurable'], 'incus': ['incus', 'usnic'], 'incut': ['cutin', 'incut', 'tunic'], 'ind': ['din', 'ind', 'nid'], 'indaba': ['badian', 'indaba'], 'indagator': ['gradation', 'indagator', 'tanagroid'], 'indan': ['indan', 'nandi'], 'indane': ['aidenn', 'andine', 'dannie', 'indane'], 'inde': ['dine', 'enid', 'inde', 'nide'], 'indebt': ['bident', 'indebt'], 'indebted': ['bidented', 'indebted'], 'indefinitude': ['indefinitude', 'unidentified'], 'indent': ['dentin', 'indent', 'intend', 'tinned'], 'indented': ['indented', 'intended'], 'indentedly': ['indentedly', 'intendedly'], 'indenter': ['indenter', 'intender', 'reintend'], 'indentment': ['indentment', 'intendment'], 'indentured': ['indentured', 'underntide'], 'indentwise': ['disentwine', 'indentwise'], 'indeprivable': ['indeprivable', 'predivinable'], 'indesert': ['indesert', 'inserted', 'resident'], 'indiana': ['anidian', 'indiana'], 'indic': ['dinic', 'indic'], 'indican': ['cnidian', 'indican'], 'indicate': ['diacetin', 'indicate'], 'indicatory': ['dictionary', 'indicatory'], 'indicial': ['anilidic', 'indicial'], 'indicter': ['indicter', 'indirect', 'reindict'], 'indies': ['indies', 'inside'], 'indigena': ['gadinine', 'indigena'], 'indigitate': ['indigitate', 'tingitidae'], 'indign': ['dining', 'indign', 'niding'], 'indigoferous': ['gonidiferous', 'indigoferous'], 'indigotin': ['digitonin', 'indigotin'], 'indirect': ['indicter', 'indirect', 'reindict'], 'indirected': ['incredited', 'indirected'], 'indirectly': ['cylindrite', 'indirectly'], 'indiscreet': ['indiscreet', 'indiscrete', 'iridescent'], 'indiscreetly': ['indiscreetly', 'indiscretely', 'iridescently'], 'indiscrete': ['indiscreet', 'indiscrete', 'iridescent'], 'indiscretely': ['indiscreetly', 'indiscretely', 'iridescently'], 'indissolute': ['delusionist', 'indissolute'], 'indite': ['indite', 'tineid'], 'inditer': ['inditer', 'nitride'], 'indogaean': ['ganoidean', 'indogaean'], 'indole': ['doline', 'indole', 'leonid', 'loined', 'olenid'], 'indolence': ['endocline', 'indolence'], 'indoles': ['indoles', 'sondeli'], 'indologist': ['indologist', 'nidologist'], 'indology': ['indology', 'nidology'], 'indone': ['donnie', 'indone', 'ondine'], 'indoors': ['indoors', 'sordino'], 'indorse': ['indorse', 'ordines', 'siredon', 'sordine'], 'indra': ['darin', 'dinar', 'drain', 'indra', 'nadir', 'ranid'], 'indrawn': ['indrawn', 'winnard'], 'induce': ['induce', 'uniced'], 'inducer': ['inducer', 'uncried'], 'indulge': ['dueling', 'indulge'], 'indulgential': ['dentilingual', 'indulgential', 'linguidental'], 'indulger': ['indulger', 'ungirdle'], 'indument': ['indument', 'unminted'], 'indurable': ['indurable', 'unbrailed', 'unridable'], 'indurate': ['indurate', 'turdinae'], 'induration': ['diurnation', 'induration'], 'indus': ['dinus', 'indus', 'nidus'], 'indusiform': ['disuniform', 'indusiform'], 'induviae': ['induviae', 'viduinae'], 'induvial': ['diluvian', 'induvial'], 'inearth': ['anither', 'inearth', 'naither'], 'inelastic': ['elasticin', 'inelastic', 'sciential'], 'inelegant': ['eglantine', 'inelegant', 'legantine'], 'ineludible': ['ineludible', 'unelidible'], 'inept': ['inept', 'pinte'], 'inequity': ['equinity', 'inequity'], 'inerm': ['inerm', 'miner'], 'inermes': ['ermines', 'inermes'], 'inermia': ['imerina', 'inermia'], 'inermous': ['inermous', 'monsieur'], 'inert': ['inert', 'inter', 'niter', 'retin', 'trine'], 'inertance': ['inertance', 'nectarine'], 'inertial': ['inertial', 'linarite'], 'inertly': ['elytrin', 'inertly', 'trinely'], 'inethical': ['echinital', 'inethical'], 'ineunt': ['ineunt', 'untine'], 'inez': ['inez', 'zein'], 'inface': ['fiance', 'inface'], 'infame': ['famine', 'infame'], 'infamy': ['infamy', 'manify'], 'infarct': ['frantic', 'infarct', 'infract'], 'infarction': ['infarction', 'infraction'], 'infaust': ['faunist', 'fustian', 'infaust'], 'infecter': ['frenetic', 'infecter', 'reinfect'], 'infeed': ['define', 'infeed'], 'infelt': ['finlet', 'infelt'], 'infer': ['finer', 'infer'], 'inferable': ['inferable', 'refinable'], 'infern': ['finner', 'infern'], 'inferoanterior': ['anteroinferior', 'inferoanterior'], 'inferoposterior': ['inferoposterior', 'posteroinferior'], 'infestation': ['festination', 'infestation', 'sinfonietta'], 'infester': ['infester', 'reinfest'], 'infidel': ['infidel', 'infield'], 'infield': ['infidel', 'infield'], 'inflame': ['feminal', 'inflame'], 'inflamed': ['fieldman', 'inflamed'], 'inflamer': ['inflamer', 'rifleman'], 'inflatus': ['inflatus', 'stainful'], 'inflicter': ['inflicter', 'reinflict'], 'inform': ['formin', 'inform'], 'informal': ['formalin', 'informal', 'laniform'], 'informer': ['informer', 'reinform', 'reniform'], 'infra': ['infra', 'irfan'], 'infract': ['frantic', 'infarct', 'infract'], 'infraction': ['infarction', 'infraction'], 'infringe': ['infringe', 'refining'], 'ing': ['gin', 'ing', 'nig'], 'inga': ['gain', 'inga', 'naig', 'ngai'], 'ingaevones': ['avignonese', 'ingaevones'], 'ingate': ['eating', 'ingate', 'tangie'], 'ingather': ['hearting', 'ingather'], 'ingenue': ['genuine', 'ingenue'], 'ingenuous': ['ingenuous', 'unigenous'], 'inger': ['grein', 'inger', 'nigre', 'regin', 'reign', 'ringe'], 'ingest': ['ingest', 'signet', 'stinge'], 'ingesta': ['easting', 'gainset', 'genista', 'ingesta', 'seating', 'signate', 'teasing'], 'ingle': ['ingle', 'ligne', 'linge', 'nigel'], 'inglobe': ['gobelin', 'gobline', 'ignoble', 'inglobe'], 'ingomar': ['ingomar', 'moringa', 'roaming'], 'ingram': ['arming', 'ingram', 'margin'], 'ingrate': ['angrite', 'granite', 'ingrate', 'tangier', 'tearing', 'tigrean'], 'ingrow': ['ingrow', 'rowing'], 'ingrowth': ['ingrowth', 'throwing'], 'inguinal': ['inguinal', 'unailing'], 'inguinocrural': ['cruroinguinal', 'inguinocrural'], 'inhabiter': ['inhabiter', 'reinhabit'], 'inhaler': ['hernial', 'inhaler'], 'inhauler': ['herulian', 'inhauler'], 'inhaust': ['auntish', 'inhaust'], 'inhere': ['herein', 'inhere'], 'inhumer': ['inhumer', 'rhenium'], 'inial': ['ilian', 'inial'], 'ink': ['ink', 'kin'], 'inkle': ['inkle', 'liken'], 'inkless': ['inkless', 'kinless'], 'inkling': ['inkling', 'linking'], 'inknot': ['inknot', 'tonkin'], 'inkra': ['inkra', 'krina', 'nakir', 'rinka'], 'inks': ['inks', 'sink', 'skin'], 'inlaid': ['anilid', 'dialin', 'dianil', 'inlaid'], 'inlake': ['alkine', 'ilkane', 'inlake', 'inleak'], 'inlaut': ['inlaut', 'unital'], 'inlaw': ['inlaw', 'liwan'], 'inlay': ['inlay', 'naily'], 'inlayer': ['inlayer', 'nailery'], 'inleak': ['alkine', 'ilkane', 'inlake', 'inleak'], 'inlet': ['inlet', 'linet'], 'inlook': ['inlook', 'koilon'], 'inly': ['inly', 'liny'], 'inmate': ['etamin', 'inmate', 'taimen', 'tamein'], 'inmeats': ['atenism', 'inmeats', 'insteam', 'samnite'], 'inmost': ['inmost', 'monist', 'omnist'], 'innate': ['annite', 'innate', 'tinean'], 'innative': ['innative', 'invinate'], 'innatural': ['innatural', 'triannual'], 'inner': ['inner', 'renin'], 'innerve': ['innerve', 'nervine', 'vernine'], 'innest': ['innest', 'sennit', 'sinnet', 'tennis'], 'innet': ['innet', 'tinne'], 'innominata': ['antinomian', 'innominata'], 'innovate': ['innovate', 'venation'], 'innovationist': ['innovationist', 'nonvisitation'], 'ino': ['ino', 'ion'], 'inobtainable': ['inobtainable', 'nonbilabiate'], 'inocarpus': ['inocarpus', 'unprosaic'], 'inoculant': ['continual', 'inoculant', 'unctional'], 'inocystoma': ['actomyosin', 'inocystoma'], 'inodes': ['deinos', 'donsie', 'inodes', 'onside'], 'inogen': ['genion', 'inogen'], 'inoma': ['amino', 'inoma', 'naomi', 'omani', 'omina'], 'inomyxoma': ['inomyxoma', 'myxoinoma'], 'inone': ['inone', 'oenin'], 'inoperculata': ['inoperculata', 'precautional'], 'inorb': ['biron', 'inorb', 'robin'], 'inorganic': ['conringia', 'inorganic'], 'inorganical': ['carolingian', 'inorganical'], 'inornate': ['anointer', 'inornate', 'nonirate', 'reanoint'], 'inosic': ['inosic', 'sinico'], 'inosinic': ['incision', 'inosinic'], 'inosite': ['inosite', 'sionite'], 'inphase': ['inphase', 'phineas'], 'inpush': ['inpush', 'punish', 'unship'], 'input': ['input', 'punti'], 'inquiet': ['inquiet', 'quinite'], 'inreality': ['inreality', 'linearity'], 'inro': ['inro', 'iron', 'noir', 'nori'], 'inroad': ['dorian', 'inroad', 'ordain'], 'inroader': ['inroader', 'ordainer', 'reordain'], 'inrub': ['bruin', 'burin', 'inrub'], 'inrun': ['inrun', 'inurn'], 'insane': ['insane', 'sienna'], 'insatiably': ['insatiably', 'sanability'], 'inscenation': ['incensation', 'inscenation'], 'inscient': ['inscient', 'nicenist'], 'insculp': ['insculp', 'sculpin'], 'insea': ['anise', 'insea', 'siena', 'sinae'], 'inseam': ['asimen', 'inseam', 'mesian'], 'insect': ['encist', 'incest', 'insect', 'scient'], 'insectan': ['insectan', 'instance'], 'insectile': ['insectile', 'selenitic'], 'insectivora': ['insectivora', 'visceration'], 'insecure': ['insecure', 'sinecure'], 'insee': ['insee', 'seine'], 'inseer': ['inseer', 'nereis', 'seiner', 'serine', 'sirene'], 'insert': ['estrin', 'insert', 'sinter', 'sterin', 'triens'], 'inserted': ['indesert', 'inserted', 'resident'], 'inserter': ['inserter', 'reinsert'], 'insessor': ['insessor', 'rosiness'], 'inset': ['inset', 'neist', 'snite', 'stein', 'stine', 'tsine'], 'insetter': ['insetter', 'interest', 'interset', 'sternite'], 'inshave': ['evanish', 'inshave'], 'inshoot': ['inshoot', 'insooth'], 'inside': ['indies', 'inside'], 'insider': ['insider', 'siderin'], 'insistent': ['insistent', 'tintiness'], 'insister': ['insister', 'reinsist', 'sinister', 'sisterin'], 'insole': ['insole', 'leonis', 'lesion', 'selion'], 'insomnia': ['insomnia', 'simonian'], 'insomniac': ['aniconism', 'insomniac'], 'insooth': ['inshoot', 'insooth'], 'insorb': ['insorb', 'sorbin'], 'insoul': ['insoul', 'linous', 'nilous', 'unsoil'], 'inspection': ['cispontine', 'inspection'], 'inspiriter': ['inspiriter', 'reinspirit'], 'inspissate': ['antisepsis', 'inspissate'], 'inspreith': ['inspreith', 'nephritis', 'phrenitis'], 'installer': ['installer', 'reinstall'], 'instance': ['insectan', 'instance'], 'instanter': ['instanter', 'transient'], 'instar': ['instar', 'santir', 'strain'], 'instate': ['atenist', 'instate', 'satient', 'steatin'], 'instead': ['destain', 'instead', 'sainted', 'satined'], 'insteam': ['atenism', 'inmeats', 'insteam', 'samnite'], 'instep': ['instep', 'spinet'], 'instiller': ['instiller', 'reinstill'], 'instructer': ['instructer', 'intercrust', 'reinstruct'], 'instructional': ['instructional', 'nonaltruistic'], 'insula': ['insula', 'lanius', 'lusian'], 'insulant': ['insulant', 'sultanin'], 'insulse': ['insulse', 'silenus'], 'insult': ['insult', 'sunlit', 'unlist', 'unslit'], 'insulter': ['insulter', 'lustrine', 'reinsult'], 'insunk': ['insunk', 'unskin'], 'insurable': ['insurable', 'sublinear'], 'insurance': ['insurance', 'nuisancer'], 'insurant': ['insurant', 'unstrain'], 'insure': ['insure', 'rusine', 'ursine'], 'insurge': ['insurge', 'resuing'], 'insurgent': ['insurgent', 'unresting'], 'intactile': ['catlinite', 'intactile'], 'intaglio': ['intaglio', 'ligation'], 'intake': ['intake', 'kentia'], 'intaker': ['intaker', 'katrine', 'keratin'], 'intarsia': ['antiaris', 'intarsia'], 'intarsiate': ['intarsiate', 'nestiatria'], 'integral': ['integral', 'teraglin', 'triangle'], 'integralize': ['gelatinizer', 'integralize'], 'integrate': ['argentite', 'integrate'], 'integrative': ['integrative', 'vertiginate', 'vinaigrette'], 'integrious': ['grisounite', 'grisoutine', 'integrious'], 'intemperable': ['impenetrable', 'intemperable'], 'intemperably': ['impenetrably', 'intemperably'], 'intemperate': ['impenetrate', 'intemperate'], 'intemporal': ['intemporal', 'trampoline'], 'intend': ['dentin', 'indent', 'intend', 'tinned'], 'intended': ['indented', 'intended'], 'intendedly': ['indentedly', 'intendedly'], 'intender': ['indenter', 'intender', 'reintend'], 'intendment': ['indentment', 'intendment'], 'intense': ['intense', 'sennite'], 'intent': ['intent', 'tinnet'], 'intently': ['intently', 'nitently'], 'inter': ['inert', 'inter', 'niter', 'retin', 'trine'], 'interactional': ['interactional', 'intercalation'], 'interagent': ['entreating', 'interagent'], 'interally': ['interally', 'reliantly'], 'interastral': ['interastral', 'intertarsal'], 'intercalation': ['interactional', 'intercalation'], 'intercale': ['intercale', 'interlace', 'lacertine', 'reclinate'], 'intercede': ['intercede', 'tridecene'], 'interceder': ['crednerite', 'interceder'], 'intercession': ['intercession', 'recensionist'], 'intercome': ['entomeric', 'intercome', 'morencite'], 'interconal': ['interconal', 'nonrecital'], 'intercrust': ['instructer', 'intercrust', 'reinstruct'], 'interdome': ['interdome', 'mordenite', 'nemertoid'], 'intereat': ['intereat', 'tinetare'], 'interest': ['insetter', 'interest', 'interset', 'sternite'], 'interester': ['interester', 'reinterest'], 'interfering': ['interfering', 'interfinger'], 'interfinger': ['interfering', 'interfinger'], 'intergrade': ['gradienter', 'intergrade'], 'interim': ['interim', 'termini'], 'interimistic': ['interimistic', 'trimesitinic'], 'interlace': ['intercale', 'interlace', 'lacertine', 'reclinate'], 'interlaced': ['credential', 'interlaced', 'reclinated'], 'interlaid': ['deliriant', 'draintile', 'interlaid'], 'interlap': ['interlap', 'repliant', 'triplane'], 'interlapse': ['alpestrine', 'episternal', 'interlapse', 'presential'], 'interlay': ['interlay', 'lyterian'], 'interleaf': ['interleaf', 'reinflate'], 'interleaver': ['interleaver', 'reverential'], 'interlocal': ['citronella', 'interlocal'], 'interlope': ['interlope', 'interpole', 'repletion', 'terpineol'], 'interlot': ['interlot', 'trotline'], 'intermat': ['intermat', 'martinet', 'tetramin'], 'intermatch': ['intermatch', 'thermantic'], 'intermine': ['intermine', 'nemertini', 'terminine'], 'intermorainic': ['intermorainic', 'recrimination'], 'intermutual': ['intermutual', 'ultraminute'], 'intern': ['intern', 'tinner'], 'internality': ['internality', 'itinerantly'], 'internecive': ['internecive', 'reincentive'], 'internee': ['internee', 'retinene'], 'interoceptor': ['interoceptor', 'reprotection'], 'interpause': ['interpause', 'resupinate'], 'interpave': ['interpave', 'prenative'], 'interpeal': ['interpeal', 'interplea'], 'interpellate': ['interpellate', 'pantellerite'], 'interpellation': ['interpellation', 'interpollinate'], 'interphone': ['interphone', 'pinnothere'], 'interplay': ['interplay', 'painterly'], 'interplea': ['interpeal', 'interplea'], 'interplead': ['interplead', 'peridental'], 'interpolar': ['interpolar', 'reniportal'], 'interpolate': ['interpolate', 'triantelope'], 'interpole': ['interlope', 'interpole', 'repletion', 'terpineol'], 'interpollinate': ['interpellation', 'interpollinate'], 'interpone': ['interpone', 'peritenon', 'pinnotere', 'preintone'], 'interposal': ['interposal', 'psalterion'], 'interposure': ['interposure', 'neuropteris'], 'interpreter': ['interpreter', 'reinterpret'], 'interproduce': ['interproduce', 'prereduction'], 'interroom': ['interroom', 'remontoir'], 'interrupter': ['interrupter', 'reinterrupt'], 'intersale': ['intersale', 'larsenite'], 'intersectional': ['intersectional', 'intraselection'], 'interset': ['insetter', 'interest', 'interset', 'sternite'], 'intershade': ['dishearten', 'intershade'], 'intersituate': ['intersituate', 'tenuistriate'], 'intersocial': ['intersocial', 'orleanistic', 'sclerotinia'], 'interspace': ['esperantic', 'interspace'], 'interspecific': ['interspecific', 'prescientific'], 'interspiration': ['interspiration', 'repristination'], 'intersporal': ['intersporal', 'tripersonal'], 'interstation': ['interstation', 'strontianite'], 'intertalk': ['intertalk', 'latterkin'], 'intertarsal': ['interastral', 'intertarsal'], 'interteam': ['antimeter', 'attermine', 'interteam', 'terminate', 'tetramine'], 'intertie': ['intertie', 'retinite'], 'intertone': ['intertone', 'retention'], 'intervascular': ['intervascular', 'vernacularist'], 'intervention': ['intervention', 'introvenient'], 'interverbal': ['interverbal', 'invertebral'], 'interviewer': ['interviewer', 'reinterview'], 'interwed': ['interwed', 'wintered'], 'interwish': ['interwish', 'winterish'], 'interwork': ['interwork', 'tinworker'], 'interwove': ['interwove', 'overtwine'], 'intestate': ['enstatite', 'intestate', 'satinette'], 'intestinovesical': ['intestinovesical', 'vesicointestinal'], 'inthrong': ['inthrong', 'northing'], 'intima': ['intima', 'timani'], 'intimacy': ['imitancy', 'intimacy', 'minacity'], 'intimater': ['intimater', 'traintime'], 'into': ['into', 'nito', 'oint', 'tino'], 'intoed': ['ditone', 'intoed'], 'intolerance': ['crenelation', 'intolerance'], 'intolerating': ['intolerating', 'nitrogelatin'], 'intonate': ['intonate', 'totanine'], 'intonator': ['intonator', 'tortonian'], 'intone': ['intone', 'tenino'], 'intonement': ['intonement', 'omnitenent'], 'intoner': ['intoner', 'ternion'], 'intort': ['intort', 'tornit', 'triton'], 'intoxicate': ['excitation', 'intoxicate'], 'intracoelomic': ['iconometrical', 'intracoelomic'], 'intracosmic': ['intracosmic', 'narcoticism'], 'intracostal': ['intracostal', 'stratonical'], 'intractile': ['intractile', 'triclinate'], 'intrada': ['intrada', 'radiant'], 'intraselection': ['intersectional', 'intraselection'], 'intraseptal': ['intraseptal', 'paternalist', 'prenatalist'], 'intraspinal': ['intraspinal', 'pinnitarsal'], 'intreat': ['intreat', 'iterant', 'nitrate', 'tertian'], 'intrencher': ['intrencher', 'reintrench'], 'intricate': ['intricate', 'triactine'], 'intrication': ['citrination', 'intrication'], 'intrigue': ['intrigue', 'tigurine'], 'introconvertibility': ['incontrovertibility', 'introconvertibility'], 'introconvertible': ['incontrovertible', 'introconvertible'], 'introduce': ['introduce', 'reduction'], 'introit': ['introit', 'nitriot'], 'introitus': ['introitus', 'routinist'], 'introvenient': ['intervention', 'introvenient'], 'intrude': ['intrude', 'turdine', 'untired', 'untried'], 'intruse': ['intruse', 'sturine'], 'intrust': ['intrust', 'sturtin'], 'intube': ['butein', 'butine', 'intube'], 'intue': ['intue', 'unite', 'untie'], 'inula': ['inula', 'luian', 'uinal'], 'inurbane': ['eburnian', 'inurbane'], 'inure': ['inure', 'urine'], 'inured': ['diurne', 'inured', 'ruined', 'unride'], 'inurn': ['inrun', 'inurn'], 'inustion': ['inustion', 'unionist'], 'invader': ['invader', 'ravined', 'viander'], 'invaluable': ['invaluable', 'unvailable'], 'invar': ['invar', 'ravin', 'vanir'], 'invector': ['contrive', 'invector'], 'inveigler': ['inveigler', 'relieving'], 'inventer': ['inventer', 'reinvent', 'ventrine', 'vintener'], 'inventress': ['inventress', 'vintneress'], 'inverness': ['inverness', 'nerviness'], 'inversatile': ['inversatile', 'serviential'], 'inverse': ['inverse', 'versine'], 'invert': ['invert', 'virent'], 'invertase': ['invertase', 'servetian'], 'invertebral': ['interverbal', 'invertebral'], 'inverter': ['inverter', 'reinvert', 'trinerve'], 'investigation': ['investigation', 'tenovaginitis'], 'invinate': ['innative', 'invinate'], 'inviter': ['inviter', 'vitrine'], 'invocate': ['conative', 'invocate'], 'invoker': ['invoker', 'overink'], 'involucrate': ['countervail', 'involucrate'], 'involucre': ['involucre', 'volucrine'], 'inwards': ['inwards', 'sinward'], 'inwith': ['inwith', 'within'], 'iodate': ['idotea', 'iodate', 'otidae'], 'iodhydrate': ['hydriodate', 'iodhydrate'], 'iodhydric': ['hydriodic', 'iodhydric'], 'iodinate': ['ideation', 'iodinate', 'taenioid'], 'iodinium': ['iodinium', 'ionidium'], 'iodism': ['idoism', 'iodism'], 'iodite': ['iodite', 'teioid'], 'iodo': ['iodo', 'ooid'], 'iodocasein': ['iodocasein', 'oniscoidea'], 'iodochloride': ['chloroiodide', 'iodochloride'], 'iodohydric': ['hydroiodic', 'iodohydric'], 'iodol': ['dooli', 'iodol'], 'iodothyrin': ['iodothyrin', 'thyroiodin'], 'iodous': ['iodous', 'odious'], 'ion': ['ino', 'ion'], 'ionidium': ['iodinium', 'ionidium'], 'ionizer': ['ionizer', 'ironize'], 'iota': ['iota', 'tiao'], 'iotacist': ['iotacist', 'taoistic'], 'ipecac': ['icecap', 'ipecac'], 'ipil': ['ipil', 'pili'], 'ipseand': ['ipseand', 'panside', 'pansied'], 'ira': ['air', 'ira', 'ria'], 'iracund': ['candiru', 'iracund'], 'irade': ['aider', 'deair', 'irade', 'redia'], 'iran': ['arni', 'iran', 'nair', 'rain', 'rani'], 'irani': ['irani', 'irian'], 'iranism': ['iranism', 'sirmian'], 'iranist': ['iranist', 'istrian'], 'irascent': ['canister', 'cestrian', 'cisterna', 'irascent'], 'irate': ['arite', 'artie', 'irate', 'retia', 'tarie'], 'irately': ['irately', 'reality'], 'ire': ['ire', 'rie'], 'irena': ['erian', 'irena', 'reina'], 'irene': ['ernie', 'ierne', 'irene'], 'irenic': ['irenic', 'ricine'], 'irenics': ['irenics', 'resinic', 'sericin', 'sirenic'], 'irenicum': ['irenicum', 'muricine'], 'iresine': ['iresine', 'iserine'], 'irfan': ['infra', 'irfan'], 'irgun': ['irgun', 'ruing', 'unrig'], 'irian': ['irani', 'irian'], 'iridal': ['iridal', 'lariid'], 'iridate': ['arietid', 'iridate'], 'iridectomy': ['iridectomy', 'mediocrity'], 'irides': ['irides', 'irised'], 'iridescent': ['indiscreet', 'indiscrete', 'iridescent'], 'iridescently': ['indiscreetly', 'indiscretely', 'iridescently'], 'iridosmium': ['iridosmium', 'osmiridium'], 'irised': ['irides', 'irised'], 'irish': ['irish', 'rishi', 'sirih'], 'irk': ['irk', 'rik'], 'irma': ['amir', 'irma', 'mari', 'mira', 'rami', 'rima'], 'iroha': ['haori', 'iroha'], 'irok': ['irok', 'kori'], 'iron': ['inro', 'iron', 'noir', 'nori'], 'ironclad': ['ironclad', 'rolandic'], 'irone': ['irone', 'norie'], 'ironhead': ['herodian', 'ironhead'], 'ironice': ['ironice', 'oneiric'], 'ironize': ['ionizer', 'ironize'], 'ironshod': ['dishonor', 'ironshod'], 'ironside': ['derision', 'ironside', 'resinoid', 'sirenoid'], 'irradiant': ['irradiant', 'triandria'], 'irrationable': ['irrationable', 'orbitelarian'], 'irredenta': ['irredenta', 'retainder'], 'irrelate': ['irrelate', 'retailer'], 'irrepentance': ['irrepentance', 'pretercanine'], 'irving': ['irving', 'riving', 'virgin'], 'irvingiana': ['irvingiana', 'viraginian'], 'is': ['is', 'si'], 'isabel': ['isabel', 'lesbia'], 'isabella': ['isabella', 'sailable'], 'isagogical': ['isagogical', 'sialagogic'], 'isagon': ['gosain', 'isagon', 'sagoin'], 'isander': ['andries', 'isander', 'sardine'], 'isanthous': ['anhistous', 'isanthous'], 'isatate': ['isatate', 'satiate', 'taetsia'], 'isatic': ['isatic', 'saitic'], 'isatin': ['antisi', 'isatin'], 'isatinic': ['isatinic', 'sinaitic'], 'isaurian': ['anisuria', 'isaurian'], 'isawa': ['isawa', 'waasi'], 'isba': ['absi', 'bais', 'bias', 'isba'], 'iscariot': ['aoristic', 'iscariot'], 'ischemia': ['hemiasci', 'ischemia'], 'ischioiliac': ['ilioischiac', 'ischioiliac'], 'ischiorectal': ['ischiorectal', 'sciotherical'], 'iserine': ['iresine', 'iserine'], 'iseum': ['iseum', 'musie'], 'isiac': ['ascii', 'isiac'], 'isidore': ['isidore', 'osiride'], 'isis': ['isis', 'sisi'], 'islam': ['islam', 'ismal', 'simal'], 'islamic': ['islamic', 'laicism', 'silicam'], 'islamitic': ['islamitic', 'italicism'], 'islandy': ['islandy', 'lindsay'], 'islay': ['islay', 'saily'], 'isle': ['isle', 'lise', 'sile'], 'islet': ['islet', 'istle', 'slite', 'stile'], 'isleta': ['isleta', 'litsea', 'salite', 'stelai'], 'isleted': ['idleset', 'isleted'], 'ism': ['ism', 'sim'], 'ismal': ['islam', 'ismal', 'simal'], 'ismatic': ['ismatic', 'itacism'], 'ismatical': ['ismatical', 'lamaistic'], 'isocamphor': ['chromopsia', 'isocamphor'], 'isoclinal': ['collinsia', 'isoclinal'], 'isocline': ['isocline', 'silicone'], 'isocoumarin': ['acrimonious', 'isocoumarin'], 'isodulcite': ['isodulcite', 'solicitude'], 'isogen': ['geison', 'isogen'], 'isogeotherm': ['geoisotherm', 'isogeotherm'], 'isogon': ['isogon', 'songoi'], 'isogram': ['isogram', 'orgiasm'], 'isohel': ['helios', 'isohel'], 'isoheptane': ['apothesine', 'isoheptane'], 'isolate': ['aeolist', 'isolate'], 'isolated': ['diastole', 'isolated', 'sodalite', 'solidate'], 'isolative': ['isolative', 'soliative'], 'isolde': ['isolde', 'soiled'], 'isomer': ['isomer', 'rimose'], 'isometric': ['eroticism', 'isometric', 'meroistic', 'trioecism'], 'isomorph': ['isomorph', 'moorship'], 'isonitrile': ['isonitrile', 'resilition'], 'isonym': ['isonym', 'myosin', 'simony'], 'isophthalyl': ['isophthalyl', 'lithophysal'], 'isopodan': ['anisopod', 'isopodan'], 'isoptera': ['isoptera', 'septoria'], 'isosaccharic': ['isosaccharic', 'sacroischiac'], 'isostere': ['erotesis', 'isostere'], 'isotac': ['isotac', 'scotia'], 'isotheral': ['horsetail', 'isotheral'], 'isotherm': ['homerist', 'isotherm', 'otherism', 'theorism'], 'isotria': ['isotria', 'oaritis'], 'isotron': ['isotron', 'torsion'], 'isotrope': ['isotrope', 'portoise'], 'isotropism': ['isotropism', 'promitosis'], 'isotropy': ['isotropy', 'porosity'], 'israel': ['israel', 'relais', 'resail', 'sailer', 'serail', 'serial'], 'israeli': ['alisier', 'israeli'], 'israelite': ['israelite', 'resiliate'], 'issuable': ['basileus', 'issuable', 'suasible'], 'issuant': ['issuant', 'sustain'], 'issue': ['issue', 'susie'], 'issuer': ['issuer', 'uresis'], 'ist': ['ist', 'its', 'sit'], 'isthmi': ['isthmi', 'timish'], 'isthmian': ['isthmian', 'smithian'], 'isthmoid': ['isthmoid', 'thomisid'], 'istle': ['islet', 'istle', 'slite', 'stile'], 'istrian': ['iranist', 'istrian'], 'isuret': ['isuret', 'resuit'], 'it': ['it', 'ti'], 'ita': ['ait', 'ati', 'ita', 'tai'], 'itacism': ['ismatic', 'itacism'], 'itaconate': ['acetation', 'itaconate'], 'itaconic': ['aconitic', 'cationic', 'itaconic'], 'itali': ['itali', 'tilia'], 'italian': ['antilia', 'italian'], 'italic': ['clitia', 'italic'], 'italicism': ['islamitic', 'italicism'], 'italite': ['italite', 'letitia', 'tilaite'], 'italon': ['italon', 'lation', 'talion'], 'itaves': ['itaves', 'stevia'], 'itch': ['chit', 'itch', 'tchi'], 'item': ['emit', 'item', 'mite', 'time'], 'iten': ['iten', 'neti', 'tien', 'tine'], 'itenean': ['aniente', 'itenean'], 'iter': ['iter', 'reit', 'rite', 'teri', 'tier', 'tire'], 'iterable': ['iterable', 'liberate'], 'iterance': ['aneretic', 'centiare', 'creatine', 'increate', 'iterance'], 'iterant': ['intreat', 'iterant', 'nitrate', 'tertian'], 'ithaca': ['cahita', 'ithaca'], 'ithacan': ['ithacan', 'tachina'], 'ither': ['ither', 'their'], 'itinerant': ['itinerant', 'nitratine'], 'itinerantly': ['internality', 'itinerantly'], 'itmo': ['itmo', 'moit', 'omit', 'timo'], 'ito': ['ito', 'toi'], 'itoism': ['itoism', 'omitis'], 'itoist': ['itoist', 'otitis'], 'itoland': ['itoland', 'talonid', 'tindalo'], 'itonama': ['amniota', 'itonama'], 'itonia': ['aition', 'itonia'], 'its': ['ist', 'its', 'sit'], 'itself': ['itself', 'stifle'], 'ituraean': ['inaurate', 'ituraean'], 'itza': ['itza', 'tiza', 'zati'], 'iva': ['iva', 'vai', 'via'], 'ivan': ['ivan', 'vain', 'vina'], 'ivorist': ['ivorist', 'visitor'], 'iwaiwa': ['iwaiwa', 'waiwai'], 'ixiama': ['amixia', 'ixiama'], 'ixodic': ['ixodic', 'oxidic'], 'iyo': ['iyo', 'yoi'], 'izar': ['izar', 'zira'], 'jacami': ['jacami', 'jicama'], 'jacobian': ['bajocian', 'jacobian'], 'jag': ['gaj', 'jag'], 'jagir': ['jagir', 'jirga'], 'jagua': ['ajuga', 'jagua'], 'jail': ['jail', 'lija'], 'jailer': ['jailer', 'rejail'], 'jaime': ['jaime', 'jamie'], 'jain': ['jain', 'jina'], 'jaina': ['inaja', 'jaina'], 'jalouse': ['jalouse', 'jealous'], 'jama': ['jama', 'maja'], 'jamesian': ['jamesian', 'jamesina'], 'jamesina': ['jamesian', 'jamesina'], 'jami': ['ijma', 'jami'], 'jamie': ['jaime', 'jamie'], 'jane': ['jane', 'jean'], 'janos': ['janos', 'jason', 'jonas', 'sonja'], 'jantu': ['jantu', 'jaunt', 'junta'], 'januslike': ['januslike', 'seljukian'], 'japonism': ['japonism', 'pajonism'], 'jar': ['jar', 'raj'], 'jara': ['ajar', 'jara', 'raja'], 'jarmo': ['jarmo', 'major'], 'jarnut': ['jarnut', 'jurant'], 'jason': ['janos', 'jason', 'jonas', 'sonja'], 'jat': ['jat', 'taj'], 'jatki': ['jatki', 'tajik'], 'jato': ['jato', 'jota'], 'jaun': ['jaun', 'juan'], 'jaunt': ['jantu', 'jaunt', 'junta'], 'jaup': ['jaup', 'puja'], 'jealous': ['jalouse', 'jealous'], 'jean': ['jane', 'jean'], 'jebusitical': ['jebusitical', 'justiciable'], 'jecoral': ['cajoler', 'jecoral'], 'jeffery': ['jeffery', 'jeffrey'], 'jeffrey': ['jeffery', 'jeffrey'], 'jejunoduodenal': ['duodenojejunal', 'jejunoduodenal'], 'jenine': ['jenine', 'jennie'], 'jennie': ['jenine', 'jennie'], 'jerker': ['jerker', 'rejerk'], 'jerkin': ['jerkin', 'jinker'], 'jeziah': ['hejazi', 'jeziah'], 'jicama': ['jacami', 'jicama'], 'jihad': ['hadji', 'jihad'], 'jina': ['jain', 'jina'], 'jingoist': ['jingoist', 'joisting'], 'jinker': ['jerkin', 'jinker'], 'jirga': ['jagir', 'jirga'], 'jobo': ['bojo', 'jobo'], 'johan': ['johan', 'jonah'], 'join': ['join', 'joni'], 'joinant': ['joinant', 'jotnian'], 'joiner': ['joiner', 'rejoin'], 'jointless': ['jointless', 'joltiness'], 'joisting': ['jingoist', 'joisting'], 'jolter': ['jolter', 'rejolt'], 'joltiness': ['jointless', 'joltiness'], 'jonah': ['johan', 'jonah'], 'jonas': ['janos', 'jason', 'jonas', 'sonja'], 'joni': ['join', 'joni'], 'joom': ['joom', 'mojo'], 'joshi': ['joshi', 'shoji'], 'jota': ['jato', 'jota'], 'jotnian': ['joinant', 'jotnian'], 'journeyer': ['journeyer', 'rejourney'], 'joust': ['joust', 'justo'], 'juan': ['jaun', 'juan'], 'judaic': ['judaic', 'judica'], 'judica': ['judaic', 'judica'], 'jujitsu': ['jujitsu', 'jujuist'], 'jujuist': ['jujitsu', 'jujuist'], 'junta': ['jantu', 'jaunt', 'junta'], 'jurant': ['jarnut', 'jurant'], 'justiciable': ['jebusitical', 'justiciable'], 'justo': ['joust', 'justo'], 'jute': ['jute', 'teju'], 'ka': ['ak', 'ka'], 'kabel': ['blake', 'bleak', 'kabel'], 'kaberu': ['kaberu', 'kubera'], 'kabuli': ['kabuli', 'kiluba'], 'kabyle': ['bleaky', 'kabyle'], 'kachari': ['chakari', 'chikara', 'kachari'], 'kachin': ['hackin', 'kachin'], 'kafir': ['fakir', 'fraik', 'kafir', 'rafik'], 'kaha': ['akha', 'kaha'], 'kahar': ['harka', 'kahar'], 'kahu': ['haku', 'kahu'], 'kaid': ['dika', 'kaid'], 'kaik': ['kaik', 'kaki'], 'kail': ['ilka', 'kail', 'kali'], 'kainga': ['kainga', 'kanagi'], 'kaiwi': ['kaiwi', 'kiwai'], 'kaka': ['akka', 'kaka'], 'kaki': ['kaik', 'kaki'], 'kala': ['akal', 'kala'], 'kalamian': ['kalamian', 'malikana'], 'kaldani': ['danakil', 'dankali', 'kaldani', 'ladakin'], 'kale': ['kale', 'lake', 'leak'], 'kali': ['ilka', 'kail', 'kali'], 'kalo': ['kalo', 'kola', 'loka'], 'kamansi': ['kamansi', 'kamasin'], 'kamares': ['kamares', 'seamark'], 'kamasin': ['kamansi', 'kamasin'], 'kame': ['kame', 'make', 'meak'], 'kamel': ['kamel', 'kemal'], 'kamiya': ['kamiya', 'yakima'], 'kan': ['kan', 'nak'], 'kana': ['akan', 'kana'], 'kanagi': ['kainga', 'kanagi'], 'kanap': ['kanap', 'panak'], 'kanat': ['kanat', 'tanak', 'tanka'], 'kande': ['kande', 'knead', 'naked'], 'kang': ['kang', 'knag'], 'kanga': ['angka', 'kanga'], 'kangani': ['kangani', 'kiangan'], 'kangli': ['kangli', 'laking'], 'kanred': ['darken', 'kanred', 'ranked'], 'kans': ['kans', 'sank'], 'kaolin': ['ankoli', 'kaolin'], 'karch': ['chark', 'karch'], 'karel': ['karel', 'laker'], 'karen': ['anker', 'karen', 'naker'], 'kari': ['ikra', 'kari', 'raki'], 'karite': ['arkite', 'karite'], 'karl': ['karl', 'kral', 'lark'], 'karling': ['karling', 'larking'], 'karma': ['karma', 'krama', 'marka'], 'karo': ['karo', 'kora', 'okra', 'roka'], 'karree': ['karree', 'rerake'], 'karst': ['karst', 'skart', 'stark'], 'karstenite': ['karstenite', 'kersantite'], 'kartel': ['kartel', 'retalk', 'talker'], 'kasa': ['asak', 'kasa', 'saka'], 'kasbah': ['abkhas', 'kasbah'], 'kasha': ['kasha', 'khasa', 'sakha', 'shaka'], 'kashan': ['kashan', 'sankha'], 'kasher': ['kasher', 'shaker'], 'kashi': ['kashi', 'khasi'], 'kasm': ['kasm', 'mask'], 'katar': ['katar', 'takar'], 'kate': ['kate', 'keta', 'take', 'teak'], 'kath': ['kath', 'khat'], 'katharsis': ['katharsis', 'shastraik'], 'katie': ['katie', 'keita'], 'katik': ['katik', 'tikka'], 'katrine': ['intaker', 'katrine', 'keratin'], 'katy': ['katy', 'kyat', 'taky'], 'kavass': ['kavass', 'vakass'], 'kavi': ['kavi', 'kiva'], 'kay': ['kay', 'yak'], 'kayak': ['kayak', 'yakka'], 'kayan': ['kayan', 'yakan'], 'kayo': ['kayo', 'oaky'], 'kea': ['ake', 'kea'], 'keach': ['cheka', 'keach'], 'keawe': ['aweek', 'keawe'], 'kechel': ['heckle', 'kechel'], 'kedar': ['daker', 'drake', 'kedar', 'radek'], 'kee': ['eke', 'kee'], 'keech': ['cheek', 'cheke', 'keech'], 'keel': ['keel', 'kele', 'leek'], 'keen': ['keen', 'knee'], 'keena': ['aknee', 'ankee', 'keena'], 'keep': ['keep', 'peek'], 'keepership': ['keepership', 'shipkeeper'], 'kees': ['kees', 'seek', 'skee'], 'keest': ['keest', 'skeet', 'skete', 'steek'], 'kefir': ['frike', 'kefir'], 'keid': ['dike', 'keid'], 'keita': ['katie', 'keita'], 'keith': ['keith', 'kithe'], 'keitloa': ['keitloa', 'oatlike'], 'kelchin': ['chinkle', 'kelchin'], 'kele': ['keel', 'kele', 'leek'], 'kelima': ['kelima', 'mikael'], 'kelpie': ['kelpie', 'pelike'], 'kelty': ['kelty', 'ketyl'], 'kemal': ['kamel', 'kemal'], 'kemalist': ['kemalist', 'mastlike'], 'kenareh': ['hearken', 'kenareh'], 'kennel': ['kennel', 'nelken'], 'kenotic': ['kenotic', 'ketonic'], 'kent': ['kent', 'knet'], 'kentia': ['intake', 'kentia'], 'kenton': ['kenton', 'nekton'], 'kepi': ['kepi', 'kipe', 'pike'], 'keralite': ['keralite', 'tearlike'], 'kerasin': ['kerasin', 'sarkine'], 'kerat': ['kerat', 'taker'], 'keratin': ['intaker', 'katrine', 'keratin'], 'keratoangioma': ['angiokeratoma', 'keratoangioma'], 'keratosis': ['asterikos', 'keratosis'], 'keres': ['esker', 'keres', 'reesk', 'seker', 'skeer', 'skere'], 'keresan': ['keresan', 'sneaker'], 'kerewa': ['kerewa', 'rewake'], 'kerf': ['ferk', 'kerf'], 'kern': ['kern', 'renk'], 'kersantite': ['karstenite', 'kersantite'], 'kersey': ['kersey', 'skeery'], 'kestrel': ['kestrel', 'skelter'], 'keta': ['kate', 'keta', 'take', 'teak'], 'ketene': ['ektene', 'ketene'], 'keto': ['keto', 'oket', 'toke'], 'ketol': ['ketol', 'loket'], 'ketonic': ['kenotic', 'ketonic'], 'ketu': ['ketu', 'teuk', 'tuke'], 'ketupa': ['ketupa', 'uptake'], 'ketyl': ['kelty', 'ketyl'], 'keup': ['keup', 'puke'], 'keuper': ['keuper', 'peruke'], 'kevan': ['kevan', 'knave'], 'kha': ['hak', 'kha'], 'khami': ['hakim', 'khami'], 'khan': ['ankh', 'hank', 'khan'], 'khar': ['hark', 'khar', 'rakh'], 'khasa': ['kasha', 'khasa', 'sakha', 'shaka'], 'khasi': ['kashi', 'khasi'], 'khat': ['kath', 'khat'], 'khatib': ['bhakti', 'khatib'], 'khila': ['khila', 'kilah'], 'khu': ['huk', 'khu'], 'khula': ['khula', 'kulah'], 'kiangan': ['kangani', 'kiangan'], 'kibe': ['bike', 'kibe'], 'kicker': ['kicker', 'rekick'], 'kickout': ['kickout', 'outkick'], 'kidney': ['dinkey', 'kidney'], 'kids': ['disk', 'kids', 'skid'], 'kiel': ['kiel', 'like'], 'kier': ['erik', 'kier', 'reki'], 'kiku': ['kiku', 'kuki'], 'kikumon': ['kikumon', 'kokumin'], 'kil': ['ilk', 'kil'], 'kilah': ['khila', 'kilah'], 'kiliare': ['airlike', 'kiliare'], 'killcalf': ['calfkill', 'killcalf'], 'killer': ['killer', 'rekill'], 'kiln': ['kiln', 'link'], 'kilnman': ['kilnman', 'linkman'], 'kilo': ['kilo', 'koil', 'koli'], 'kilp': ['kilp', 'klip'], 'kilter': ['kilter', 'kirtle'], 'kilting': ['kilting', 'kitling'], 'kiluba': ['kabuli', 'kiluba'], 'kimberlite': ['kimberlite', 'timberlike'], 'kimnel': ['kimnel', 'milken'], 'kin': ['ink', 'kin'], 'kina': ['akin', 'kina', 'naik'], 'kinase': ['kinase', 'sekani'], 'kinch': ['chink', 'kinch'], 'kind': ['dink', 'kind'], 'kindle': ['kindle', 'linked'], 'kinetomer': ['kinetomer', 'konimeter'], 'king': ['gink', 'king'], 'kingcob': ['bocking', 'kingcob'], 'kingpin': ['kingpin', 'pinking'], 'kingrow': ['kingrow', 'working'], 'kinless': ['inkless', 'kinless'], 'kinship': ['kinship', 'pinkish'], 'kioko': ['kioko', 'kokio'], 'kip': ['kip', 'pik'], 'kipe': ['kepi', 'kipe', 'pike'], 'kirk': ['kirk', 'rikk'], 'kirktown': ['kirktown', 'knitwork'], 'kirn': ['kirn', 'rink'], 'kirsten': ['kirsten', 'kristen', 'stinker'], 'kirsty': ['kirsty', 'skirty'], 'kirtle': ['kilter', 'kirtle'], 'kirve': ['kirve', 'kiver'], 'kish': ['kish', 'shik', 'sikh'], 'kishen': ['kishen', 'neskhi'], 'kisra': ['kisra', 'sikar', 'skair'], 'kissar': ['kissar', 'krasis'], 'kisser': ['kisser', 'rekiss'], 'kist': ['kist', 'skit'], 'kistful': ['kistful', 'lutfisk'], 'kitab': ['batik', 'kitab'], 'kitan': ['kitan', 'takin'], 'kitar': ['kitar', 'krait', 'rakit', 'traik'], 'kitchen': ['kitchen', 'thicken'], 'kitchener': ['kitchener', 'rethicken', 'thickener'], 'kithe': ['keith', 'kithe'], 'kitling': ['kilting', 'kitling'], 'kitlope': ['kitlope', 'potlike', 'toplike'], 'kittel': ['kittel', 'kittle'], 'kittle': ['kittel', 'kittle'], 'kittles': ['kittles', 'skittle'], 'kiva': ['kavi', 'kiva'], 'kiver': ['kirve', 'kiver'], 'kiwai': ['kaiwi', 'kiwai'], 'klan': ['klan', 'lank'], 'klanism': ['klanism', 'silkman'], 'klaus': ['klaus', 'lukas', 'sulka'], 'kleistian': ['kleistian', 'saintlike', 'satinlike'], 'klendusic': ['klendusic', 'unsickled'], 'kling': ['glink', 'kling'], 'klip': ['kilp', 'klip'], 'klop': ['klop', 'polk'], 'knab': ['bank', 'knab', 'nabk'], 'knag': ['kang', 'knag'], 'knap': ['knap', 'pank'], 'knape': ['knape', 'pekan'], 'knar': ['knar', 'kran', 'nark', 'rank'], 'knave': ['kevan', 'knave'], 'knawel': ['knawel', 'wankle'], 'knead': ['kande', 'knead', 'naked'], 'knee': ['keen', 'knee'], 'knet': ['kent', 'knet'], 'knit': ['knit', 'tink'], 'knitter': ['knitter', 'trinket'], 'knitwork': ['kirktown', 'knitwork'], 'knob': ['bonk', 'knob'], 'knot': ['knot', 'tonk'], 'knottiness': ['knottiness', 'stinkstone'], 'knower': ['knower', 'reknow', 'wroken'], 'knub': ['bunk', 'knub'], 'knurly': ['knurly', 'runkly'], 'knut': ['knut', 'tunk'], 'knute': ['knute', 'unket'], 'ko': ['ko', 'ok'], 'koa': ['ako', 'koa', 'oak', 'oka'], 'koali': ['koali', 'koila'], 'kobu': ['bouk', 'kobu'], 'koch': ['hock', 'koch'], 'kochia': ['choiak', 'kochia'], 'koel': ['koel', 'loke'], 'koi': ['koi', 'oki'], 'koil': ['kilo', 'koil', 'koli'], 'koila': ['koali', 'koila'], 'koilon': ['inlook', 'koilon'], 'kokan': ['kokan', 'konak'], 'kokio': ['kioko', 'kokio'], 'kokumin': ['kikumon', 'kokumin'], 'kola': ['kalo', 'kola', 'loka'], 'koli': ['kilo', 'koil', 'koli'], 'kolo': ['kolo', 'look'], 'kome': ['kome', 'moke'], 'komi': ['komi', 'moki'], 'kona': ['kona', 'nako'], 'konak': ['kokan', 'konak'], 'kongo': ['kongo', 'ngoko'], 'kongoni': ['kongoni', 'nooking'], 'konia': ['ikona', 'konia'], 'konimeter': ['kinetomer', 'konimeter'], 'kor': ['kor', 'rok'], 'kora': ['karo', 'kora', 'okra', 'roka'], 'korait': ['korait', 'troika'], 'koran': ['koran', 'krona'], 'korana': ['anorak', 'korana'], 'kore': ['kore', 'roke'], 'korec': ['coker', 'corke', 'korec'], 'korero': ['korero', 'rooker'], 'kori': ['irok', 'kori'], 'korimako': ['korimako', 'koromika'], 'koromika': ['korimako', 'koromika'], 'korwa': ['awork', 'korwa'], 'kory': ['kory', 'roky', 'york'], 'kos': ['kos', 'sok'], 'koso': ['koso', 'skoo', 'sook'], 'kotar': ['kotar', 'tarok'], 'koto': ['koto', 'toko', 'took'], 'kra': ['ark', 'kra'], 'krait': ['kitar', 'krait', 'rakit', 'traik'], 'kraken': ['kraken', 'nekkar'], 'kral': ['karl', 'kral', 'lark'], 'krama': ['karma', 'krama', 'marka'], 'kran': ['knar', 'kran', 'nark', 'rank'], 'kras': ['askr', 'kras', 'sark'], 'krasis': ['kissar', 'krasis'], 'kraut': ['kraut', 'tukra'], 'kreis': ['kreis', 'skier'], 'kreistle': ['kreistle', 'triskele'], 'krepi': ['krepi', 'piker'], 'krina': ['inkra', 'krina', 'nakir', 'rinka'], 'kris': ['kris', 'risk'], 'krishna': ['krishna', 'rankish'], 'kristen': ['kirsten', 'kristen', 'stinker'], 'krona': ['koran', 'krona'], 'krone': ['ekron', 'krone'], 'kroo': ['kroo', 'rook'], 'krosa': ['krosa', 'oskar'], 'kua': ['aku', 'auk', 'kua'], 'kuar': ['kuar', 'raku', 'rauk'], 'kuba': ['baku', 'kuba'], 'kubera': ['kaberu', 'kubera'], 'kuki': ['kiku', 'kuki'], 'kulah': ['khula', 'kulah'], 'kulimit': ['kulimit', 'tilikum'], 'kulm': ['kulm', 'mulk'], 'kuman': ['kuman', 'naumk'], 'kumhar': ['kumhar', 'kumrah'], 'kumrah': ['kumhar', 'kumrah'], 'kunai': ['kunai', 'nikau'], 'kuneste': ['kuneste', 'netsuke'], 'kung': ['gunk', 'kung'], 'kurmi': ['kurmi', 'mukri'], 'kurt': ['kurt', 'turk'], 'kurus': ['kurus', 'ursuk'], 'kusa': ['kusa', 'skua'], 'kusam': ['kusam', 'sumak'], 'kusan': ['ankus', 'kusan'], 'kusha': ['kusha', 'shaku', 'ushak'], 'kutchin': ['kutchin', 'unthick'], 'kutenai': ['kutenai', 'unakite'], 'kyar': ['kyar', 'yark'], 'kyat': ['katy', 'kyat', 'taky'], 'kyle': ['kyle', 'yelk'], 'kylo': ['kylo', 'yolk'], 'kyte': ['kyte', 'tyke'], 'la': ['al', 'la'], 'laager': ['aglare', 'alegar', 'galera', 'laager'], 'laang': ['laang', 'lagan', 'lagna'], 'lab': ['alb', 'bal', 'lab'], 'laban': ['alban', 'balan', 'banal', 'laban', 'nabal', 'nabla'], 'labber': ['barbel', 'labber', 'rabble'], 'labefact': ['factable', 'labefact'], 'label': ['bella', 'label'], 'labeler': ['labeler', 'relabel'], 'labia': ['balai', 'labia'], 'labial': ['abilla', 'labial'], 'labially': ['alliably', 'labially'], 'labiate': ['baalite', 'bialate', 'labiate'], 'labiella': ['alliable', 'labiella'], 'labile': ['alible', 'belial', 'labile', 'liable'], 'labiocervical': ['cervicolabial', 'labiocervical'], 'labiodental': ['dentolabial', 'labiodental'], 'labioglossal': ['glossolabial', 'labioglossal'], 'labioglossolaryngeal': ['glossolabiolaryngeal', 'labioglossolaryngeal'], 'labioglossopharyngeal': ['glossolabiopharyngeal', 'labioglossopharyngeal'], 'labiomental': ['labiomental', 'mentolabial'], 'labionasal': ['labionasal', 'nasolabial'], 'labiovelar': ['bialveolar', 'labiovelar'], 'labis': ['basil', 'labis'], 'labor': ['balor', 'bolar', 'boral', 'labor', 'lobar'], 'laborant': ['balatron', 'laborant'], 'laborism': ['laborism', 'mislabor'], 'laborist': ['laborist', 'strobila'], 'laborite': ['betailor', 'laborite', 'orbitale'], 'labrador': ['labrador', 'larboard'], 'labret': ['albert', 'balter', 'labret', 'tabler'], 'labridae': ['labridae', 'radiable'], 'labrose': ['borlase', 'labrose', 'rosabel'], 'labrum': ['brumal', 'labrum', 'lumbar', 'umbral'], 'labrus': ['bursal', 'labrus'], 'laburnum': ['alburnum', 'laburnum'], 'lac': ['cal', 'lac'], 'lace': ['acle', 'alec', 'lace'], 'laced': ['clead', 'decal', 'laced'], 'laceman': ['laceman', 'manacle'], 'lacepod': ['lacepod', 'pedocal', 'placode'], 'lacer': ['ceral', 'clare', 'clear', 'lacer'], 'lacerable': ['clearable', 'lacerable'], 'lacerate': ['lacerate', 'lacertae'], 'laceration': ['creational', 'crotalinae', 'laceration', 'reactional'], 'lacerative': ['calaverite', 'lacerative'], 'lacertae': ['lacerate', 'lacertae'], 'lacertian': ['carnalite', 'claretian', 'lacertian', 'nectarial'], 'lacertid': ['articled', 'lacertid'], 'lacertidae': ['dilacerate', 'lacertidae'], 'lacertiloid': ['illoricated', 'lacertiloid'], 'lacertine': ['intercale', 'interlace', 'lacertine', 'reclinate'], 'lacertoid': ['dialector', 'lacertoid'], 'lacery': ['clayer', 'lacery'], 'lacet': ['cleat', 'eclat', 'ectal', 'lacet', 'tecla'], 'lache': ['chela', 'lache', 'leach'], 'laches': ['cashel', 'laches', 'sealch'], 'lachrymonasal': ['lachrymonasal', 'nasolachrymal'], 'lachsa': ['calash', 'lachsa'], 'laciness': ['laciness', 'sensical'], 'lacing': ['anglic', 'lacing'], 'lacinia': ['lacinia', 'licania'], 'laciniated': ['acetanilid', 'laciniated', 'teniacidal'], 'lacis': ['lacis', 'salic'], 'lack': ['calk', 'lack'], 'lacker': ['calker', 'lacker', 'rackle', 'recalk', 'reckla'], 'lacmoid': ['domical', 'lacmoid'], 'laconic': ['conical', 'laconic'], 'laconica': ['canicola', 'laconica'], 'laconizer': ['laconizer', 'locarnize'], 'lacquer': ['claquer', 'lacquer'], 'lacquerer': ['lacquerer', 'relacquer'], 'lactarene': ['lactarene', 'nectareal'], 'lactarious': ['alacritous', 'lactarious', 'lactosuria'], 'lactarium': ['lactarium', 'matricula'], 'lactarius': ['australic', 'lactarius'], 'lacteal': ['catella', 'lacteal'], 'lacteous': ['lacteous', 'osculate'], 'lactide': ['citadel', 'deltaic', 'dialect', 'edictal', 'lactide'], 'lactinate': ['cantalite', 'lactinate', 'tetanical'], 'lacto': ['lacto', 'tlaco'], 'lactoid': ['cotidal', 'lactoid', 'talcoid'], 'lactoprotein': ['lactoprotein', 'protectional'], 'lactose': ['alecost', 'lactose', 'scotale', 'talcose'], 'lactoside': ['dislocate', 'lactoside'], 'lactosuria': ['alacritous', 'lactarious', 'lactosuria'], 'lacunal': ['calluna', 'lacunal'], 'lacune': ['auncel', 'cuneal', 'lacune', 'launce', 'unlace'], 'lacustral': ['claustral', 'lacustral'], 'lacwork': ['lacwork', 'warlock'], 'lacy': ['acyl', 'clay', 'lacy'], 'lad': ['dal', 'lad'], 'ladakin': ['danakil', 'dankali', 'kaldani', 'ladakin'], 'ladanum': ['ladanum', 'udalman'], 'ladder': ['ladder', 'raddle'], 'laddery': ['dreadly', 'laddery'], 'laddie': ['daidle', 'laddie'], 'lade': ['dale', 'deal', 'lade', 'lead', 'leda'], 'lademan': ['daleman', 'lademan', 'leadman'], 'laden': ['eland', 'laden', 'lenad'], 'lader': ['alder', 'daler', 'lader'], 'ladies': ['aisled', 'deasil', 'ladies', 'sailed'], 'ladin': ['danli', 'ladin', 'linda', 'nidal'], 'lading': ['angild', 'lading'], 'ladino': ['dolina', 'ladino'], 'ladle': ['dalle', 'della', 'ladle'], 'ladrone': ['endoral', 'ladrone', 'leonard'], 'ladyfy': ['dayfly', 'ladyfy'], 'ladyish': ['ladyish', 'shadily'], 'ladyling': ['dallying', 'ladyling'], 'laet': ['atle', 'laet', 'late', 'leat', 'tael', 'tale', 'teal'], 'laeti': ['alite', 'laeti'], 'laetic': ['calite', 'laetic', 'tecali'], 'lafite': ['fetial', 'filate', 'lafite', 'leafit'], 'lag': ['gal', 'lag'], 'lagan': ['laang', 'lagan', 'lagna'], 'lagen': ['agnel', 'angel', 'angle', 'galen', 'genal', 'glean', 'lagen'], 'lagena': ['alnage', 'angela', 'galena', 'lagena'], 'lagend': ['angled', 'dangle', 'englad', 'lagend'], 'lager': ['argel', 'ergal', 'garle', 'glare', 'lager', 'large', 'regal'], 'lagetto': ['lagetto', 'tagetol'], 'lagged': ['daggle', 'lagged'], 'laggen': ['laggen', 'naggle'], 'lagger': ['gargle', 'gregal', 'lagger', 'raggle'], 'lagna': ['laang', 'lagan', 'lagna'], 'lagniappe': ['appealing', 'lagniappe', 'panplegia'], 'lagonite': ['gelation', 'lagonite', 'legation'], 'lagunero': ['lagunero', 'organule', 'uroglena'], 'lagurus': ['argulus', 'lagurus'], 'lai': ['ail', 'ila', 'lai'], 'laicism': ['islamic', 'laicism', 'silicam'], 'laid': ['dail', 'dali', 'dial', 'laid', 'lida'], 'lain': ['alin', 'anil', 'lain', 'lina', 'nail'], 'laine': ['alien', 'aline', 'anile', 'elain', 'elian', 'laine', 'linea'], 'laiose': ['aeolis', 'laiose'], 'lair': ['aril', 'lair', 'lari', 'liar', 'lira', 'rail', 'rial'], 'lairage': ['lairage', 'railage', 'regalia'], 'laird': ['drail', 'laird', 'larid', 'liard'], 'lairless': ['lairless', 'railless'], 'lairman': ['lairman', 'laminar', 'malarin', 'railman'], 'lairstone': ['lairstone', 'orleanist', 'serotinal'], 'lairy': ['lairy', 'riyal'], 'laitance': ['analcite', 'anticlea', 'laitance'], 'laity': ['laity', 'taily'], 'lak': ['alk', 'lak'], 'lake': ['kale', 'lake', 'leak'], 'lakeless': ['lakeless', 'leakless'], 'laker': ['karel', 'laker'], 'lakie': ['alike', 'lakie'], 'laking': ['kangli', 'laking'], 'lakish': ['lakish', 'shakil'], 'lakota': ['atokal', 'lakota'], 'laky': ['alky', 'laky'], 'lalo': ['lalo', 'lola', 'olla'], 'lalopathy': ['allopathy', 'lalopathy'], 'lam': ['lam', 'mal'], 'lama': ['alma', 'amla', 'lama', 'mala'], 'lamaic': ['amical', 'camail', 'lamaic'], 'lamaism': ['lamaism', 'miasmal'], 'lamaist': ['lamaist', 'lamista'], 'lamaistic': ['ismatical', 'lamaistic'], 'lamanite': ['lamanite', 'laminate'], 'lamany': ['amylan', 'lamany', 'layman'], 'lamb': ['balm', 'lamb'], 'lambaste': ['blastema', 'lambaste'], 'lambent': ['beltman', 'lambent'], 'lamber': ['ambler', 'blamer', 'lamber', 'marble', 'ramble'], 'lambie': ['bemail', 'lambie'], 'lambiness': ['balminess', 'lambiness'], 'lamblike': ['balmlike', 'lamblike'], 'lamby': ['balmy', 'lamby'], 'lame': ['alem', 'alme', 'lame', 'leam', 'male', 'meal', 'mela'], 'lamella': ['lamella', 'malella', 'malleal'], 'lamellose': ['lamellose', 'semolella'], 'lamely': ['lamely', 'mellay'], 'lameness': ['lameness', 'maleness', 'maneless', 'nameless'], 'lament': ['lament', 'manlet', 'mantel', 'mantle', 'mental'], 'lamenter': ['lamenter', 'relament', 'remantle'], 'lamenting': ['alignment', 'lamenting'], 'lameter': ['lameter', 'metaler', 'remetal'], 'lamia': ['alima', 'lamia'], 'lamiger': ['gremial', 'lamiger'], 'lamiides': ['idealism', 'lamiides'], 'lamin': ['lamin', 'liman', 'milan'], 'lamina': ['almain', 'animal', 'lamina', 'manila'], 'laminae': ['laminae', 'melania'], 'laminar': ['lairman', 'laminar', 'malarin', 'railman'], 'laminarin': ['laminarin', 'linamarin'], 'laminarite': ['laminarite', 'terminalia'], 'laminate': ['lamanite', 'laminate'], 'laminated': ['almandite', 'laminated'], 'lamination': ['antimonial', 'lamination'], 'laminboard': ['laminboard', 'lombardian'], 'laminectomy': ['laminectomy', 'metonymical'], 'laminose': ['laminose', 'lemonias', 'semolina'], 'lamish': ['lamish', 'shimal'], 'lamista': ['lamaist', 'lamista'], 'lamiter': ['lamiter', 'marlite'], 'lammer': ['lammer', 'rammel'], 'lammy': ['lammy', 'malmy'], 'lamna': ['alman', 'lamna', 'manal'], 'lamnid': ['lamnid', 'mandil'], 'lamnidae': ['aldamine', 'lamnidae'], 'lamp': ['lamp', 'palm'], 'lampad': ['lampad', 'palmad'], 'lampas': ['lampas', 'plasma'], 'lamper': ['lamper', 'palmer', 'relamp'], 'lampers': ['lampers', 'sampler'], 'lampful': ['lampful', 'palmful'], 'lampist': ['lampist', 'palmist'], 'lampistry': ['lampistry', 'palmistry'], 'lampoon': ['lampoon', 'pomonal'], 'lamprey': ['lamprey', 'palmery'], 'lampyridae': ['lampyridae', 'pyramidale'], 'lamus': ['lamus', 'malus', 'musal', 'slaum'], 'lamut': ['lamut', 'tamul'], 'lan': ['aln', 'lan'], 'lana': ['alan', 'anal', 'lana'], 'lanas': ['alans', 'lanas', 'nasal'], 'lanate': ['anteal', 'lanate', 'teanal'], 'lancaster': ['ancestral', 'lancaster'], 'lancasterian': ['alcantarines', 'lancasterian'], 'lance': ['canel', 'clean', 'lance', 'lenca'], 'lanced': ['calden', 'candle', 'lanced'], 'lancely': ['cleanly', 'lancely'], 'lanceolar': ['lanceolar', 'olecranal'], 'lancer': ['lancer', 'rancel'], 'lances': ['lances', 'senlac'], 'lancet': ['cantle', 'cental', 'lancet', 'tancel'], 'lanceteer': ['crenelate', 'lanceteer'], 'lancinate': ['cantilena', 'lancinate'], 'landbook': ['bookland', 'landbook'], 'landed': ['dandle', 'landed'], 'lander': ['aldern', 'darnel', 'enlard', 'lander', 'lenard', 'randle', 'reland'], 'landfast': ['fastland', 'landfast'], 'landgrave': ['grandeval', 'landgrave'], 'landimere': ['landimere', 'madrilene'], 'landing': ['danglin', 'landing'], 'landlubber': ['landlubber', 'lubberland'], 'landreeve': ['landreeve', 'reeveland'], 'landstorm': ['landstorm', 'transmold'], 'landwash': ['landwash', 'washland'], 'lane': ['alen', 'lane', 'lean', 'lena', 'nael', 'neal'], 'lanete': ['elanet', 'lanete', 'lateen'], 'laney': ['laney', 'layne'], 'langhian': ['hangnail', 'langhian'], 'langi': ['algin', 'align', 'langi', 'liang', 'linga'], 'langite': ['atingle', 'gelatin', 'genital', 'langite', 'telinga'], 'lango': ['along', 'gonal', 'lango', 'longa', 'nogal'], 'langobard': ['bandarlog', 'langobard'], 'language': ['ganguela', 'language'], 'laniate': ['laniate', 'natalie', 'taenial'], 'lanific': ['finical', 'lanific'], 'laniform': ['formalin', 'informal', 'laniform'], 'laniidae': ['aedilian', 'laniidae'], 'lanista': ['lanista', 'santali'], 'lanius': ['insula', 'lanius', 'lusian'], 'lank': ['klan', 'lank'], 'lanket': ['anklet', 'lanket', 'tankle'], 'lanner': ['lanner', 'rannel'], 'lansat': ['aslant', 'lansat', 'natals', 'santal'], 'lanseh': ['halsen', 'hansel', 'lanseh'], 'lantaca': ['cantala', 'catalan', 'lantaca'], 'lanum': ['lanum', 'manul'], 'lao': ['alo', 'lao', 'loa'], 'laodicean': ['caledonia', 'laodicean'], 'laotian': ['ailanto', 'alation', 'laotian', 'notalia'], 'lap': ['alp', 'lap', 'pal'], 'laparohysterotomy': ['hysterolaparotomy', 'laparohysterotomy'], 'laparosplenotomy': ['laparosplenotomy', 'splenolaparotomy'], 'lapidarist': ['lapidarist', 'triapsidal'], 'lapidate': ['lapidate', 'talpidae'], 'lapideon': ['lapideon', 'palinode', 'pedalion'], 'lapidose': ['episodal', 'lapidose', 'sepaloid'], 'lapith': ['lapith', 'tilpah'], 'lapon': ['lapon', 'nopal'], 'lapp': ['lapp', 'palp', 'plap'], 'lappa': ['lappa', 'papal'], 'lapped': ['dapple', 'lapped', 'palped'], 'lapper': ['lapper', 'rappel'], 'lappish': ['lappish', 'shiplap'], 'lapsation': ['apolistan', 'lapsation'], 'lapse': ['elaps', 'lapse', 'lepas', 'pales', 'salep', 'saple', 'sepal', 'slape', 'spale', 'speal'], 'lapsi': ['alisp', 'lapsi'], 'lapsing': ['lapsing', 'sapling'], 'lapstone': ['lapstone', 'pleonast'], 'larboard': ['labrador', 'larboard'], 'larcenic': ['calciner', 'larcenic'], 'larcenist': ['cisternal', 'larcenist'], 'larcenous': ['larcenous', 'senocular'], 'larchen': ['charnel', 'larchen'], 'lardacein': ['ecardinal', 'lardacein'], 'lardite': ['dilater', 'lardite', 'redtail'], 'lardon': ['androl', 'arnold', 'lardon', 'roland', 'ronald'], 'lardy': ['daryl', 'lardy', 'lyard'], 'large': ['argel', 'ergal', 'garle', 'glare', 'lager', 'large', 'regal'], 'largely': ['allergy', 'gallery', 'largely', 'regally'], 'largen': ['angler', 'arleng', 'garnel', 'largen', 'rangle', 'regnal'], 'largeness': ['largeness', 'rangeless', 'regalness'], 'largess': ['glasser', 'largess'], 'largition': ['gratiolin', 'largition', 'tailoring'], 'largo': ['algor', 'argol', 'goral', 'largo'], 'lari': ['aril', 'lair', 'lari', 'liar', 'lira', 'rail', 'rial'], 'lariat': ['altair', 'atrail', 'atrial', 'lariat', 'latria', 'talari'], 'larid': ['drail', 'laird', 'larid', 'liard'], 'laridae': ['ardelia', 'laridae', 'radiale'], 'larigo': ['gloria', 'larigo', 'logria'], 'larigot': ['goitral', 'larigot', 'ligator'], 'lariid': ['iridal', 'lariid'], 'larine': ['arline', 'larine', 'linear', 'nailer', 'renail'], 'lark': ['karl', 'kral', 'lark'], 'larking': ['karling', 'larking'], 'larsenite': ['intersale', 'larsenite'], 'larus': ['larus', 'sural', 'ursal'], 'larva': ['alvar', 'arval', 'larva'], 'larval': ['larval', 'vallar'], 'larvate': ['larvate', 'lavaret', 'travale'], 'larve': ['arvel', 'larve', 'laver', 'ravel', 'velar'], 'larvicide': ['larvicide', 'veridical'], 'laryngopharyngeal': ['laryngopharyngeal', 'pharyngolaryngeal'], 'laryngopharyngitis': ['laryngopharyngitis', 'pharyngolaryngitis'], 'laryngotome': ['laryngotome', 'maternology'], 'laryngotracheotomy': ['laryngotracheotomy', 'tracheolaryngotomy'], 'las': ['las', 'sal', 'sla'], 'lasa': ['alas', 'lasa'], 'lascar': ['lascar', 'rascal', 'sacral', 'scalar'], 'laser': ['arles', 'arsle', 'laser', 'seral', 'slare'], 'lash': ['hals', 'lash'], 'lasi': ['lasi', 'lias', 'lisa', 'sail', 'sial'], 'lasius': ['asilus', 'lasius'], 'lask': ['lask', 'skal'], 'lasket': ['lasket', 'sklate'], 'laspring': ['laspring', 'sparling', 'springal'], 'lasque': ['lasque', 'squeal'], 'lasset': ['lasset', 'tassel'], 'lassie': ['elissa', 'lassie'], 'lasso': ['lasso', 'ossal'], 'lassoer': ['lassoer', 'oarless', 'rosales'], 'last': ['last', 'salt', 'slat'], 'laster': ['laster', 'lastre', 'rastle', 'relast', 'resalt', 'salter', 'slater', 'stelar'], 'lasting': ['anglist', 'lasting', 'salting', 'slating', 'staling'], 'lastly': ['lastly', 'saltly'], 'lastness': ['lastness', 'saltness'], 'lastre': ['laster', 'lastre', 'rastle', 'relast', 'resalt', 'salter', 'slater', 'stelar'], 'lasty': ['lasty', 'salty', 'slaty'], 'lat': ['alt', 'lat', 'tal'], 'lata': ['lata', 'taal', 'tala'], 'latania': ['altaian', 'latania', 'natalia'], 'latcher': ['clethra', 'latcher', 'ratchel', 'relatch', 'talcher', 'trachle'], 'latchet': ['chattel', 'latchet'], 'late': ['atle', 'laet', 'late', 'leat', 'tael', 'tale', 'teal'], 'latebra': ['alberta', 'latebra', 'ratable'], 'lated': ['adlet', 'dealt', 'delta', 'lated', 'taled'], 'lateen': ['elanet', 'lanete', 'lateen'], 'lately': ['lately', 'lealty'], 'laten': ['ental', 'laten', 'leant'], 'latent': ['latent', 'latten', 'nattle', 'talent', 'tantle'], 'latentness': ['latentness', 'tenantless'], 'later': ['alert', 'alter', 'artel', 'later', 'ratel', 'taler', 'telar'], 'latera': ['latera', 'relata'], 'laterad': ['altared', 'laterad'], 'lateralis': ['lateralis', 'stellaria'], 'lateran': ['alatern', 'lateran'], 'laterite': ['laterite', 'literate', 'teretial'], 'laterocaudal': ['caudolateral', 'laterocaudal'], 'laterodorsal': ['dorsolateral', 'laterodorsal'], 'lateroventral': ['lateroventral', 'ventrolateral'], 'latest': ['latest', 'sattle', 'taslet'], 'latex': ['exalt', 'latex'], 'lath': ['halt', 'lath'], 'lathe': ['ethal', 'lathe', 'leath'], 'latheman': ['latheman', 'methanal'], 'lathen': ['ethnal', 'hantle', 'lathen', 'thenal'], 'lather': ['arthel', 'halter', 'lather', 'thaler'], 'lathery': ['earthly', 'heartly', 'lathery', 'rathely'], 'lathing': ['halting', 'lathing', 'thingal'], 'latian': ['antlia', 'latian', 'nalita'], 'latibulize': ['latibulize', 'utilizable'], 'latices': ['astelic', 'elastic', 'latices'], 'laticlave': ['laticlave', 'vacillate'], 'latigo': ['galiot', 'latigo'], 'latimeria': ['latimeria', 'marialite'], 'latin': ['altin', 'latin'], 'latinate': ['antliate', 'latinate'], 'latiner': ['entrail', 'latiner', 'latrine', 'ratline', 'reliant', 'retinal', 'trenail'], 'latinesque': ['latinesque', 'sequential'], 'latinian': ['antinial', 'latinian'], 'latinizer': ['latinizer', 'trinalize'], 'latinus': ['latinus', 'tulisan', 'unalist'], 'lation': ['italon', 'lation', 'talion'], 'latirostres': ['latirostres', 'setirostral'], 'latirus': ['latirus', 'trisula'], 'latish': ['latish', 'tahsil'], 'latite': ['latite', 'tailet', 'tailte', 'talite'], 'latitude': ['altitude', 'latitude'], 'latitudinal': ['altitudinal', 'latitudinal'], 'latitudinarian': ['altitudinarian', 'latitudinarian'], 'latomy': ['latomy', 'tyloma'], 'latona': ['atonal', 'latona'], 'latonian': ['latonian', 'nataloin', 'national'], 'latria': ['altair', 'atrail', 'atrial', 'lariat', 'latria', 'talari'], 'latrine': ['entrail', 'latiner', 'latrine', 'ratline', 'reliant', 'retinal', 'trenail'], 'latris': ['latris', 'strial'], 'latro': ['latro', 'rotal', 'toral'], 'latrobe': ['alberto', 'bloater', 'latrobe'], 'latrobite': ['latrobite', 'trilobate'], 'latrocinium': ['latrocinium', 'tourmalinic'], 'latron': ['latron', 'lontar', 'tornal'], 'latten': ['latent', 'latten', 'nattle', 'talent', 'tantle'], 'latter': ['artlet', 'latter', 'rattle', 'tartle', 'tatler'], 'latterkin': ['intertalk', 'latterkin'], 'lattice': ['lattice', 'tactile'], 'latticinio': ['latticinio', 'licitation'], 'latuka': ['latuka', 'taluka'], 'latus': ['latus', 'sault', 'talus'], 'latvian': ['latvian', 'valiant'], 'laubanite': ['laubanite', 'unlabiate'], 'laud': ['auld', 'dual', 'laud', 'udal'], 'laudation': ['adulation', 'laudation'], 'laudator': ['adulator', 'laudator'], 'laudatorily': ['illaudatory', 'laudatorily'], 'laudatory': ['adulatory', 'laudatory'], 'lauder': ['lauder', 'udaler'], 'laudism': ['dualism', 'laudism'], 'laudist': ['dualist', 'laudist'], 'laumonite': ['emulation', 'laumonite'], 'laun': ['laun', 'luna', 'ulna', 'unal'], 'launce': ['auncel', 'cuneal', 'lacune', 'launce', 'unlace'], 'launch': ['chulan', 'launch', 'nuchal'], 'launcher': ['launcher', 'relaunch'], 'laund': ['dunal', 'laund', 'lunda', 'ulnad'], 'launder': ['launder', 'rundale'], 'laur': ['alur', 'laur', 'lura', 'raul', 'ural'], 'laura': ['aural', 'laura'], 'laurel': ['allure', 'laurel'], 'laureled': ['laureled', 'reallude'], 'laurence': ['cerulean', 'laurence'], 'laurent': ['laurent', 'neutral', 'unalert'], 'laurentide': ['adulterine', 'laurentide'], 'lauric': ['curial', 'lauric', 'uracil', 'uralic'], 'laurin': ['laurin', 'urinal'], 'laurite': ['laurite', 'uralite'], 'laurus': ['laurus', 'ursula'], 'lava': ['aval', 'lava'], 'lavacre': ['caravel', 'lavacre'], 'lavaret': ['larvate', 'lavaret', 'travale'], 'lave': ['lave', 'vale', 'veal', 'vela'], 'laveer': ['laveer', 'leaver', 'reveal', 'vealer'], 'lavehr': ['halver', 'lavehr'], 'lavenite': ['elvanite', 'lavenite'], 'laver': ['arvel', 'larve', 'laver', 'ravel', 'velar'], 'laverania': ['laverania', 'valeriana'], 'lavic': ['cavil', 'lavic'], 'lavinia': ['lavinia', 'vinalia'], 'lavish': ['lavish', 'vishal'], 'lavisher': ['lavisher', 'shrieval'], 'lavolta': ['lavolta', 'vallota'], 'law': ['awl', 'law'], 'lawing': ['lawing', 'waling'], 'lawk': ['lawk', 'walk'], 'lawmonger': ['angleworm', 'lawmonger'], 'lawned': ['delawn', 'lawned', 'wandle'], 'lawner': ['lawner', 'warnel'], 'lawny': ['lawny', 'wanly'], 'lawrie': ['lawrie', 'wailer'], 'lawter': ['lawter', 'walter'], 'lawyer': ['lawyer', 'yawler'], 'laxism': ['laxism', 'smilax'], 'lay': ['aly', 'lay'], 'layer': ['early', 'layer', 'relay'], 'layered': ['delayer', 'layered', 'redelay'], 'layery': ['layery', 'yearly'], 'laying': ['gainly', 'laying'], 'layman': ['amylan', 'lamany', 'layman'], 'layne': ['laney', 'layne'], 'layout': ['layout', 'lutayo', 'outlay'], 'layover': ['layover', 'overlay'], 'layship': ['apishly', 'layship'], 'lazarlike': ['alkalizer', 'lazarlike'], 'laze': ['laze', 'zeal'], 'lea': ['ale', 'lea'], 'leach': ['chela', 'lache', 'leach'], 'leachman': ['leachman', 'mechanal'], 'lead': ['dale', 'deal', 'lade', 'lead', 'leda'], 'leadable': ['dealable', 'leadable'], 'leaded': ['delead', 'leaded'], 'leader': ['dealer', 'leader', 'redeal', 'relade', 'relead'], 'leadership': ['dealership', 'leadership'], 'leadin': ['aldine', 'daniel', 'delian', 'denial', 'enalid', 'leadin'], 'leadiness': ['idealness', 'leadiness'], 'leading': ['adeling', 'dealing', 'leading'], 'leadman': ['daleman', 'lademan', 'leadman'], 'leads': ['leads', 'slade'], 'leadsman': ['dalesman', 'leadsman'], 'leadstone': ['endosteal', 'leadstone'], 'leady': ['delay', 'leady'], 'leaf': ['alef', 'feal', 'flea', 'leaf'], 'leafen': ['enleaf', 'leafen'], 'leafit': ['fetial', 'filate', 'lafite', 'leafit'], 'leafy': ['fleay', 'leafy'], 'leah': ['hale', 'heal', 'leah'], 'leak': ['kale', 'lake', 'leak'], 'leakiness': ['alikeness', 'leakiness'], 'leakless': ['lakeless', 'leakless'], 'leal': ['alle', 'ella', 'leal'], 'lealty': ['lately', 'lealty'], 'leam': ['alem', 'alme', 'lame', 'leam', 'male', 'meal', 'mela'], 'leamer': ['leamer', 'mealer'], 'lean': ['alen', 'lane', 'lean', 'lena', 'nael', 'neal'], 'leander': ['leander', 'learned', 'reladen'], 'leaner': ['arlene', 'leaner'], 'leaning': ['angelin', 'leaning'], 'leant': ['ental', 'laten', 'leant'], 'leap': ['leap', 'lepa', 'pale', 'peal', 'plea'], 'leaper': ['leaper', 'releap', 'repale', 'repeal'], 'leaping': ['apeling', 'leaping'], 'leapt': ['leapt', 'palet', 'patel', 'pelta', 'petal', 'plate', 'pleat', 'tepal'], 'lear': ['earl', 'eral', 'lear', 'real'], 'learn': ['learn', 'renal'], 'learned': ['leander', 'learned', 'reladen'], 'learnedly': ['ellenyard', 'learnedly'], 'learner': ['learner', 'relearn'], 'learnt': ['altern', 'antler', 'learnt', 'rental', 'ternal'], 'leasable': ['leasable', 'sealable'], 'lease': ['easel', 'lease'], 'leaser': ['alerse', 'leaser', 'reales', 'resale', 'reseal', 'sealer'], 'leash': ['halse', 'leash', 'selah', 'shale', 'sheal', 'shela'], 'leasing': ['leasing', 'sealing'], 'least': ['least', 'setal', 'slate', 'stale', 'steal', 'stela', 'tales'], 'leat': ['atle', 'laet', 'late', 'leat', 'tael', 'tale', 'teal'], 'leath': ['ethal', 'lathe', 'leath'], 'leather': ['leather', 'tarheel'], 'leatherbark': ['halterbreak', 'leatherbark'], 'leatherer': ['leatherer', 'releather', 'tarheeler'], 'leatman': ['amental', 'leatman'], 'leaver': ['laveer', 'leaver', 'reveal', 'vealer'], 'leaves': ['leaves', 'sleave'], 'leaving': ['leaving', 'vangeli'], 'leavy': ['leavy', 'vealy'], 'leban': ['leban', 'nable'], 'lebanese': ['ebenales', 'lebanese'], 'lebensraum': ['lebensraum', 'mensurable'], 'lecaniid': ['alcidine', 'danielic', 'lecaniid'], 'lecanora': ['carolean', 'lecanora'], 'lecanoroid': ['lecanoroid', 'olecranoid'], 'lechery': ['cheerly', 'lechery'], 'lechriodont': ['holocentrid', 'lechriodont'], 'lecithal': ['hellicat', 'lecithal'], 'lecontite': ['lecontite', 'nicolette'], 'lector': ['colter', 'lector', 'torcel'], 'lectorial': ['corallite', 'lectorial'], 'lectorship': ['lectorship', 'leptorchis'], 'lectrice': ['electric', 'lectrice'], 'lecturess': ['cutleress', 'lecturess', 'truceless'], 'lecyth': ['lecyth', 'letchy'], 'lecythis': ['chestily', 'lecythis'], 'led': ['del', 'eld', 'led'], 'leda': ['dale', 'deal', 'lade', 'lead', 'leda'], 'lede': ['dele', 'lede', 'leed'], 'leden': ['leden', 'neeld'], 'ledge': ['glede', 'gleed', 'ledge'], 'ledger': ['gelder', 'ledger', 'redleg'], 'ledging': ['gelding', 'ledging'], 'ledgy': ['gledy', 'ledgy'], 'lee': ['eel', 'lee'], 'leed': ['dele', 'lede', 'leed'], 'leek': ['keel', 'kele', 'leek'], 'leep': ['leep', 'peel', 'pele'], 'leepit': ['leepit', 'pelite', 'pielet'], 'leer': ['leer', 'reel'], 'leeringly': ['leeringly', 'reelingly'], 'leerness': ['leerness', 'lessener'], 'lees': ['else', 'lees', 'seel', 'sele', 'slee'], 'leet': ['leet', 'lete', 'teel', 'tele'], 'leetman': ['entelam', 'leetman'], 'leewan': ['leewan', 'weanel'], 'left': ['felt', 'flet', 'left'], 'leftish': ['fishlet', 'leftish'], 'leftness': ['feltness', 'leftness'], 'leg': ['gel', 'leg'], 'legalist': ['legalist', 'stillage'], 'legantine': ['eglantine', 'inelegant', 'legantine'], 'legate': ['eaglet', 'legate', 'teagle', 'telega'], 'legatine': ['galenite', 'legatine'], 'legation': ['gelation', 'lagonite', 'legation'], 'legative': ['legative', 'levigate'], 'legator': ['argolet', 'gloater', 'legator'], 'legendary': ['enragedly', 'legendary'], 'leger': ['leger', 'regle'], 'legger': ['eggler', 'legger'], 'legion': ['eloign', 'gileno', 'legion'], 'legioner': ['eloigner', 'legioner'], 'legionry': ['legionry', 'yeorling'], 'legislator': ['allegorist', 'legislator'], 'legman': ['legman', 'mangel', 'mangle'], 'legoa': ['gloea', 'legoa'], 'legua': ['gulae', 'legua'], 'leguan': ['genual', 'leguan'], 'lehr': ['herl', 'hler', 'lehr'], 'lei': ['eli', 'lei', 'lie'], 'leif': ['feil', 'file', 'leif', 'lief', 'life'], 'leila': ['allie', 'leila', 'lelia'], 'leipoa': ['apiole', 'leipoa'], 'leisten': ['leisten', 'setline', 'tensile'], 'leister': ['leister', 'sterile'], 'leith': ['leith', 'lithe'], 'leitneria': ['leitneria', 'lienteria'], 'lek': ['elk', 'lek'], 'lekach': ['hackle', 'lekach'], 'lekane': ['alkene', 'lekane'], 'lelia': ['allie', 'leila', 'lelia'], 'leman': ['leman', 'lemna'], 'lemma': ['lemma', 'melam'], 'lemna': ['leman', 'lemna'], 'lemnad': ['lemnad', 'menald'], 'lemnian': ['lemnian', 'lineman', 'melanin'], 'lemniscate': ['centesimal', 'lemniscate'], 'lemon': ['lemon', 'melon', 'monel'], 'lemonias': ['laminose', 'lemonias', 'semolina'], 'lemonlike': ['lemonlike', 'melonlike'], 'lemony': ['lemony', 'myelon'], 'lemosi': ['lemosi', 'limose', 'moiles'], 'lempira': ['impaler', 'impearl', 'lempira', 'premial'], 'lemuria': ['lemuria', 'miauler'], 'lemurian': ['lemurian', 'malurine', 'rumelian'], 'lemurinae': ['lemurinae', 'neurilema'], 'lemurine': ['lemurine', 'meruline', 'relumine'], 'lena': ['alen', 'lane', 'lean', 'lena', 'nael', 'neal'], 'lenad': ['eland', 'laden', 'lenad'], 'lenape': ['alpeen', 'lenape', 'pelean'], 'lenard': ['aldern', 'darnel', 'enlard', 'lander', 'lenard', 'randle', 'reland'], 'lenca': ['canel', 'clean', 'lance', 'lenca'], 'lencan': ['cannel', 'lencan'], 'lendee': ['lendee', 'needle'], 'lender': ['lender', 'relend'], 'lendu': ['lendu', 'unled'], 'lengthy': ['lengthy', 'thegnly'], 'lenient': ['lenient', 'tenline'], 'lenify': ['finely', 'lenify'], 'lenis': ['elsin', 'lenis', 'niels', 'silen', 'sline'], 'lenity': ['lenity', 'yetlin'], 'lenny': ['lenny', 'lynne'], 'leno': ['elon', 'enol', 'leno', 'leon', 'lone', 'noel'], 'lenora': ['lenora', 'loaner', 'orlean', 'reloan'], 'lenticel': ['lenticel', 'lenticle'], 'lenticle': ['lenticel', 'lenticle'], 'lentil': ['lentil', 'lintel'], 'lentisc': ['lentisc', 'scintle', 'stencil'], 'lentisco': ['lentisco', 'telsonic'], 'lentiscus': ['lentiscus', 'tunicless'], 'lento': ['lento', 'olent'], 'lentous': ['lentous', 'sultone'], 'lenvoy': ['lenvoy', 'ovenly'], 'leo': ['leo', 'ole'], 'leon': ['elon', 'enol', 'leno', 'leon', 'lone', 'noel'], 'leonard': ['endoral', 'ladrone', 'leonard'], 'leonhardite': ['leonhardite', 'lionhearted'], 'leonid': ['doline', 'indole', 'leonid', 'loined', 'olenid'], 'leonines': ['leonines', 'selenion'], 'leonis': ['insole', 'leonis', 'lesion', 'selion'], 'leonist': ['leonist', 'onliest'], 'leonite': ['elonite', 'leonite'], 'leonotis': ['leonotis', 'oilstone'], 'leoparde': ['leoparde', 'reapdole'], 'leopardite': ['leopardite', 'protelidae'], 'leotard': ['delator', 'leotard'], 'lepa': ['leap', 'lepa', 'pale', 'peal', 'plea'], 'lepanto': ['lepanto', 'nepotal', 'petalon', 'polenta'], 'lepas': ['elaps', 'lapse', 'lepas', 'pales', 'salep', 'saple', 'sepal', 'slape', 'spale', 'speal'], 'lepcha': ['chapel', 'lepcha', 'pleach'], 'leper': ['leper', 'perle', 'repel'], 'leperdom': ['leperdom', 'premodel'], 'lepidopter': ['dopplerite', 'lepidopter'], 'lepidosauria': ['lepidosauria', 'pliosauridae'], 'lepidote': ['lepidote', 'petioled'], 'lepidotic': ['diploetic', 'lepidotic'], 'lepisma': ['ampelis', 'lepisma'], 'leporid': ['leporid', 'leproid'], 'leporis': ['leporis', 'spoiler'], 'lepra': ['lepra', 'paler', 'parel', 'parle', 'pearl', 'perla', 'relap'], 'leproid': ['leporid', 'leproid'], 'leproma': ['leproma', 'palermo', 'pleroma', 'polearm'], 'leprosied': ['despoiler', 'leprosied'], 'leprosis': ['leprosis', 'plerosis'], 'leprous': ['leprous', 'pelorus', 'sporule'], 'leptandra': ['leptandra', 'peltandra'], 'leptidae': ['depilate', 'leptidae', 'pileated'], 'leptiform': ['leptiform', 'peltiform'], 'leptodora': ['doorplate', 'leptodora'], 'leptome': ['leptome', 'poemlet'], 'lepton': ['lepton', 'pentol'], 'leptonema': ['leptonema', 'ptolemean'], 'leptorchis': ['lectorship', 'leptorchis'], 'lepus': ['lepus', 'pulse'], 'ler': ['ler', 'rel'], 'lernaean': ['annealer', 'lernaean', 'reanneal'], 'lerot': ['lerot', 'orlet', 'relot'], 'lerwa': ['lerwa', 'waler'], 'les': ['els', 'les'], 'lesath': ['haslet', 'lesath', 'shelta'], 'lesbia': ['isabel', 'lesbia'], 'lesche': ['lesche', 'sleech'], 'lesion': ['insole', 'leonis', 'lesion', 'selion'], 'lesional': ['lesional', 'solenial'], 'leslie': ['leslie', 'sellie'], 'lessener': ['leerness', 'lessener'], 'lest': ['lest', 'selt'], 'lester': ['lester', 'selter', 'streel'], 'let': ['elt', 'let'], 'letchy': ['lecyth', 'letchy'], 'lete': ['leet', 'lete', 'teel', 'tele'], 'lethargus': ['lethargus', 'slaughter'], 'lethe': ['ethel', 'lethe'], 'lethean': ['entheal', 'lethean'], 'lethologica': ['ethological', 'lethologica', 'theological'], 'letitia': ['italite', 'letitia', 'tilaite'], 'leto': ['leto', 'lote', 'tole'], 'letoff': ['letoff', 'offlet'], 'lett': ['lett', 'telt'], 'letten': ['letten', 'nettle'], 'letterer': ['letterer', 'reletter'], 'lettish': ['lettish', 'thistle'], 'lettrin': ['lettrin', 'trintle'], 'leu': ['leu', 'lue', 'ule'], 'leucadian': ['leucadian', 'lucanidae'], 'leucocism': ['leucocism', 'muscicole'], 'leucoma': ['caulome', 'leucoma'], 'leucosis': ['coulisse', 'leucosis', 'ossicule'], 'leud': ['deul', 'duel', 'leud'], 'leuk': ['leuk', 'luke'], 'leuma': ['amelu', 'leuma', 'ulema'], 'leung': ['leung', 'lunge'], 'levance': ['enclave', 'levance', 'valence'], 'levant': ['levant', 'valent'], 'levanter': ['levanter', 'relevant', 'revelant'], 'levantine': ['levantine', 'valentine'], 'leveler': ['leveler', 'relevel'], 'lever': ['elver', 'lever', 'revel'], 'leverer': ['leverer', 'reveler'], 'levi': ['evil', 'levi', 'live', 'veil', 'vile', 'vlei'], 'levier': ['levier', 'relive', 'reveil', 'revile', 'veiler'], 'levigate': ['legative', 'levigate'], 'levin': ['levin', 'liven'], 'levining': ['levining', 'nievling'], 'levir': ['levir', 'liver', 'livre', 'rivel'], 'levirate': ['levirate', 'relative'], 'levis': ['elvis', 'levis', 'slive'], 'levitation': ['levitation', 'tonalitive', 'velitation'], 'levo': ['levo', 'love', 'velo', 'vole'], 'levyist': ['levyist', 'sylvite'], 'lewd': ['lewd', 'weld'], 'lewis': ['lewis', 'swile'], 'lexia': ['axile', 'lexia'], 'ley': ['ley', 'lye'], 'lhota': ['altho', 'lhota', 'loath'], 'liability': ['alibility', 'liability'], 'liable': ['alible', 'belial', 'labile', 'liable'], 'liana': ['alain', 'alani', 'liana'], 'liang': ['algin', 'align', 'langi', 'liang', 'linga'], 'liar': ['aril', 'lair', 'lari', 'liar', 'lira', 'rail', 'rial'], 'liard': ['drail', 'laird', 'larid', 'liard'], 'lias': ['lasi', 'lias', 'lisa', 'sail', 'sial'], 'liatris': ['liatris', 'trilisa'], 'libament': ['bailment', 'libament'], 'libate': ['albeit', 'albite', 'baltei', 'belait', 'betail', 'bletia', 'libate'], 'libationer': ['libationer', 'liberation'], 'libber': ['libber', 'ribble'], 'libby': ['bilby', 'libby'], 'libellary': ['libellary', 'liberally'], 'liber': ['birle', 'liber'], 'liberal': ['braille', 'liberal'], 'liberally': ['libellary', 'liberally'], 'liberate': ['iterable', 'liberate'], 'liberation': ['libationer', 'liberation'], 'liberator': ['liberator', 'orbitelar'], 'liberian': ['bilinear', 'liberian'], 'libertas': ['abristle', 'libertas'], 'libertine': ['berlinite', 'libertine'], 'libra': ['blair', 'brail', 'libra'], 'librate': ['betrail', 'librate', 'triable', 'trilabe'], 'licania': ['lacinia', 'licania'], 'license': ['license', 'selenic', 'silence'], 'licensed': ['licensed', 'silenced'], 'licenser': ['licenser', 'silencer'], 'licensor': ['cresolin', 'licensor'], 'lich': ['chil', 'lich'], 'lichanos': ['lichanos', 'nicholas'], 'lichenoid': ['cheloniid', 'lichenoid'], 'lichi': ['chili', 'lichi'], 'licitation': ['latticinio', 'licitation'], 'licker': ['licker', 'relick', 'rickle'], 'lickspit': ['lickspit', 'lipstick'], 'licorne': ['creolin', 'licorne', 'locrine'], 'lida': ['dail', 'dali', 'dial', 'laid', 'lida'], 'lidded': ['diddle', 'lidded'], 'lidder': ['lidder', 'riddel', 'riddle'], 'lide': ['idle', 'lide', 'lied'], 'lie': ['eli', 'lei', 'lie'], 'lied': ['idle', 'lide', 'lied'], 'lief': ['feil', 'file', 'leif', 'lief', 'life'], 'lien': ['lien', 'line', 'neil', 'nile'], 'lienal': ['lienal', 'lineal'], 'lienee': ['eileen', 'lienee'], 'lienor': ['elinor', 'lienor', 'lorien', 'noiler'], 'lienteria': ['leitneria', 'lienteria'], 'lientery': ['entirely', 'lientery'], 'lier': ['lier', 'lire', 'rile'], 'lierne': ['lierne', 'reline'], 'lierre': ['lierre', 'relier'], 'liesh': ['liesh', 'shiel'], 'lievaart': ['lievaart', 'varietal'], 'life': ['feil', 'file', 'leif', 'lief', 'life'], 'lifelike': ['filelike', 'lifelike'], 'lifer': ['filer', 'flier', 'lifer', 'rifle'], 'lifeward': ['drawfile', 'lifeward'], 'lifo': ['filo', 'foil', 'lifo'], 'lift': ['flit', 'lift'], 'lifter': ['fertil', 'filter', 'lifter', 'relift', 'trifle'], 'lifting': ['fliting', 'lifting'], 'ligament': ['ligament', 'metaling', 'tegminal'], 'ligas': ['gisla', 'ligas', 'sigla'], 'ligate': ['aiglet', 'ligate', 'taigle', 'tailge'], 'ligation': ['intaglio', 'ligation'], 'ligator': ['goitral', 'larigot', 'ligator'], 'ligature': ['alurgite', 'ligature'], 'lighten': ['enlight', 'lighten'], 'lightener': ['lightener', 'relighten', 'threeling'], 'lighter': ['lighter', 'relight', 'rightle'], 'lighthead': ['headlight', 'lighthead'], 'lightness': ['lightness', 'nightless', 'thingless'], 'ligne': ['ingle', 'ligne', 'linge', 'nigel'], 'lignin': ['lignin', 'lining'], 'lignitic': ['lignitic', 'tiglinic'], 'lignose': ['gelosin', 'lignose'], 'ligroine': ['ligroine', 'religion'], 'ligure': ['ligure', 'reguli'], 'lija': ['jail', 'lija'], 'like': ['kiel', 'like'], 'liken': ['inkle', 'liken'], 'likewise': ['likewise', 'wiselike'], 'lilac': ['calli', 'lilac'], 'lilacky': ['alkylic', 'lilacky'], 'lilium': ['illium', 'lilium'], 'lilt': ['lilt', 'till'], 'lily': ['illy', 'lily', 'yill'], 'lim': ['lim', 'mil'], 'lima': ['amil', 'amli', 'lima', 'mail', 'mali', 'mila'], 'limacina': ['animalic', 'limacina'], 'limacon': ['limacon', 'malonic'], 'liman': ['lamin', 'liman', 'milan'], 'limation': ['limation', 'miltonia'], 'limbat': ['limbat', 'timbal'], 'limbate': ['limbate', 'timable', 'timbale'], 'limbed': ['dimble', 'limbed'], 'limbus': ['bluism', 'limbus'], 'limby': ['blimy', 'limby'], 'lime': ['emil', 'lime', 'mile'], 'limean': ['limean', 'maline', 'melian', 'menial'], 'limeman': ['ammelin', 'limeman'], 'limer': ['limer', 'meril', 'miler'], 'limes': ['limes', 'miles', 'slime', 'smile'], 'limestone': ['limestone', 'melonites', 'milestone'], 'limey': ['elymi', 'emily', 'limey'], 'liminess': ['liminess', 'senilism'], 'limitary': ['limitary', 'military'], 'limitate': ['limitate', 'militate'], 'limitation': ['limitation', 'militation'], 'limited': ['delimit', 'limited'], 'limiter': ['limiter', 'relimit'], 'limitless': ['limitless', 'semistill'], 'limner': ['limner', 'merlin', 'milner'], 'limnetic': ['limnetic', 'milicent'], 'limoniad': ['dominial', 'imolinda', 'limoniad'], 'limosa': ['limosa', 'somali'], 'limose': ['lemosi', 'limose', 'moiles'], 'limp': ['limp', 'pilm', 'plim'], 'limper': ['limper', 'prelim', 'rimple'], 'limping': ['impling', 'limping'], 'limpsy': ['limpsy', 'simply'], 'limpy': ['imply', 'limpy', 'pilmy'], 'limsy': ['limsy', 'slimy', 'smily'], 'lin': ['lin', 'nil'], 'lina': ['alin', 'anil', 'lain', 'lina', 'nail'], 'linaga': ['agnail', 'linaga'], 'linage': ['algine', 'genial', 'linage'], 'linamarin': ['laminarin', 'linamarin'], 'linarite': ['inertial', 'linarite'], 'linchet': ['linchet', 'tinchel'], 'linctus': ['clunist', 'linctus'], 'linda': ['danli', 'ladin', 'linda', 'nidal'], 'lindane': ['annelid', 'lindane'], 'linder': ['linder', 'rindle'], 'lindoite': ['lindoite', 'tolidine'], 'lindsay': ['islandy', 'lindsay'], 'line': ['lien', 'line', 'neil', 'nile'], 'linea': ['alien', 'aline', 'anile', 'elain', 'elian', 'laine', 'linea'], 'lineal': ['lienal', 'lineal'], 'lineament': ['lineament', 'manteline'], 'linear': ['arline', 'larine', 'linear', 'nailer', 'renail'], 'linearity': ['inreality', 'linearity'], 'lineate': ['elatine', 'lineate'], 'lineature': ['lineature', 'rutelinae'], 'linecut': ['linecut', 'tunicle'], 'lined': ['eldin', 'lined'], 'lineman': ['lemnian', 'lineman', 'melanin'], 'linen': ['linen', 'linne'], 'linesman': ['annelism', 'linesman'], 'linet': ['inlet', 'linet'], 'linga': ['algin', 'align', 'langi', 'liang', 'linga'], 'lingbird': ['birdling', 'bridling', 'lingbird'], 'linge': ['ingle', 'ligne', 'linge', 'nigel'], 'linger': ['linger', 'ringle'], 'lingo': ['lingo', 'login'], 'lingtow': ['lingtow', 'twoling'], 'lingua': ['gaulin', 'lingua'], 'lingual': ['lingual', 'lingula'], 'linguidental': ['dentilingual', 'indulgential', 'linguidental'], 'lingula': ['lingual', 'lingula'], 'linguodental': ['dentolingual', 'linguodental'], 'lingy': ['lingy', 'lying'], 'linha': ['linha', 'nihal'], 'lining': ['lignin', 'lining'], 'link': ['kiln', 'link'], 'linked': ['kindle', 'linked'], 'linker': ['linker', 'relink'], 'linking': ['inkling', 'linking'], 'linkman': ['kilnman', 'linkman'], 'links': ['links', 'slink'], 'linnaea': ['alanine', 'linnaea'], 'linnaean': ['annaline', 'linnaean'], 'linne': ['linen', 'linne'], 'linnet': ['linnet', 'linten'], 'lino': ['lino', 'lion', 'loin', 'noil'], 'linolenic': ['encinillo', 'linolenic'], 'linometer': ['linometer', 'nilometer'], 'linopteris': ['linopteris', 'prosilient'], 'linous': ['insoul', 'linous', 'nilous', 'unsoil'], 'linsey': ['linsey', 'lysine'], 'linstock': ['coltskin', 'linstock'], 'lintel': ['lentil', 'lintel'], 'linten': ['linnet', 'linten'], 'lintseed': ['enlisted', 'lintseed'], 'linum': ['linum', 'ulmin'], 'linus': ['linus', 'sunil'], 'liny': ['inly', 'liny'], 'lion': ['lino', 'lion', 'loin', 'noil'], 'lioncel': ['colline', 'lioncel'], 'lionel': ['lionel', 'niello'], 'lionet': ['entoil', 'lionet'], 'lionhearted': ['leonhardite', 'lionhearted'], 'lipa': ['lipa', 'pail', 'pali', 'pial'], 'lipan': ['lipan', 'pinal', 'plain'], 'liparis': ['aprilis', 'liparis'], 'liparite': ['liparite', 'reptilia'], 'liparous': ['liparous', 'pliosaur'], 'lipase': ['espial', 'lipase', 'pelias'], 'lipin': ['lipin', 'pilin'], 'liplet': ['liplet', 'pillet'], 'lipochondroma': ['chondrolipoma', 'lipochondroma'], 'lipoclasis': ['calliopsis', 'lipoclasis'], 'lipocyte': ['epicotyl', 'lipocyte'], 'lipofibroma': ['fibrolipoma', 'lipofibroma'], 'lipolytic': ['lipolytic', 'politicly'], 'lipoma': ['lipoma', 'pimola', 'ploima'], 'lipomyoma': ['lipomyoma', 'myolipoma'], 'lipomyxoma': ['lipomyxoma', 'myxolipoma'], 'liposis': ['liposis', 'pilosis'], 'lipotype': ['lipotype', 'polypite'], 'lippen': ['lippen', 'nipple'], 'lipper': ['lipper', 'ripple'], 'lippia': ['lippia', 'pilpai'], 'lipsanotheca': ['lipsanotheca', 'sphacelation'], 'lipstick': ['lickspit', 'lipstick'], 'liquate': ['liquate', 'tequila'], 'liquidate': ['liquidate', 'qualitied'], 'lira': ['aril', 'lair', 'lari', 'liar', 'lira', 'rail', 'rial'], 'lirate': ['lirate', 'retail', 'retial', 'tailer'], 'liration': ['liration', 'litorina'], 'lire': ['lier', 'lire', 'rile'], 'lis': ['lis', 'sil'], 'lisa': ['lasi', 'lias', 'lisa', 'sail', 'sial'], 'lise': ['isle', 'lise', 'sile'], 'lisere': ['lisere', 'resile'], 'lisk': ['lisk', 'silk', 'skil'], 'lisle': ['lisle', 'selli'], 'lisp': ['lisp', 'slip'], 'lisper': ['lisper', 'pliers', 'sirple', 'spiler'], 'list': ['list', 'silt', 'slit'], 'listable': ['bastille', 'listable'], 'listen': ['enlist', 'listen', 'silent', 'tinsel'], 'listener': ['enlister', 'esterlin', 'listener', 'relisten'], 'lister': ['lister', 'relist'], 'listera': ['aletris', 'alister', 'listera', 'realist', 'saltier'], 'listerian': ['listerian', 'trisilane'], 'listerine': ['listerine', 'resilient'], 'listerize': ['listerize', 'sterilize'], 'listing': ['listing', 'silting'], 'listless': ['listless', 'slitless'], 'lisuarte': ['auletris', 'lisuarte'], 'lit': ['lit', 'til'], 'litas': ['alist', 'litas', 'slait', 'talis'], 'litchi': ['litchi', 'lithic'], 'lite': ['lite', 'teil', 'teli', 'tile'], 'liter': ['liter', 'tiler'], 'literal': ['literal', 'tallier'], 'literary': ['literary', 'trailery'], 'literate': ['laterite', 'literate', 'teretial'], 'literose': ['literose', 'roselite', 'tirolese'], 'lith': ['hilt', 'lith'], 'litharge': ['litharge', 'thirlage'], 'lithe': ['leith', 'lithe'], 'lithectomy': ['lithectomy', 'methylotic'], 'lithic': ['litchi', 'lithic'], 'litho': ['litho', 'thiol', 'tholi'], 'lithochromography': ['chromolithography', 'lithochromography'], 'lithocyst': ['cystolith', 'lithocyst'], 'lithonephria': ['lithonephria', 'philotherian'], 'lithonephrotomy': ['lithonephrotomy', 'nephrolithotomy'], 'lithophane': ['anthophile', 'lithophane'], 'lithophone': ['lithophone', 'thiophenol'], 'lithophotography': ['lithophotography', 'photolithography'], 'lithophysal': ['isophthalyl', 'lithophysal'], 'lithopone': ['lithopone', 'phonolite'], 'lithous': ['lithous', 'loutish'], 'litigate': ['litigate', 'tagilite'], 'litmus': ['litmus', 'tilmus'], 'litorina': ['liration', 'litorina'], 'litorinidae': ['idioretinal', 'litorinidae'], 'litra': ['litra', 'trail', 'trial'], 'litsea': ['isleta', 'litsea', 'salite', 'stelai'], 'litster': ['litster', 'slitter', 'stilter', 'testril'], 'litten': ['litten', 'tinlet'], 'litter': ['litter', 'tilter', 'titler'], 'littery': ['littery', 'tritely'], 'littoral': ['littoral', 'tortilla'], 'lituiform': ['lituiform', 'trifolium'], 'litus': ['litus', 'sluit', 'tulsi'], 'live': ['evil', 'levi', 'live', 'veil', 'vile', 'vlei'], 'lived': ['devil', 'divel', 'lived'], 'livedo': ['livedo', 'olived'], 'liveliness': ['liveliness', 'villeiness'], 'livelong': ['livelong', 'loveling'], 'lively': ['evilly', 'lively', 'vilely'], 'liven': ['levin', 'liven'], 'liveness': ['evilness', 'liveness', 'veinless', 'vileness', 'vineless'], 'liver': ['levir', 'liver', 'livre', 'rivel'], 'livered': ['deliver', 'deviler', 'livered'], 'livery': ['livery', 'verily'], 'livier': ['livier', 'virile'], 'livonian': ['livonian', 'violanin'], 'livre': ['levir', 'liver', 'livre', 'rivel'], 'liwan': ['inlaw', 'liwan'], 'llandeilo': ['diallelon', 'llandeilo'], 'llew': ['llew', 'well'], 'lloyd': ['dolly', 'lloyd'], 'loa': ['alo', 'lao', 'loa'], 'loach': ['chola', 'loach', 'olcha'], 'load': ['alod', 'dola', 'load', 'odal'], 'loaden': ['enodal', 'loaden'], 'loader': ['loader', 'ordeal', 'reload'], 'loading': ['angloid', 'loading'], 'loaf': ['foal', 'loaf', 'olaf'], 'loam': ['loam', 'loma', 'malo', 'mola', 'olam'], 'loaminess': ['loaminess', 'melanosis'], 'loaming': ['almoign', 'loaming'], 'loamy': ['amylo', 'loamy'], 'loaner': ['lenora', 'loaner', 'orlean', 'reloan'], 'loasa': ['alosa', 'loasa', 'oasal'], 'loath': ['altho', 'lhota', 'loath'], 'loather': ['loather', 'rathole'], 'loathly': ['loathly', 'tallyho'], 'lob': ['blo', 'lob'], 'lobar': ['balor', 'bolar', 'boral', 'labor', 'lobar'], 'lobate': ['lobate', 'oblate'], 'lobated': ['bloated', 'lobated'], 'lobately': ['lobately', 'oblately'], 'lobation': ['boltonia', 'lobation', 'oblation'], 'lobe': ['bleo', 'bole', 'lobe'], 'lobed': ['bodle', 'boled', 'lobed'], 'lobelet': ['bellote', 'lobelet'], 'lobelia': ['bolelia', 'lobelia', 'obelial'], 'lobing': ['globin', 'goblin', 'lobing'], 'lobo': ['bolo', 'bool', 'lobo', 'obol'], 'lobola': ['balolo', 'lobola'], 'lobscourse': ['lobscourse', 'lobscouser'], 'lobscouser': ['lobscourse', 'lobscouser'], 'lobster': ['bolster', 'lobster'], 'loca': ['alco', 'coal', 'cola', 'loca'], 'local': ['callo', 'colla', 'local'], 'locanda': ['acnodal', 'canadol', 'locanda'], 'locarnite': ['alectrion', 'clarionet', 'crotaline', 'locarnite'], 'locarnize': ['laconizer', 'locarnize'], 'locarno': ['coronal', 'locarno'], 'locate': ['acetol', 'colate', 'locate'], 'location': ['colation', 'coontail', 'location'], 'locational': ['allocation', 'locational'], 'locator': ['crotalo', 'locator'], 'loch': ['chol', 'loch'], 'lochan': ['chalon', 'lochan'], 'lochetic': ['helcotic', 'lochetic', 'ochletic'], 'lochus': ['holcus', 'lochus', 'slouch'], 'loci': ['clio', 'coil', 'coli', 'loci'], 'lociation': ['coalition', 'lociation'], 'lock': ['colk', 'lock'], 'locker': ['locker', 'relock'], 'lockpin': ['lockpin', 'pinlock'], 'lockram': ['lockram', 'marlock'], 'lockspit': ['lockspit', 'lopstick'], 'lockup': ['lockup', 'uplock'], 'loco': ['cool', 'loco'], 'locoweed': ['coolweed', 'locoweed'], 'locrian': ['carolin', 'clarion', 'colarin', 'locrian'], 'locrine': ['creolin', 'licorne', 'locrine'], 'loculate': ['allocute', 'loculate'], 'loculation': ['allocution', 'loculation'], 'locum': ['cumol', 'locum'], 'locusta': ['costula', 'locusta', 'talcous'], 'lod': ['dol', 'lod', 'old'], 'lode': ['dole', 'elod', 'lode', 'odel'], 'lodesman': ['dolesman', 'lodesman'], 'lodgeman': ['angeldom', 'lodgeman'], 'lodger': ['golder', 'lodger'], 'lodging': ['godling', 'lodging'], 'loess': ['loess', 'soles'], 'loessic': ['loessic', 'ossicle'], 'lof': ['flo', 'lof'], 'loft': ['flot', 'loft'], 'lofter': ['floret', 'forlet', 'lofter', 'torfel'], 'lofty': ['lofty', 'oftly'], 'log': ['gol', 'log'], 'logania': ['alogian', 'logania'], 'logarithm': ['algorithm', 'logarithm'], 'logarithmic': ['algorithmic', 'logarithmic'], 'loge': ['egol', 'goel', 'loge', 'ogle', 'oleg'], 'logger': ['logger', 'roggle'], 'logicalist': ['logicalist', 'logistical'], 'logicist': ['logicist', 'logistic'], 'login': ['lingo', 'login'], 'logistic': ['logicist', 'logistic'], 'logistical': ['logicalist', 'logistical'], 'logistics': ['glossitic', 'logistics'], 'logman': ['amlong', 'logman'], 'logographic': ['graphologic', 'logographic'], 'logographical': ['graphological', 'logographical'], 'logography': ['graphology', 'logography'], 'logoi': ['igloo', 'logoi'], 'logometrical': ['logometrical', 'metrological'], 'logos': ['gools', 'logos'], 'logotypy': ['logotypy', 'typology'], 'logria': ['gloria', 'larigo', 'logria'], 'logy': ['gloy', 'logy'], 'lohar': ['horal', 'lohar'], 'loin': ['lino', 'lion', 'loin', 'noil'], 'loined': ['doline', 'indole', 'leonid', 'loined', 'olenid'], 'loir': ['loir', 'lori', 'roil'], 'lois': ['lois', 'silo', 'siol', 'soil', 'soli'], 'loiter': ['loiter', 'toiler', 'triole'], 'loka': ['kalo', 'kola', 'loka'], 'lokao': ['lokao', 'oolak'], 'loke': ['koel', 'loke'], 'loket': ['ketol', 'loket'], 'lola': ['lalo', 'lola', 'olla'], 'loma': ['loam', 'loma', 'malo', 'mola', 'olam'], 'lomatine': ['lomatine', 'tolamine'], 'lombardian': ['laminboard', 'lombardian'], 'lomboy': ['bloomy', 'lomboy'], 'loment': ['loment', 'melton', 'molten'], 'lomentaria': ['ameliorant', 'lomentaria'], 'lomita': ['lomita', 'tomial'], 'lone': ['elon', 'enol', 'leno', 'leon', 'lone', 'noel'], 'longa': ['along', 'gonal', 'lango', 'longa', 'nogal'], 'longanimous': ['longanimous', 'longimanous'], 'longbeard': ['boglander', 'longbeard'], 'longear': ['argenol', 'longear'], 'longhead': ['headlong', 'longhead'], 'longimanous': ['longanimous', 'longimanous'], 'longimetry': ['longimetry', 'mongrelity'], 'longmouthed': ['goldenmouth', 'longmouthed'], 'longue': ['longue', 'lounge'], 'lonicera': ['acrolein', 'arecolin', 'caroline', 'colinear', 'cornelia', 'creolian', 'lonicera'], 'lontar': ['latron', 'lontar', 'tornal'], 'looby': ['booly', 'looby'], 'lood': ['dool', 'lood'], 'loof': ['fool', 'loof', 'olof'], 'look': ['kolo', 'look'], 'looker': ['looker', 'relook'], 'lookout': ['lookout', 'outlook'], 'loom': ['loom', 'mool'], 'loon': ['loon', 'nolo'], 'loop': ['loop', 'polo', 'pool'], 'looper': ['looper', 'pooler'], 'loopist': ['loopist', 'poloist', 'topsoil'], 'loopy': ['loopy', 'pooly'], 'loosing': ['loosing', 'sinolog'], 'loot': ['loot', 'tool'], 'looter': ['looter', 'retool', 'rootle', 'tooler'], 'lootie': ['lootie', 'oolite'], 'lop': ['lop', 'pol'], 'lope': ['lope', 'olpe', 'pole'], 'loper': ['loper', 'poler'], 'lopezia': ['epizoal', 'lopezia', 'opalize'], 'lophine': ['lophine', 'pinhole'], 'lophocomi': ['homopolic', 'lophocomi'], 'loppet': ['loppet', 'topple'], 'loppy': ['loppy', 'polyp'], 'lopstick': ['lockspit', 'lopstick'], 'loquacious': ['aquicolous', 'loquacious'], 'lora': ['lora', 'oral'], 'lorandite': ['lorandite', 'rodential'], 'lorate': ['elator', 'lorate'], 'lorcha': ['choral', 'lorcha'], 'lordly': ['drolly', 'lordly'], 'lore': ['lore', 'orle', 'role'], 'lored': ['lored', 'older'], 'loren': ['enrol', 'loren'], 'lori': ['loir', 'lori', 'roil'], 'lorica': ['caroli', 'corial', 'lorica'], 'loricate': ['calorite', 'erotical', 'loricate'], 'loricati': ['clitoria', 'loricati'], 'lorien': ['elinor', 'lienor', 'lorien', 'noiler'], 'loro': ['loro', 'olor', 'orlo', 'rool'], 'lose': ['lose', 'sloe', 'sole'], 'loser': ['loser', 'orsel', 'rosel', 'soler'], 'lost': ['lost', 'lots', 'slot'], 'lot': ['lot', 'tol'], 'lota': ['alto', 'lota'], 'lotase': ['lotase', 'osteal', 'solate', 'stolae', 'talose'], 'lote': ['leto', 'lote', 'tole'], 'lotic': ['cloit', 'lotic'], 'lotrite': ['lotrite', 'tortile', 'triolet'], 'lots': ['lost', 'lots', 'slot'], 'lotta': ['lotta', 'total'], 'lotter': ['lotter', 'rottle', 'tolter'], 'lottie': ['lottie', 'toilet', 'tolite'], 'lou': ['lou', 'luo'], 'loud': ['loud', 'ludo'], 'louden': ['louden', 'nodule'], 'lough': ['ghoul', 'lough'], 'lounder': ['durenol', 'lounder', 'roundel'], 'lounge': ['longue', 'lounge'], 'loupe': ['epulo', 'loupe'], 'lourdy': ['dourly', 'lourdy'], 'louse': ['eusol', 'louse'], 'lousy': ['lousy', 'souly'], 'lout': ['lout', 'tolu'], 'louter': ['elutor', 'louter', 'outler'], 'loutish': ['lithous', 'loutish'], 'louty': ['louty', 'outly'], 'louvar': ['louvar', 'ovular'], 'louver': ['louver', 'louvre'], 'louvre': ['louver', 'louvre'], 'lovable': ['lovable', 'volable'], 'lovage': ['lovage', 'volage'], 'love': ['levo', 'love', 'velo', 'vole'], 'loveling': ['livelong', 'loveling'], 'lovely': ['lovely', 'volley'], 'lovering': ['lovering', 'overling'], 'low': ['low', 'lwo', 'owl'], 'lowa': ['alow', 'awol', 'lowa'], 'lowder': ['lowder', 'weldor', 'wordle'], 'lower': ['lower', 'owler', 'rowel'], 'lowerer': ['lowerer', 'relower'], 'lowery': ['lowery', 'owlery', 'rowley', 'yowler'], 'lowish': ['lowish', 'owlish'], 'lowishly': ['lowishly', 'owlishly', 'sillyhow'], 'lowishness': ['lowishness', 'owlishness'], 'lowy': ['lowy', 'owly', 'yowl'], 'loyal': ['alloy', 'loyal'], 'loyalism': ['loyalism', 'lysiloma'], 'loyd': ['loyd', 'odyl'], 'luba': ['balu', 'baul', 'bual', 'luba'], 'lubber': ['burble', 'lubber', 'rubble'], 'lubberland': ['landlubber', 'lubberland'], 'lube': ['blue', 'lube'], 'lucan': ['lucan', 'nucal'], 'lucania': ['lucania', 'luciana'], 'lucanid': ['dulcian', 'incudal', 'lucanid', 'lucinda'], 'lucanidae': ['leucadian', 'lucanidae'], 'lucarne': ['crenula', 'lucarne', 'nuclear', 'unclear'], 'lucban': ['buncal', 'lucban'], 'luce': ['clue', 'luce'], 'luceres': ['luceres', 'recluse'], 'lucern': ['encurl', 'lucern'], 'lucernal': ['lucernal', 'nucellar', 'uncellar'], 'lucet': ['culet', 'lucet'], 'lucia': ['aulic', 'lucia'], 'lucian': ['cunila', 'lucian', 'lucina', 'uncial'], 'luciana': ['lucania', 'luciana'], 'lucifer': ['ferulic', 'lucifer'], 'lucigen': ['glucine', 'lucigen'], 'lucina': ['cunila', 'lucian', 'lucina', 'uncial'], 'lucinda': ['dulcian', 'incudal', 'lucanid', 'lucinda'], 'lucinoid': ['lucinoid', 'oculinid'], 'lucite': ['lucite', 'luetic', 'uletic'], 'lucrative': ['lucrative', 'revictual', 'victualer'], 'lucre': ['cruel', 'lucre', 'ulcer'], 'lucretia': ['arculite', 'cutleria', 'lucretia', 'reticula', 'treculia'], 'lucretian': ['centurial', 'lucretian', 'ultranice'], 'luctiferous': ['fruticulose', 'luctiferous'], 'lucubrate': ['lucubrate', 'tubercula'], 'ludden': ['ludden', 'nuddle'], 'luddite': ['diluted', 'luddite'], 'ludian': ['dualin', 'ludian', 'unlaid'], 'ludibry': ['buirdly', 'ludibry'], 'ludicroserious': ['ludicroserious', 'serioludicrous'], 'ludo': ['loud', 'ludo'], 'lue': ['leu', 'lue', 'ule'], 'lues': ['lues', 'slue'], 'luetic': ['lucite', 'luetic', 'uletic'], 'lug': ['gul', 'lug'], 'luge': ['glue', 'gule', 'luge'], 'luger': ['gluer', 'gruel', 'luger'], 'lugger': ['gurgle', 'lugger', 'ruggle'], 'lugnas': ['lugnas', 'salung'], 'lugsome': ['glumose', 'lugsome'], 'luian': ['inula', 'luian', 'uinal'], 'luiseno': ['elusion', 'luiseno'], 'luite': ['luite', 'utile'], 'lukas': ['klaus', 'lukas', 'sulka'], 'luke': ['leuk', 'luke'], 'lula': ['lula', 'ulla'], 'lulab': ['bulla', 'lulab'], 'lumbar': ['brumal', 'labrum', 'lumbar', 'umbral'], 'lumber': ['lumber', 'rumble', 'umbrel'], 'lumbosacral': ['lumbosacral', 'sacrolumbal'], 'lumine': ['lumine', 'unlime'], 'lump': ['lump', 'plum'], 'lumper': ['lumper', 'plumer', 'replum', 'rumple'], 'lumpet': ['lumpet', 'plumet'], 'lumpiness': ['lumpiness', 'pluminess'], 'lumpy': ['lumpy', 'plumy'], 'luna': ['laun', 'luna', 'ulna', 'unal'], 'lunacy': ['lunacy', 'unclay'], 'lunar': ['lunar', 'ulnar', 'urnal'], 'lunare': ['lunare', 'neural', 'ulnare', 'unreal'], 'lunaria': ['lunaria', 'ulnaria', 'uralian'], 'lunary': ['lunary', 'uranyl'], 'lunatic': ['calinut', 'lunatic'], 'lunation': ['lunation', 'ultonian'], 'lunda': ['dunal', 'laund', 'lunda', 'ulnad'], 'lung': ['gunl', 'lung'], 'lunge': ['leung', 'lunge'], 'lunged': ['gulden', 'lunged'], 'lungfish': ['flushing', 'lungfish'], 'lungsick': ['lungsick', 'suckling'], 'lunisolar': ['lunisolar', 'solilunar'], 'luo': ['lou', 'luo'], 'lupe': ['lupe', 'pelu', 'peul', 'pule'], 'luperci': ['luperci', 'pleuric'], 'lupicide': ['lupicide', 'pediculi', 'pulicide'], 'lupinaster': ['lupinaster', 'palustrine'], 'lupine': ['lupine', 'unpile', 'upline'], 'lupinus': ['lupinus', 'pinulus'], 'lupis': ['lupis', 'pilus'], 'lupous': ['lupous', 'opulus'], 'lura': ['alur', 'laur', 'lura', 'raul', 'ural'], 'lurch': ['churl', 'lurch'], 'lure': ['lure', 'rule'], 'lurer': ['lurer', 'ruler'], 'lurg': ['gurl', 'lurg'], 'luringly': ['luringly', 'rulingly'], 'luscinia': ['luscinia', 'siculian'], 'lush': ['lush', 'shlu', 'shul'], 'lusher': ['lusher', 'shuler'], 'lushly': ['hyllus', 'lushly'], 'lushness': ['lushness', 'shunless'], 'lusian': ['insula', 'lanius', 'lusian'], 'lusk': ['lusk', 'sulk'], 'lusky': ['lusky', 'sulky'], 'lusory': ['lusory', 'sourly'], 'lust': ['lust', 'slut'], 'luster': ['luster', 'result', 'rustle', 'sutler', 'ulster'], 'lusterless': ['lusterless', 'lustreless', 'resultless'], 'lustihead': ['hastilude', 'lustihead'], 'lustreless': ['lusterless', 'lustreless', 'resultless'], 'lustrine': ['insulter', 'lustrine', 'reinsult'], 'lustring': ['lustring', 'rustling'], 'lusty': ['lusty', 'tylus'], 'lutaceous': ['cautelous', 'lutaceous'], 'lutany': ['auntly', 'lutany'], 'lutayo': ['layout', 'lutayo', 'outlay'], 'lute': ['lute', 'tule'], 'luteal': ['alulet', 'luteal'], 'lutecia': ['aleutic', 'auletic', 'caulite', 'lutecia'], 'lutecium': ['cumulite', 'lutecium'], 'lutein': ['lutein', 'untile'], 'lutfisk': ['kistful', 'lutfisk'], 'luther': ['hurtle', 'luther'], 'lutheran': ['lutheran', 'unhalter'], 'lutianoid': ['lutianoid', 'nautiloid'], 'lutianus': ['lutianus', 'nautilus', 'ustulina'], 'luting': ['glutin', 'luting', 'ungilt'], 'lutose': ['lutose', 'solute', 'tousle'], 'lutra': ['lutra', 'ultra'], 'lutrinae': ['lutrinae', 'retinula', 'rutelian', 'tenurial'], 'luxe': ['luxe', 'ulex'], 'lwo': ['low', 'lwo', 'owl'], 'lyam': ['amyl', 'lyam', 'myal'], 'lyard': ['daryl', 'lardy', 'lyard'], 'lyas': ['lyas', 'slay'], 'lycaenid': ['adenylic', 'lycaenid'], 'lyceum': ['cymule', 'lyceum'], 'lycopodium': ['lycopodium', 'polycodium'], 'lyctidae': ['diacetyl', 'lyctidae'], 'lyddite': ['lyddite', 'tiddley'], 'lydia': ['daily', 'lydia'], 'lydite': ['idlety', 'lydite', 'tidely', 'tidley'], 'lye': ['ley', 'lye'], 'lying': ['lingy', 'lying'], 'lymnaeid': ['lymnaeid', 'maidenly', 'medianly'], 'lymphadenia': ['lymphadenia', 'nymphalidae'], 'lymphectasia': ['lymphectasia', 'metaphysical'], 'lymphopenia': ['lymphopenia', 'polyphemian'], 'lynne': ['lenny', 'lynne'], 'lyon': ['lyon', 'only'], 'lyophobe': ['hypobole', 'lyophobe'], 'lyra': ['aryl', 'lyra', 'ryal', 'yarl'], 'lyraid': ['aridly', 'lyraid'], 'lyrate': ['lyrate', 'raylet', 'realty', 'telary'], 'lyre': ['lyre', 'rely'], 'lyric': ['cyril', 'lyric'], 'lyrical': ['cyrilla', 'lyrical'], 'lyrid': ['idryl', 'lyrid'], 'lys': ['lys', 'sly'], 'lysander': ['lysander', 'synedral'], 'lysate': ['alytes', 'astely', 'lysate', 'stealy'], 'lyse': ['lyse', 'sley'], 'lysiloma': ['loyalism', 'lysiloma'], 'lysine': ['linsey', 'lysine'], 'lysogenetic': ['cleistogeny', 'lysogenetic'], 'lysogenic': ['glycosine', 'lysogenic'], 'lyssic': ['clysis', 'lyssic'], 'lyterian': ['interlay', 'lyterian'], 'lyxose': ['lyxose', 'xylose'], 'ma': ['am', 'ma'], 'maam': ['amma', 'maam'], 'mab': ['bam', 'mab'], 'maba': ['amba', 'maba'], 'mabel': ['amble', 'belam', 'blame', 'mabel'], 'mabi': ['iamb', 'mabi'], 'mabolo': ['abloom', 'mabolo'], 'mac': ['cam', 'mac'], 'macaca': ['camaca', 'macaca'], 'macaco': ['cocama', 'macaco'], 'macaglia': ['almaciga', 'macaglia'], 'macan': ['caman', 'macan'], 'macanese': ['macanese', 'maecenas'], 'macao': ['acoma', 'macao'], 'macarism': ['macarism', 'marasmic'], 'macaroni': ['armonica', 'macaroni', 'marocain'], 'macaronic': ['carcinoma', 'macaronic'], 'mace': ['acme', 'came', 'mace'], 'macedon': ['conamed', 'macedon'], 'macedonian': ['caedmonian', 'macedonian'], 'macedonic': ['caedmonic', 'macedonic'], 'macer': ['cream', 'macer'], 'macerate': ['camerate', 'macerate', 'racemate'], 'maceration': ['aeromantic', 'cameration', 'maceration', 'racemation'], 'machar': ['chamar', 'machar'], 'machi': ['chiam', 'machi', 'micah'], 'machilis': ['chiliasm', 'hilasmic', 'machilis'], 'machinator': ['achromatin', 'chariotman', 'machinator'], 'machine': ['chimane', 'machine'], 'machinery': ['hemicrany', 'machinery'], 'macies': ['camise', 'macies'], 'macigno': ['coaming', 'macigno'], 'macilency': ['cyclamine', 'macilency'], 'macle': ['camel', 'clame', 'cleam', 'macle'], 'maclura': ['maclura', 'macular'], 'maco': ['coma', 'maco'], 'macon': ['coman', 'macon', 'manoc'], 'maconite': ['coinmate', 'maconite'], 'macro': ['carom', 'coram', 'macro', 'marco'], 'macrobian': ['carbamino', 'macrobian'], 'macromazia': ['macromazia', 'macrozamia'], 'macrophage': ['cameograph', 'macrophage'], 'macrophotograph': ['macrophotograph', 'photomacrograph'], 'macrotia': ['aromatic', 'macrotia'], 'macrotin': ['macrotin', 'romantic'], 'macrourid': ['macrourid', 'macruroid'], 'macrourus': ['macrourus', 'macrurous'], 'macrozamia': ['macromazia', 'macrozamia'], 'macruroid': ['macrourid', 'macruroid'], 'macrurous': ['macrourus', 'macrurous'], 'mactra': ['mactra', 'tarmac'], 'macular': ['maclura', 'macular'], 'macule': ['almuce', 'caelum', 'macule'], 'maculose': ['maculose', 'somacule'], 'mad': ['dam', 'mad'], 'madden': ['damned', 'demand', 'madden'], 'maddening': ['demanding', 'maddening'], 'maddeningly': ['demandingly', 'maddeningly'], 'madder': ['dermad', 'madder'], 'made': ['dame', 'made', 'mead'], 'madeira': ['adermia', 'madeira'], 'madeiran': ['madeiran', 'marinade'], 'madeline': ['endemial', 'madeline'], 'madi': ['admi', 'amid', 'madi', 'maid'], 'madia': ['amadi', 'damia', 'madia', 'maida'], 'madiga': ['agamid', 'madiga'], 'madman': ['madman', 'nammad'], 'madnep': ['dampen', 'madnep'], 'madrid': ['madrid', 'riddam'], 'madrier': ['admirer', 'madrier', 'married'], 'madrilene': ['landimere', 'madrilene'], 'madrona': ['anadrom', 'madrona', 'mandora', 'monarda', 'roadman'], 'madship': ['dampish', 'madship', 'phasmid'], 'madurese': ['madurese', 'measured'], 'mae': ['ame', 'mae'], 'maecenas': ['macanese', 'maecenas'], 'maenad': ['anadem', 'maenad'], 'maenadism': ['maenadism', 'mandaeism'], 'maeonian': ['enomania', 'maeonian'], 'maestri': ['artemis', 'maestri', 'misrate'], 'maestro': ['maestro', 'tarsome'], 'mag': ['gam', 'mag'], 'magadis': ['gamasid', 'magadis'], 'magani': ['angami', 'magani', 'magian'], 'magas': ['agsam', 'magas'], 'mage': ['egma', 'game', 'mage'], 'magenta': ['gateman', 'magenta', 'magnate', 'magneta'], 'magian': ['angami', 'magani', 'magian'], 'magic': ['gamic', 'magic'], 'magister': ['gemarist', 'magister', 'sterigma'], 'magistrate': ['magistrate', 'sterigmata'], 'magma': ['gamma', 'magma'], 'magnate': ['gateman', 'magenta', 'magnate', 'magneta'], 'magnes': ['magnes', 'semang'], 'magneta': ['gateman', 'magenta', 'magnate', 'magneta'], 'magnetist': ['agistment', 'magnetist'], 'magneto': ['geomant', 'magneto', 'megaton', 'montage'], 'magnetod': ['magnetod', 'megadont'], 'magnetoelectric': ['electromagnetic', 'magnetoelectric'], 'magnetoelectrical': ['electromagnetical', 'magnetoelectrical'], 'magnolia': ['algomian', 'magnolia'], 'magnus': ['magnus', 'musang'], 'magpie': ['magpie', 'piemag'], 'magyar': ['magyar', 'margay'], 'mah': ['ham', 'mah'], 'maha': ['amah', 'maha'], 'mahar': ['amhar', 'mahar', 'mahra'], 'maharani': ['amiranha', 'maharani'], 'mahdism': ['dammish', 'mahdism'], 'mahdist': ['adsmith', 'mahdist'], 'mahi': ['hami', 'hima', 'mahi'], 'mahican': ['chamian', 'mahican'], 'mahogany': ['hogmanay', 'mahogany'], 'maholi': ['holmia', 'maholi'], 'maholtine': ['hematolin', 'maholtine'], 'mahori': ['homrai', 'mahori', 'mohair'], 'mahra': ['amhar', 'mahar', 'mahra'], 'mahran': ['amhran', 'harman', 'mahran'], 'mahri': ['hiram', 'ihram', 'mahri'], 'maia': ['amia', 'maia'], 'maid': ['admi', 'amid', 'madi', 'maid'], 'maida': ['amadi', 'damia', 'madia', 'maida'], 'maiden': ['daimen', 'damine', 'maiden', 'median', 'medina'], 'maidenism': ['maidenism', 'medianism'], 'maidenly': ['lymnaeid', 'maidenly', 'medianly'], 'maidish': ['hasidim', 'maidish'], 'maidism': ['amidism', 'maidism'], 'maigre': ['imager', 'maigre', 'margie', 'mirage'], 'maiidae': ['amiidae', 'maiidae'], 'mail': ['amil', 'amli', 'lima', 'mail', 'mali', 'mila'], 'mailed': ['aldime', 'mailed', 'medial'], 'mailer': ['mailer', 'remail'], 'mailie': ['emilia', 'mailie'], 'maim': ['ammi', 'imam', 'maim', 'mima'], 'main': ['amin', 'main', 'mani', 'mian', 'mina', 'naim'], 'maine': ['amine', 'anime', 'maine', 'manei'], 'mainly': ['amylin', 'mainly'], 'mainour': ['mainour', 'uramino'], 'mainpast': ['mainpast', 'mantispa', 'panamist', 'stampian'], 'mainprise': ['mainprise', 'presimian'], 'mains': ['mains', 'manis'], 'maint': ['maint', 'matin'], 'maintain': ['amanitin', 'maintain'], 'maintainer': ['antimerina', 'maintainer', 'remaintain'], 'maintop': ['maintop', 'ptomain', 'tampion', 'timpano'], 'maioid': ['daimio', 'maioid'], 'maioidean': ['anomiidae', 'maioidean'], 'maire': ['aimer', 'maire', 'marie', 'ramie'], 'maja': ['jama', 'maja'], 'majoon': ['majoon', 'moonja'], 'major': ['jarmo', 'major'], 'makah': ['hakam', 'makah'], 'makassar': ['makassar', 'samskara'], 'make': ['kame', 'make', 'meak'], 'maker': ['maker', 'marek', 'merak'], 'maki': ['akim', 'maki'], 'mako': ['amok', 'mako'], 'mal': ['lam', 'mal'], 'mala': ['alma', 'amla', 'lama', 'mala'], 'malacologist': ['malacologist', 'mastological'], 'malaga': ['agalma', 'malaga'], 'malagma': ['amalgam', 'malagma'], 'malakin': ['alkamin', 'malakin'], 'malanga': ['malanga', 'nagmaal'], 'malapert': ['armplate', 'malapert'], 'malapi': ['impala', 'malapi'], 'malar': ['alarm', 'malar', 'maral', 'marla', 'ramal'], 'malarin': ['lairman', 'laminar', 'malarin', 'railman'], 'malate': ['malate', 'meatal', 'tamale'], 'malcreated': ['cradlemate', 'malcreated'], 'maldonite': ['antimodel', 'maldonite', 'monilated'], 'male': ['alem', 'alme', 'lame', 'leam', 'male', 'meal', 'mela'], 'maleficiation': ['amelification', 'maleficiation'], 'maleic': ['maleic', 'malice', 'melica'], 'maleinoid': ['alimonied', 'maleinoid'], 'malella': ['lamella', 'malella', 'malleal'], 'maleness': ['lameness', 'maleness', 'maneless', 'nameless'], 'malengine': ['enameling', 'malengine', 'meningeal'], 'maleo': ['amole', 'maleo'], 'malfed': ['flamed', 'malfed'], 'malhonest': ['malhonest', 'mashelton'], 'mali': ['amil', 'amli', 'lima', 'mail', 'mali', 'mila'], 'malic': ['claim', 'clima', 'malic'], 'malice': ['maleic', 'malice', 'melica'], 'malicho': ['chiloma', 'malicho'], 'maligner': ['germinal', 'maligner', 'malinger'], 'malikana': ['kalamian', 'malikana'], 'maline': ['limean', 'maline', 'melian', 'menial'], 'malines': ['malines', 'salmine', 'selamin', 'seminal'], 'malinger': ['germinal', 'maligner', 'malinger'], 'malison': ['malison', 'manolis', 'osmanli', 'somnial'], 'malladrite': ['armillated', 'malladrite', 'mallardite'], 'mallardite': ['armillated', 'malladrite', 'mallardite'], 'malleal': ['lamella', 'malella', 'malleal'], 'mallein': ['mallein', 'manille'], 'malleoincudal': ['incudomalleal', 'malleoincudal'], 'malleus': ['amellus', 'malleus'], 'malmaison': ['anomalism', 'malmaison'], 'malmy': ['lammy', 'malmy'], 'malo': ['loam', 'loma', 'malo', 'mola', 'olam'], 'malonic': ['limacon', 'malonic'], 'malonyl': ['allonym', 'malonyl'], 'malope': ['aplome', 'malope'], 'malpoise': ['malpoise', 'semiopal'], 'malposed': ['malposed', 'plasmode'], 'maltase': ['asmalte', 'maltase'], 'malter': ['armlet', 'malter', 'martel'], 'maltese': ['maltese', 'seamlet'], 'malthe': ['hamlet', 'malthe'], 'malurinae': ['malurinae', 'melanuria'], 'malurine': ['lemurian', 'malurine', 'rumelian'], 'malurus': ['malurus', 'ramulus'], 'malus': ['lamus', 'malus', 'musal', 'slaum'], 'mamers': ['mamers', 'sammer'], 'mamo': ['ammo', 'mamo'], 'man': ['man', 'nam'], 'mana': ['anam', 'mana', 'naam', 'nama'], 'manacle': ['laceman', 'manacle'], 'manacus': ['manacus', 'samucan'], 'manage': ['agname', 'manage'], 'manager': ['gearman', 'manager'], 'manal': ['alman', 'lamna', 'manal'], 'manas': ['manas', 'saman'], 'manatee': ['emanate', 'manatee'], 'manatine': ['annamite', 'manatine'], 'manbird': ['birdman', 'manbird'], 'manchester': ['manchester', 'searchment'], 'mand': ['damn', 'mand'], 'mandaeism': ['maenadism', 'mandaeism'], 'mandaite': ['animated', 'mandaite', 'mantidae'], 'mandarin': ['drainman', 'mandarin'], 'mandation': ['damnation', 'mandation'], 'mandatory': ['damnatory', 'mandatory'], 'mande': ['amend', 'mande', 'maned'], 'mandelate': ['aldeament', 'mandelate'], 'mandil': ['lamnid', 'mandil'], 'mandola': ['mandola', 'odalman'], 'mandora': ['anadrom', 'madrona', 'mandora', 'monarda', 'roadman'], 'mandra': ['mandra', 'radman'], 'mandrill': ['drillman', 'mandrill'], 'mandyas': ['daysman', 'mandyas'], 'mane': ['amen', 'enam', 'mane', 'mean', 'name', 'nema'], 'maned': ['amend', 'mande', 'maned'], 'manege': ['gamene', 'manege', 'menage'], 'manei': ['amine', 'anime', 'maine', 'manei'], 'maneless': ['lameness', 'maleness', 'maneless', 'nameless'], 'manent': ['manent', 'netman'], 'manerial': ['almerian', 'manerial'], 'manes': ['manes', 'manse', 'mensa', 'samen', 'senam'], 'maness': ['enmass', 'maness', 'messan'], 'manettia': ['antietam', 'manettia'], 'maney': ['maney', 'yamen'], 'manga': ['amang', 'ganam', 'manga'], 'mangar': ['amgarn', 'mangar', 'marang', 'ragman'], 'mangel': ['legman', 'mangel', 'mangle'], 'mangelin': ['mangelin', 'nameling'], 'manger': ['engram', 'german', 'manger'], 'mangerite': ['germanite', 'germinate', 'gramenite', 'mangerite'], 'mangi': ['gamin', 'mangi'], 'mangle': ['legman', 'mangel', 'mangle'], 'mango': ['among', 'mango'], 'mangrass': ['grassman', 'mangrass'], 'mangrate': ['grateman', 'mangrate', 'mentagra', 'targeman'], 'mangue': ['mangue', 'maunge'], 'manhead': ['headman', 'manhead'], 'manhole': ['holeman', 'manhole'], 'manhood': ['dhamnoo', 'hoodman', 'manhood'], 'mani': ['amin', 'main', 'mani', 'mian', 'mina', 'naim'], 'mania': ['amain', 'amani', 'amnia', 'anima', 'mania'], 'maniable': ['animable', 'maniable'], 'maniac': ['amniac', 'caiman', 'maniac'], 'manic': ['amnic', 'manic'], 'manid': ['dimna', 'manid'], 'manidae': ['adamine', 'manidae'], 'manify': ['infamy', 'manify'], 'manila': ['almain', 'animal', 'lamina', 'manila'], 'manilla': ['alnilam', 'manilla'], 'manille': ['mallein', 'manille'], 'manioc': ['camion', 'conima', 'manioc', 'monica'], 'maniple': ['impanel', 'maniple'], 'manipuri': ['manipuri', 'unimpair'], 'manis': ['mains', 'manis'], 'manist': ['manist', 'mantis', 'matins', 'stamin'], 'manistic': ['actinism', 'manistic'], 'manito': ['atimon', 'manito', 'montia'], 'maniu': ['maniu', 'munia', 'unami'], 'manius': ['animus', 'anisum', 'anusim', 'manius'], 'maniva': ['maniva', 'vimana'], 'manlet': ['lament', 'manlet', 'mantel', 'mantle', 'mental'], 'manna': ['annam', 'manna'], 'mannite': ['mannite', 'tineman'], 'mannonic': ['cinnamon', 'mannonic'], 'mano': ['mano', 'moan', 'mona', 'noam', 'noma', 'oman'], 'manoc': ['coman', 'macon', 'manoc'], 'manolis': ['malison', 'manolis', 'osmanli', 'somnial'], 'manometrical': ['commentarial', 'manometrical'], 'manometry': ['manometry', 'momentary'], 'manor': ['manor', 'moran', 'norma', 'ramon', 'roman'], 'manorial': ['manorial', 'morainal'], 'manorship': ['manorship', 'orphanism'], 'manoscope': ['manoscope', 'moonscape'], 'manred': ['damner', 'manred', 'randem', 'remand'], 'manrent': ['manrent', 'remnant'], 'manrope': ['manrope', 'ropeman'], 'manse': ['manes', 'manse', 'mensa', 'samen', 'senam'], 'manship': ['manship', 'shipman'], 'mansion': ['mansion', 'onanism'], 'mansioneer': ['emersonian', 'mansioneer'], 'manslaughter': ['manslaughter', 'slaughterman'], 'manso': ['manso', 'mason', 'monas'], 'manta': ['atman', 'manta'], 'mantel': ['lament', 'manlet', 'mantel', 'mantle', 'mental'], 'manteline': ['lineament', 'manteline'], 'manter': ['manter', 'marten', 'rament'], 'mantes': ['mantes', 'stamen'], 'manticore': ['cremation', 'manticore'], 'mantidae': ['animated', 'mandaite', 'mantidae'], 'mantis': ['manist', 'mantis', 'matins', 'stamin'], 'mantispa': ['mainpast', 'mantispa', 'panamist', 'stampian'], 'mantissa': ['mantissa', 'satanism'], 'mantle': ['lament', 'manlet', 'mantel', 'mantle', 'mental'], 'manto': ['manto', 'toman'], 'mantodea': ['mantodea', 'nematoda'], 'mantoidea': ['diatomean', 'mantoidea'], 'mantra': ['mantra', 'tarman'], 'mantrap': ['mantrap', 'rampant'], 'mantua': ['anatum', 'mantua', 'tamanu'], 'manual': ['alumna', 'manual'], 'manualism': ['manualism', 'musalmani'], 'manualiter': ['manualiter', 'unmaterial'], 'manuel': ['manuel', 'unlame'], 'manul': ['lanum', 'manul'], 'manuma': ['amunam', 'manuma'], 'manure': ['manure', 'menura'], 'manward': ['manward', 'wardman'], 'manwards': ['manwards', 'wardsman'], 'manway': ['manway', 'wayman'], 'manwise': ['manwise', 'wiseman'], 'many': ['many', 'myna'], 'mao': ['mao', 'oam'], 'maori': ['maori', 'mario', 'moira'], 'map': ['map', 'pam'], 'mapach': ['champa', 'mapach'], 'maple': ['ample', 'maple'], 'mapper': ['mapper', 'pamper', 'pampre'], 'mar': ['arm', 'mar', 'ram'], 'mara': ['amar', 'amra', 'mara', 'rama'], 'marabout': ['marabout', 'marabuto', 'tamboura'], 'marabuto': ['marabout', 'marabuto', 'tamboura'], 'maraca': ['acamar', 'camara', 'maraca'], 'maral': ['alarm', 'malar', 'maral', 'marla', 'ramal'], 'marang': ['amgarn', 'mangar', 'marang', 'ragman'], 'mararie': ['armeria', 'mararie'], 'marasca': ['marasca', 'mascara'], 'maraschino': ['anachorism', 'chorasmian', 'maraschino'], 'marasmic': ['macarism', 'marasmic'], 'marbelize': ['marbelize', 'marbleize'], 'marble': ['ambler', 'blamer', 'lamber', 'marble', 'ramble'], 'marbleize': ['marbelize', 'marbleize'], 'marbler': ['marbler', 'rambler'], 'marbling': ['marbling', 'rambling'], 'marc': ['cram', 'marc'], 'marcan': ['carman', 'marcan'], 'marcel': ['calmer', 'carmel', 'clamer', 'marcel', 'mercal'], 'marcescent': ['marcescent', 'scarcement'], 'march': ['charm', 'march'], 'marcher': ['charmer', 'marcher', 'remarch'], 'marchite': ['athermic', 'marchite', 'rhematic'], 'marchpane': ['marchpane', 'preachman'], 'marci': ['marci', 'mirac'], 'marcionist': ['marcionist', 'romanistic'], 'marcionite': ['marcionite', 'microtinae', 'remication'], 'marco': ['carom', 'coram', 'macro', 'marco'], 'marconi': ['amicron', 'marconi', 'minorca', 'romanic'], 'mare': ['erma', 'mare', 'rame', 'ream'], 'mareca': ['acream', 'camera', 'mareca'], 'marek': ['maker', 'marek', 'merak'], 'marengo': ['marengo', 'megaron'], 'mareotid': ['mareotid', 'mediator'], 'marfik': ['marfik', 'mirfak'], 'marfire': ['firearm', 'marfire'], 'margay': ['magyar', 'margay'], 'marge': ['grame', 'marge', 'regma'], 'margeline': ['margeline', 'regimenal'], 'margent': ['garment', 'margent'], 'margie': ['imager', 'maigre', 'margie', 'mirage'], 'margin': ['arming', 'ingram', 'margin'], 'marginal': ['alarming', 'marginal'], 'marginally': ['alarmingly', 'marginally'], 'marginate': ['armangite', 'marginate'], 'marginated': ['argentamid', 'marginated'], 'margined': ['dirgeman', 'margined', 'midrange'], 'marginiform': ['graminiform', 'marginiform'], 'margot': ['gomart', 'margot'], 'marhala': ['harmala', 'marhala'], 'mari': ['amir', 'irma', 'mari', 'mira', 'rami', 'rima'], 'marialite': ['latimeria', 'marialite'], 'marian': ['airman', 'amarin', 'marian', 'marina', 'mirana'], 'mariana': ['aramina', 'mariana'], 'marianne': ['armenian', 'marianne'], 'marie': ['aimer', 'maire', 'marie', 'ramie'], 'marigenous': ['germanious', 'gramineous', 'marigenous'], 'marilla': ['armilla', 'marilla'], 'marina': ['airman', 'amarin', 'marian', 'marina', 'mirana'], 'marinade': ['madeiran', 'marinade'], 'marinate': ['animater', 'marinate'], 'marine': ['ermani', 'marine', 'remain'], 'marinist': ['marinist', 'mistrain'], 'mario': ['maori', 'mario', 'moira'], 'marion': ['marion', 'romain'], 'mariou': ['mariou', 'oarium'], 'maris': ['maris', 'marsi', 'samir', 'simar'], 'marish': ['marish', 'shamir'], 'marishness': ['marishness', 'marshiness'], 'marist': ['marist', 'matris', 'ramist'], 'maritage': ['gematria', 'maritage'], 'marital': ['marital', 'martial'], 'maritality': ['maritality', 'martiality'], 'maritally': ['maritally', 'martially'], 'marka': ['karma', 'krama', 'marka'], 'markeb': ['embark', 'markeb'], 'marked': ['demark', 'marked'], 'marker': ['marker', 'remark'], 'marketable': ['marketable', 'tablemaker'], 'marketeer': ['marketeer', 'treemaker'], 'marketer': ['marketer', 'remarket'], 'marko': ['marko', 'marok'], 'marla': ['alarm', 'malar', 'maral', 'marla', 'ramal'], 'marled': ['dermal', 'marled', 'medlar'], 'marli': ['armil', 'marli', 'rimal'], 'marline': ['marline', 'mineral', 'ramline'], 'marlite': ['lamiter', 'marlite'], 'marlock': ['lockram', 'marlock'], 'maro': ['amor', 'maro', 'mora', 'omar', 'roam'], 'marocain': ['armonica', 'macaroni', 'marocain'], 'marok': ['marko', 'marok'], 'maronian': ['maronian', 'romanian'], 'maronist': ['maronist', 'romanist'], 'maronite': ['maronite', 'martinoe', 'minorate', 'morenita', 'romanite'], 'marquesan': ['marquesan', 'squareman'], 'marquis': ['asquirm', 'marquis'], 'marree': ['marree', 'reamer'], 'married': ['admirer', 'madrier', 'married'], 'marrot': ['marrot', 'mortar'], 'marrowed': ['marrowed', 'romeward'], 'marryer': ['marryer', 'remarry'], 'mars': ['arms', 'mars'], 'marsh': ['marsh', 'shram'], 'marshaler': ['marshaler', 'remarshal'], 'marshiness': ['marishness', 'marshiness'], 'marshite': ['arthemis', 'marshite', 'meharist'], 'marsi': ['maris', 'marsi', 'samir', 'simar'], 'marsipobranchiata': ['basiparachromatin', 'marsipobranchiata'], 'mart': ['mart', 'tram'], 'martel': ['armlet', 'malter', 'martel'], 'marteline': ['alimenter', 'marteline'], 'marten': ['manter', 'marten', 'rament'], 'martes': ['martes', 'master', 'remast', 'stream'], 'martha': ['amarth', 'martha'], 'martial': ['marital', 'martial'], 'martiality': ['maritality', 'martiality'], 'martially': ['maritally', 'martially'], 'martian': ['martian', 'tamarin'], 'martinet': ['intermat', 'martinet', 'tetramin'], 'martinico': ['martinico', 'mortician'], 'martinoe': ['maronite', 'martinoe', 'minorate', 'morenita', 'romanite'], 'martite': ['martite', 'mitrate'], 'martius': ['martius', 'matsuri', 'maurist'], 'martu': ['martu', 'murat', 'turma'], 'marty': ['marty', 'tryma'], 'maru': ['arum', 'maru', 'mura'], 'mary': ['army', 'mary', 'myra', 'yarm'], 'marylander': ['aldermanry', 'marylander'], 'marysole': ['marysole', 'ramosely'], 'mas': ['mas', 'sam', 'sma'], 'mascara': ['marasca', 'mascara'], 'mascotry': ['arctomys', 'costmary', 'mascotry'], 'masculine': ['masculine', 'semuncial', 'simulance'], 'masculist': ['masculist', 'simulcast'], 'masdeu': ['amused', 'masdeu', 'medusa'], 'mash': ['mash', 'samh', 'sham'], 'masha': ['hamsa', 'masha', 'shama'], 'mashal': ['mashal', 'shamal'], 'mashelton': ['malhonest', 'mashelton'], 'masher': ['masher', 'ramesh', 'shamer'], 'mashy': ['mashy', 'shyam'], 'mask': ['kasm', 'mask'], 'masker': ['masker', 'remask'], 'mason': ['manso', 'mason', 'monas'], 'masoner': ['masoner', 'romanes'], 'masonic': ['anosmic', 'masonic'], 'masonite': ['masonite', 'misatone'], 'maspiter': ['maspiter', 'pastimer', 'primates'], 'masque': ['masque', 'squame', 'squeam'], 'massa': ['amass', 'assam', 'massa', 'samas'], 'masse': ['masse', 'sesma'], 'masser': ['masser', 'remass'], 'masseter': ['masseter', 'seamster'], 'masseur': ['assumer', 'erasmus', 'masseur'], 'massicot': ['acosmist', 'massicot', 'somatics'], 'massiness': ['amissness', 'massiness'], 'masskanne': ['masskanne', 'sneaksman'], 'mast': ['mast', 'mats', 'stam'], 'masted': ['demast', 'masted'], 'master': ['martes', 'master', 'remast', 'stream'], 'masterate': ['masterate', 'metatarse'], 'masterer': ['masterer', 'restream', 'streamer'], 'masterful': ['masterful', 'streamful'], 'masterless': ['masterless', 'streamless'], 'masterlike': ['masterlike', 'streamlike'], 'masterling': ['masterling', 'streamling'], 'masterly': ['masterly', 'myrtales'], 'mastership': ['mastership', 'shipmaster'], 'masterwork': ['masterwork', 'workmaster'], 'masterwort': ['masterwort', 'streamwort'], 'mastery': ['mastery', 'streamy'], 'mastic': ['mastic', 'misact'], 'masticable': ['ablastemic', 'masticable'], 'mastiche': ['mastiche', 'misteach'], 'mastlike': ['kemalist', 'mastlike'], 'mastoid': ['distoma', 'mastoid'], 'mastoidale': ['diatomales', 'mastoidale', 'mastoideal'], 'mastoideal': ['diatomales', 'mastoidale', 'mastoideal'], 'mastological': ['malacologist', 'mastological'], 'mastomenia': ['mastomenia', 'seminomata'], 'mastotomy': ['mastotomy', 'stomatomy'], 'masu': ['masu', 'musa', 'saum'], 'mat': ['amt', 'mat', 'tam'], 'matacan': ['matacan', 'tamanac'], 'matai': ['amati', 'amita', 'matai'], 'matar': ['matar', 'matra', 'trama'], 'matara': ['armata', 'matara', 'tamara'], 'matcher': ['matcher', 'rematch'], 'mate': ['mate', 'meat', 'meta', 'tame', 'team', 'tema'], 'mateless': ['mateless', 'meatless', 'tameless', 'teamless'], 'matelessness': ['matelessness', 'tamelessness'], 'mately': ['mately', 'tamely'], 'mater': ['armet', 'mater', 'merat', 'metra', 'ramet', 'tamer', 'terma', 'trame', 'trema'], 'materialism': ['immaterials', 'materialism'], 'materiel': ['eremital', 'materiel'], 'maternal': ['maternal', 'ramental'], 'maternology': ['laryngotome', 'maternology'], 'mateship': ['aphetism', 'mateship', 'shipmate', 'spithame'], 'matey': ['matey', 'meaty'], 'mathesis': ['mathesis', 'thamesis'], 'mathetic': ['mathetic', 'thematic'], 'matico': ['atomic', 'matico'], 'matin': ['maint', 'matin'], 'matinee': ['amenite', 'etamine', 'matinee'], 'matins': ['manist', 'mantis', 'matins', 'stamin'], 'matra': ['matar', 'matra', 'trama'], 'matral': ['matral', 'tramal'], 'matralia': ['altamira', 'matralia'], 'matrices': ['camerist', 'ceramist', 'matrices'], 'matricide': ['citramide', 'diametric', 'matricide'], 'matricula': ['lactarium', 'matricula'], 'matricular': ['matricular', 'trimacular'], 'matris': ['marist', 'matris', 'ramist'], 'matrocliny': ['matrocliny', 'romanticly'], 'matronism': ['matronism', 'romantism'], 'mats': ['mast', 'mats', 'stam'], 'matsu': ['matsu', 'tamus', 'tsuma'], 'matsuri': ['martius', 'matsuri', 'maurist'], 'matter': ['matter', 'mettar'], 'mattoir': ['mattoir', 'tritoma'], 'maturable': ['maturable', 'metabular'], 'maturation': ['maturation', 'natatorium'], 'maturer': ['erratum', 'maturer'], 'mau': ['aum', 'mau'], 'maud': ['duma', 'maud'], 'maudle': ['almude', 'maudle'], 'mauger': ['mauger', 'murage'], 'maul': ['alum', 'maul'], 'mauler': ['mauler', 'merula', 'ramule'], 'maun': ['maun', 'numa'], 'maund': ['maund', 'munda', 'numda', 'undam', 'unmad'], 'maunder': ['duramen', 'maunder', 'unarmed'], 'maunderer': ['maunderer', 'underream'], 'maunge': ['mangue', 'maunge'], 'maureen': ['maureen', 'menurae'], 'maurice': ['maurice', 'uraemic'], 'maurist': ['martius', 'matsuri', 'maurist'], 'mauser': ['amuser', 'mauser'], 'mavis': ['amvis', 'mavis'], 'maw': ['maw', 'mwa'], 'mawp': ['mawp', 'wamp'], 'may': ['amy', 'may', 'mya', 'yam'], 'maybe': ['beamy', 'embay', 'maybe'], 'mayer': ['mayer', 'reamy'], 'maylike': ['maylike', 'yamilke'], 'mayo': ['amoy', 'mayo'], 'mayor': ['mayor', 'moray'], 'maypoling': ['maypoling', 'pygmalion'], 'maysin': ['maysin', 'minyas', 'mysian'], 'maytide': ['daytime', 'maytide'], 'mazer': ['mazer', 'zerma'], 'mazur': ['mazur', 'murza'], 'mbaya': ['ambay', 'mbaya'], 'me': ['em', 'me'], 'meable': ['bemeal', 'meable'], 'mead': ['dame', 'made', 'mead'], 'meader': ['meader', 'remade'], 'meager': ['graeme', 'meager', 'meagre'], 'meagre': ['graeme', 'meager', 'meagre'], 'meak': ['kame', 'make', 'meak'], 'meal': ['alem', 'alme', 'lame', 'leam', 'male', 'meal', 'mela'], 'mealer': ['leamer', 'mealer'], 'mealiness': ['mealiness', 'messaline'], 'mealy': ['mealy', 'yamel'], 'mean': ['amen', 'enam', 'mane', 'mean', 'name', 'nema'], 'meander': ['amender', 'meander', 'reamend', 'reedman'], 'meandrite': ['demetrian', 'dermatine', 'meandrite', 'minareted'], 'meandrous': ['meandrous', 'roundseam'], 'meaned': ['amende', 'demean', 'meaned', 'nadeem'], 'meaner': ['enarme', 'meaner', 'rename'], 'meanly': ['meanly', 'namely'], 'meant': ['ament', 'meant', 'teman'], 'mease': ['emesa', 'mease'], 'measly': ['measly', 'samely'], 'measuration': ['aeronautism', 'measuration'], 'measure': ['measure', 'reamuse'], 'measured': ['madurese', 'measured'], 'meat': ['mate', 'meat', 'meta', 'tame', 'team', 'tema'], 'meatal': ['malate', 'meatal', 'tamale'], 'meatless': ['mateless', 'meatless', 'tameless', 'teamless'], 'meatman': ['meatman', 'teamman'], 'meatus': ['meatus', 'mutase'], 'meaty': ['matey', 'meaty'], 'mechanal': ['leachman', 'mechanal'], 'mechanicochemical': ['chemicomechanical', 'mechanicochemical'], 'mechanics': ['mechanics', 'mischance'], 'mechir': ['chimer', 'mechir', 'micher'], 'mecometry': ['cymometer', 'mecometry'], 'meconic': ['comenic', 'encomic', 'meconic'], 'meconin': ['ennomic', 'meconin'], 'meconioid': ['meconioid', 'monoeidic'], 'meconium': ['encomium', 'meconium'], 'mecopteron': ['mecopteron', 'protocneme'], 'medal': ['demal', 'medal'], 'medallary': ['alarmedly', 'medallary'], 'mede': ['deem', 'deme', 'mede', 'meed'], 'media': ['amide', 'damie', 'media'], 'mediacy': ['dicyema', 'mediacy'], 'mediad': ['diadem', 'mediad'], 'medial': ['aldime', 'mailed', 'medial'], 'median': ['daimen', 'damine', 'maiden', 'median', 'medina'], 'medianism': ['maidenism', 'medianism'], 'medianly': ['lymnaeid', 'maidenly', 'medianly'], 'mediator': ['mareotid', 'mediator'], 'mediatress': ['mediatress', 'streamside'], 'mediatrice': ['acidimeter', 'mediatrice'], 'medical': ['camelid', 'decimal', 'declaim', 'medical'], 'medically': ['decimally', 'medically'], 'medicate': ['decimate', 'medicate'], 'medication': ['decimation', 'medication'], 'medicator': ['decimator', 'medicator', 'mordicate'], 'medicatory': ['acidometry', 'medicatory', 'radiectomy'], 'medicinal': ['adminicle', 'medicinal'], 'medicophysical': ['medicophysical', 'physicomedical'], 'medimnos': ['demonism', 'medimnos', 'misnomed'], 'medina': ['daimen', 'damine', 'maiden', 'median', 'medina'], 'medino': ['domine', 'domnei', 'emodin', 'medino'], 'mediocrist': ['dosimetric', 'mediocrist'], 'mediocrity': ['iridectomy', 'mediocrity'], 'mediodorsal': ['dorsomedial', 'mediodorsal'], 'medioventral': ['medioventral', 'ventromedial'], 'meditate': ['admittee', 'meditate'], 'meditator': ['meditator', 'trematoid'], 'medlar': ['dermal', 'marled', 'medlar'], 'medusa': ['amused', 'masdeu', 'medusa'], 'medusan': ['medusan', 'sudamen'], 'meece': ['emcee', 'meece'], 'meed': ['deem', 'deme', 'mede', 'meed'], 'meeks': ['meeks', 'smeek'], 'meered': ['deemer', 'meered', 'redeem', 'remede'], 'meet': ['meet', 'mete', 'teem'], 'meeter': ['meeter', 'remeet', 'teemer'], 'meethelp': ['helpmeet', 'meethelp'], 'meeting': ['meeting', 'teeming', 'tegmine'], 'meg': ['gem', 'meg'], 'megabar': ['bergama', 'megabar'], 'megachiropteran': ['cinematographer', 'megachiropteran'], 'megadont': ['magnetod', 'megadont'], 'megadyne': ['ganymede', 'megadyne'], 'megaera': ['megaera', 'reamage'], 'megalodon': ['megalodon', 'moonglade'], 'megalohepatia': ['hepatomegalia', 'megalohepatia'], 'megalophonous': ['megalophonous', 'omphalogenous'], 'megalosplenia': ['megalosplenia', 'splenomegalia'], 'megapod': ['megapod', 'pagedom'], 'megapodius': ['megapodius', 'pseudimago'], 'megarian': ['germania', 'megarian'], 'megaric': ['gemaric', 'grimace', 'megaric'], 'megaron': ['marengo', 'megaron'], 'megaton': ['geomant', 'magneto', 'megaton', 'montage'], 'megmho': ['megmho', 'megohm'], 'megohm': ['megmho', 'megohm'], 'megrim': ['gimmer', 'grimme', 'megrim'], 'mehari': ['mehari', 'meriah'], 'meharist': ['arthemis', 'marshite', 'meharist'], 'meile': ['elemi', 'meile'], 'mein': ['mein', 'mien', 'mine'], 'meio': ['meio', 'oime'], 'mel': ['elm', 'mel'], 'mela': ['alem', 'alme', 'lame', 'leam', 'male', 'meal', 'mela'], 'melaconite': ['colemanite', 'melaconite'], 'melalgia': ['gamaliel', 'melalgia'], 'melam': ['lemma', 'melam'], 'melamine': ['ammeline', 'melamine'], 'melange': ['gleeman', 'melange'], 'melania': ['laminae', 'melania'], 'melanian': ['alemanni', 'melanian'], 'melanic': ['cnemial', 'melanic'], 'melanilin': ['melanilin', 'millennia'], 'melanin': ['lemnian', 'lineman', 'melanin'], 'melanism': ['melanism', 'slimeman'], 'melanite': ['melanite', 'meletian', 'metaline', 'nemalite'], 'melanitic': ['alimentic', 'antilemic', 'melanitic', 'metanilic'], 'melanochroi': ['chloroamine', 'melanochroi'], 'melanogen': ['melanogen', 'melongena'], 'melanoid': ['demonial', 'melanoid'], 'melanorrhea': ['amenorrheal', 'melanorrhea'], 'melanosis': ['loaminess', 'melanosis'], 'melanotic': ['entomical', 'melanotic'], 'melanuria': ['malurinae', 'melanuria'], 'melanuric': ['ceruminal', 'melanuric', 'numerical'], 'melas': ['amsel', 'melas', 'mesal', 'samel'], 'melastoma': ['melastoma', 'metasomal'], 'meldrop': ['meldrop', 'premold'], 'melena': ['enamel', 'melena'], 'melenic': ['celemin', 'melenic'], 'meletian': ['melanite', 'meletian', 'metaline', 'nemalite'], 'meletski': ['meletski', 'stemlike'], 'melian': ['limean', 'maline', 'melian', 'menial'], 'meliatin': ['meliatin', 'timaline'], 'melic': ['clime', 'melic'], 'melica': ['maleic', 'malice', 'melica'], 'melicerta': ['carmelite', 'melicerta'], 'melicraton': ['centimolar', 'melicraton'], 'melinda': ['idleman', 'melinda'], 'meline': ['elemin', 'meline'], 'melinite': ['ilmenite', 'melinite', 'menilite'], 'meliorant': ['meliorant', 'mentorial'], 'melissa': ['aimless', 'melissa', 'seismal'], 'melitose': ['melitose', 'mesolite'], 'mellay': ['lamely', 'mellay'], 'mellit': ['mellit', 'millet'], 'melodia': ['melodia', 'molidae'], 'melodica': ['cameloid', 'comedial', 'melodica'], 'melodicon': ['clinodome', 'melodicon', 'monocleid'], 'melodist': ['melodist', 'modelist'], 'melomanic': ['commelina', 'melomanic'], 'melon': ['lemon', 'melon', 'monel'], 'melongena': ['melanogen', 'melongena'], 'melonist': ['melonist', 'telonism'], 'melonites': ['limestone', 'melonites', 'milestone'], 'melonlike': ['lemonlike', 'melonlike'], 'meloplasty': ['meloplasty', 'myeloplast'], 'melosa': ['melosa', 'salome', 'semola'], 'melotragic': ['algometric', 'melotragic'], 'melotrope': ['melotrope', 'metropole'], 'melter': ['melter', 'remelt'], 'melters': ['melters', 'resmelt', 'smelter'], 'melton': ['loment', 'melton', 'molten'], 'melungeon': ['melungeon', 'nonlegume'], 'mem': ['emm', 'mem'], 'memnon': ['memnon', 'mennom'], 'memo': ['memo', 'mome'], 'memorandist': ['memorandist', 'moderantism', 'semidormant'], 'menage': ['gamene', 'manege', 'menage'], 'menald': ['lemnad', 'menald'], 'menaspis': ['menaspis', 'semispan'], 'mendaite': ['dementia', 'mendaite'], 'mende': ['emend', 'mende'], 'mender': ['mender', 'remend'], 'mendi': ['denim', 'mendi'], 'mendipite': ['impedient', 'mendipite'], 'menial': ['limean', 'maline', 'melian', 'menial'], 'menic': ['menic', 'mince'], 'menilite': ['ilmenite', 'melinite', 'menilite'], 'meningeal': ['enameling', 'malengine', 'meningeal'], 'meningocephalitis': ['cephalomeningitis', 'meningocephalitis'], 'meningocerebritis': ['cerebromeningitis', 'meningocerebritis'], 'meningoencephalitis': ['encephalomeningitis', 'meningoencephalitis'], 'meningoencephalocele': ['encephalomeningocele', 'meningoencephalocele'], 'meningomyelitis': ['meningomyelitis', 'myelomeningitis'], 'meningomyelocele': ['meningomyelocele', 'myelomeningocele'], 'mennom': ['memnon', 'mennom'], 'menostasia': ['anematosis', 'menostasia'], 'mensa': ['manes', 'manse', 'mensa', 'samen', 'senam'], 'mensal': ['anselm', 'mensal'], 'mense': ['mense', 'mesne', 'semen'], 'menstrual': ['menstrual', 'ulsterman'], 'mensurable': ['lebensraum', 'mensurable'], 'mentagra': ['grateman', 'mangrate', 'mentagra', 'targeman'], 'mental': ['lament', 'manlet', 'mantel', 'mantle', 'mental'], 'mentalis': ['mentalis', 'smaltine', 'stileman'], 'mentalize': ['mentalize', 'mentzelia'], 'mentation': ['mentation', 'montanite'], 'mentha': ['anthem', 'hetman', 'mentha'], 'menthane': ['enanthem', 'menthane'], 'mentigerous': ['mentigerous', 'tergeminous'], 'mentolabial': ['labiomental', 'mentolabial'], 'mentor': ['mentor', 'merton', 'termon', 'tormen'], 'mentorial': ['meliorant', 'mentorial'], 'mentzelia': ['mentalize', 'mentzelia'], 'menura': ['manure', 'menura'], 'menurae': ['maureen', 'menurae'], 'menyie': ['menyie', 'yemeni'], 'meo': ['meo', 'moe'], 'mephisto': ['mephisto', 'pithsome'], 'merak': ['maker', 'marek', 'merak'], 'merat': ['armet', 'mater', 'merat', 'metra', 'ramet', 'tamer', 'terma', 'trame', 'trema'], 'meratia': ['ametria', 'artemia', 'meratia', 'ramaite'], 'mercal': ['calmer', 'carmel', 'clamer', 'marcel', 'mercal'], 'mercator': ['cremator', 'mercator'], 'mercatorial': ['crematorial', 'mercatorial'], 'mercian': ['armenic', 'carmine', 'ceriman', 'crimean', 'mercian'], 'merciful': ['crimeful', 'merciful'], 'merciless': ['crimeless', 'merciless'], 'mercilessness': ['crimelessness', 'mercilessness'], 'mere': ['mere', 'reem'], 'merel': ['elmer', 'merel', 'merle'], 'merely': ['merely', 'yelmer'], 'merginae': ['ergamine', 'merginae'], 'mergus': ['gersum', 'mergus'], 'meriah': ['mehari', 'meriah'], 'merice': ['eremic', 'merice'], 'merida': ['admire', 'armied', 'damier', 'dimera', 'merida'], 'meril': ['limer', 'meril', 'miler'], 'meriones': ['emersion', 'meriones'], 'merism': ['merism', 'mermis', 'simmer'], 'merist': ['merist', 'mister', 'smiter'], 'meristem': ['meristem', 'mimester'], 'meristic': ['meristic', 'trimesic', 'trisemic'], 'merit': ['merit', 'miter', 'mitre', 'remit', 'timer'], 'merited': ['demerit', 'dimeter', 'merited', 'mitered'], 'meriter': ['meriter', 'miterer', 'trireme'], 'merle': ['elmer', 'merel', 'merle'], 'merlin': ['limner', 'merlin', 'milner'], 'mermaid': ['demiram', 'mermaid'], 'mermis': ['merism', 'mermis', 'simmer'], 'mero': ['mero', 'more', 'omer', 'rome'], 'meroblastic': ['blastomeric', 'meroblastic'], 'merocyte': ['cytomere', 'merocyte'], 'merogony': ['gonomery', 'merogony'], 'meroistic': ['eroticism', 'isometric', 'meroistic', 'trioecism'], 'merop': ['merop', 'moper', 'proem', 'remop'], 'meropia': ['emporia', 'meropia'], 'meros': ['meros', 'mores', 'morse', 'sermo', 'smore'], 'merosthenic': ['merosthenic', 'microsthene'], 'merostome': ['merostome', 'osmometer'], 'merrow': ['merrow', 'wormer'], 'merse': ['merse', 'smeer'], 'merton': ['mentor', 'merton', 'termon', 'tormen'], 'merula': ['mauler', 'merula', 'ramule'], 'meruline': ['lemurine', 'meruline', 'relumine'], 'mesa': ['asem', 'mesa', 'same', 'seam'], 'mesad': ['desma', 'mesad'], 'mesadenia': ['deaminase', 'mesadenia'], 'mesail': ['amiles', 'asmile', 'mesail', 'mesial', 'samiel'], 'mesal': ['amsel', 'melas', 'mesal', 'samel'], 'mesalike': ['mesalike', 'seamlike'], 'mesaraic': ['cramasie', 'mesaraic'], 'mesaticephaly': ['hemicatalepsy', 'mesaticephaly'], 'mese': ['mese', 'seem', 'seme', 'smee'], 'meshech': ['meshech', 'shechem'], 'mesial': ['amiles', 'asmile', 'mesail', 'mesial', 'samiel'], 'mesian': ['asimen', 'inseam', 'mesian'], 'mesic': ['mesic', 'semic'], 'mesion': ['eonism', 'mesion', 'oneism', 'simeon'], 'mesitae': ['amesite', 'mesitae', 'semitae'], 'mesne': ['mense', 'mesne', 'semen'], 'meso': ['meso', 'mose', 'some'], 'mesobar': ['ambrose', 'mesobar'], 'mesocephaly': ['elaphomyces', 'mesocephaly'], 'mesognathic': ['asthmogenic', 'mesognathic'], 'mesohepar': ['mesohepar', 'semaphore'], 'mesolite': ['melitose', 'mesolite'], 'mesolithic': ['homiletics', 'mesolithic'], 'mesological': ['mesological', 'semological'], 'mesology': ['mesology', 'semology'], 'mesomeric': ['mesomeric', 'microseme', 'semicrome'], 'mesonotum': ['mesonotum', 'momentous'], 'mesorectal': ['calotermes', 'mesorectal', 'metacresol'], 'mesotonic': ['economist', 'mesotonic'], 'mesoventral': ['mesoventral', 'ventromesal'], 'mespil': ['mespil', 'simple'], 'mesropian': ['mesropian', 'promnesia', 'spironema'], 'messalian': ['messalian', 'seminasal'], 'messaline': ['mealiness', 'messaline'], 'messan': ['enmass', 'maness', 'messan'], 'messelite': ['messelite', 'semisteel', 'teleseism'], 'messines': ['essenism', 'messines'], 'messor': ['messor', 'mosser', 'somers'], 'mestee': ['esteem', 'mestee'], 'mester': ['mester', 'restem', 'temser', 'termes'], 'mesua': ['amuse', 'mesua'], 'meta': ['mate', 'meat', 'meta', 'tame', 'team', 'tema'], 'metabular': ['maturable', 'metabular'], 'metaconid': ['comediant', 'metaconid'], 'metacresol': ['calotermes', 'mesorectal', 'metacresol'], 'metage': ['gamete', 'metage'], 'metaler': ['lameter', 'metaler', 'remetal'], 'metaline': ['melanite', 'meletian', 'metaline', 'nemalite'], 'metaling': ['ligament', 'metaling', 'tegminal'], 'metalist': ['metalist', 'smaltite'], 'metallism': ['metallism', 'smalltime'], 'metamer': ['ammeter', 'metamer'], 'metanilic': ['alimentic', 'antilemic', 'melanitic', 'metanilic'], 'metaphor': ['metaphor', 'trophema'], 'metaphoric': ['amphoteric', 'metaphoric'], 'metaphorical': ['metaphorical', 'pharmacolite'], 'metaphysical': ['lymphectasia', 'metaphysical'], 'metaplastic': ['metaplastic', 'palmatisect'], 'metapore': ['ametrope', 'metapore'], 'metasomal': ['melastoma', 'metasomal'], 'metatarse': ['masterate', 'metatarse'], 'metatheria': ['hemiterata', 'metatheria'], 'metatrophic': ['metatrophic', 'metropathic'], 'metaxenia': ['examinate', 'exanimate', 'metaxenia'], 'mete': ['meet', 'mete', 'teem'], 'meteor': ['meteor', 'remote'], 'meteorgraph': ['graphometer', 'meteorgraph'], 'meteorical': ['carmeloite', 'ectromelia', 'meteorical'], 'meteoristic': ['meteoristic', 'meteoritics'], 'meteoritics': ['meteoristic', 'meteoritics'], 'meteoroid': ['meteoroid', 'odiometer'], 'meter': ['meter', 'retem'], 'meterless': ['meterless', 'metreless'], 'metership': ['herpetism', 'metership', 'metreship', 'temperish'], 'methanal': ['latheman', 'methanal'], 'methanate': ['hetmanate', 'methanate'], 'methanoic': ['hematonic', 'methanoic'], 'mether': ['mether', 'themer'], 'method': ['method', 'mothed'], 'methylacetanilide': ['acetmethylanilide', 'methylacetanilide'], 'methylic': ['methylic', 'thymelic'], 'methylotic': ['lithectomy', 'methylotic'], 'metier': ['metier', 'retime', 'tremie'], 'metin': ['metin', 'temin', 'timne'], 'metis': ['metis', 'smite', 'stime', 'times'], 'metoac': ['comate', 'metoac', 'tecoma'], 'metol': ['metol', 'motel'], 'metonymical': ['laminectomy', 'metonymical'], 'metope': ['metope', 'poemet'], 'metopias': ['epistoma', 'metopias'], 'metosteon': ['metosteon', 'tomentose'], 'metra': ['armet', 'mater', 'merat', 'metra', 'ramet', 'tamer', 'terma', 'trame', 'trema'], 'metrectasia': ['metrectasia', 'remasticate'], 'metreless': ['meterless', 'metreless'], 'metreship': ['herpetism', 'metership', 'metreship', 'temperish'], 'metria': ['imaret', 'metria', 'mirate', 'rimate'], 'metrician': ['antimeric', 'carminite', 'criminate', 'metrician'], 'metrics': ['cretism', 'metrics'], 'metrocratic': ['cratometric', 'metrocratic'], 'metrological': ['logometrical', 'metrological'], 'metronome': ['metronome', 'monometer', 'monotreme'], 'metronomic': ['commorient', 'metronomic', 'monometric'], 'metronomical': ['metronomical', 'monometrical'], 'metropathic': ['metatrophic', 'metropathic'], 'metrophlebitis': ['metrophlebitis', 'phlebometritis'], 'metropole': ['melotrope', 'metropole'], 'metroptosia': ['metroptosia', 'prostomiate'], 'metrorrhea': ['arthromere', 'metrorrhea'], 'metrostyle': ['metrostyle', 'stylometer'], 'mettar': ['matter', 'mettar'], 'metusia': ['metusia', 'suimate', 'timaeus'], 'mew': ['mew', 'wem'], 'meward': ['meward', 'warmed'], 'mho': ['mho', 'ohm'], 'mhometer': ['mhometer', 'ohmmeter'], 'miamia': ['amimia', 'miamia'], 'mian': ['amin', 'main', 'mani', 'mian', 'mina', 'naim'], 'miaotse': ['miaotse', 'ostemia'], 'miaotze': ['atomize', 'miaotze'], 'mias': ['mias', 'saim', 'siam', 'sima'], 'miasmal': ['lamaism', 'miasmal'], 'miastor': ['amorist', 'aortism', 'miastor'], 'miaul': ['aumil', 'miaul'], 'miauler': ['lemuria', 'miauler'], 'mib': ['bim', 'mib'], 'mica': ['amic', 'mica'], 'micah': ['chiam', 'machi', 'micah'], 'micate': ['acmite', 'micate'], 'mication': ['amniotic', 'mication'], 'micellar': ['micellar', 'millrace'], 'michael': ['michael', 'micheal'], 'miche': ['chime', 'hemic', 'miche'], 'micheal': ['michael', 'micheal'], 'micher': ['chimer', 'mechir', 'micher'], 'micht': ['micht', 'mitch'], 'micranthropos': ['micranthropos', 'promonarchist'], 'micro': ['micro', 'moric', 'romic'], 'microcephal': ['microcephal', 'prochemical'], 'microcephaly': ['microcephaly', 'pyrochemical'], 'microcinema': ['microcinema', 'microcnemia'], 'microcnemia': ['microcinema', 'microcnemia'], 'microcrith': ['microcrith', 'trichromic'], 'micropetalous': ['micropetalous', 'somatopleuric'], 'microphagy': ['microphagy', 'myographic'], 'microphone': ['microphone', 'neomorphic'], 'microphot': ['microphot', 'morphotic'], 'microphotograph': ['microphotograph', 'photomicrograph'], 'microphotographic': ['microphotographic', 'photomicrographic'], 'microphotography': ['microphotography', 'photomicrography'], 'microphotoscope': ['microphotoscope', 'photomicroscope'], 'micropterous': ['micropterous', 'prosectorium'], 'micropyle': ['micropyle', 'polymeric'], 'microradiometer': ['microradiometer', 'radiomicrometer'], 'microseme': ['mesomeric', 'microseme', 'semicrome'], 'microspectroscope': ['microspectroscope', 'spectromicroscope'], 'microstat': ['microstat', 'stromatic'], 'microsthene': ['merosthenic', 'microsthene'], 'microstome': ['microstome', 'osmometric'], 'microtia': ['amoritic', 'microtia'], 'microtinae': ['marcionite', 'microtinae', 'remication'], 'mid': ['dim', 'mid'], 'midden': ['midden', 'minded'], 'middler': ['middler', 'mildred'], 'middy': ['didym', 'middy'], 'mide': ['demi', 'diem', 'dime', 'mide'], 'mider': ['dimer', 'mider'], 'mididae': ['amidide', 'diamide', 'mididae'], 'midrange': ['dirgeman', 'margined', 'midrange'], 'midstory': ['midstory', 'modistry'], 'miek': ['miek', 'mike'], 'mien': ['mein', 'mien', 'mine'], 'mig': ['gim', 'mig'], 'migraine': ['imaginer', 'migraine'], 'migrate': ['migrate', 'ragtime'], 'migratory': ['gyromitra', 'migratory'], 'mihrab': ['brahmi', 'mihrab'], 'mikael': ['kelima', 'mikael'], 'mike': ['miek', 'mike'], 'mil': ['lim', 'mil'], 'mila': ['amil', 'amli', 'lima', 'mail', 'mali', 'mila'], 'milan': ['lamin', 'liman', 'milan'], 'milden': ['milden', 'mindel'], 'mildness': ['mildness', 'mindless'], 'mildred': ['middler', 'mildred'], 'mile': ['emil', 'lime', 'mile'], 'milepost': ['milepost', 'polemist'], 'miler': ['limer', 'meril', 'miler'], 'miles': ['limes', 'miles', 'slime', 'smile'], 'milesian': ['alienism', 'milesian'], 'milestone': ['limestone', 'melonites', 'milestone'], 'milicent': ['limnetic', 'milicent'], 'military': ['limitary', 'military'], 'militate': ['limitate', 'militate'], 'militation': ['limitation', 'militation'], 'milken': ['kimnel', 'milken'], 'millennia': ['melanilin', 'millennia'], 'miller': ['miller', 'remill'], 'millet': ['mellit', 'millet'], 'milliare': ['milliare', 'ramillie'], 'millrace': ['micellar', 'millrace'], 'milner': ['limner', 'merlin', 'milner'], 'milo': ['milo', 'moil'], 'milsie': ['milsie', 'simile'], 'miltonia': ['limation', 'miltonia'], 'mima': ['ammi', 'imam', 'maim', 'mima'], 'mime': ['emim', 'mime'], 'mimester': ['meristem', 'mimester'], 'mimi': ['immi', 'mimi'], 'mimidae': ['amimide', 'mimidae'], 'mimosa': ['amomis', 'mimosa'], 'min': ['min', 'nim'], 'mina': ['amin', 'main', 'mani', 'mian', 'mina', 'naim'], 'minacity': ['imitancy', 'intimacy', 'minacity'], 'minar': ['inarm', 'minar'], 'minaret': ['minaret', 'raiment', 'tireman'], 'minareted': ['demetrian', 'dermatine', 'meandrite', 'minareted'], 'minargent': ['germinant', 'minargent'], 'minatory': ['minatory', 'romanity'], 'mince': ['menic', 'mince'], 'minchiate': ['hematinic', 'minchiate'], 'mincopie': ['mincopie', 'poimenic'], 'minded': ['midden', 'minded'], 'mindel': ['milden', 'mindel'], 'mindelian': ['eliminand', 'mindelian'], 'minder': ['minder', 'remind'], 'mindless': ['mildness', 'mindless'], 'mine': ['mein', 'mien', 'mine'], 'miner': ['inerm', 'miner'], 'mineral': ['marline', 'mineral', 'ramline'], 'minerva': ['minerva', 'vermian'], 'minerval': ['minerval', 'verminal'], 'mingler': ['gremlin', 'mingler'], 'miniator': ['miniator', 'triamino'], 'minish': ['minish', 'nimshi'], 'minister': ['minister', 'misinter'], 'ministry': ['ministry', 'myristin'], 'minkish': ['minkish', 'nimkish'], 'minnetaree': ['minnetaree', 'nemertinea'], 'minoan': ['amnion', 'minoan', 'nomina'], 'minometer': ['minometer', 'omnimeter'], 'minor': ['minor', 'morin'], 'minorate': ['maronite', 'martinoe', 'minorate', 'morenita', 'romanite'], 'minorca': ['amicron', 'marconi', 'minorca', 'romanic'], 'minos': ['minos', 'osmin', 'simon'], 'minot': ['minot', 'timon', 'tomin'], 'mintage': ['mintage', 'teaming', 'tegmina'], 'minter': ['minter', 'remint', 'termin'], 'minuend': ['minuend', 'unmined'], 'minuet': ['minuet', 'minute'], 'minute': ['minuet', 'minute'], 'minutely': ['minutely', 'untimely'], 'minuter': ['minuter', 'unmiter'], 'minyas': ['maysin', 'minyas', 'mysian'], 'mir': ['mir', 'rim'], 'mira': ['amir', 'irma', 'mari', 'mira', 'rami', 'rima'], 'mirabel': ['embrail', 'mirabel'], 'mirac': ['marci', 'mirac'], 'miracle': ['claimer', 'miracle', 'reclaim'], 'mirage': ['imager', 'maigre', 'margie', 'mirage'], 'mirana': ['airman', 'amarin', 'marian', 'marina', 'mirana'], 'miranha': ['ahriman', 'miranha'], 'mirate': ['imaret', 'metria', 'mirate', 'rimate'], 'mirbane': ['ambrein', 'mirbane'], 'mire': ['emir', 'imer', 'mire', 'reim', 'remi', 'riem', 'rime'], 'mirfak': ['marfik', 'mirfak'], 'mirounga': ['mirounga', 'moringua', 'origanum'], 'miry': ['miry', 'rimy', 'yirm'], 'mirza': ['mirza', 'mizar'], 'misact': ['mastic', 'misact'], 'misadvise': ['admissive', 'misadvise'], 'misagent': ['misagent', 'steaming'], 'misaim': ['misaim', 'misima'], 'misandry': ['misandry', 'myrsinad'], 'misassociation': ['associationism', 'misassociation'], 'misatone': ['masonite', 'misatone'], 'misattend': ['misattend', 'tandemist'], 'misaunter': ['antiserum', 'misaunter'], 'misbehavior': ['behaviorism', 'misbehavior'], 'mischance': ['mechanics', 'mischance'], 'misclass': ['classism', 'misclass'], 'miscoin': ['iconism', 'imsonic', 'miscoin'], 'misconfiguration': ['configurationism', 'misconfiguration'], 'misconstitutional': ['constitutionalism', 'misconstitutional'], 'misconstruction': ['constructionism', 'misconstruction'], 'miscreant': ['encratism', 'miscreant'], 'miscreation': ['anisometric', 'creationism', 'miscreation', 'ramisection', 'reactionism'], 'miscue': ['cesium', 'miscue'], 'misdate': ['diastem', 'misdate'], 'misdaub': ['misdaub', 'submaid'], 'misdeal': ['misdeal', 'mislead'], 'misdealer': ['misdealer', 'misleader', 'misleared'], 'misdeclare': ['creedalism', 'misdeclare'], 'misdiet': ['misdiet', 'misedit', 'mistide'], 'misdivision': ['divisionism', 'misdivision'], 'misdread': ['disarmed', 'misdread'], 'mise': ['mise', 'semi', 'sime'], 'misease': ['misease', 'siamese'], 'misecclesiastic': ['ecclesiasticism', 'misecclesiastic'], 'misedit': ['misdiet', 'misedit', 'mistide'], 'misexpression': ['expressionism', 'misexpression'], 'mishmash': ['mishmash', 'shammish'], 'misima': ['misaim', 'misima'], 'misimpression': ['impressionism', 'misimpression'], 'misinter': ['minister', 'misinter'], 'mislabel': ['mislabel', 'semiball'], 'mislabor': ['laborism', 'mislabor'], 'mislead': ['misdeal', 'mislead'], 'misleader': ['misdealer', 'misleader', 'misleared'], 'mislear': ['mislear', 'realism'], 'misleared': ['misdealer', 'misleader', 'misleared'], 'misname': ['amenism', 'immanes', 'misname'], 'misniac': ['cainism', 'misniac'], 'misnomed': ['demonism', 'medimnos', 'misnomed'], 'misoneism': ['misoneism', 'simeonism'], 'mispage': ['impages', 'mispage'], 'misperception': ['misperception', 'perceptionism'], 'misperform': ['misperform', 'preformism'], 'misphrase': ['misphrase', 'seraphism'], 'misplay': ['impalsy', 'misplay'], 'misplead': ['misplead', 'pedalism'], 'misprisal': ['misprisal', 'spiralism'], 'misproud': ['disporum', 'misproud'], 'misprovide': ['disimprove', 'misprovide'], 'misput': ['misput', 'sumpit'], 'misquotation': ['antimosquito', 'misquotation'], 'misrate': ['artemis', 'maestri', 'misrate'], 'misread': ['misread', 'sidearm'], 'misreform': ['misreform', 'reformism'], 'misrelate': ['misrelate', 'salimeter'], 'misrelation': ['misrelation', 'orientalism', 'relationism'], 'misreliance': ['criminalese', 'misreliance'], 'misreporter': ['misreporter', 'reporterism'], 'misrepresentation': ['misrepresentation', 'representationism'], 'misrepresenter': ['misrepresenter', 'remisrepresent'], 'misrepute': ['misrepute', 'septerium'], 'misrhyme': ['misrhyme', 'shimmery'], 'misrule': ['misrule', 'simuler'], 'missal': ['missal', 'salmis'], 'missayer': ['emissary', 'missayer'], 'misset': ['misset', 'tmesis'], 'misshape': ['emphasis', 'misshape'], 'missioner': ['missioner', 'remission'], 'misspell': ['misspell', 'psellism'], 'missuggestion': ['missuggestion', 'suggestionism'], 'missy': ['missy', 'mysis'], 'mist': ['mist', 'smit', 'stim'], 'misteach': ['mastiche', 'misteach'], 'mister': ['merist', 'mister', 'smiter'], 'mistide': ['misdiet', 'misedit', 'mistide'], 'mistle': ['mistle', 'smilet'], 'mistone': ['mistone', 'moisten'], 'mistradition': ['mistradition', 'traditionism'], 'mistrain': ['marinist', 'mistrain'], 'mistreat': ['mistreat', 'teratism'], 'mistrial': ['mistrial', 'trialism'], 'mistutor': ['mistutor', 'tutorism'], 'misty': ['misty', 'stimy'], 'misunderstander': ['misunderstander', 'remisunderstand'], 'misura': ['misura', 'ramusi'], 'misuser': ['misuser', 'surmise'], 'mitannish': ['mitannish', 'sminthian'], 'mitch': ['micht', 'mitch'], 'mite': ['emit', 'item', 'mite', 'time'], 'mitella': ['mitella', 'tellima'], 'miteproof': ['miteproof', 'timeproof'], 'miter': ['merit', 'miter', 'mitre', 'remit', 'timer'], 'mitered': ['demerit', 'dimeter', 'merited', 'mitered'], 'miterer': ['meriter', 'miterer', 'trireme'], 'mithraic': ['arithmic', 'mithraic', 'mithriac'], 'mithraicist': ['mithraicist', 'mithraistic'], 'mithraistic': ['mithraicist', 'mithraistic'], 'mithriac': ['arithmic', 'mithraic', 'mithriac'], 'mitra': ['mitra', 'tarmi', 'timar', 'tirma'], 'mitral': ['mitral', 'ramtil'], 'mitrate': ['martite', 'mitrate'], 'mitre': ['merit', 'miter', 'mitre', 'remit', 'timer'], 'mitrer': ['mitrer', 'retrim', 'trimer'], 'mitridae': ['dimetria', 'mitridae', 'tiremaid', 'triamide'], 'mixer': ['mixer', 'remix'], 'mizar': ['mirza', 'mizar'], 'mnesic': ['cnemis', 'mnesic'], 'mniaceous': ['acuminose', 'mniaceous'], 'mniotiltidae': ['delimitation', 'mniotiltidae'], 'mnium': ['mnium', 'nummi'], 'mo': ['mo', 'om'], 'moabitic': ['biatomic', 'moabitic'], 'moan': ['mano', 'moan', 'mona', 'noam', 'noma', 'oman'], 'moarian': ['amanori', 'moarian'], 'moat': ['atmo', 'atom', 'moat', 'toma'], 'mob': ['bom', 'mob'], 'mobbable': ['bombable', 'mobbable'], 'mobber': ['bomber', 'mobber'], 'mobbish': ['hobbism', 'mobbish'], 'mobed': ['demob', 'mobed'], 'mobile': ['bemoil', 'mobile'], 'mobilian': ['binomial', 'mobilian'], 'mobocrat': ['mobocrat', 'motorcab'], 'mobship': ['mobship', 'phobism'], 'mobster': ['bestorm', 'mobster'], 'mocker': ['mocker', 'remock'], 'mocmain': ['ammonic', 'mocmain'], 'mod': ['dom', 'mod'], 'modal': ['domal', 'modal'], 'mode': ['dome', 'mode', 'moed'], 'modeler': ['demerol', 'modeler', 'remodel'], 'modelist': ['melodist', 'modelist'], 'modena': ['daemon', 'damone', 'modena'], 'modenese': ['modenese', 'needsome'], 'moderant': ['moderant', 'normated'], 'moderantism': ['memorandist', 'moderantism', 'semidormant'], 'modern': ['modern', 'morned'], 'modernistic': ['modernistic', 'monstricide'], 'modestly': ['modestly', 'styledom'], 'modesty': ['dystome', 'modesty'], 'modiste': ['distome', 'modiste'], 'modistry': ['midstory', 'modistry'], 'modius': ['modius', 'sodium'], 'moe': ['meo', 'moe'], 'moed': ['dome', 'mode', 'moed'], 'moerithere': ['heteromeri', 'moerithere'], 'mogdad': ['goddam', 'mogdad'], 'moha': ['ahom', 'moha'], 'mohair': ['homrai', 'mahori', 'mohair'], 'mohel': ['hemol', 'mohel'], 'mohican': ['mohican', 'monachi'], 'moho': ['homo', 'moho'], 'mohur': ['humor', 'mohur'], 'moider': ['dormie', 'moider'], 'moieter': ['moieter', 'romeite'], 'moiety': ['moiety', 'moyite'], 'moil': ['milo', 'moil'], 'moiles': ['lemosi', 'limose', 'moiles'], 'moineau': ['eunomia', 'moineau'], 'moira': ['maori', 'mario', 'moira'], 'moisten': ['mistone', 'moisten'], 'moistener': ['moistener', 'neoterism'], 'moisture': ['moisture', 'semitour'], 'moit': ['itmo', 'moit', 'omit', 'timo'], 'mojo': ['joom', 'mojo'], 'moke': ['kome', 'moke'], 'moki': ['komi', 'moki'], 'mola': ['loam', 'loma', 'malo', 'mola', 'olam'], 'molar': ['molar', 'moral', 'romal'], 'molarity': ['molarity', 'morality'], 'molary': ['amyrol', 'molary'], 'molder': ['dermol', 'molder', 'remold'], 'moler': ['moler', 'morel'], 'molge': ['glome', 'golem', 'molge'], 'molidae': ['melodia', 'molidae'], 'molinia': ['molinia', 'monilia'], 'mollusca': ['callosum', 'mollusca'], 'moloid': ['moloid', 'oildom'], 'molten': ['loment', 'melton', 'molten'], 'molybdena': ['baldmoney', 'molybdena'], 'molybdenic': ['combinedly', 'molybdenic'], 'mome': ['memo', 'mome'], 'moment': ['moment', 'montem'], 'momentary': ['manometry', 'momentary'], 'momentous': ['mesonotum', 'momentous'], 'momotinae': ['amniotome', 'momotinae'], 'mona': ['mano', 'moan', 'mona', 'noam', 'noma', 'oman'], 'monachi': ['mohican', 'monachi'], 'monactin': ['monactin', 'montanic'], 'monad': ['damon', 'monad', 'nomad'], 'monadic': ['monadic', 'nomadic'], 'monadical': ['monadical', 'nomadical'], 'monadically': ['monadically', 'nomadically'], 'monadina': ['monadina', 'nomadian'], 'monadism': ['monadism', 'nomadism'], 'monaene': ['anemone', 'monaene'], 'monal': ['almon', 'monal'], 'monamniotic': ['commination', 'monamniotic'], 'monanthous': ['anthonomus', 'monanthous'], 'monarch': ['monarch', 'nomarch', 'onmarch'], 'monarchial': ['harmonical', 'monarchial'], 'monarchian': ['anharmonic', 'monarchian'], 'monarchistic': ['chiromancist', 'monarchistic'], 'monarchy': ['monarchy', 'nomarchy'], 'monarda': ['anadrom', 'madrona', 'mandora', 'monarda', 'roadman'], 'monas': ['manso', 'mason', 'monas'], 'monasa': ['monasa', 'samoan'], 'monase': ['monase', 'nosema'], 'monaster': ['monaster', 'monstera', 'nearmost', 'storeman'], 'monastery': ['monastery', 'oysterman'], 'monastic': ['catonism', 'monastic'], 'monastical': ['catmalison', 'monastical'], 'monatomic': ['commation', 'monatomic'], 'monaural': ['anomural', 'monaural'], 'monday': ['dynamo', 'monday'], 'mone': ['mone', 'nome', 'omen'], 'monel': ['lemon', 'melon', 'monel'], 'moner': ['enorm', 'moner', 'morne'], 'monera': ['enamor', 'monera', 'oreman', 'romane'], 'moneral': ['almoner', 'moneral', 'nemoral'], 'monergist': ['gerontism', 'monergist'], 'moneric': ['incomer', 'moneric'], 'monesia': ['monesia', 'osamine', 'osmanie'], 'monetary': ['monetary', 'myronate', 'naometry'], 'money': ['money', 'moyen'], 'moneybag': ['bogeyman', 'moneybag'], 'moneyless': ['moneyless', 'moyenless'], 'monger': ['germon', 'monger', 'morgen'], 'mongler': ['mongler', 'mongrel'], 'mongoose': ['gonosome', 'mongoose'], 'mongrel': ['mongler', 'mongrel'], 'mongrelity': ['longimetry', 'mongrelity'], 'monial': ['monial', 'nomial', 'oilman'], 'monias': ['monias', 'osamin', 'osmina'], 'monica': ['camion', 'conima', 'manioc', 'monica'], 'monilated': ['antimodel', 'maldonite', 'monilated'], 'monilia': ['molinia', 'monilia'], 'monism': ['monism', 'nomism', 'simmon'], 'monist': ['inmost', 'monist', 'omnist'], 'monistic': ['monistic', 'nicotism', 'nomistic'], 'monitory': ['monitory', 'moronity'], 'monitress': ['monitress', 'sermonist'], 'mono': ['mono', 'moon'], 'monoacid': ['damonico', 'monoacid'], 'monoazo': ['monoazo', 'monozoa'], 'monocleid': ['clinodome', 'melodicon', 'monocleid'], 'monoclinous': ['monoclinous', 'monoclonius'], 'monoclonius': ['monoclinous', 'monoclonius'], 'monocracy': ['monocracy', 'nomocracy'], 'monocystidae': ['monocystidae', 'monocystidea'], 'monocystidea': ['monocystidae', 'monocystidea'], 'monodactylous': ['condylomatous', 'monodactylous'], 'monodactyly': ['dactylonomy', 'monodactyly'], 'monodelphia': ['amidophenol', 'monodelphia'], 'monodonta': ['anomodont', 'monodonta'], 'monodram': ['monodram', 'romandom'], 'monoecian': ['monoecian', 'neocomian'], 'monoecism': ['economism', 'monoecism', 'monosemic'], 'monoeidic': ['meconioid', 'monoeidic'], 'monogastric': ['gastronomic', 'monogastric'], 'monogenist': ['monogenist', 'nomogenist'], 'monogenous': ['monogenous', 'nomogenous'], 'monogeny': ['monogeny', 'nomogeny'], 'monogram': ['monogram', 'nomogram'], 'monograph': ['monograph', 'nomograph', 'phonogram'], 'monographer': ['geranomorph', 'monographer', 'nomographer'], 'monographic': ['gramophonic', 'monographic', 'nomographic', 'phonogramic'], 'monographical': ['gramophonical', 'monographical', 'nomographical'], 'monographically': ['gramophonically', 'monographically', 'nomographically', 'phonogramically'], 'monographist': ['gramophonist', 'monographist'], 'monography': ['monography', 'nomography'], 'monoid': ['domino', 'monoid'], 'monological': ['monological', 'nomological'], 'monologist': ['monologist', 'nomologist', 'ontologism'], 'monology': ['monology', 'nomology'], 'monometer': ['metronome', 'monometer', 'monotreme'], 'monometric': ['commorient', 'metronomic', 'monometric'], 'monometrical': ['metronomical', 'monometrical'], 'monomorphic': ['monomorphic', 'morphonomic'], 'monont': ['monont', 'monton'], 'monopathy': ['monopathy', 'pathonomy'], 'monopersulphuric': ['monopersulphuric', 'permonosulphuric'], 'monophote': ['monophote', 'motophone'], 'monophylite': ['entomophily', 'monophylite'], 'monophyllous': ['monophyllous', 'nomophyllous'], 'monoplanist': ['monoplanist', 'postnominal'], 'monopsychism': ['monopsychism', 'psychomonism'], 'monopteral': ['monopteral', 'protonemal'], 'monosemic': ['economism', 'monoecism', 'monosemic'], 'monosodium': ['monosodium', 'omnimodous', 'onosmodium'], 'monotheism': ['monotheism', 'nomotheism'], 'monotheist': ['monotheist', 'thomsonite'], 'monothetic': ['monothetic', 'nomothetic'], 'monotreme': ['metronome', 'monometer', 'monotreme'], 'monotypal': ['monotypal', 'toponymal'], 'monotypic': ['monotypic', 'toponymic'], 'monotypical': ['monotypical', 'toponymical'], 'monozoa': ['monoazo', 'monozoa'], 'monozoic': ['monozoic', 'zoonomic'], 'monroeism': ['monroeism', 'semimoron'], 'monsieur': ['inermous', 'monsieur'], 'monstera': ['monaster', 'monstera', 'nearmost', 'storeman'], 'monstricide': ['modernistic', 'monstricide'], 'montage': ['geomant', 'magneto', 'megaton', 'montage'], 'montagnais': ['antagonism', 'montagnais'], 'montanic': ['monactin', 'montanic'], 'montanite': ['mentation', 'montanite'], 'montem': ['moment', 'montem'], 'montes': ['montes', 'ostmen'], 'montia': ['atimon', 'manito', 'montia'], 'monticule': ['ctenolium', 'monticule'], 'monton': ['monont', 'monton'], 'montu': ['montu', 'mount', 'notum'], 'monture': ['monture', 'mounter', 'remount'], 'monumentary': ['monumentary', 'unmomentary'], 'mood': ['doom', 'mood'], 'mooder': ['doomer', 'mooder', 'redoom', 'roomed'], 'mool': ['loom', 'mool'], 'mools': ['mools', 'sloom'], 'moon': ['mono', 'moon'], 'moonglade': ['megalodon', 'moonglade'], 'moonite': ['emotion', 'moonite'], 'moonja': ['majoon', 'moonja'], 'moonscape': ['manoscope', 'moonscape'], 'moonseed': ['endosome', 'moonseed'], 'moontide': ['demotion', 'entomoid', 'moontide'], 'moop': ['moop', 'pomo'], 'moor': ['moor', 'moro', 'room'], 'moorage': ['moorage', 'roomage'], 'moorball': ['ballroom', 'moorball'], 'moore': ['moore', 'romeo'], 'moorn': ['moorn', 'moron'], 'moorship': ['isomorph', 'moorship'], 'moorup': ['moorup', 'uproom'], 'moorwort': ['moorwort', 'rootworm', 'tomorrow', 'wormroot'], 'moory': ['moory', 'roomy'], 'moost': ['moost', 'smoot'], 'moot': ['moot', 'toom'], 'mooth': ['mooth', 'thoom'], 'mootstead': ['mootstead', 'stomatode'], 'mop': ['mop', 'pom'], 'mopane': ['mopane', 'pomane'], 'mope': ['mope', 'poem', 'pome'], 'moper': ['merop', 'moper', 'proem', 'remop'], 'mophead': ['hemapod', 'mophead'], 'mopish': ['mopish', 'ophism'], 'mopla': ['mopla', 'palmo'], 'mopsy': ['mopsy', 'myops'], 'mora': ['amor', 'maro', 'mora', 'omar', 'roam'], 'morainal': ['manorial', 'morainal'], 'moraine': ['moraine', 'romaine'], 'moral': ['molar', 'moral', 'romal'], 'morality': ['molarity', 'morality'], 'morals': ['morals', 'morsal'], 'moran': ['manor', 'moran', 'norma', 'ramon', 'roman'], 'morat': ['amort', 'morat', 'torma'], 'morate': ['amoret', 'morate'], 'moray': ['mayor', 'moray'], 'morbid': ['dibrom', 'morbid'], 'mordancy': ['dormancy', 'mordancy'], 'mordant': ['dormant', 'mordant'], 'mordenite': ['interdome', 'mordenite', 'nemertoid'], 'mordicate': ['decimator', 'medicator', 'mordicate'], 'more': ['mero', 'more', 'omer', 'rome'], 'moreish': ['heroism', 'moreish'], 'morel': ['moler', 'morel'], 'morencite': ['entomeric', 'intercome', 'morencite'], 'morenita': ['maronite', 'martinoe', 'minorate', 'morenita', 'romanite'], 'moreote': ['moreote', 'oometer'], 'mores': ['meros', 'mores', 'morse', 'sermo', 'smore'], 'morga': ['agrom', 'morga'], 'morganatic': ['actinogram', 'morganatic'], 'morgay': ['gyroma', 'morgay'], 'morgen': ['germon', 'monger', 'morgen'], 'moribund': ['moribund', 'unmorbid'], 'moric': ['micro', 'moric', 'romic'], 'moriche': ['homeric', 'moriche'], 'morin': ['minor', 'morin'], 'moringa': ['ingomar', 'moringa', 'roaming'], 'moringua': ['mirounga', 'moringua', 'origanum'], 'morn': ['morn', 'norm'], 'morne': ['enorm', 'moner', 'morne'], 'morned': ['modern', 'morned'], 'mornless': ['mornless', 'normless'], 'moro': ['moor', 'moro', 'room'], 'morocota': ['coatroom', 'morocota'], 'moron': ['moorn', 'moron'], 'moronic': ['moronic', 'omicron'], 'moronity': ['monitory', 'moronity'], 'morphea': ['amphore', 'morphea'], 'morphonomic': ['monomorphic', 'morphonomic'], 'morphotic': ['microphot', 'morphotic'], 'morphotropic': ['morphotropic', 'protomorphic'], 'morrisean': ['morrisean', 'rosmarine'], 'morsal': ['morals', 'morsal'], 'morse': ['meros', 'mores', 'morse', 'sermo', 'smore'], 'mortacious': ['mortacious', 'urosomatic'], 'mortar': ['marrot', 'mortar'], 'mortician': ['martinico', 'mortician'], 'mortise': ['erotism', 'mortise', 'trisome'], 'morton': ['morton', 'tomorn'], 'mortuarian': ['mortuarian', 'muratorian'], 'mortuary': ['mortuary', 'outmarry'], 'mortuous': ['mortuous', 'tumorous'], 'morus': ['morus', 'mosur'], 'mosaic': ['aosmic', 'mosaic'], 'mosandrite': ['mosandrite', 'tarsonemid'], 'mosasauri': ['amaurosis', 'mosasauri'], 'moschate': ['chatsome', 'moschate'], 'mose': ['meso', 'mose', 'some'], 'mosker': ['mosker', 'smoker'], 'mosser': ['messor', 'mosser', 'somers'], 'moste': ['moste', 'smote'], 'mosting': ['gnomist', 'mosting'], 'mosul': ['mosul', 'mouls', 'solum'], 'mosur': ['morus', 'mosur'], 'mot': ['mot', 'tom'], 'mote': ['mote', 'tome'], 'motel': ['metol', 'motel'], 'motet': ['motet', 'motte', 'totem'], 'mothed': ['method', 'mothed'], 'mother': ['mother', 'thermo'], 'motherland': ['enthraldom', 'motherland'], 'motherward': ['motherward', 'threadworm'], 'motograph': ['motograph', 'photogram'], 'motographic': ['motographic', 'tomographic'], 'motophone': ['monophote', 'motophone'], 'motorcab': ['mobocrat', 'motorcab'], 'motte': ['motet', 'motte', 'totem'], 'moud': ['doum', 'moud', 'odum'], 'moudy': ['moudy', 'yomud'], 'moul': ['moul', 'ulmo'], 'mouls': ['mosul', 'mouls', 'solum'], 'mound': ['donum', 'mound'], 'mount': ['montu', 'mount', 'notum'], 'mountained': ['emundation', 'mountained'], 'mountaineer': ['enumeration', 'mountaineer'], 'mounted': ['demount', 'mounted'], 'mounter': ['monture', 'mounter', 'remount'], 'mousery': ['mousery', 'seymour'], 'mousoni': ['mousoni', 'ominous'], 'mousse': ['mousse', 'smouse'], 'moutan': ['amount', 'moutan', 'outman'], 'mouther': ['mouther', 'theorum'], 'mover': ['mover', 'vomer'], 'moy': ['moy', 'yom'], 'moyen': ['money', 'moyen'], 'moyenless': ['moneyless', 'moyenless'], 'moyite': ['moiety', 'moyite'], 'mru': ['mru', 'rum'], 'mu': ['mu', 'um'], 'muang': ['muang', 'munga'], 'much': ['chum', 'much'], 'mucic': ['cumic', 'mucic'], 'mucilage': ['glucemia', 'mucilage'], 'mucin': ['cumin', 'mucin'], 'mucinoid': ['conidium', 'mucinoid', 'oncidium'], 'mucofibrous': ['fibromucous', 'mucofibrous'], 'mucoid': ['codium', 'mucoid'], 'muconic': ['muconic', 'uncomic'], 'mucor': ['mucor', 'mucro'], 'mucoserous': ['mucoserous', 'seromucous'], 'mucro': ['mucor', 'mucro'], 'mucrones': ['consumer', 'mucrones'], 'mud': ['dum', 'mud'], 'mudar': ['mudar', 'mudra'], 'mudden': ['edmund', 'mudden'], 'mudir': ['mudir', 'murid'], 'mudra': ['mudar', 'mudra'], 'mudstone': ['mudstone', 'unmodest'], 'mug': ['gum', 'mug'], 'muga': ['gaum', 'muga'], 'muggles': ['muggles', 'smuggle'], 'mugweed': ['gumweed', 'mugweed'], 'muid': ['duim', 'muid'], 'muilla': ['allium', 'alulim', 'muilla'], 'muir': ['muir', 'rimu'], 'muishond': ['muishond', 'unmodish'], 'muist': ['muist', 'tuism'], 'mukri': ['kurmi', 'mukri'], 'muleta': ['amulet', 'muleta'], 'mulga': ['algum', 'almug', 'glaum', 'gluma', 'mulga'], 'mulier': ['mulier', 'muriel'], 'mulita': ['mulita', 'ultima'], 'mulk': ['kulm', 'mulk'], 'multani': ['multani', 'talinum'], 'multinervose': ['multinervose', 'volunteerism'], 'multipole': ['impollute', 'multipole'], 'mumbler': ['bummler', 'mumbler'], 'munda': ['maund', 'munda', 'numda', 'undam', 'unmad'], 'mundane': ['mundane', 'unamend', 'unmaned', 'unnamed'], 'munga': ['muang', 'munga'], 'mungo': ['mungo', 'muong'], 'munia': ['maniu', 'munia', 'unami'], 'munity': ['munity', 'mutiny'], 'muong': ['mungo', 'muong'], 'mura': ['arum', 'maru', 'mura'], 'murage': ['mauger', 'murage'], 'mural': ['mural', 'rumal'], 'muralist': ['altruism', 'muralist', 'traulism', 'ultraism'], 'muran': ['muran', 'ruman', 'unarm', 'unram', 'urman'], 'murat': ['martu', 'murat', 'turma'], 'muratorian': ['mortuarian', 'muratorian'], 'murderer': ['demurrer', 'murderer'], 'murdering': ['demurring', 'murdering'], 'murderingly': ['demurringly', 'murderingly'], 'murex': ['murex', 'rumex'], 'murga': ['garum', 'murga'], 'muricate': ['ceratium', 'muricate'], 'muricine': ['irenicum', 'muricine'], 'murid': ['mudir', 'murid'], 'muriel': ['mulier', 'muriel'], 'murine': ['murine', 'nerium'], 'murly': ['murly', 'rumly'], 'murmurer': ['murmurer', 'remurmur'], 'murrain': ['murrain', 'murrina'], 'murrina': ['murrain', 'murrina'], 'murut': ['murut', 'utrum'], 'murza': ['mazur', 'murza'], 'mus': ['mus', 'sum'], 'musa': ['masu', 'musa', 'saum'], 'musal': ['lamus', 'malus', 'musal', 'slaum'], 'musalmani': ['manualism', 'musalmani'], 'musang': ['magnus', 'musang'], 'musar': ['musar', 'ramus', 'rusma', 'surma'], 'musca': ['camus', 'musca', 'scaum', 'sumac'], 'muscade': ['camused', 'muscade'], 'muscarine': ['muscarine', 'sucramine'], 'musci': ['musci', 'music'], 'muscicole': ['leucocism', 'muscicole'], 'muscinae': ['muscinae', 'semuncia'], 'muscle': ['clumse', 'muscle'], 'muscly': ['clumsy', 'muscly'], 'muscone': ['consume', 'muscone'], 'muscot': ['custom', 'muscot'], 'mused': ['mused', 'sedum'], 'museography': ['hypergamous', 'museography'], 'muser': ['muser', 'remus', 'serum'], 'musha': ['hamus', 'musha'], 'music': ['musci', 'music'], 'musicate': ['autecism', 'musicate'], 'musico': ['musico', 'suomic'], 'musie': ['iseum', 'musie'], 'musing': ['musing', 'signum'], 'muslined': ['muslined', 'unmisled', 'unsmiled'], 'musophagine': ['amphigenous', 'musophagine'], 'mussaenda': ['mussaenda', 'unamassed'], 'must': ['must', 'smut', 'stum'], 'mustang': ['mustang', 'stagnum'], 'mustard': ['durmast', 'mustard'], 'muster': ['muster', 'sertum', 'stumer'], 'musterer': ['musterer', 'remuster'], 'mustily': ['mustily', 'mytilus'], 'muta': ['muta', 'taum'], 'mutable': ['atumble', 'mutable'], 'mutant': ['mutant', 'tantum', 'tutman'], 'mutase': ['meatus', 'mutase'], 'mute': ['mute', 'tume'], 'muteness': ['muteness', 'tenesmus'], 'mutescence': ['mutescence', 'tumescence'], 'mutilate': ['mutilate', 'ultimate'], 'mutilation': ['mutilation', 'ultimation'], 'mutiny': ['munity', 'mutiny'], 'mutism': ['mutism', 'summit'], 'mutual': ['mutual', 'umlaut'], 'mutulary': ['mutulary', 'tumulary'], 'muysca': ['cyamus', 'muysca'], 'mwa': ['maw', 'mwa'], 'my': ['my', 'ym'], 'mya': ['amy', 'may', 'mya', 'yam'], 'myal': ['amyl', 'lyam', 'myal'], 'myaria': ['amiray', 'myaria'], 'myatonic': ['cymation', 'myatonic', 'onymatic'], 'mycelia': ['amyelic', 'mycelia'], 'mycelian': ['clymenia', 'mycelian'], 'mycoid': ['cymoid', 'mycoid'], 'mycophagist': ['mycophagist', 'phagocytism'], 'mycose': ['cymose', 'mycose'], 'mycosterol': ['mycosterol', 'sclerotomy'], 'mycotrophic': ['chromotypic', 'cormophytic', 'mycotrophic'], 'mycterism': ['mycterism', 'symmetric'], 'myctodera': ['myctodera', 'radectomy'], 'mydaleine': ['amylidene', 'mydaleine'], 'myeloencephalitis': ['encephalomyelitis', 'myeloencephalitis'], 'myelomeningitis': ['meningomyelitis', 'myelomeningitis'], 'myelomeningocele': ['meningomyelocele', 'myelomeningocele'], 'myelon': ['lemony', 'myelon'], 'myelonal': ['amylenol', 'myelonal'], 'myeloneuritis': ['myeloneuritis', 'neuromyelitis'], 'myeloplast': ['meloplasty', 'myeloplast'], 'mygale': ['gamely', 'gleamy', 'mygale'], 'myitis': ['myitis', 'simity'], 'myliobatid': ['bimodality', 'myliobatid'], 'mymar': ['mymar', 'rammy'], 'myna': ['many', 'myna'], 'myoatrophy': ['amyotrophy', 'myoatrophy'], 'myocolpitis': ['myocolpitis', 'polysomitic'], 'myofibroma': ['fibromyoma', 'myofibroma'], 'myoglobin': ['boomingly', 'myoglobin'], 'myographic': ['microphagy', 'myographic'], 'myographist': ['myographist', 'pythagorism'], 'myolipoma': ['lipomyoma', 'myolipoma'], 'myomohysterectomy': ['hysteromyomectomy', 'myomohysterectomy'], 'myope': ['myope', 'pomey'], 'myoplastic': ['myoplastic', 'polymastic'], 'myoplasty': ['myoplasty', 'polymasty'], 'myopolar': ['myopolar', 'playroom'], 'myops': ['mopsy', 'myops'], 'myosin': ['isonym', 'myosin', 'simony'], 'myosote': ['myosote', 'toysome'], 'myotenotomy': ['myotenotomy', 'tenomyotomy'], 'myotic': ['comity', 'myotic'], 'myra': ['army', 'mary', 'myra', 'yarm'], 'myrcia': ['myrcia', 'myrica'], 'myrialiter': ['myrialiter', 'myrialitre'], 'myrialitre': ['myrialiter', 'myrialitre'], 'myriameter': ['myriameter', 'myriametre'], 'myriametre': ['myriameter', 'myriametre'], 'myrianida': ['dimyarian', 'myrianida'], 'myrica': ['myrcia', 'myrica'], 'myristate': ['myristate', 'tasimetry'], 'myristin': ['ministry', 'myristin'], 'myristone': ['myristone', 'smyrniote'], 'myronate': ['monetary', 'myronate', 'naometry'], 'myrsinad': ['misandry', 'myrsinad'], 'myrtales': ['masterly', 'myrtales'], 'myrtle': ['myrtle', 'termly'], 'mysell': ['mysell', 'smelly'], 'mysian': ['maysin', 'minyas', 'mysian'], 'mysis': ['missy', 'mysis'], 'mysterial': ['mysterial', 'salimetry'], 'mystes': ['mystes', 'system'], 'mythographer': ['mythographer', 'thermography'], 'mythogreen': ['mythogreen', 'thermogeny'], 'mythologer': ['mythologer', 'thermology'], 'mythopoeic': ['homeotypic', 'mythopoeic'], 'mythus': ['mythus', 'thymus'], 'mytilid': ['mytilid', 'timidly'], 'mytilus': ['mustily', 'mytilus'], 'myxochondroma': ['chondromyxoma', 'myxochondroma'], 'myxochondrosarcoma': ['chondromyxosarcoma', 'myxochondrosarcoma'], 'myxocystoma': ['cystomyxoma', 'myxocystoma'], 'myxofibroma': ['fibromyxoma', 'myxofibroma'], 'myxofibrosarcoma': ['fibromyxosarcoma', 'myxofibrosarcoma'], 'myxoinoma': ['inomyxoma', 'myxoinoma'], 'myxolipoma': ['lipomyxoma', 'myxolipoma'], 'myxotheca': ['chemotaxy', 'myxotheca'], 'na': ['an', 'na'], 'naa': ['ana', 'naa'], 'naam': ['anam', 'mana', 'naam', 'nama'], 'nab': ['ban', 'nab'], 'nabak': ['banak', 'nabak'], 'nabal': ['alban', 'balan', 'banal', 'laban', 'nabal', 'nabla'], 'nabalism': ['bailsman', 'balanism', 'nabalism'], 'nabalite': ['albanite', 'balanite', 'nabalite'], 'nabalus': ['balanus', 'nabalus', 'subanal'], 'nabk': ['bank', 'knab', 'nabk'], 'nabla': ['alban', 'balan', 'banal', 'laban', 'nabal', 'nabla'], 'nable': ['leban', 'nable'], 'nabobishly': ['babylonish', 'nabobishly'], 'nabothian': ['bathonian', 'nabothian'], 'nabs': ['nabs', 'snab'], 'nabu': ['baun', 'buna', 'nabu', 'nuba'], 'nacarat': ['cantara', 'nacarat'], 'nace': ['acne', 'cane', 'nace'], 'nachitoch': ['chanchito', 'nachitoch'], 'nacre': ['caner', 'crane', 'crena', 'nacre', 'rance'], 'nacred': ['cedarn', 'dancer', 'nacred'], 'nacreous': ['carneous', 'nacreous'], 'nacrite': ['centiar', 'certain', 'citrean', 'nacrite', 'nectria'], 'nacrous': ['carnous', 'nacrous', 'narcous'], 'nadder': ['dander', 'darned', 'nadder'], 'nadeem': ['amende', 'demean', 'meaned', 'nadeem'], 'nadir': ['darin', 'dinar', 'drain', 'indra', 'nadir', 'ranid'], 'nadorite': ['andorite', 'nadorite', 'ordinate', 'rodentia'], 'nae': ['ean', 'nae', 'nea'], 'nael': ['alen', 'lane', 'lean', 'lena', 'nael', 'neal'], 'naether': ['earthen', 'enheart', 'hearten', 'naether', 'teheran', 'traheen'], 'nag': ['gan', 'nag'], 'nagara': ['angara', 'aranga', 'nagara'], 'nagari': ['graian', 'nagari'], 'nagatelite': ['gelatinate', 'nagatelite'], 'nagger': ['ganger', 'grange', 'nagger'], 'nagging': ['ganging', 'nagging'], 'naggle': ['laggen', 'naggle'], 'naggly': ['gangly', 'naggly'], 'nagmaal': ['malanga', 'nagmaal'], 'nagnag': ['gangan', 'nagnag'], 'nagnail': ['alangin', 'anginal', 'anglian', 'nagnail'], 'nagor': ['angor', 'argon', 'goran', 'grano', 'groan', 'nagor', 'orang', 'organ', 'rogan', 'ronga'], 'nagster': ['angster', 'garnets', 'nagster', 'strange'], 'nagual': ['angula', 'nagual'], 'nahani': ['hainan', 'nahani'], 'nahor': ['nahor', 'norah', 'rohan'], 'nahum': ['human', 'nahum'], 'naiad': ['danai', 'diana', 'naiad'], 'naiant': ['naiant', 'tainan'], 'naias': ['asian', 'naias', 'sanai'], 'naid': ['adin', 'andi', 'dain', 'dani', 'dian', 'naid'], 'naif': ['fain', 'naif'], 'naifly': ['fainly', 'naifly'], 'naig': ['gain', 'inga', 'naig', 'ngai'], 'naik': ['akin', 'kina', 'naik'], 'nail': ['alin', 'anil', 'lain', 'lina', 'nail'], 'nailer': ['arline', 'larine', 'linear', 'nailer', 'renail'], 'naileress': ['earliness', 'naileress'], 'nailery': ['inlayer', 'nailery'], 'nailless': ['nailless', 'sensilla'], 'nailrod': ['nailrod', 'ordinal', 'rinaldo', 'rodinal'], 'nailshop': ['nailshop', 'siphonal'], 'naily': ['inlay', 'naily'], 'naim': ['amin', 'main', 'mani', 'mian', 'mina', 'naim'], 'nain': ['nain', 'nina'], 'naio': ['aion', 'naio'], 'nair': ['arni', 'iran', 'nair', 'rain', 'rani'], 'nairy': ['nairy', 'rainy'], 'nais': ['anis', 'nais', 'nasi', 'nias', 'sain', 'sina'], 'naish': ['naish', 'shina'], 'naither': ['anither', 'inearth', 'naither'], 'naive': ['avine', 'naive', 'vinea'], 'naivete': ['naivete', 'nieveta'], 'nak': ['kan', 'nak'], 'naked': ['kande', 'knead', 'naked'], 'nakedish': ['headskin', 'nakedish', 'sinkhead'], 'naker': ['anker', 'karen', 'naker'], 'nakir': ['inkra', 'krina', 'nakir', 'rinka'], 'nako': ['kona', 'nako'], 'nalita': ['antlia', 'latian', 'nalita'], 'nallah': ['hallan', 'nallah'], 'nam': ['man', 'nam'], 'nama': ['anam', 'mana', 'naam', 'nama'], 'namaz': ['namaz', 'zaman'], 'nambe': ['beman', 'nambe'], 'namda': ['adman', 'daman', 'namda'], 'name': ['amen', 'enam', 'mane', 'mean', 'name', 'nema'], 'nameability': ['amenability', 'nameability'], 'nameable': ['amenable', 'nameable'], 'nameless': ['lameness', 'maleness', 'maneless', 'nameless'], 'nameling': ['mangelin', 'nameling'], 'namely': ['meanly', 'namely'], 'namer': ['enarm', 'namer', 'reman'], 'nammad': ['madman', 'nammad'], 'nan': ['ann', 'nan'], 'nana': ['anan', 'anna', 'nana'], 'nanaimo': ['nanaimo', 'omniana'], 'nancy': ['canny', 'nancy'], 'nandi': ['indan', 'nandi'], 'nane': ['anne', 'nane'], 'nanes': ['nanes', 'senna'], 'nanoid': ['adonin', 'nanoid', 'nonaid'], 'nanosomia': ['nanosomia', 'nosomania'], 'nanpie': ['nanpie', 'pennia', 'pinnae'], 'naological': ['colonalgia', 'naological'], 'naometry': ['monetary', 'myronate', 'naometry'], 'naomi': ['amino', 'inoma', 'naomi', 'omani', 'omina'], 'naoto': ['naoto', 'toona'], 'nap': ['nap', 'pan'], 'napaean': ['anapnea', 'napaean'], 'nape': ['nape', 'neap', 'nepa', 'pane', 'pean'], 'napead': ['napead', 'panade'], 'napery': ['napery', 'pyrena'], 'naphthalize': ['naphthalize', 'phthalazine'], 'naphtol': ['haplont', 'naphtol'], 'napkin': ['napkin', 'pankin'], 'napped': ['append', 'napped'], 'napper': ['napper', 'papern'], 'napron': ['napron', 'nonpar'], 'napthionic': ['antiphonic', 'napthionic'], 'napu': ['napu', 'puan', 'puna'], 'nar': ['arn', 'nar', 'ran'], 'narcaciontes': ['narcaciontes', 'transoceanic'], 'narcose': ['carnose', 'coarsen', 'narcose'], 'narcotia': ['craniota', 'croatian', 'narcotia', 'raincoat'], 'narcoticism': ['intracosmic', 'narcoticism'], 'narcotina': ['anarcotin', 'cantorian', 'carnation', 'narcotina'], 'narcotine': ['connarite', 'container', 'cotarnine', 'crenation', 'narcotine'], 'narcotism': ['narcotism', 'romancist'], 'narcotist': ['narcotist', 'stratonic'], 'narcotize': ['narcotize', 'zirconate'], 'narcous': ['carnous', 'nacrous', 'narcous'], 'nard': ['darn', 'nard', 'rand'], 'nardine': ['adrenin', 'nardine'], 'nardus': ['nardus', 'sundar', 'sundra'], 'nares': ['anser', 'nares', 'rasen', 'snare'], 'nargil': ['nargil', 'raglin'], 'naric': ['cairn', 'crain', 'naric'], 'narica': ['acinar', 'arnica', 'canari', 'carian', 'carina', 'crania', 'narica'], 'nariform': ['nariform', 'raniform'], 'narine': ['narine', 'ranine'], 'nark': ['knar', 'kran', 'nark', 'rank'], 'narration': ['narration', 'tornarian'], 'narthecium': ['anthericum', 'narthecium'], 'nary': ['nary', 'yarn'], 'nasab': ['nasab', 'saban'], 'nasal': ['alans', 'lanas', 'nasal'], 'nasalism': ['nasalism', 'sailsman'], 'nasard': ['nasard', 'sandra'], 'nascapi': ['capsian', 'caspian', 'nascapi', 'panisca'], 'nash': ['hans', 'nash', 'shan'], 'nashgab': ['bangash', 'nashgab'], 'nasi': ['anis', 'nais', 'nasi', 'nias', 'sain', 'sina'], 'nasial': ['anisal', 'nasial', 'salian', 'salina'], 'nasitis': ['nasitis', 'sistani'], 'nasoantral': ['antronasal', 'nasoantral'], 'nasobuccal': ['bucconasal', 'nasobuccal'], 'nasofrontal': ['frontonasal', 'nasofrontal'], 'nasolabial': ['labionasal', 'nasolabial'], 'nasolachrymal': ['lachrymonasal', 'nasolachrymal'], 'nasonite': ['estonian', 'nasonite'], 'nasoorbital': ['nasoorbital', 'orbitonasal'], 'nasopalatal': ['nasopalatal', 'palatonasal'], 'nasoseptal': ['nasoseptal', 'septonasal'], 'nassa': ['nassa', 'sasan'], 'nassidae': ['assidean', 'nassidae'], 'nast': ['nast', 'sant', 'stan'], 'nastic': ['incast', 'nastic'], 'nastily': ['nastily', 'saintly', 'staynil'], 'nasturtion': ['antrustion', 'nasturtion'], 'nasty': ['nasty', 'styan', 'tansy'], 'nasua': ['nasua', 'sauna'], 'nasus': ['nasus', 'susan'], 'nasute': ['nasute', 'nauset', 'unseat'], 'nat': ['ant', 'nat', 'tan'], 'nataka': ['nataka', 'tanaka'], 'natal': ['antal', 'natal'], 'natalia': ['altaian', 'latania', 'natalia'], 'natalie': ['laniate', 'natalie', 'taenial'], 'nataloin': ['latonian', 'nataloin', 'national'], 'natals': ['aslant', 'lansat', 'natals', 'santal'], 'natator': ['arnotta', 'natator'], 'natatorium': ['maturation', 'natatorium'], 'natch': ['chant', 'natch'], 'nate': ['ante', 'aten', 'etna', 'nate', 'neat', 'taen', 'tane', 'tean'], 'nates': ['antes', 'nates', 'stane', 'stean'], 'nathan': ['nathan', 'thanan'], 'nathe': ['enhat', 'ethan', 'nathe', 'neath', 'thane'], 'nather': ['anther', 'nather', 'tharen', 'thenar'], 'natica': ['actian', 'natica', 'tanica'], 'naticiform': ['actiniform', 'naticiform'], 'naticine': ['actinine', 'naticine'], 'natick': ['catkin', 'natick'], 'naticoid': ['actinoid', 'diatonic', 'naticoid'], 'nation': ['anoint', 'nation'], 'national': ['latonian', 'nataloin', 'national'], 'native': ['native', 'navite'], 'natively': ['natively', 'venality'], 'nativist': ['nativist', 'visitant'], 'natr': ['natr', 'rant', 'tarn', 'tran'], 'natricinae': ['natricinae', 'nectarinia'], 'natricine': ['crinanite', 'natricine'], 'natrolite': ['natrolite', 'tentorial'], 'natter': ['attern', 'natter', 'ratten', 'tarten'], 'nattered': ['attender', 'nattered', 'reattend'], 'nattily': ['nattily', 'titanyl'], 'nattle': ['latent', 'latten', 'nattle', 'talent', 'tantle'], 'naturalistic': ['naturalistic', 'unartistical'], 'naturing': ['gainturn', 'naturing'], 'naturism': ['naturism', 'sturmian', 'turanism'], 'naturist': ['antirust', 'naturist'], 'naturistic': ['naturistic', 'unartistic'], 'naturistically': ['naturistically', 'unartistically'], 'nauger': ['nauger', 'raunge', 'ungear'], 'naumk': ['kuman', 'naumk'], 'naunt': ['naunt', 'tunna'], 'nauntle': ['annulet', 'nauntle'], 'nauplius': ['nauplius', 'paulinus'], 'nauset': ['nasute', 'nauset', 'unseat'], 'naut': ['antu', 'aunt', 'naut', 'taun', 'tuan', 'tuna'], 'nauther': ['haunter', 'nauther', 'unearth', 'unheart', 'urethan'], 'nautic': ['anicut', 'nautic', 'ticuna', 'tunica'], 'nautical': ['actinula', 'nautical'], 'nautiloid': ['lutianoid', 'nautiloid'], 'nautilus': ['lutianus', 'nautilus', 'ustulina'], 'naval': ['alvan', 'naval'], 'navalist': ['navalist', 'salivant'], 'navar': ['navar', 'varan', 'varna'], 'nave': ['evan', 'nave', 'vane'], 'navel': ['elvan', 'navel', 'venal'], 'naviculare': ['naviculare', 'uncavalier'], 'navigant': ['navigant', 'vaginant'], 'navigate': ['navigate', 'vaginate'], 'navite': ['native', 'navite'], 'naw': ['awn', 'naw', 'wan'], 'nawt': ['nawt', 'tawn', 'want'], 'nay': ['any', 'nay', 'yan'], 'nayar': ['aryan', 'nayar', 'rayan'], 'nazarite': ['nazarite', 'nazirate', 'triazane'], 'nazi': ['nazi', 'zain'], 'nazim': ['nazim', 'nizam'], 'nazirate': ['nazarite', 'nazirate', 'triazane'], 'nazirite': ['nazirite', 'triazine'], 'ne': ['en', 'ne'], 'nea': ['ean', 'nae', 'nea'], 'neal': ['alen', 'lane', 'lean', 'lena', 'nael', 'neal'], 'neanic': ['canine', 'encina', 'neanic'], 'neap': ['nape', 'neap', 'nepa', 'pane', 'pean'], 'neapolitan': ['antelopian', 'neapolitan', 'panelation'], 'nearby': ['barney', 'nearby'], 'nearctic': ['acentric', 'encratic', 'nearctic'], 'nearest': ['earnest', 'eastern', 'nearest'], 'nearish': ['arshine', 'nearish', 'rhesian', 'sherani'], 'nearly': ['anerly', 'nearly'], 'nearmost': ['monaster', 'monstera', 'nearmost', 'storeman'], 'nearthrosis': ['enarthrosis', 'nearthrosis'], 'neat': ['ante', 'aten', 'etna', 'nate', 'neat', 'taen', 'tane', 'tean'], 'neaten': ['etnean', 'neaten'], 'neath': ['enhat', 'ethan', 'nathe', 'neath', 'thane'], 'neatherd': ['adherent', 'headrent', 'neatherd', 'threaden'], 'neatherdess': ['heartedness', 'neatherdess'], 'neb': ['ben', 'neb'], 'neback': ['backen', 'neback'], 'nebaioth': ['boethian', 'nebaioth'], 'nebalia': ['abelian', 'nebalia'], 'nebelist': ['nebelist', 'stilbene', 'tensible'], 'nebula': ['nebula', 'unable', 'unbale'], 'nebulose': ['bluenose', 'nebulose'], 'necator': ['enactor', 'necator', 'orcanet'], 'necessarian': ['necessarian', 'renaissance'], 'neckar': ['canker', 'neckar'], 'necrogenic': ['congeneric', 'necrogenic'], 'necrogenous': ['congenerous', 'necrogenous'], 'necrology': ['crenology', 'necrology'], 'necropoles': ['necropoles', 'preconsole'], 'necropolis': ['clinospore', 'necropolis'], 'necrotic': ['crocetin', 'necrotic'], 'necrotomic': ['necrotomic', 'oncometric'], 'necrotomy': ['necrotomy', 'normocyte', 'oncometry'], 'nectar': ['canter', 'creant', 'cretan', 'nectar', 'recant', 'tanrec', 'trance'], 'nectareal': ['lactarene', 'nectareal'], 'nectared': ['crenated', 'decanter', 'nectared'], 'nectareous': ['countersea', 'nectareous'], 'nectarial': ['carnalite', 'claretian', 'lacertian', 'nectarial'], 'nectarian': ['cratinean', 'incarnate', 'nectarian'], 'nectaried': ['nectaried', 'tridecane'], 'nectarine': ['inertance', 'nectarine'], 'nectarinia': ['natricinae', 'nectarinia'], 'nectarious': ['nectarious', 'recusation'], 'nectarlike': ['nectarlike', 'trancelike'], 'nectarous': ['acentrous', 'courtesan', 'nectarous'], 'nectary': ['encraty', 'nectary'], 'nectophore': ['ctenophore', 'nectophore'], 'nectria': ['centiar', 'certain', 'citrean', 'nacrite', 'nectria'], 'ned': ['den', 'end', 'ned'], 'nedder': ['nedder', 'redden'], 'neebor': ['boreen', 'enrobe', 'neebor', 'rebone'], 'need': ['dene', 'eden', 'need'], 'needer': ['endere', 'needer', 'reeden'], 'needfire': ['needfire', 'redefine'], 'needily': ['needily', 'yielden'], 'needle': ['lendee', 'needle'], 'needless': ['needless', 'seldseen'], 'needs': ['dense', 'needs'], 'needsome': ['modenese', 'needsome'], 'neeger': ['neeger', 'reenge', 'renege'], 'neeld': ['leden', 'neeld'], 'neep': ['neep', 'peen'], 'neepour': ['neepour', 'neurope'], 'neer': ['erne', 'neer', 'reen'], 'neet': ['neet', 'nete', 'teen'], 'neetup': ['neetup', 'petune'], 'nef': ['fen', 'nef'], 'nefast': ['fasten', 'nefast', 'stefan'], 'neftgil': ['felting', 'neftgil'], 'negate': ['geneat', 'negate', 'tegean'], 'negation': ['antigone', 'negation'], 'negative': ['agentive', 'negative'], 'negativism': ['negativism', 'timesaving'], 'negator': ['negator', 'tronage'], 'negatron': ['argenton', 'negatron'], 'neger': ['genre', 'green', 'neger', 'reneg'], 'neglecter': ['neglecter', 'reneglect'], 'negritian': ['negritian', 'retaining'], 'negrito': ['ergotin', 'genitor', 'negrito', 'ogtiern', 'trigone'], 'negritoid': ['negritoid', 'rodingite'], 'negro': ['ergon', 'genro', 'goner', 'negro'], 'negroid': ['groined', 'negroid'], 'negroidal': ['girandole', 'negroidal'], 'negroize': ['genizero', 'negroize'], 'negroloid': ['gondolier', 'negroloid'], 'negrotic': ['gerontic', 'negrotic'], 'negundo': ['dungeon', 'negundo'], 'negus': ['genus', 'negus'], 'neif': ['enif', 'fine', 'neif', 'nife'], 'neigh': ['hinge', 'neigh'], 'neil': ['lien', 'line', 'neil', 'nile'], 'neiper': ['neiper', 'perine', 'pirene', 'repine'], 'neist': ['inset', 'neist', 'snite', 'stein', 'stine', 'tsine'], 'neither': ['enherit', 'etherin', 'neither', 'therein'], 'nekkar': ['kraken', 'nekkar'], 'nekton': ['kenton', 'nekton'], 'nelken': ['kennel', 'nelken'], 'nelsonite': ['nelsonite', 'solentine'], 'nelumbian': ['nelumbian', 'unminable'], 'nema': ['amen', 'enam', 'mane', 'mean', 'name', 'nema'], 'nemalite': ['melanite', 'meletian', 'metaline', 'nemalite'], 'nematoda': ['mantodea', 'nematoda'], 'nematoid': ['dominate', 'nematoid'], 'nematophyton': ['nematophyton', 'tenontophyma'], 'nemertinea': ['minnetaree', 'nemertinea'], 'nemertini': ['intermine', 'nemertini', 'terminine'], 'nemertoid': ['interdome', 'mordenite', 'nemertoid'], 'nemoral': ['almoner', 'moneral', 'nemoral'], 'nenta': ['anent', 'annet', 'nenta'], 'neo': ['eon', 'neo', 'one'], 'neoarctic': ['accretion', 'anorectic', 'neoarctic'], 'neocomian': ['monoecian', 'neocomian'], 'neocosmic': ['economics', 'neocosmic'], 'neocyte': ['enocyte', 'neocyte'], 'neogaea': ['eogaean', 'neogaea'], 'neogenesis': ['neogenesis', 'noegenesis'], 'neogenetic': ['neogenetic', 'noegenetic'], 'neognathous': ['anthogenous', 'neognathous'], 'neolatry': ['neolatry', 'ornately', 'tyrolean'], 'neolithic': ['ichnolite', 'neolithic'], 'neomiracle': ['ceremonial', 'neomiracle'], 'neomorphic': ['microphone', 'neomorphic'], 'neon': ['neon', 'none'], 'neophilism': ['neophilism', 'philoneism'], 'neophytic': ['hypnoetic', 'neophytic'], 'neoplasm': ['neoplasm', 'pleonasm', 'polesman', 'splenoma'], 'neoplastic': ['neoplastic', 'pleonastic'], 'neorama': ['neorama', 'romaean'], 'neornithes': ['neornithes', 'rhinestone'], 'neossin': ['neossin', 'sension'], 'neoteric': ['erection', 'neoteric', 'nocerite', 'renotice'], 'neoterism': ['moistener', 'neoterism'], 'neotragus': ['argentous', 'neotragus'], 'neotropic': ['ectropion', 'neotropic'], 'neotropical': ['neotropical', 'percolation'], 'neoza': ['neoza', 'ozena'], 'nep': ['nep', 'pen'], 'nepa': ['nape', 'neap', 'nepa', 'pane', 'pean'], 'nepal': ['alpen', 'nepal', 'panel', 'penal', 'plane'], 'nepali': ['alpine', 'nepali', 'penial', 'pineal'], 'neper': ['neper', 'preen', 'repen'], 'nepheloscope': ['nepheloscope', 'phonelescope'], 'nephite': ['heptine', 'nephite'], 'nephogram': ['gomphrena', 'nephogram'], 'nephological': ['nephological', 'phenological'], 'nephologist': ['nephologist', 'phenologist'], 'nephology': ['nephology', 'phenology'], 'nephria': ['heparin', 'nephria'], 'nephric': ['nephric', 'phrenic', 'pincher'], 'nephrite': ['nephrite', 'prehnite', 'trephine'], 'nephritic': ['nephritic', 'phrenitic', 'prehnitic'], 'nephritis': ['inspreith', 'nephritis', 'phrenitis'], 'nephrocardiac': ['nephrocardiac', 'phrenocardiac'], 'nephrocolic': ['nephrocolic', 'phrenocolic'], 'nephrocystosis': ['cystonephrosis', 'nephrocystosis'], 'nephrogastric': ['gastrophrenic', 'nephrogastric', 'phrenogastric'], 'nephrohydrosis': ['hydronephrosis', 'nephrohydrosis'], 'nephrolithotomy': ['lithonephrotomy', 'nephrolithotomy'], 'nephrologist': ['nephrologist', 'phrenologist'], 'nephrology': ['nephrology', 'phrenology'], 'nephropathic': ['nephropathic', 'phrenopathic'], 'nephropathy': ['nephropathy', 'phrenopathy'], 'nephropsidae': ['nephropsidae', 'praesphenoid'], 'nephroptosia': ['nephroptosia', 'prosiphonate'], 'nephropyelitis': ['nephropyelitis', 'pyelonephritis'], 'nephropyosis': ['nephropyosis', 'pyonephrosis'], 'nephrosis': ['nephrosis', 'phronesis'], 'nephrostoma': ['nephrostoma', 'strophomena'], 'nephrotome': ['nephrotome', 'phonometer'], 'nephrotomy': ['nephrotomy', 'phonometry'], 'nepman': ['nepman', 'penman'], 'nepotal': ['lepanto', 'nepotal', 'petalon', 'polenta'], 'nepote': ['nepote', 'pontee', 'poteen'], 'nepotic': ['entopic', 'nepotic', 'pentoic'], 'nereid': ['denier', 'nereid'], 'nereis': ['inseer', 'nereis', 'seiner', 'serine', 'sirene'], 'neri': ['neri', 'rein', 'rine'], 'nerita': ['nerita', 'ratine', 'retain', 'retina', 'tanier'], 'neritic': ['citrine', 'crinite', 'inciter', 'neritic'], 'neritina': ['neritina', 'retinian'], 'neritoid': ['neritoid', 'retinoid'], 'nerium': ['murine', 'nerium'], 'neroic': ['cerion', 'coiner', 'neroic', 'orcein', 'recoin'], 'neronic': ['corinne', 'cornein', 'neronic'], 'nerval': ['nerval', 'vernal'], 'nervate': ['nervate', 'veteran'], 'nervation': ['nervation', 'vernation'], 'nerve': ['nerve', 'never'], 'nervid': ['driven', 'nervid', 'verdin'], 'nervine': ['innerve', 'nervine', 'vernine'], 'nerviness': ['inverness', 'nerviness'], 'nervish': ['nervish', 'shriven'], 'nervulose': ['nervulose', 'unresolve', 'vulnerose'], 'nese': ['ense', 'esne', 'nese', 'seen', 'snee'], 'nesh': ['nesh', 'shen'], 'nesiot': ['nesiot', 'ostein'], 'neskhi': ['kishen', 'neskhi'], 'neslia': ['alsine', 'neslia', 'saline', 'selina', 'silane'], 'nest': ['nest', 'sent', 'sten'], 'nester': ['ernest', 'nester', 'resent', 'streen'], 'nestiatria': ['intarsiate', 'nestiatria'], 'nestlike': ['nestlike', 'skeletin'], 'nestor': ['nestor', 'sterno', 'stoner', 'strone', 'tensor'], 'net': ['net', 'ten'], 'netcha': ['entach', 'netcha'], 'nete': ['neet', 'nete', 'teen'], 'neter': ['enter', 'neter', 'renet', 'terne', 'treen'], 'netful': ['fluent', 'netful', 'unfelt', 'unleft'], 'neth': ['hent', 'neth', 'then'], 'nether': ['erthen', 'henter', 'nether', 'threne'], 'neti': ['iten', 'neti', 'tien', 'tine'], 'netman': ['manent', 'netman'], 'netsuke': ['kuneste', 'netsuke'], 'nettable': ['nettable', 'tentable'], 'nettapus': ['nettapus', 'stepaunt'], 'netted': ['detent', 'netted', 'tented'], 'netter': ['netter', 'retent', 'tenter'], 'nettion': ['nettion', 'tention', 'tontine'], 'nettle': ['letten', 'nettle'], 'nettler': ['nettler', 'ternlet'], 'netty': ['netty', 'tenty'], 'neurad': ['endura', 'neurad', 'undear', 'unread'], 'neural': ['lunare', 'neural', 'ulnare', 'unreal'], 'neuralgic': ['genicular', 'neuralgic'], 'neuralist': ['neuralist', 'ulsterian', 'unrealist'], 'neurectopia': ['eucatropine', 'neurectopia'], 'neuric': ['curine', 'erucin', 'neuric'], 'neurilema': ['lemurinae', 'neurilema'], 'neurin': ['enruin', 'neurin', 'unrein'], 'neurism': ['neurism', 'semiurn'], 'neurite': ['neurite', 'retinue', 'reunite', 'uterine'], 'neuroblast': ['neuroblast', 'unsortable'], 'neurodermatosis': ['dermatoneurosis', 'neurodermatosis'], 'neurofibroma': ['fibroneuroma', 'neurofibroma'], 'neurofil': ['fluorine', 'neurofil'], 'neuroganglion': ['ganglioneuron', 'neuroganglion'], 'neurogenic': ['encoignure', 'neurogenic'], 'neuroid': ['dourine', 'neuroid'], 'neurolysis': ['neurolysis', 'resinously'], 'neuromast': ['anoestrum', 'neuromast'], 'neuromyelitis': ['myeloneuritis', 'neuromyelitis'], 'neuronal': ['enaluron', 'neuronal'], 'neurope': ['neepour', 'neurope'], 'neuropsychological': ['neuropsychological', 'psychoneurological'], 'neuropsychosis': ['neuropsychosis', 'psychoneurosis'], 'neuropteris': ['interposure', 'neuropteris'], 'neurosis': ['neurosis', 'resinous'], 'neurotic': ['eruction', 'neurotic'], 'neurotripsy': ['neurotripsy', 'tripyrenous'], 'neustrian': ['neustrian', 'saturnine', 'sturninae'], 'neuter': ['neuter', 'retune', 'runtee', 'tenure', 'tureen'], 'neuterly': ['neuterly', 'rutylene'], 'neutral': ['laurent', 'neutral', 'unalert'], 'neutralism': ['neutralism', 'trimensual'], 'neutrally': ['neutrally', 'unalertly'], 'neutralness': ['neutralness', 'unalertness'], 'nevada': ['nevada', 'vedana', 'venada'], 'neve': ['even', 'neve', 'veen'], 'never': ['nerve', 'never'], 'nevo': ['nevo', 'oven'], 'nevoy': ['envoy', 'nevoy', 'yoven'], 'nevus': ['nevus', 'venus'], 'new': ['new', 'wen'], 'newar': ['awner', 'newar'], 'newari': ['newari', 'wainer'], 'news': ['news', 'sewn', 'snew'], 'newt': ['newt', 'went'], 'nexus': ['nexus', 'unsex'], 'ngai': ['gain', 'inga', 'naig', 'ngai'], 'ngaio': ['gonia', 'ngaio', 'nogai'], 'ngapi': ['aping', 'ngapi', 'pangi'], 'ngoko': ['kongo', 'ngoko'], 'ni': ['in', 'ni'], 'niagara': ['agrania', 'angaria', 'niagara'], 'nias': ['anis', 'nais', 'nasi', 'nias', 'sain', 'sina'], 'niata': ['anita', 'niata', 'tania'], 'nib': ['bin', 'nib'], 'nibs': ['nibs', 'snib'], 'nibsome': ['nibsome', 'nimbose'], 'nicarao': ['aaronic', 'nicarao', 'ocarina'], 'niccolous': ['niccolous', 'occlusion'], 'nice': ['cine', 'nice'], 'nicene': ['cinene', 'nicene'], 'nicenist': ['inscient', 'nicenist'], 'nicesome': ['nicesome', 'semicone'], 'nichael': ['chilean', 'echinal', 'nichael'], 'niche': ['chien', 'chine', 'niche'], 'nicher': ['enrich', 'nicher', 'richen'], 'nicholas': ['lichanos', 'nicholas'], 'nickel': ['nickel', 'nickle'], 'nickle': ['nickel', 'nickle'], 'nicol': ['colin', 'nicol'], 'nicolas': ['nicolas', 'scaloni'], 'nicolette': ['lecontite', 'nicolette'], 'nicotian': ['aconitin', 'inaction', 'nicotian'], 'nicotianin': ['nicotianin', 'nicotinian'], 'nicotined': ['incondite', 'nicotined'], 'nicotinian': ['nicotianin', 'nicotinian'], 'nicotism': ['monistic', 'nicotism', 'nomistic'], 'nicotize': ['nicotize', 'tonicize'], 'nictate': ['nictate', 'tetanic'], 'nictation': ['antitonic', 'nictation'], 'nid': ['din', 'ind', 'nid'], 'nidal': ['danli', 'ladin', 'linda', 'nidal'], 'nidana': ['andian', 'danian', 'nidana'], 'nidation': ['nidation', 'notidani'], 'niddle': ['dindle', 'niddle'], 'nide': ['dine', 'enid', 'inde', 'nide'], 'nidge': ['deign', 'dinge', 'nidge'], 'nidget': ['nidget', 'tinged'], 'niding': ['dining', 'indign', 'niding'], 'nidologist': ['indologist', 'nidologist'], 'nidology': ['indology', 'nidology'], 'nidularia': ['nidularia', 'uniradial'], 'nidulate': ['nidulate', 'untailed'], 'nidus': ['dinus', 'indus', 'nidus'], 'niello': ['lionel', 'niello'], 'niels': ['elsin', 'lenis', 'niels', 'silen', 'sline'], 'nieve': ['nieve', 'venie'], 'nieveta': ['naivete', 'nieveta'], 'nievling': ['levining', 'nievling'], 'nife': ['enif', 'fine', 'neif', 'nife'], 'nifle': ['elfin', 'nifle'], 'nig': ['gin', 'ing', 'nig'], 'nigel': ['ingle', 'ligne', 'linge', 'nigel'], 'nigella': ['gallein', 'galline', 'nigella'], 'nigerian': ['arginine', 'nigerian'], 'niggard': ['grading', 'niggard'], 'nigger': ['ginger', 'nigger'], 'niggery': ['gingery', 'niggery'], 'nigh': ['hing', 'nigh'], 'night': ['night', 'thing'], 'nightless': ['lightness', 'nightless', 'thingless'], 'nightlike': ['nightlike', 'thinglike'], 'nightly': ['nightly', 'thingly'], 'nightman': ['nightman', 'thingman'], 'nignye': ['ginney', 'nignye'], 'nigori': ['nigori', 'origin'], 'nigre': ['grein', 'inger', 'nigre', 'regin', 'reign', 'ringe'], 'nigrous': ['nigrous', 'rousing', 'souring'], 'nihal': ['linha', 'nihal'], 'nikau': ['kunai', 'nikau'], 'nil': ['lin', 'nil'], 'nile': ['lien', 'line', 'neil', 'nile'], 'nilgai': ['ailing', 'angili', 'nilgai'], 'nilometer': ['linometer', 'nilometer'], 'niloscope': ['niloscope', 'scopoline'], 'nilotic': ['clition', 'nilotic'], 'nilous': ['insoul', 'linous', 'nilous', 'unsoil'], 'nim': ['min', 'nim'], 'nimbed': ['embind', 'nimbed'], 'nimbose': ['nibsome', 'nimbose'], 'nimkish': ['minkish', 'nimkish'], 'nimshi': ['minish', 'nimshi'], 'nina': ['nain', 'nina'], 'ninescore': ['ninescore', 'recension'], 'nineted': ['dentine', 'nineted'], 'ninevite': ['ninevite', 'nivenite'], 'ningpo': ['ningpo', 'pignon'], 'nintu': ['nintu', 'ninut', 'untin'], 'ninut': ['nintu', 'ninut', 'untin'], 'niota': ['niota', 'taino'], 'nip': ['nip', 'pin'], 'nipa': ['nipa', 'pain', 'pani', 'pian', 'pina'], 'nippers': ['nippers', 'snipper'], 'nipple': ['lippen', 'nipple'], 'nipter': ['nipter', 'terpin'], 'nisaean': ['nisaean', 'sinaean'], 'nisqualli': ['nisqualli', 'squillian'], 'nisus': ['nisus', 'sinus'], 'nit': ['nit', 'tin'], 'nitch': ['chint', 'nitch'], 'nitella': ['nitella', 'tellina'], 'nitently': ['intently', 'nitently'], 'niter': ['inert', 'inter', 'niter', 'retin', 'trine'], 'nitered': ['nitered', 'redient', 'teinder'], 'nither': ['hinter', 'nither', 'theirn'], 'nito': ['into', 'nito', 'oint', 'tino'], 'niton': ['niton', 'noint'], 'nitrate': ['intreat', 'iterant', 'nitrate', 'tertian'], 'nitratine': ['itinerant', 'nitratine'], 'nitric': ['citrin', 'nitric'], 'nitride': ['inditer', 'nitride'], 'nitrifaction': ['antifriction', 'nitrifaction'], 'nitriot': ['introit', 'nitriot'], 'nitrobenzol': ['benzonitrol', 'nitrobenzol'], 'nitrogelatin': ['intolerating', 'nitrogelatin'], 'nitrosate': ['nitrosate', 'stationer'], 'nitrous': ['nitrous', 'trusion'], 'nitter': ['nitter', 'tinter'], 'nitty': ['nitty', 'tinty'], 'niue': ['niue', 'unie'], 'nival': ['alvin', 'anvil', 'nival', 'vinal'], 'nivenite': ['ninevite', 'nivenite'], 'niveous': ['envious', 'niveous', 'veinous'], 'nivosity': ['nivosity', 'vinosity'], 'nizam': ['nazim', 'nizam'], 'no': ['no', 'on'], 'noa': ['noa', 'ona'], 'noachite': ['inchoate', 'noachite'], 'noah': ['hano', 'noah'], 'noahic': ['chinoa', 'noahic'], 'noam': ['mano', 'moan', 'mona', 'noam', 'noma', 'oman'], 'nob': ['bon', 'nob'], 'nobleman': ['blennoma', 'nobleman'], 'noblesse': ['boneless', 'noblesse'], 'nobs': ['bosn', 'nobs', 'snob'], 'nocardia': ['nocardia', 'orcadian'], 'nocent': ['nocent', 'nocten'], 'nocerite': ['erection', 'neoteric', 'nocerite', 'renotice'], 'nock': ['conk', 'nock'], 'nocten': ['nocent', 'nocten'], 'noctiluca': ['ciclatoun', 'noctiluca'], 'noctuid': ['conduit', 'duction', 'noctuid'], 'noctuidae': ['coadunite', 'education', 'noctuidae'], 'nocturia': ['curation', 'nocturia'], 'nod': ['don', 'nod'], 'nodal': ['donal', 'nodal'], 'nodated': ['donated', 'nodated'], 'node': ['done', 'node'], 'nodi': ['dion', 'nodi', 'odin'], 'nodiak': ['daikon', 'nodiak'], 'nodical': ['dolcian', 'nodical'], 'nodicorn': ['corindon', 'nodicorn'], 'nodule': ['louden', 'nodule'], 'nodus': ['nodus', 'ounds', 'sound'], 'noegenesis': ['neogenesis', 'noegenesis'], 'noegenetic': ['neogenetic', 'noegenetic'], 'noel': ['elon', 'enol', 'leno', 'leon', 'lone', 'noel'], 'noetic': ['eciton', 'noetic', 'notice', 'octine'], 'noetics': ['contise', 'noetics', 'section'], 'nog': ['gon', 'nog'], 'nogai': ['gonia', 'ngaio', 'nogai'], 'nogal': ['along', 'gonal', 'lango', 'longa', 'nogal'], 'noil': ['lino', 'lion', 'loin', 'noil'], 'noilage': ['goniale', 'noilage'], 'noiler': ['elinor', 'lienor', 'lorien', 'noiler'], 'noint': ['niton', 'noint'], 'noir': ['inro', 'iron', 'noir', 'nori'], 'noise': ['eosin', 'noise'], 'noiseless': ['noiseless', 'selenosis'], 'noisette': ['noisette', 'teosinte'], 'nolo': ['loon', 'nolo'], 'noma': ['mano', 'moan', 'mona', 'noam', 'noma', 'oman'], 'nomad': ['damon', 'monad', 'nomad'], 'nomadian': ['monadina', 'nomadian'], 'nomadic': ['monadic', 'nomadic'], 'nomadical': ['monadical', 'nomadical'], 'nomadically': ['monadically', 'nomadically'], 'nomadism': ['monadism', 'nomadism'], 'nomarch': ['monarch', 'nomarch', 'onmarch'], 'nomarchy': ['monarchy', 'nomarchy'], 'nome': ['mone', 'nome', 'omen'], 'nomeus': ['nomeus', 'unsome'], 'nomial': ['monial', 'nomial', 'oilman'], 'nomina': ['amnion', 'minoan', 'nomina'], 'nominate': ['antinome', 'nominate'], 'nominated': ['dentinoma', 'nominated'], 'nominature': ['nominature', 'numeration'], 'nomism': ['monism', 'nomism', 'simmon'], 'nomismata': ['anatomism', 'nomismata'], 'nomistic': ['monistic', 'nicotism', 'nomistic'], 'nomocracy': ['monocracy', 'nomocracy'], 'nomogenist': ['monogenist', 'nomogenist'], 'nomogenous': ['monogenous', 'nomogenous'], 'nomogeny': ['monogeny', 'nomogeny'], 'nomogram': ['monogram', 'nomogram'], 'nomograph': ['monograph', 'nomograph', 'phonogram'], 'nomographer': ['geranomorph', 'monographer', 'nomographer'], 'nomographic': ['gramophonic', 'monographic', 'nomographic', 'phonogramic'], 'nomographical': ['gramophonical', 'monographical', 'nomographical'], 'nomographically': ['gramophonically', 'monographically', 'nomographically', 'phonogramically'], 'nomography': ['monography', 'nomography'], 'nomological': ['monological', 'nomological'], 'nomologist': ['monologist', 'nomologist', 'ontologism'], 'nomology': ['monology', 'nomology'], 'nomophyllous': ['monophyllous', 'nomophyllous'], 'nomotheism': ['monotheism', 'nomotheism'], 'nomothetic': ['monothetic', 'nomothetic'], 'nona': ['anon', 'nona', 'onan'], 'nonaccession': ['connoissance', 'nonaccession'], 'nonact': ['cannot', 'canton', 'conant', 'nonact'], 'nonaction': ['connation', 'nonaction'], 'nonagent': ['nonagent', 'tannogen'], 'nonaid': ['adonin', 'nanoid', 'nonaid'], 'nonaltruistic': ['instructional', 'nonaltruistic'], 'nonanimal': ['nonanimal', 'nonmanila'], 'nonbilabiate': ['inobtainable', 'nonbilabiate'], 'noncaste': ['noncaste', 'tsonecan'], 'noncereal': ['aleconner', 'noncereal'], 'noncertified': ['noncertified', 'nonrectified'], 'nonclaim': ['cinnamol', 'nonclaim'], 'noncreation': ['noncreation', 'nonreaction'], 'noncreative': ['noncreative', 'nonreactive'], 'noncurantist': ['noncurantist', 'unconstraint'], 'nonda': ['donna', 'nonda'], 'nondesecration': ['nondesecration', 'recondensation'], 'none': ['neon', 'none'], 'nonempirical': ['nonempirical', 'prenominical'], 'nonerudite': ['nonerudite', 'unoriented'], 'nonesuch': ['nonesuch', 'unchosen'], 'nonet': ['nonet', 'tenon'], 'nonfertile': ['florentine', 'nonfertile'], 'nongeometrical': ['inconglomerate', 'nongeometrical'], 'nonglare': ['algernon', 'nonglare'], 'nongod': ['dongon', 'nongod'], 'nonhepatic': ['nonhepatic', 'pantheonic'], 'nonic': ['conin', 'nonic', 'oncin'], 'nonideal': ['anneloid', 'nonideal'], 'nonidealist': ['alstonidine', 'nonidealist'], 'nonirate': ['anointer', 'inornate', 'nonirate', 'reanoint'], 'nonius': ['nonius', 'unison'], 'nonlegato': ['nonlegato', 'ontogenal'], 'nonlegume': ['melungeon', 'nonlegume'], 'nonliable': ['bellonian', 'nonliable'], 'nonlicet': ['contline', 'nonlicet'], 'nonly': ['nonly', 'nonyl', 'nylon'], 'nonmanila': ['nonanimal', 'nonmanila'], 'nonmarital': ['antinormal', 'nonmarital', 'nonmartial'], 'nonmartial': ['antinormal', 'nonmarital', 'nonmartial'], 'nonmatter': ['nonmatter', 'remontant'], 'nonmetric': ['comintern', 'nonmetric'], 'nonmetrical': ['centinormal', 'conterminal', 'nonmetrical'], 'nonmolar': ['nonmolar', 'nonmoral'], 'nonmoral': ['nonmolar', 'nonmoral'], 'nonnat': ['nonnat', 'nontan'], 'nonoriental': ['nonoriental', 'nonrelation'], 'nonpaid': ['dipnoan', 'nonpaid', 'pandion'], 'nonpar': ['napron', 'nonpar'], 'nonparental': ['nonparental', 'nonpaternal'], 'nonpaternal': ['nonparental', 'nonpaternal'], 'nonpearlitic': ['nonpearlitic', 'pratincoline'], 'nonpenal': ['nonpenal', 'nonplane'], 'nonplane': ['nonpenal', 'nonplane'], 'nonracial': ['carniolan', 'nonracial'], 'nonrated': ['nonrated', 'nontrade'], 'nonreaction': ['noncreation', 'nonreaction'], 'nonreactive': ['noncreative', 'nonreactive'], 'nonrebel': ['ennobler', 'nonrebel'], 'nonrecital': ['interconal', 'nonrecital'], 'nonrectified': ['noncertified', 'nonrectified'], 'nonrelation': ['nonoriental', 'nonrelation'], 'nonreserve': ['nonreserve', 'nonreverse'], 'nonreverse': ['nonreserve', 'nonreverse'], 'nonrigid': ['girondin', 'nonrigid'], 'nonsanction': ['inconsonant', 'nonsanction'], 'nonscientist': ['inconsistent', 'nonscientist'], 'nonsecret': ['consenter', 'nonsecret', 'reconsent'], 'nontan': ['nonnat', 'nontan'], 'nontrade': ['nonrated', 'nontrade'], 'nonunited': ['nonunited', 'unintoned'], 'nonuse': ['nonuse', 'unnose'], 'nonvaginal': ['nonvaginal', 'novanglian'], 'nonvisitation': ['innovationist', 'nonvisitation'], 'nonya': ['annoy', 'nonya'], 'nonyl': ['nonly', 'nonyl', 'nylon'], 'nooking': ['kongoni', 'nooking'], 'noontide': ['noontide', 'notioned'], 'noontime': ['entomion', 'noontime'], 'noop': ['noop', 'poon'], 'noose': ['noose', 'osone'], 'nooser': ['nooser', 'seroon', 'sooner'], 'nopal': ['lapon', 'nopal'], 'nope': ['nope', 'open', 'peon', 'pone'], 'nor': ['nor', 'ron'], 'nora': ['nora', 'orna', 'roan'], 'norah': ['nahor', 'norah', 'rohan'], 'norate': ['atoner', 'norate', 'ornate'], 'noration': ['noration', 'ornation', 'orotinan'], 'nordic': ['dornic', 'nordic'], 'nordicity': ['nordicity', 'tyrocidin'], 'noreast': ['noreast', 'rosetan', 'seatron', 'senator', 'treason'], 'nori': ['inro', 'iron', 'noir', 'nori'], 'noria': ['arion', 'noria'], 'noric': ['corin', 'noric', 'orcin'], 'norie': ['irone', 'norie'], 'norite': ['norite', 'orient'], 'norm': ['morn', 'norm'], 'norma': ['manor', 'moran', 'norma', 'ramon', 'roman'], 'normality': ['normality', 'trionymal'], 'normated': ['moderant', 'normated'], 'normless': ['mornless', 'normless'], 'normocyte': ['necrotomy', 'normocyte', 'oncometry'], 'norse': ['norse', 'noser', 'seron', 'snore'], 'norsk': ['norsk', 'snork'], 'north': ['north', 'thorn'], 'norther': ['horrent', 'norther'], 'northing': ['inthrong', 'northing'], 'nosairi': ['nosairi', 'osirian'], 'nose': ['enos', 'nose'], 'nosean': ['nosean', 'oannes'], 'noseless': ['noseless', 'soleness'], 'noselite': ['noselite', 'solenite'], 'nosema': ['monase', 'nosema'], 'noser': ['norse', 'noser', 'seron', 'snore'], 'nosesmart': ['nosesmart', 'storesman'], 'nosism': ['nosism', 'simson'], 'nosomania': ['nanosomia', 'nosomania'], 'nostalgia': ['analogist', 'nostalgia'], 'nostalgic': ['gnostical', 'nostalgic'], 'nostic': ['nostic', 'sintoc', 'tocsin'], 'nostoc': ['nostoc', 'oncost'], 'nosu': ['nosu', 'nous', 'onus'], 'not': ['not', 'ton'], 'notability': ['bitonality', 'notability'], 'notaeal': ['anatole', 'notaeal'], 'notaeum': ['notaeum', 'outname'], 'notal': ['notal', 'ontal', 'talon', 'tolan', 'tonal'], 'notalgia': ['galtonia', 'notalgia'], 'notalia': ['ailanto', 'alation', 'laotian', 'notalia'], 'notan': ['anton', 'notan', 'tonna'], 'notarial': ['notarial', 'rational', 'rotalian'], 'notarially': ['notarially', 'rationally'], 'notariate': ['notariate', 'rationate'], 'notation': ['notation', 'tonation'], 'notator': ['arnotto', 'notator'], 'notcher': ['chorten', 'notcher'], 'note': ['note', 'tone'], 'noted': ['donet', 'noted', 'toned'], 'notehead': ['headnote', 'notehead'], 'noteless': ['noteless', 'toneless'], 'notelessly': ['notelessly', 'tonelessly'], 'notelessness': ['notelessness', 'tonelessness'], 'noter': ['noter', 'tenor', 'toner', 'trone'], 'nother': ['hornet', 'nother', 'theron', 'throne'], 'nothous': ['hontous', 'nothous'], 'notice': ['eciton', 'noetic', 'notice', 'octine'], 'noticer': ['cerotin', 'cointer', 'cotrine', 'cretion', 'noticer', 'rection'], 'notidani': ['nidation', 'notidani'], 'notify': ['notify', 'tonify'], 'notioned': ['noontide', 'notioned'], 'notochordal': ['chordotonal', 'notochordal'], 'notopterus': ['notopterus', 'portentous'], 'notorhizal': ['horizontal', 'notorhizal'], 'nototrema': ['antrotome', 'nototrema'], 'notour': ['notour', 'unroot'], 'notropis': ['notropis', 'positron', 'sorption'], 'notum': ['montu', 'mount', 'notum'], 'notus': ['notus', 'snout', 'stoun', 'tonus'], 'nought': ['hognut', 'nought'], 'noup': ['noup', 'puno', 'upon'], 'nourisher': ['nourisher', 'renourish'], 'nous': ['nosu', 'nous', 'onus'], 'novalia': ['novalia', 'valonia'], 'novanglian': ['nonvaginal', 'novanglian'], 'novem': ['novem', 'venom'], 'novitiate': ['evitation', 'novitiate'], 'now': ['now', 'own', 'won'], 'nowanights': ['nowanights', 'washington'], 'nowed': ['endow', 'nowed'], 'nowhere': ['nowhere', 'whereon'], 'nowise': ['nowise', 'snowie'], 'nowness': ['nowness', 'ownness'], 'nowt': ['nowt', 'town', 'wont'], 'noxa': ['axon', 'noxa', 'oxan'], 'noy': ['noy', 'yon'], 'nozi': ['nozi', 'zion'], 'nu': ['nu', 'un'], 'nub': ['bun', 'nub'], 'nuba': ['baun', 'buna', 'nabu', 'nuba'], 'nubian': ['nubian', 'unbain'], 'nubilate': ['antiblue', 'nubilate'], 'nubile': ['nubile', 'unible'], 'nucal': ['lucan', 'nucal'], 'nucellar': ['lucernal', 'nucellar', 'uncellar'], 'nuchal': ['chulan', 'launch', 'nuchal'], 'nuciferous': ['nuciferous', 'unciferous'], 'nuciform': ['nuciform', 'unciform'], 'nuclear': ['crenula', 'lucarne', 'nuclear', 'unclear'], 'nucleator': ['nucleator', 'recountal'], 'nucleoid': ['nucleoid', 'uncoiled'], 'nuclide': ['include', 'nuclide'], 'nuculid': ['nuculid', 'unlucid'], 'nuculidae': ['duculinae', 'nuculidae'], 'nudate': ['nudate', 'undate'], 'nuddle': ['ludden', 'nuddle'], 'nude': ['dune', 'nude', 'unde'], 'nudeness': ['nudeness', 'unsensed'], 'nudger': ['dunger', 'gerund', 'greund', 'nudger'], 'nudist': ['dustin', 'nudist'], 'nudity': ['nudity', 'untidy'], 'nuisancer': ['insurance', 'nuisancer'], 'numa': ['maun', 'numa'], 'numberer': ['numberer', 'renumber'], 'numda': ['maund', 'munda', 'numda', 'undam', 'unmad'], 'numeration': ['nominature', 'numeration'], 'numerical': ['ceruminal', 'melanuric', 'numerical'], 'numerist': ['numerist', 'terminus'], 'numida': ['numida', 'unmaid'], 'numidae': ['numidae', 'unaimed'], 'nummi': ['mnium', 'nummi'], 'nunciate': ['nunciate', 'uncinate'], 'nuncio': ['nuncio', 'uncoin'], 'nuncioship': ['nuncioship', 'pincushion'], 'nunki': ['nunki', 'unkin'], 'nunlet': ['nunlet', 'tunnel', 'unlent'], 'nunlike': ['nunlike', 'unliken'], 'nunnated': ['nunnated', 'untanned'], 'nunni': ['nunni', 'uninn'], 'nuptial': ['nuptial', 'unplait'], 'nurse': ['nurse', 'resun'], 'nusfiah': ['faunish', 'nusfiah'], 'nut': ['nut', 'tun'], 'nutarian': ['nutarian', 'turanian'], 'nutate': ['attune', 'nutate', 'tauten'], 'nutgall': ['gallnut', 'nutgall'], 'nuthatch': ['nuthatch', 'unthatch'], 'nutlike': ['nutlike', 'tunlike'], 'nutmeg': ['gnetum', 'nutmeg'], 'nutramin': ['nutramin', 'ruminant'], 'nutrice': ['nutrice', 'teucrin'], 'nycteridae': ['encyrtidae', 'nycteridae'], 'nycterine': ['nycterine', 'renitency'], 'nycteris': ['nycteris', 'stycerin'], 'nycturia': ['nycturia', 'tunicary'], 'nye': ['eyn', 'nye', 'yen'], 'nylast': ['nylast', 'stanly'], 'nylon': ['nonly', 'nonyl', 'nylon'], 'nymphalidae': ['lymphadenia', 'nymphalidae'], 'nyroca': ['canroy', 'crayon', 'cyrano', 'nyroca'], 'nystagmic': ['gymnastic', 'nystagmic'], 'oak': ['ako', 'koa', 'oak', 'oka'], 'oaky': ['kayo', 'oaky'], 'oam': ['mao', 'oam'], 'oannes': ['nosean', 'oannes'], 'oar': ['aro', 'oar', 'ora'], 'oared': ['adore', 'oared', 'oread'], 'oaric': ['cairo', 'oaric'], 'oaritis': ['isotria', 'oaritis'], 'oarium': ['mariou', 'oarium'], 'oarless': ['lassoer', 'oarless', 'rosales'], 'oarman': ['oarman', 'ramona'], 'oasal': ['alosa', 'loasa', 'oasal'], 'oasis': ['oasis', 'sosia'], 'oast': ['oast', 'stoa', 'taos'], 'oat': ['oat', 'tao', 'toa'], 'oatbin': ['batino', 'oatbin', 'obtain'], 'oaten': ['atone', 'oaten'], 'oatlike': ['keitloa', 'oatlike'], 'obclude': ['becloud', 'obclude'], 'obeah': ['bahoe', 'bohea', 'obeah'], 'obeisant': ['obeisant', 'sabotine'], 'obelial': ['bolelia', 'lobelia', 'obelial'], 'obeliscal': ['escobilla', 'obeliscal'], 'obelus': ['besoul', 'blouse', 'obelus'], 'oberon': ['borneo', 'oberon'], 'obi': ['ibo', 'obi'], 'obispo': ['boopis', 'obispo'], 'obit': ['bito', 'obit'], 'objectative': ['objectative', 'objectivate'], 'objectivate': ['objectative', 'objectivate'], 'oblate': ['lobate', 'oblate'], 'oblately': ['lobately', 'oblately'], 'oblation': ['boltonia', 'lobation', 'oblation'], 'obligant': ['bloating', 'obligant'], 'obliviality': ['obliviality', 'violability'], 'obol': ['bolo', 'bool', 'lobo', 'obol'], 'obscurant': ['obscurant', 'subcantor'], 'obscurantic': ['obscurantic', 'subnarcotic'], 'obscurantist': ['obscurantist', 'substraction'], 'obscure': ['bescour', 'buceros', 'obscure'], 'obscurer': ['crebrous', 'obscurer'], 'obsecrate': ['bracteose', 'obsecrate'], 'observe': ['observe', 'obverse', 'verbose'], 'obsessor': ['berossos', 'obsessor'], 'obstinate': ['bastionet', 'obstinate'], 'obtain': ['batino', 'oatbin', 'obtain'], 'obtainal': ['ablation', 'obtainal'], 'obtainer': ['abrotine', 'baritone', 'obtainer', 'reobtain'], 'obtrude': ['doubter', 'obtrude', 'outbred', 'redoubt'], 'obtruncation': ['conturbation', 'obtruncation'], 'obturate': ['obturate', 'tabouret'], 'obverse': ['observe', 'obverse', 'verbose'], 'obversely': ['obversely', 'verbosely'], 'ocarina': ['aaronic', 'nicarao', 'ocarina'], 'occasioner': ['occasioner', 'reoccasion'], 'occipitofrontal': ['frontooccipital', 'occipitofrontal'], 'occipitotemporal': ['occipitotemporal', 'temporooccipital'], 'occlusion': ['niccolous', 'occlusion'], 'occurrent': ['cocurrent', 'occurrent', 'uncorrect'], 'ocean': ['acone', 'canoe', 'ocean'], 'oceanet': ['acetone', 'oceanet'], 'oceanic': ['cocaine', 'oceanic'], 'ocellar': ['collare', 'corella', 'ocellar'], 'ocellate': ['collatee', 'ocellate'], 'ocellated': ['decollate', 'ocellated'], 'ocelli': ['collie', 'ocelli'], 'och': ['cho', 'och'], 'ocher': ['chore', 'ocher'], 'ocherous': ['ocherous', 'ochreous'], 'ochidore': ['choreoid', 'ochidore'], 'ochlesis': ['helcosis', 'ochlesis'], 'ochlesitic': ['cochleitis', 'ochlesitic'], 'ochletic': ['helcotic', 'lochetic', 'ochletic'], 'ochlocrat': ['colcothar', 'ochlocrat'], 'ochrea': ['chorea', 'ochrea', 'rochea'], 'ochreous': ['ocherous', 'ochreous'], 'ochroid': ['choroid', 'ochroid'], 'ochroma': ['amchoor', 'ochroma'], 'ocht': ['coth', 'ocht'], 'ocque': ['coque', 'ocque'], 'ocreated': ['decorate', 'ocreated'], 'octadic': ['cactoid', 'octadic'], 'octaeteric': ['ecorticate', 'octaeteric'], 'octakishexahedron': ['hexakisoctahedron', 'octakishexahedron'], 'octan': ['acton', 'canto', 'octan'], 'octandrian': ['dracontian', 'octandrian'], 'octarius': ['cotarius', 'octarius', 'suctoria'], 'octastrophic': ['octastrophic', 'postthoracic'], 'octave': ['avocet', 'octave', 'vocate'], 'octavian': ['octavian', 'octavina', 'vacation'], 'octavina': ['octavian', 'octavina', 'vacation'], 'octenary': ['enactory', 'octenary'], 'octet': ['cotte', 'octet'], 'octillion': ['cotillion', 'octillion'], 'octine': ['eciton', 'noetic', 'notice', 'octine'], 'octometer': ['octometer', 'rectotome', 'tocometer'], 'octonal': ['coolant', 'octonal'], 'octonare': ['coronate', 'octonare', 'otocrane'], 'octonarius': ['acutorsion', 'octonarius'], 'octoroon': ['coonroot', 'octoroon'], 'octuple': ['couplet', 'octuple'], 'ocularist': ['ocularist', 'suctorial'], 'oculate': ['caulote', 'colutea', 'oculate'], 'oculinid': ['lucinoid', 'oculinid'], 'ocypete': ['ecotype', 'ocypete'], 'od': ['do', 'od'], 'oda': ['ado', 'dao', 'oda'], 'odal': ['alod', 'dola', 'load', 'odal'], 'odalman': ['mandola', 'odalman'], 'odax': ['doxa', 'odax'], 'odd': ['dod', 'odd'], 'oddman': ['dodman', 'oddman'], 'ode': ['doe', 'edo', 'ode'], 'odel': ['dole', 'elod', 'lode', 'odel'], 'odin': ['dion', 'nodi', 'odin'], 'odinism': ['diosmin', 'odinism'], 'odinite': ['edition', 'odinite', 'otidine', 'tineoid'], 'odiometer': ['meteoroid', 'odiometer'], 'odious': ['iodous', 'odious'], 'odor': ['door', 'odor', 'oord', 'rood'], 'odorant': ['donator', 'odorant', 'tornado'], 'odored': ['doored', 'odored'], 'odorless': ['doorless', 'odorless'], 'ods': ['dos', 'ods', 'sod'], 'odum': ['doum', 'moud', 'odum'], 'odyl': ['loyd', 'odyl'], 'odylist': ['odylist', 'styloid'], 'oecanthus': ['ceanothus', 'oecanthus'], 'oecist': ['cotise', 'oecist'], 'oedipal': ['elapoid', 'oedipal'], 'oenin': ['inone', 'oenin'], 'oenocarpus': ['oenocarpus', 'uranoscope'], 'oer': ['oer', 'ore', 'roe'], 'oes': ['oes', 'ose', 'soe'], 'oestrian': ['arsonite', 'asterion', 'oestrian', 'rosinate', 'serotina'], 'oestrid': ['oestrid', 'steroid', 'storied'], 'oestridae': ['oestridae', 'ostreidae', 'sorediate'], 'oestrin': ['oestrin', 'tersion'], 'oestriol': ['oestriol', 'rosolite'], 'oestroid': ['oestroid', 'ordosite', 'ostreoid'], 'oestrual': ['oestrual', 'rosulate'], 'oestrum': ['oestrum', 'rosetum'], 'oestrus': ['estrous', 'oestrus', 'sestuor', 'tussore'], 'of': ['fo', 'of'], 'ofer': ['fore', 'froe', 'ofer'], 'offcast': ['castoff', 'offcast'], 'offcut': ['cutoff', 'offcut'], 'offender': ['offender', 'reoffend'], 'offerer': ['offerer', 'reoffer'], 'offlet': ['letoff', 'offlet'], 'offset': ['offset', 'setoff'], 'offuscate': ['offuscate', 'suffocate'], 'offuscation': ['offuscation', 'suffocation'], 'offward': ['drawoff', 'offward'], 'ofo': ['foo', 'ofo'], 'oft': ['fot', 'oft'], 'oftens': ['oftens', 'soften'], 'ofter': ['fetor', 'forte', 'ofter'], 'oftly': ['lofty', 'oftly'], 'og': ['go', 'og'], 'ogam': ['goma', 'ogam'], 'ogeed': ['geode', 'ogeed'], 'ogle': ['egol', 'goel', 'loge', 'ogle', 'oleg'], 'ogler': ['glore', 'ogler'], 'ogpu': ['goup', 'ogpu', 'upgo'], 'ogre': ['goer', 'gore', 'ogre'], 'ogreism': ['ergoism', 'ogreism'], 'ogtiern': ['ergotin', 'genitor', 'negrito', 'ogtiern', 'trigone'], 'oh': ['ho', 'oh'], 'ohm': ['mho', 'ohm'], 'ohmage': ['homage', 'ohmage'], 'ohmmeter': ['mhometer', 'ohmmeter'], 'oilcan': ['alnico', 'cliona', 'oilcan'], 'oilcup': ['oilcup', 'upcoil'], 'oildom': ['moloid', 'oildom'], 'oiler': ['oiler', 'oriel', 'reoil'], 'oillet': ['elliot', 'oillet'], 'oilman': ['monial', 'nomial', 'oilman'], 'oilstone': ['leonotis', 'oilstone'], 'oime': ['meio', 'oime'], 'oinomania': ['oinomania', 'oniomania'], 'oint': ['into', 'nito', 'oint', 'tino'], 'oireachtas': ['oireachtas', 'theocrasia'], 'ok': ['ko', 'ok'], 'oka': ['ako', 'koa', 'oak', 'oka'], 'oket': ['keto', 'oket', 'toke'], 'oki': ['koi', 'oki'], 'okie': ['ekoi', 'okie'], 'okra': ['karo', 'kora', 'okra', 'roka'], 'olaf': ['foal', 'loaf', 'olaf'], 'olam': ['loam', 'loma', 'malo', 'mola', 'olam'], 'olamic': ['colima', 'olamic'], 'olcha': ['chola', 'loach', 'olcha'], 'olchi': ['choil', 'choli', 'olchi'], 'old': ['dol', 'lod', 'old'], 'older': ['lored', 'older'], 'oldhamite': ['ethmoidal', 'oldhamite'], 'ole': ['leo', 'ole'], 'olea': ['aloe', 'olea'], 'olecranal': ['lanceolar', 'olecranal'], 'olecranoid': ['lecanoroid', 'olecranoid'], 'olecranon': ['encoronal', 'olecranon'], 'olefin': ['enfoil', 'olefin'], 'oleg': ['egol', 'goel', 'loge', 'ogle', 'oleg'], 'olein': ['enoil', 'ileon', 'olein'], 'olena': ['alone', 'anole', 'olena'], 'olenid': ['doline', 'indole', 'leonid', 'loined', 'olenid'], 'olent': ['lento', 'olent'], 'olenus': ['ensoul', 'olenus', 'unsole'], 'oleosity': ['oleosity', 'otiosely'], 'olga': ['gaol', 'goal', 'gola', 'olga'], 'oliban': ['albino', 'albion', 'alboin', 'oliban'], 'olibanum': ['olibanum', 'umbonial'], 'olid': ['dilo', 'diol', 'doli', 'idol', 'olid'], 'oligoclase': ['oligoclase', 'sociolegal'], 'oligomyoid': ['idiomology', 'oligomyoid'], 'oligonephria': ['oligonephria', 'oligophrenia'], 'oligonephric': ['oligonephric', 'oligophrenic'], 'oligophrenia': ['oligonephria', 'oligophrenia'], 'oligophrenic': ['oligonephric', 'oligophrenic'], 'oliprance': ['oliprance', 'porcelain'], 'oliva': ['oliva', 'viola'], 'olivaceous': ['olivaceous', 'violaceous'], 'olive': ['olive', 'ovile', 'voile'], 'olived': ['livedo', 'olived'], 'oliver': ['oliver', 'violer', 'virole'], 'olivescent': ['olivescent', 'violescent'], 'olivet': ['olivet', 'violet'], 'olivetan': ['olivetan', 'velation'], 'olivette': ['olivette', 'violette'], 'olivine': ['olivine', 'violine'], 'olla': ['lalo', 'lola', 'olla'], 'olof': ['fool', 'loof', 'olof'], 'olonets': ['enstool', 'olonets'], 'olor': ['loro', 'olor', 'orlo', 'rool'], 'olpe': ['lope', 'olpe', 'pole'], 'olson': ['olson', 'solon'], 'olympian': ['olympian', 'polymnia'], 'om': ['mo', 'om'], 'omaha': ['haoma', 'omaha'], 'oman': ['mano', 'moan', 'mona', 'noam', 'noma', 'oman'], 'omani': ['amino', 'inoma', 'naomi', 'omani', 'omina'], 'omar': ['amor', 'maro', 'mora', 'omar', 'roam'], 'omasitis': ['amitosis', 'omasitis'], 'omber': ['brome', 'omber'], 'omelet': ['omelet', 'telome'], 'omen': ['mone', 'nome', 'omen'], 'omened': ['endome', 'omened'], 'omental': ['omental', 'telamon'], 'omentotomy': ['entomotomy', 'omentotomy'], 'omer': ['mero', 'more', 'omer', 'rome'], 'omicron': ['moronic', 'omicron'], 'omina': ['amino', 'inoma', 'naomi', 'omani', 'omina'], 'ominous': ['mousoni', 'ominous'], 'omit': ['itmo', 'moit', 'omit', 'timo'], 'omitis': ['itoism', 'omitis'], 'omniana': ['nanaimo', 'omniana'], 'omniarch': ['choirman', 'harmonic', 'omniarch'], 'omnigerent': ['ignorement', 'omnigerent'], 'omnilegent': ['eloignment', 'omnilegent'], 'omnimeter': ['minometer', 'omnimeter'], 'omnimodous': ['monosodium', 'omnimodous', 'onosmodium'], 'omnist': ['inmost', 'monist', 'omnist'], 'omnitenent': ['intonement', 'omnitenent'], 'omphalogenous': ['megalophonous', 'omphalogenous'], 'on': ['no', 'on'], 'ona': ['noa', 'ona'], 'onager': ['onager', 'orange'], 'onagra': ['agroan', 'angora', 'anogra', 'arango', 'argoan', 'onagra'], 'onan': ['anon', 'nona', 'onan'], 'onanism': ['mansion', 'onanism'], 'onanistic': ['anconitis', 'antiscion', 'onanistic'], 'onca': ['coan', 'onca'], 'once': ['cone', 'once'], 'oncetta': ['oncetta', 'tectona'], 'onchidiidae': ['chionididae', 'onchidiidae'], 'oncia': ['acoin', 'oncia'], 'oncidium': ['conidium', 'mucinoid', 'oncidium'], 'oncin': ['conin', 'nonic', 'oncin'], 'oncometric': ['necrotomic', 'oncometric'], 'oncometry': ['necrotomy', 'normocyte', 'oncometry'], 'oncoming': ['gnomonic', 'oncoming'], 'oncosimeter': ['oncosimeter', 'semicoronet'], 'oncost': ['nostoc', 'oncost'], 'ondagram': ['dragoman', 'garamond', 'ondagram'], 'ondameter': ['emendator', 'ondameter'], 'ondatra': ['adorant', 'ondatra'], 'ondine': ['donnie', 'indone', 'ondine'], 'ondy': ['ondy', 'yond'], 'one': ['eon', 'neo', 'one'], 'oneida': ['daoine', 'oneida'], 'oneiric': ['ironice', 'oneiric'], 'oneism': ['eonism', 'mesion', 'oneism', 'simeon'], 'oneness': ['oneness', 'senones'], 'oner': ['oner', 'rone'], 'onery': ['eryon', 'onery'], 'oniomania': ['oinomania', 'oniomania'], 'oniomaniac': ['iconomania', 'oniomaniac'], 'oniscidae': ['oniscidae', 'oscinidae', 'sciaenoid'], 'onisciform': ['onisciform', 'somnorific'], 'oniscoidea': ['iodocasein', 'oniscoidea'], 'onkos': ['onkos', 'snook'], 'onlepy': ['onlepy', 'openly'], 'onliest': ['leonist', 'onliest'], 'only': ['lyon', 'only'], 'onmarch': ['monarch', 'nomarch', 'onmarch'], 'onosmodium': ['monosodium', 'omnimodous', 'onosmodium'], 'ons': ['ons', 'son'], 'onset': ['onset', 'seton', 'steno', 'stone'], 'onshore': ['onshore', 'sorehon'], 'onside': ['deinos', 'donsie', 'inodes', 'onside'], 'onsight': ['hosting', 'onsight'], 'ontal': ['notal', 'ontal', 'talon', 'tolan', 'tonal'], 'ontaric': ['anticor', 'carotin', 'cortina', 'ontaric'], 'onto': ['onto', 'oont', 'toon'], 'ontogenal': ['nonlegato', 'ontogenal'], 'ontological': ['ontological', 'tonological'], 'ontologism': ['monologist', 'nomologist', 'ontologism'], 'ontology': ['ontology', 'tonology'], 'onus': ['nosu', 'nous', 'onus'], 'onymal': ['amylon', 'onymal'], 'onymatic': ['cymation', 'myatonic', 'onymatic'], 'onza': ['azon', 'onza', 'ozan'], 'oocyte': ['coyote', 'oocyte'], 'oodles': ['dolose', 'oodles', 'soodle'], 'ooid': ['iodo', 'ooid'], 'oolak': ['lokao', 'oolak'], 'oolite': ['lootie', 'oolite'], 'oometer': ['moreote', 'oometer'], 'oons': ['oons', 'soon'], 'oont': ['onto', 'oont', 'toon'], 'oopak': ['oopak', 'pooka'], 'oord': ['door', 'odor', 'oord', 'rood'], 'opacate': ['opacate', 'peacoat'], 'opacite': ['ectopia', 'opacite'], 'opah': ['opah', 'paho', 'poha'], 'opal': ['alop', 'opal'], 'opalina': ['opalina', 'pianola'], 'opalinine': ['opalinine', 'pleionian'], 'opalize': ['epizoal', 'lopezia', 'opalize'], 'opata': ['opata', 'patao', 'tapoa'], 'opdalite': ['opdalite', 'petaloid'], 'ope': ['ope', 'poe'], 'opelet': ['eelpot', 'opelet'], 'open': ['nope', 'open', 'peon', 'pone'], 'opencast': ['capstone', 'opencast'], 'opener': ['opener', 'reopen', 'repone'], 'openly': ['onlepy', 'openly'], 'openside': ['disponee', 'openside'], 'operable': ['operable', 'ropeable'], 'operae': ['aerope', 'operae'], 'operant': ['operant', 'pronate', 'protean'], 'operatic': ['aporetic', 'capriote', 'operatic'], 'operatical': ['aporetical', 'operatical'], 'operating': ['operating', 'pignorate'], 'operatrix': ['expirator', 'operatrix'], 'opercular': ['opercular', 'preocular'], 'ophidion': ['ophidion', 'ophionid'], 'ophionid': ['ophidion', 'ophionid'], 'ophism': ['mopish', 'ophism'], 'ophite': ['ethiop', 'ophite', 'peitho'], 'opinant': ['opinant', 'pintano'], 'opinator': ['opinator', 'tropaion'], 'opiner': ['opiner', 'orpine', 'ponier'], 'opiniaster': ['opiniaster', 'opiniastre'], 'opiniastre': ['opiniaster', 'opiniastre'], 'opiniatrety': ['opiniatrety', 'petitionary'], 'opisometer': ['opisometer', 'opsiometer'], 'opisthenar': ['opisthenar', 'spheration'], 'opisthorchis': ['chirosophist', 'opisthorchis'], 'oppian': ['oppian', 'papion', 'popian'], 'opposer': ['opposer', 'propose'], 'oppugn': ['oppugn', 'popgun'], 'opsiometer': ['opisometer', 'opsiometer'], 'opsonic': ['opsonic', 'pocosin'], 'opsy': ['opsy', 'posy'], 'opt': ['opt', 'pot', 'top'], 'optable': ['optable', 'potable'], 'optableness': ['optableness', 'potableness'], 'optate': ['aptote', 'optate', 'potate', 'teapot'], 'optation': ['optation', 'potation'], 'optative': ['optative', 'potative'], 'optic': ['optic', 'picot', 'topic'], 'optical': ['capitol', 'coalpit', 'optical', 'topical'], 'optically': ['optically', 'topically'], 'optics': ['copist', 'coptis', 'optics', 'postic'], 'optimal': ['optimal', 'palmito'], 'option': ['option', 'potion'], 'optional': ['antipolo', 'antipool', 'optional'], 'optography': ['optography', 'topography'], 'optological': ['optological', 'topological'], 'optologist': ['optologist', 'topologist'], 'optology': ['optology', 'topology'], 'optometer': ['optometer', 'potometer'], 'optophone': ['optophone', 'topophone'], 'optotype': ['optotype', 'topotype'], 'opulaster': ['opulaster', 'sportulae', 'sporulate'], 'opulus': ['lupous', 'opulus'], 'opuntia': ['opuntia', 'utopian'], 'opus': ['opus', 'soup'], 'opuscular': ['crapulous', 'opuscular'], 'or': ['or', 'ro'], 'ora': ['aro', 'oar', 'ora'], 'orach': ['achor', 'chora', 'corah', 'orach', 'roach'], 'oracle': ['carole', 'coaler', 'coelar', 'oracle', 'recoal'], 'orad': ['dora', 'orad', 'road'], 'oral': ['lora', 'oral'], 'oralist': ['aristol', 'oralist', 'ortalis', 'striola'], 'orality': ['orality', 'tailory'], 'orang': ['angor', 'argon', 'goran', 'grano', 'groan', 'nagor', 'orang', 'organ', 'rogan', 'ronga'], 'orange': ['onager', 'orange'], 'orangeist': ['goniaster', 'orangeist'], 'oranger': ['groaner', 'oranger', 'organer'], 'orangism': ['orangism', 'organism', 'sinogram'], 'orangist': ['orangist', 'organist', 'roasting', 'signator'], 'orangize': ['agonizer', 'orangize', 'organize'], 'orant': ['orant', 'rotan', 'toran', 'trona'], 'oraon': ['aroon', 'oraon'], 'oratress': ['assertor', 'assorter', 'oratress', 'reassort'], 'orb': ['bor', 'orb', 'rob'], 'orbed': ['boder', 'orbed'], 'orbic': ['boric', 'cribo', 'orbic'], 'orbicle': ['bricole', 'corbeil', 'orbicle'], 'orbicular': ['courbaril', 'orbicular'], 'orbitale': ['betailor', 'laborite', 'orbitale'], 'orbitelar': ['liberator', 'orbitelar'], 'orbitelarian': ['irrationable', 'orbitelarian'], 'orbitofrontal': ['frontoorbital', 'orbitofrontal'], 'orbitonasal': ['nasoorbital', 'orbitonasal'], 'orblet': ['bolter', 'orblet', 'reblot', 'rebolt'], 'orbulina': ['orbulina', 'unilobar'], 'orc': ['cor', 'cro', 'orc', 'roc'], 'orca': ['acor', 'caro', 'cora', 'orca'], 'orcadian': ['nocardia', 'orcadian'], 'orcanet': ['enactor', 'necator', 'orcanet'], 'orcein': ['cerion', 'coiner', 'neroic', 'orcein', 'recoin'], 'orchat': ['cathro', 'orchat'], 'orchel': ['chlore', 'choler', 'orchel'], 'orchester': ['orchester', 'orchestre'], 'orchestre': ['orchester', 'orchestre'], 'orchic': ['choric', 'orchic'], 'orchid': ['orchid', 'rhodic'], 'orchidist': ['chorditis', 'orchidist'], 'orchiocele': ['choriocele', 'orchiocele'], 'orchitis': ['historic', 'orchitis'], 'orcin': ['corin', 'noric', 'orcin'], 'orcinol': ['colorin', 'orcinol'], 'ordain': ['dorian', 'inroad', 'ordain'], 'ordainer': ['inroader', 'ordainer', 'reordain'], 'ordainment': ['antimodern', 'ordainment'], 'ordanchite': ['achondrite', 'ditrochean', 'ordanchite'], 'ordeal': ['loader', 'ordeal', 'reload'], 'orderer': ['orderer', 'reorder'], 'ordinable': ['bolderian', 'ordinable'], 'ordinal': ['nailrod', 'ordinal', 'rinaldo', 'rodinal'], 'ordinance': ['cerdonian', 'ordinance'], 'ordinate': ['andorite', 'nadorite', 'ordinate', 'rodentia'], 'ordinative': ['derivation', 'ordinative'], 'ordinator': ['ordinator', 'radiotron'], 'ordines': ['indorse', 'ordines', 'siredon', 'sordine'], 'ordosite': ['oestroid', 'ordosite', 'ostreoid'], 'ordu': ['dour', 'duro', 'ordu', 'roud'], 'ore': ['oer', 'ore', 'roe'], 'oread': ['adore', 'oared', 'oread'], 'oreas': ['arose', 'oreas'], 'orectic': ['cerotic', 'orectic'], 'oreman': ['enamor', 'monera', 'oreman', 'romane'], 'orenda': ['denaro', 'orenda'], 'orendite': ['enteroid', 'orendite'], 'orestean': ['orestean', 'resonate', 'stearone'], 'orf': ['for', 'fro', 'orf'], 'organ': ['angor', 'argon', 'goran', 'grano', 'groan', 'nagor', 'orang', 'organ', 'rogan', 'ronga'], 'organal': ['angolar', 'organal'], 'organer': ['groaner', 'oranger', 'organer'], 'organicism': ['organicism', 'organismic'], 'organicist': ['organicist', 'organistic'], 'organing': ['groaning', 'organing'], 'organism': ['orangism', 'organism', 'sinogram'], 'organismic': ['organicism', 'organismic'], 'organist': ['orangist', 'organist', 'roasting', 'signator'], 'organistic': ['organicist', 'organistic'], 'organity': ['gyration', 'organity', 'ortygian'], 'organize': ['agonizer', 'orangize', 'organize'], 'organized': ['dragonize', 'organized'], 'organoid': ['gordonia', 'organoid', 'rigadoon'], 'organonymic': ['craniognomy', 'organonymic'], 'organotin': ['gortonian', 'organotin'], 'organule': ['lagunero', 'organule', 'uroglena'], 'orgiasm': ['isogram', 'orgiasm'], 'orgiast': ['agistor', 'agrotis', 'orgiast'], 'orgic': ['corgi', 'goric', 'orgic'], 'orgue': ['orgue', 'rogue', 'rouge'], 'orgy': ['gory', 'gyro', 'orgy'], 'oriel': ['oiler', 'oriel', 'reoil'], 'orient': ['norite', 'orient'], 'oriental': ['oriental', 'relation', 'tirolean'], 'orientalism': ['misrelation', 'orientalism', 'relationism'], 'orientalist': ['orientalist', 'relationist'], 'orientate': ['anoterite', 'orientate'], 'origanum': ['mirounga', 'moringua', 'origanum'], 'origin': ['nigori', 'origin'], 'orle': ['lore', 'orle', 'role'], 'orlean': ['lenora', 'loaner', 'orlean', 'reloan'], 'orleanist': ['lairstone', 'orleanist', 'serotinal'], 'orleanistic': ['intersocial', 'orleanistic', 'sclerotinia'], 'orlet': ['lerot', 'orlet', 'relot'], 'orlo': ['loro', 'olor', 'orlo', 'rool'], 'orna': ['nora', 'orna', 'roan'], 'ornamenter': ['ornamenter', 'reornament'], 'ornate': ['atoner', 'norate', 'ornate'], 'ornately': ['neolatry', 'ornately', 'tyrolean'], 'ornation': ['noration', 'ornation', 'orotinan'], 'ornis': ['ornis', 'rosin'], 'orniscopic': ['orniscopic', 'scorpionic'], 'ornithomantic': ['ornithomantic', 'orthantimonic'], 'ornithoptera': ['ornithoptera', 'prototherian'], 'orogenetic': ['erotogenic', 'geocronite', 'orogenetic'], 'orographical': ['colporrhagia', 'orographical'], 'orography': ['gyrophora', 'orography'], 'orotinan': ['noration', 'ornation', 'orotinan'], 'orotund': ['orotund', 'rotundo'], 'orphanism': ['manorship', 'orphanism'], 'orpheon': ['orpheon', 'phorone'], 'orpheus': ['ephorus', 'orpheus', 'upshore'], 'orphical': ['orphical', 'rhopalic'], 'orphism': ['orphism', 'rompish'], 'orphize': ['orphize', 'phiroze'], 'orpine': ['opiner', 'orpine', 'ponier'], 'orsel': ['loser', 'orsel', 'rosel', 'soler'], 'orselle': ['orselle', 'roselle'], 'ort': ['ort', 'rot', 'tor'], 'ortalid': ['dilator', 'ortalid'], 'ortalis': ['aristol', 'oralist', 'ortalis', 'striola'], 'ortet': ['ortet', 'otter', 'toter'], 'orthal': ['harlot', 'orthal', 'thoral'], 'orthantimonic': ['ornithomantic', 'orthantimonic'], 'orthian': ['orthian', 'thorina'], 'orthic': ['chorti', 'orthic', 'thoric', 'trochi'], 'orthite': ['hortite', 'orthite', 'thorite'], 'ortho': ['ortho', 'thoro'], 'orthodromy': ['hydromotor', 'orthodromy'], 'orthogamy': ['orthogamy', 'othygroma'], 'orthogonial': ['orthogonial', 'orthologian'], 'orthologian': ['orthogonial', 'orthologian'], 'orthose': ['orthose', 'reshoot', 'shooter', 'soother'], 'ortiga': ['agrito', 'ortiga'], 'ortstein': ['ortstein', 'tenorist'], 'ortygian': ['gyration', 'organity', 'ortygian'], 'ortygine': ['genitory', 'ortygine'], 'ory': ['ory', 'roy', 'yor'], 'oryx': ['oryx', 'roxy'], 'os': ['os', 'so'], 'osamin': ['monias', 'osamin', 'osmina'], 'osamine': ['monesia', 'osamine', 'osmanie'], 'osc': ['cos', 'osc', 'soc'], 'oscan': ['ascon', 'canso', 'oscan'], 'oscar': ['arcos', 'crosa', 'oscar', 'sacro'], 'oscella': ['callose', 'oscella'], 'oscheal': ['oscheal', 'scholae'], 'oscillance': ['clinoclase', 'oscillance'], 'oscillaria': ['iliosacral', 'oscillaria'], 'oscillation': ['colonialist', 'oscillation'], 'oscin': ['oscin', 'scion', 'sonic'], 'oscine': ['cosine', 'oscine'], 'oscines': ['cession', 'oscines'], 'oscinian': ['oscinian', 'socinian'], 'oscinidae': ['oniscidae', 'oscinidae', 'sciaenoid'], 'oscitant': ['actinost', 'oscitant'], 'oscular': ['carolus', 'oscular'], 'osculate': ['lacteous', 'osculate'], 'osculatory': ['cotylosaur', 'osculatory'], 'oscule': ['coleus', 'oscule'], 'ose': ['oes', 'ose', 'soe'], 'osela': ['alose', 'osela', 'solea'], 'oshac': ['chaos', 'oshac'], 'oside': ['diose', 'idose', 'oside'], 'osier': ['osier', 'serio'], 'osirian': ['nosairi', 'osirian'], 'osiride': ['isidore', 'osiride'], 'oskar': ['krosa', 'oskar'], 'osmanie': ['monesia', 'osamine', 'osmanie'], 'osmanli': ['malison', 'manolis', 'osmanli', 'somnial'], 'osmatic': ['atomics', 'catoism', 'cosmati', 'osmatic', 'somatic'], 'osmatism': ['osmatism', 'somatism'], 'osmerus': ['osmerus', 'smouser'], 'osmin': ['minos', 'osmin', 'simon'], 'osmina': ['monias', 'osamin', 'osmina'], 'osmiridium': ['iridosmium', 'osmiridium'], 'osmogene': ['gonesome', 'osmogene'], 'osmometer': ['merostome', 'osmometer'], 'osmometric': ['microstome', 'osmometric'], 'osmophore': ['osmophore', 'sophomore'], 'osmotactic': ['osmotactic', 'scotomatic'], 'osmunda': ['damnous', 'osmunda'], 'osone': ['noose', 'osone'], 'osprey': ['eryops', 'osprey'], 'ossal': ['lasso', 'ossal'], 'ossein': ['essoin', 'ossein'], 'osselet': ['osselet', 'sestole', 'toeless'], 'ossetian': ['assiento', 'ossetian'], 'ossetine': ['essonite', 'ossetine'], 'ossicle': ['loessic', 'ossicle'], 'ossiculate': ['acleistous', 'ossiculate'], 'ossicule': ['coulisse', 'leucosis', 'ossicule'], 'ossuary': ['ossuary', 'suasory'], 'ostara': ['aroast', 'ostara'], 'osteal': ['lotase', 'osteal', 'solate', 'stolae', 'talose'], 'ostearthritis': ['arthrosteitis', 'ostearthritis'], 'ostectomy': ['cystotome', 'cytostome', 'ostectomy'], 'ostein': ['nesiot', 'ostein'], 'ostemia': ['miaotse', 'ostemia'], 'ostent': ['ostent', 'teston'], 'ostentation': ['ostentation', 'tionontates'], 'ostentous': ['ostentous', 'sostenuto'], 'osteometric': ['osteometric', 'stereotomic'], 'osteometrical': ['osteometrical', 'stereotomical'], 'osteometry': ['osteometry', 'stereotomy'], 'ostic': ['ostic', 'sciot', 'stoic'], 'ostmen': ['montes', 'ostmen'], 'ostracea': ['ceratosa', 'ostracea'], 'ostracean': ['ostracean', 'socratean'], 'ostracine': ['atroscine', 'certosina', 'ostracine', 'tinoceras', 'tricosane'], 'ostracism': ['ostracism', 'socratism'], 'ostracize': ['ostracize', 'socratize'], 'ostracon': ['ostracon', 'socotran'], 'ostraite': ['astroite', 'ostraite', 'storiate'], 'ostreidae': ['oestridae', 'ostreidae', 'sorediate'], 'ostreiform': ['forritsome', 'ostreiform'], 'ostreoid': ['oestroid', 'ordosite', 'ostreoid'], 'ostrich': ['chorist', 'ostrich'], 'oswald': ['dowlas', 'oswald'], 'otalgy': ['goatly', 'otalgy'], 'otaria': ['atorai', 'otaria'], 'otarian': ['aration', 'otarian'], 'otarine': ['otarine', 'torenia'], 'other': ['other', 'thore', 'throe', 'toher'], 'otherism': ['homerist', 'isotherm', 'otherism', 'theorism'], 'otherist': ['otherist', 'theorist'], 'othygroma': ['orthogamy', 'othygroma'], 'otiant': ['otiant', 'titano'], 'otidae': ['idotea', 'iodate', 'otidae'], 'otidine': ['edition', 'odinite', 'otidine', 'tineoid'], 'otiosely': ['oleosity', 'otiosely'], 'otitis': ['itoist', 'otitis'], 'oto': ['oto', 'too'], 'otocephalic': ['hepatocolic', 'otocephalic'], 'otocrane': ['coronate', 'octonare', 'otocrane'], 'otogenic': ['geotonic', 'otogenic'], 'otomian': ['amotion', 'otomian'], 'otomyces': ['cytosome', 'otomyces'], 'ottar': ['ottar', 'tarot', 'torta', 'troat'], 'otter': ['ortet', 'otter', 'toter'], 'otto': ['otto', 'toot', 'toto'], 'otus': ['otus', 'oust', 'suto'], 'otyak': ['otyak', 'tokay'], 'ouch': ['chou', 'ouch'], 'ouf': ['fou', 'ouf'], 'ough': ['hugo', 'ough'], 'ought': ['ought', 'tough'], 'oughtness': ['oughtness', 'toughness'], 'ounds': ['nodus', 'ounds', 'sound'], 'our': ['our', 'uro'], 'ours': ['ours', 'sour'], 'oust': ['otus', 'oust', 'suto'], 'ouster': ['ouster', 'souter', 'touser', 'trouse'], 'out': ['out', 'tou'], 'outarde': ['outarde', 'outdare', 'outread'], 'outban': ['outban', 'unboat'], 'outbar': ['outbar', 'rubato', 'tabour'], 'outbeg': ['bouget', 'outbeg'], 'outblow': ['blowout', 'outblow', 'outbowl'], 'outblunder': ['outblunder', 'untroubled'], 'outbowl': ['blowout', 'outblow', 'outbowl'], 'outbreak': ['breakout', 'outbreak'], 'outbred': ['doubter', 'obtrude', 'outbred', 'redoubt'], 'outburn': ['burnout', 'outburn'], 'outburst': ['outburst', 'subtutor'], 'outbustle': ['outbustle', 'outsubtle'], 'outcarol': ['outcarol', 'taurocol'], 'outcarry': ['curatory', 'outcarry'], 'outcase': ['acetous', 'outcase'], 'outcharm': ['outcharm', 'outmarch'], 'outcrier': ['courtier', 'outcrier'], 'outcut': ['cutout', 'outcut'], 'outdance': ['outdance', 'uncoated'], 'outdare': ['outarde', 'outdare', 'outread'], 'outdraw': ['drawout', 'outdraw', 'outward'], 'outer': ['outer', 'outre', 'route'], 'outerness': ['outerness', 'outreness'], 'outferret': ['foreutter', 'outferret'], 'outfit': ['fitout', 'outfit'], 'outflare': ['fluorate', 'outflare'], 'outfling': ['flouting', 'outfling'], 'outfly': ['outfly', 'toyful'], 'outgoer': ['outgoer', 'rougeot'], 'outgrin': ['outgrin', 'outring', 'routing', 'touring'], 'outhire': ['outhire', 'routhie'], 'outhold': ['holdout', 'outhold'], 'outkick': ['kickout', 'outkick'], 'outlance': ['cleanout', 'outlance'], 'outlay': ['layout', 'lutayo', 'outlay'], 'outleap': ['outleap', 'outpeal'], 'outler': ['elutor', 'louter', 'outler'], 'outlet': ['outlet', 'tutelo'], 'outline': ['elution', 'outline'], 'outlinear': ['outlinear', 'uranolite'], 'outlined': ['outlined', 'untoiled'], 'outlook': ['lookout', 'outlook'], 'outly': ['louty', 'outly'], 'outman': ['amount', 'moutan', 'outman'], 'outmarch': ['outcharm', 'outmarch'], 'outmarry': ['mortuary', 'outmarry'], 'outmaster': ['outmaster', 'outstream'], 'outname': ['notaeum', 'outname'], 'outpaint': ['outpaint', 'putation'], 'outpass': ['outpass', 'passout'], 'outpay': ['outpay', 'tapuyo'], 'outpeal': ['outleap', 'outpeal'], 'outpitch': ['outpitch', 'pitchout'], 'outplace': ['copulate', 'outplace'], 'outprice': ['eutropic', 'outprice'], 'outpromise': ['outpromise', 'peritomous'], 'outrance': ['cornuate', 'courante', 'cuneator', 'outrance'], 'outrate': ['outrate', 'outtear', 'torteau'], 'outre': ['outer', 'outre', 'route'], 'outread': ['outarde', 'outdare', 'outread'], 'outremer': ['outremer', 'urometer'], 'outreness': ['outerness', 'outreness'], 'outring': ['outgrin', 'outring', 'routing', 'touring'], 'outrun': ['outrun', 'runout'], 'outsaint': ['outsaint', 'titanous'], 'outscream': ['castoreum', 'outscream'], 'outsell': ['outsell', 'sellout'], 'outset': ['outset', 'setout'], 'outshake': ['outshake', 'shakeout'], 'outshape': ['outshape', 'taphouse'], 'outshine': ['outshine', 'tinhouse'], 'outshut': ['outshut', 'shutout'], 'outside': ['outside', 'tedious'], 'outsideness': ['outsideness', 'tediousness'], 'outsigh': ['goutish', 'outsigh'], 'outsin': ['outsin', 'ustion'], 'outslide': ['outslide', 'solitude'], 'outsnore': ['outsnore', 'urosteon'], 'outsoler': ['outsoler', 'torulose'], 'outspend': ['outspend', 'unposted'], 'outspit': ['outspit', 'utopist'], 'outspring': ['outspring', 'sprouting'], 'outspurn': ['outspurn', 'portunus'], 'outstair': ['outstair', 'ratitous'], 'outstand': ['outstand', 'standout'], 'outstate': ['outstate', 'outtaste'], 'outstream': ['outmaster', 'outstream'], 'outstreet': ['outstreet', 'tetterous'], 'outsubtle': ['outbustle', 'outsubtle'], 'outtaste': ['outstate', 'outtaste'], 'outtear': ['outrate', 'outtear', 'torteau'], 'outthrough': ['outthrough', 'throughout'], 'outthrow': ['outthrow', 'outworth', 'throwout'], 'outtrail': ['outtrail', 'tutorial'], 'outturn': ['outturn', 'turnout'], 'outturned': ['outturned', 'untutored'], 'outwalk': ['outwalk', 'walkout'], 'outward': ['drawout', 'outdraw', 'outward'], 'outwash': ['outwash', 'washout'], 'outwatch': ['outwatch', 'watchout'], 'outwith': ['outwith', 'without'], 'outwork': ['outwork', 'workout'], 'outworth': ['outthrow', 'outworth', 'throwout'], 'ova': ['avo', 'ova'], 'ovaloid': ['ovaloid', 'ovoidal'], 'ovarial': ['ovarial', 'variola'], 'ovariotubal': ['ovariotubal', 'tuboovarial'], 'ovational': ['avolation', 'ovational'], 'oven': ['nevo', 'oven'], 'ovenly': ['lenvoy', 'ovenly'], 'ovenpeel': ['envelope', 'ovenpeel'], 'over': ['over', 'rove'], 'overaction': ['overaction', 'revocation'], 'overactive': ['overactive', 'revocative'], 'overall': ['allover', 'overall'], 'overblame': ['overblame', 'removable'], 'overblow': ['overblow', 'overbowl'], 'overboil': ['boilover', 'overboil'], 'overbowl': ['overblow', 'overbowl'], 'overbreak': ['breakover', 'overbreak'], 'overburden': ['overburden', 'overburned'], 'overburn': ['burnover', 'overburn'], 'overburned': ['overburden', 'overburned'], 'overcall': ['overcall', 'vocaller'], 'overcare': ['overcare', 'overrace'], 'overcirculate': ['overcirculate', 'uterocervical'], 'overcoat': ['evocator', 'overcoat'], 'overcross': ['crossover', 'overcross'], 'overcup': ['overcup', 'upcover'], 'overcurious': ['erucivorous', 'overcurious'], 'overcurtain': ['countervair', 'overcurtain', 'recurvation'], 'overcut': ['cutover', 'overcut'], 'overdamn': ['overdamn', 'ravendom'], 'overdare': ['overdare', 'overdear', 'overread'], 'overdeal': ['overdeal', 'overlade', 'overlead'], 'overdear': ['overdare', 'overdear', 'overread'], 'overdraw': ['overdraw', 'overward'], 'overdrawer': ['overdrawer', 'overreward'], 'overdrip': ['overdrip', 'provider'], 'overdure': ['devourer', 'overdure', 'overrude'], 'overdust': ['overdust', 'overstud'], 'overedit': ['overedit', 'overtide'], 'overfar': ['favorer', 'overfar', 'refavor'], 'overfile': ['forelive', 'overfile'], 'overfilm': ['overfilm', 'veliform'], 'overflower': ['overflower', 'reoverflow'], 'overforce': ['forecover', 'overforce'], 'overgaiter': ['overgaiter', 'revigorate'], 'overglint': ['overglint', 'revolting'], 'overgo': ['groove', 'overgo'], 'overgrain': ['granivore', 'overgrain'], 'overhate': ['overhate', 'overheat'], 'overheat': ['overhate', 'overheat'], 'overheld': ['overheld', 'verdelho'], 'overidle': ['evildoer', 'overidle'], 'overink': ['invoker', 'overink'], 'overinsist': ['overinsist', 'versionist'], 'overkeen': ['overkeen', 'overknee'], 'overknee': ['overkeen', 'overknee'], 'overlade': ['overdeal', 'overlade', 'overlead'], 'overlast': ['overlast', 'oversalt'], 'overlate': ['elevator', 'overlate'], 'overlay': ['layover', 'overlay'], 'overlead': ['overdeal', 'overlade', 'overlead'], 'overlean': ['overlean', 'valerone'], 'overleg': ['overleg', 'reglove'], 'overlie': ['overlie', 'relievo'], 'overling': ['lovering', 'overling'], 'overlisten': ['overlisten', 'oversilent'], 'overlive': ['overlive', 'overveil'], 'overly': ['overly', 'volery'], 'overmantel': ['overmantel', 'overmantle'], 'overmantle': ['overmantel', 'overmantle'], 'overmaster': ['overmaster', 'overstream'], 'overmean': ['overmean', 'overname'], 'overmerit': ['overmerit', 'overtimer'], 'overname': ['overmean', 'overname'], 'overneat': ['overneat', 'renovate'], 'overnew': ['overnew', 'rewoven'], 'overnigh': ['hovering', 'overnigh'], 'overpaint': ['overpaint', 'pronative'], 'overpass': ['overpass', 'passover'], 'overpet': ['overpet', 'preveto', 'prevote'], 'overpick': ['overpick', 'pickover'], 'overplain': ['overplain', 'parvoline'], 'overply': ['overply', 'plovery'], 'overpointed': ['overpointed', 'predevotion'], 'overpot': ['overpot', 'overtop'], 'overrace': ['overcare', 'overrace'], 'overrate': ['overrate', 'overtare'], 'overread': ['overdare', 'overdear', 'overread'], 'overreward': ['overdrawer', 'overreward'], 'overrude': ['devourer', 'overdure', 'overrude'], 'overrun': ['overrun', 'runover'], 'oversad': ['oversad', 'savored'], 'oversale': ['oversale', 'overseal'], 'oversalt': ['overlast', 'oversalt'], 'oversauciness': ['oversauciness', 'veraciousness'], 'overseal': ['oversale', 'overseal'], 'overseen': ['overseen', 'veronese'], 'overset': ['overset', 'setover'], 'oversilent': ['overlisten', 'oversilent'], 'overslip': ['overslip', 'slipover'], 'overspread': ['overspread', 'spreadover'], 'overstain': ['overstain', 'servation', 'versation'], 'overstir': ['overstir', 'servitor'], 'overstrain': ['overstrain', 'traversion'], 'overstream': ['overmaster', 'overstream'], 'overstrew': ['overstrew', 'overwrest'], 'overstud': ['overdust', 'overstud'], 'overt': ['overt', 'rovet', 'torve', 'trove', 'voter'], 'overtare': ['overrate', 'overtare'], 'overthrow': ['overthrow', 'overwroth'], 'overthwart': ['overthwart', 'thwartover'], 'overtide': ['overedit', 'overtide'], 'overtime': ['overtime', 'remotive'], 'overtimer': ['overmerit', 'overtimer'], 'overtip': ['overtip', 'pivoter'], 'overtop': ['overpot', 'overtop'], 'overtrade': ['overtrade', 'overtread'], 'overtread': ['overtrade', 'overtread'], 'overtrue': ['overtrue', 'overture', 'trouvere'], 'overture': ['overtrue', 'overture', 'trouvere'], 'overturn': ['overturn', 'turnover'], 'overtwine': ['interwove', 'overtwine'], 'overveil': ['overlive', 'overveil'], 'overwalk': ['overwalk', 'walkover'], 'overward': ['overdraw', 'overward'], 'overwrest': ['overstrew', 'overwrest'], 'overwroth': ['overthrow', 'overwroth'], 'ovest': ['ovest', 'stove'], 'ovidae': ['evodia', 'ovidae'], 'ovidian': ['ovidian', 'vidonia'], 'ovile': ['olive', 'ovile', 'voile'], 'ovillus': ['ovillus', 'villous'], 'oviparous': ['apivorous', 'oviparous'], 'ovist': ['ovist', 'visto'], 'ovistic': ['covisit', 'ovistic'], 'ovoidal': ['ovaloid', 'ovoidal'], 'ovular': ['louvar', 'ovular'], 'ow': ['ow', 'wo'], 'owd': ['dow', 'owd', 'wod'], 'owe': ['owe', 'woe'], 'owen': ['enow', 'owen', 'wone'], 'owenism': ['owenism', 'winsome'], 'ower': ['ower', 'wore'], 'owerby': ['bowery', 'bowyer', 'owerby'], 'owl': ['low', 'lwo', 'owl'], 'owler': ['lower', 'owler', 'rowel'], 'owlery': ['lowery', 'owlery', 'rowley', 'yowler'], 'owlet': ['owlet', 'towel'], 'owlish': ['lowish', 'owlish'], 'owlishly': ['lowishly', 'owlishly', 'sillyhow'], 'owlishness': ['lowishness', 'owlishness'], 'owly': ['lowy', 'owly', 'yowl'], 'own': ['now', 'own', 'won'], 'owner': ['owner', 'reown', 'rowen'], 'ownership': ['ownership', 'shipowner'], 'ownness': ['nowness', 'ownness'], 'owser': ['owser', 'resow', 'serow', 'sower', 'swore', 'worse'], 'oxalan': ['axonal', 'oxalan'], 'oxalite': ['aloxite', 'oxalite'], 'oxan': ['axon', 'noxa', 'oxan'], 'oxanic': ['anoxic', 'oxanic'], 'oxazine': ['azoxine', 'oxazine'], 'oxen': ['exon', 'oxen'], 'oxidic': ['ixodic', 'oxidic'], 'oximate': ['oximate', 'toxemia'], 'oxy': ['oxy', 'yox'], 'oxyntic': ['ictonyx', 'oxyntic'], 'oxyphenol': ['oxyphenol', 'xylophone'], 'oxyterpene': ['enteropexy', 'oxyterpene'], 'oyer': ['oyer', 'roey', 'yore'], 'oyster': ['oyster', 'rosety'], 'oysterish': ['oysterish', 'thyreosis'], 'oysterman': ['monastery', 'oysterman'], 'ozan': ['azon', 'onza', 'ozan'], 'ozena': ['neoza', 'ozena'], 'ozonate': ['entozoa', 'ozonate'], 'ozonic': ['ozonic', 'zoonic'], 'ozotype': ['ozotype', 'zootype'], 'paal': ['paal', 'pala'], 'paar': ['apar', 'paar', 'para'], 'pablo': ['pablo', 'polab'], 'pac': ['cap', 'pac'], 'pacable': ['capable', 'pacable'], 'pacation': ['copatain', 'pacation'], 'pacaya': ['cayapa', 'pacaya'], 'pace': ['cape', 'cepa', 'pace'], 'paced': ['caped', 'decap', 'paced'], 'pacer': ['caper', 'crape', 'pacer', 'perca', 'recap'], 'pachnolite': ['pachnolite', 'phonetical'], 'pachometer': ['pachometer', 'phacometer'], 'pacht': ['chapt', 'pacht', 'patch'], 'pachylosis': ['pachylosis', 'phacolysis'], 'pacificist': ['pacificist', 'pacifistic'], 'pacifistic': ['pacificist', 'pacifistic'], 'packer': ['packer', 'repack'], 'paco': ['copa', 'paco'], 'pacolet': ['pacolet', 'polecat'], 'paction': ['caption', 'paction'], 'pactional': ['pactional', 'pactolian', 'placation'], 'pactionally': ['pactionally', 'polyactinal'], 'pactolian': ['pactional', 'pactolian', 'placation'], 'pad': ['dap', 'pad'], 'padda': ['dadap', 'padda'], 'padder': ['padder', 'parded'], 'padfoot': ['footpad', 'padfoot'], 'padle': ['padle', 'paled', 'pedal', 'plead'], 'padre': ['drape', 'padre'], 'padtree': ['padtree', 'predate', 'tapered'], 'paean': ['apnea', 'paean'], 'paeanism': ['paeanism', 'spanemia'], 'paegel': ['paegel', 'paegle', 'pelage'], 'paegle': ['paegel', 'paegle', 'pelage'], 'paga': ['gapa', 'paga'], 'page': ['gape', 'page', 'peag', 'pega'], 'pagedom': ['megapod', 'pagedom'], 'pager': ['gaper', 'grape', 'pager', 'parge'], 'pageship': ['pageship', 'shippage'], 'paginary': ['agrypnia', 'paginary'], 'paguridae': ['paguridae', 'paguridea'], 'paguridea': ['paguridae', 'paguridea'], 'pagurine': ['pagurine', 'perugian'], 'pah': ['hap', 'pah'], 'pahari': ['pahari', 'pariah', 'raphia'], 'pahi': ['hapi', 'pahi'], 'paho': ['opah', 'paho', 'poha'], 'paigle': ['paigle', 'pilage'], 'paik': ['paik', 'pika'], 'pail': ['lipa', 'pail', 'pali', 'pial'], 'paillasse': ['paillasse', 'palliasse'], 'pain': ['nipa', 'pain', 'pani', 'pian', 'pina'], 'painless': ['painless', 'spinales'], 'paint': ['inapt', 'paint', 'pinta'], 'painted': ['depaint', 'inadept', 'painted', 'patined'], 'painter': ['painter', 'pertain', 'pterian', 'repaint'], 'painterly': ['interplay', 'painterly'], 'paintiness': ['antisepsin', 'paintiness'], 'paip': ['paip', 'pipa'], 'pair': ['pair', 'pari', 'pria', 'ripa'], 'paired': ['diaper', 'paired'], 'pairer': ['pairer', 'rapier', 'repair'], 'pairment': ['imperant', 'pairment', 'partimen', 'premiant', 'tripeman'], 'pais': ['apis', 'pais', 'pasi', 'saip'], 'pajonism': ['japonism', 'pajonism'], 'pal': ['alp', 'lap', 'pal'], 'pala': ['paal', 'pala'], 'palaeechinoid': ['deinocephalia', 'palaeechinoid'], 'palaemonid': ['anomaliped', 'palaemonid'], 'palaemonoid': ['adenolipoma', 'palaemonoid'], 'palaeornis': ['palaeornis', 'personalia'], 'palaestrics': ['palaestrics', 'paracelsist'], 'palaic': ['apical', 'palaic'], 'palaite': ['palaite', 'petalia', 'pileata'], 'palame': ['palame', 'palmae', 'pamela'], 'palamite': ['ampliate', 'palamite'], 'palas': ['palas', 'salpa'], 'palate': ['aletap', 'palate', 'platea'], 'palatial': ['palatial', 'palliata'], 'palatic': ['capital', 'palatic'], 'palation': ['palation', 'talapoin'], 'palatonasal': ['nasopalatal', 'palatonasal'], 'palau': ['palau', 'paula'], 'palay': ['palay', 'playa'], 'pale': ['leap', 'lepa', 'pale', 'peal', 'plea'], 'paled': ['padle', 'paled', 'pedal', 'plead'], 'paleness': ['paleness', 'paneless'], 'paleolithy': ['paleolithy', 'polyhalite', 'polythelia'], 'paler': ['lepra', 'paler', 'parel', 'parle', 'pearl', 'perla', 'relap'], 'palermitan': ['palermitan', 'parliament'], 'palermo': ['leproma', 'palermo', 'pleroma', 'polearm'], 'pales': ['elaps', 'lapse', 'lepas', 'pales', 'salep', 'saple', 'sepal', 'slape', 'spale', 'speal'], 'palestral': ['alpestral', 'palestral'], 'palestrian': ['alpestrian', 'palestrian', 'psalterian'], 'palet': ['leapt', 'palet', 'patel', 'pelta', 'petal', 'plate', 'pleat', 'tepal'], 'palette': ['palette', 'peltate'], 'pali': ['lipa', 'pail', 'pali', 'pial'], 'palification': ['palification', 'pontificalia'], 'palinode': ['lapideon', 'palinode', 'pedalion'], 'palinodist': ['palinodist', 'plastinoid'], 'palisade': ['palisade', 'salpidae'], 'palish': ['palish', 'silpha'], 'pallasite': ['aliseptal', 'pallasite'], 'pallette': ['pallette', 'platelet'], 'palliasse': ['paillasse', 'palliasse'], 'palliata': ['palatial', 'palliata'], 'pallone': ['pallone', 'pleonal'], 'palluites': ['palluites', 'pulsatile'], 'palm': ['lamp', 'palm'], 'palmad': ['lampad', 'palmad'], 'palmae': ['palame', 'palmae', 'pamela'], 'palmary': ['palmary', 'palmyra'], 'palmatilobed': ['palmatilobed', 'palmilobated'], 'palmatisect': ['metaplastic', 'palmatisect'], 'palmer': ['lamper', 'palmer', 'relamp'], 'palmery': ['lamprey', 'palmery'], 'palmette': ['palmette', 'template'], 'palmful': ['lampful', 'palmful'], 'palmification': ['amplification', 'palmification'], 'palmilobated': ['palmatilobed', 'palmilobated'], 'palmipes': ['epiplasm', 'palmipes'], 'palmist': ['lampist', 'palmist'], 'palmister': ['palmister', 'prelatism'], 'palmistry': ['lampistry', 'palmistry'], 'palmite': ['implate', 'palmite'], 'palmito': ['optimal', 'palmito'], 'palmitone': ['emptional', 'palmitone'], 'palmo': ['mopla', 'palmo'], 'palmula': ['ampulla', 'palmula'], 'palmy': ['amply', 'palmy'], 'palmyra': ['palmary', 'palmyra'], 'palolo': ['apollo', 'palolo'], 'palp': ['lapp', 'palp', 'plap'], 'palpal': ['appall', 'palpal'], 'palpatory': ['palpatory', 'papolatry'], 'palped': ['dapple', 'lapped', 'palped'], 'palpi': ['palpi', 'pipal'], 'palster': ['palster', 'persalt', 'plaster', 'psalter', 'spartle', 'stapler'], 'palsy': ['palsy', 'splay'], 'palt': ['palt', 'plat'], 'palta': ['aptal', 'palta', 'talpa'], 'palter': ['palter', 'plater'], 'palterer': ['palterer', 'platerer'], 'paltry': ['paltry', 'partly', 'raptly'], 'paludian': ['paludian', 'paludina'], 'paludic': ['paludic', 'pudical'], 'paludina': ['paludian', 'paludina'], 'palus': ['palus', 'pasul'], 'palustral': ['palustral', 'plaustral'], 'palustrine': ['lupinaster', 'palustrine'], 'paly': ['paly', 'play', 'pyal', 'pyla'], 'pam': ['map', 'pam'], 'pamela': ['palame', 'palmae', 'pamela'], 'pamir': ['impar', 'pamir', 'prima'], 'pamiri': ['impair', 'pamiri'], 'pamper': ['mapper', 'pamper', 'pampre'], 'pampre': ['mapper', 'pamper', 'pampre'], 'pan': ['nap', 'pan'], 'panace': ['canape', 'panace'], 'panaceist': ['antispace', 'panaceist'], 'panade': ['napead', 'panade'], 'panak': ['kanap', 'panak'], 'panamist': ['mainpast', 'mantispa', 'panamist', 'stampian'], 'panary': ['panary', 'panyar'], 'panatela': ['panatela', 'plataean'], 'panatrophy': ['apanthropy', 'panatrophy'], 'pancreatoduodenectomy': ['duodenopancreatectomy', 'pancreatoduodenectomy'], 'pandean': ['pandean', 'pannade'], 'pandemia': ['pandemia', 'pedimana'], 'pander': ['pander', 'repand'], 'panderly': ['panderly', 'repandly'], 'pandermite': ['pandermite', 'pentamerid'], 'panderous': ['panderous', 'repandous'], 'pandion': ['dipnoan', 'nonpaid', 'pandion'], 'pandour': ['pandour', 'poduran'], 'pane': ['nape', 'neap', 'nepa', 'pane', 'pean'], 'paned': ['paned', 'penda'], 'panel': ['alpen', 'nepal', 'panel', 'penal', 'plane'], 'panela': ['apneal', 'panela'], 'panelation': ['antelopian', 'neapolitan', 'panelation'], 'paneler': ['paneler', 'repanel', 'replane'], 'paneless': ['paleness', 'paneless'], 'panelist': ['panelist', 'pantelis', 'penalist', 'plastein'], 'pangamic': ['campaign', 'pangamic'], 'pangane': ['pangane', 'pannage'], 'pangen': ['pangen', 'penang'], 'pangene': ['pangene', 'pennage'], 'pangi': ['aping', 'ngapi', 'pangi'], 'pani': ['nipa', 'pain', 'pani', 'pian', 'pina'], 'panicle': ['calepin', 'capelin', 'panicle', 'pelican', 'pinacle'], 'paniculitis': ['paniculitis', 'paulinistic'], 'panisca': ['capsian', 'caspian', 'nascapi', 'panisca'], 'panisic': ['panisic', 'piscian', 'piscina', 'sinapic'], 'pank': ['knap', 'pank'], 'pankin': ['napkin', 'pankin'], 'panman': ['panman', 'pannam'], 'panmug': ['panmug', 'pugman'], 'pannade': ['pandean', 'pannade'], 'pannage': ['pangane', 'pannage'], 'pannam': ['panman', 'pannam'], 'panne': ['panne', 'penna'], 'pannicle': ['pannicle', 'pinnacle'], 'pannus': ['pannus', 'sannup', 'unsnap', 'unspan'], 'panoche': ['copehan', 'panoche', 'phocean'], 'panoistic': ['panoistic', 'piscation'], 'panornithic': ['panornithic', 'rhaponticin'], 'panostitis': ['antiptosis', 'panostitis'], 'panplegia': ['appealing', 'lagniappe', 'panplegia'], 'pansciolist': ['costispinal', 'pansciolist'], 'panse': ['aspen', 'panse', 'snape', 'sneap', 'spane', 'spean'], 'panside': ['ipseand', 'panside', 'pansied'], 'pansied': ['ipseand', 'panside', 'pansied'], 'pansy': ['pansy', 'snapy'], 'pantaleon': ['pantaleon', 'pantalone'], 'pantalone': ['pantaleon', 'pantalone'], 'pantarchy': ['pantarchy', 'pyracanth'], 'pantelis': ['panelist', 'pantelis', 'penalist', 'plastein'], 'pantellerite': ['interpellate', 'pantellerite'], 'panter': ['arpent', 'enrapt', 'entrap', 'panter', 'parent', 'pretan', 'trepan'], 'pantheic': ['haptenic', 'pantheic', 'pithecan'], 'pantheonic': ['nonhepatic', 'pantheonic'], 'pantie': ['pantie', 'patine'], 'panties': ['panties', 'sapient', 'spinate'], 'pantile': ['pantile', 'pentail', 'platine', 'talpine'], 'pantle': ['pantle', 'planet', 'platen'], 'pantler': ['pantler', 'planter', 'replant'], 'pantofle': ['felapton', 'pantofle'], 'pantry': ['pantry', 'trypan'], 'panyar': ['panary', 'panyar'], 'papabot': ['papabot', 'papboat'], 'papal': ['lappa', 'papal'], 'papalistic': ['papalistic', 'papistical'], 'papboat': ['papabot', 'papboat'], 'paper': ['paper', 'rappe'], 'papered': ['papered', 'pradeep'], 'paperer': ['paperer', 'perpera', 'prepare', 'repaper'], 'papern': ['napper', 'papern'], 'papery': ['papery', 'prepay', 'yapper'], 'papillote': ['papillote', 'popliteal'], 'papion': ['oppian', 'papion', 'popian'], 'papisher': ['papisher', 'sapphire'], 'papistical': ['papalistic', 'papistical'], 'papless': ['papless', 'sapples'], 'papolatry': ['palpatory', 'papolatry'], 'papule': ['papule', 'upleap'], 'par': ['par', 'rap'], 'para': ['apar', 'paar', 'para'], 'parablepsia': ['appraisable', 'parablepsia'], 'paracelsist': ['palaestrics', 'paracelsist'], 'parachor': ['chaparro', 'parachor'], 'paracolitis': ['paracolitis', 'piscatorial'], 'paradisaic': ['paradisaic', 'paradisiac'], 'paradisaically': ['paradisaically', 'paradisiacally'], 'paradise': ['paradise', 'sparidae'], 'paradisiac': ['paradisaic', 'paradisiac'], 'paradisiacally': ['paradisaically', 'paradisiacally'], 'parado': ['parado', 'pardao'], 'paraenetic': ['capernaite', 'paraenetic'], 'paragrapher': ['paragrapher', 'reparagraph'], 'parah': ['aphra', 'harpa', 'parah'], 'parale': ['earlap', 'parale'], 'param': ['param', 'parma', 'praam'], 'paramine': ['amperian', 'paramine', 'pearmain'], 'paranephric': ['paranephric', 'paraphrenic'], 'paranephritis': ['paranephritis', 'paraphrenitis'], 'paranosic': ['caparison', 'paranosic'], 'paraphrenic': ['paranephric', 'paraphrenic'], 'paraphrenitis': ['paranephritis', 'paraphrenitis'], 'parasita': ['aspirata', 'parasita'], 'parasite': ['aspirate', 'parasite'], 'parasol': ['asaprol', 'parasol'], 'parasuchian': ['parasuchian', 'unpharasaic'], 'parasyntheton': ['parasyntheton', 'thysanopteran'], 'parate': ['aptera', 'parate', 'patera'], 'parathion': ['parathion', 'phanariot'], 'parazoan': ['parazoan', 'zaparoan'], 'parboil': ['bipolar', 'parboil'], 'parcel': ['carpel', 'parcel', 'placer'], 'parcellary': ['carpellary', 'parcellary'], 'parcellate': ['carpellate', 'parcellate', 'prelacteal'], 'parchesi': ['parchesi', 'seraphic'], 'pard': ['pard', 'prad'], 'pardao': ['parado', 'pardao'], 'parded': ['padder', 'parded'], 'pardesi': ['despair', 'pardesi'], 'pardo': ['adrop', 'pardo'], 'pardoner': ['pardoner', 'preadorn'], 'pare': ['aper', 'pare', 'pear', 'rape', 'reap'], 'parel': ['lepra', 'paler', 'parel', 'parle', 'pearl', 'perla', 'relap'], 'paren': ['arpen', 'paren'], 'parent': ['arpent', 'enrapt', 'entrap', 'panter', 'parent', 'pretan', 'trepan'], 'parental': ['parental', 'paternal', 'prenatal'], 'parentalia': ['parentalia', 'planetaria'], 'parentalism': ['parentalism', 'paternalism'], 'parentality': ['parentality', 'paternality'], 'parentally': ['parentally', 'paternally', 'prenatally'], 'parentelic': ['epicentral', 'parentelic'], 'parenticide': ['parenticide', 'preindicate'], 'parer': ['parer', 'raper'], 'paresis': ['paresis', 'serapis'], 'paretic': ['paretic', 'patrice', 'picrate'], 'parge': ['gaper', 'grape', 'pager', 'parge'], 'pari': ['pair', 'pari', 'pria', 'ripa'], 'pariah': ['pahari', 'pariah', 'raphia'], 'paridae': ['deipara', 'paridae'], 'paries': ['aspire', 'paries', 'praise', 'sirpea', 'spirea'], 'parietal': ['apterial', 'parietal'], 'parietes': ['asperite', 'parietes'], 'parietofrontal': ['frontoparietal', 'parietofrontal'], 'parietosquamosal': ['parietosquamosal', 'squamosoparietal'], 'parietotemporal': ['parietotemporal', 'temporoparietal'], 'parietovisceral': ['parietovisceral', 'visceroparietal'], 'parine': ['parine', 'rapine'], 'paring': ['paring', 'raping'], 'paris': ['paris', 'parsi', 'sarip'], 'parish': ['parish', 'raphis', 'rhapis'], 'parished': ['diphaser', 'parished', 'raphides', 'sephardi'], 'parison': ['parison', 'soprani'], 'parity': ['parity', 'piraty'], 'parkee': ['parkee', 'peaker'], 'parker': ['parker', 'repark'], 'parlatory': ['parlatory', 'portrayal'], 'parle': ['lepra', 'paler', 'parel', 'parle', 'pearl', 'perla', 'relap'], 'parley': ['parley', 'pearly', 'player', 'replay'], 'parliament': ['palermitan', 'parliament'], 'parly': ['parly', 'pylar', 'pyral'], 'parma': ['param', 'parma', 'praam'], 'parmesan': ['parmesan', 'spearman'], 'parnel': ['parnel', 'planer', 'replan'], 'paroch': ['carhop', 'paroch'], 'parochialism': ['aphorismical', 'parochialism'], 'parochine': ['canephroi', 'parochine'], 'parodic': ['parodic', 'picador'], 'paroecism': ['paroecism', 'premosaic'], 'parol': ['parol', 'polar', 'poral', 'proal'], 'parosela': ['parosela', 'psoralea'], 'parosteal': ['parosteal', 'pastorale'], 'parostotic': ['parostotic', 'postaortic'], 'parotia': ['apiator', 'atropia', 'parotia'], 'parotic': ['apricot', 'atropic', 'parotic', 'patrico'], 'parotid': ['dioptra', 'parotid'], 'parotitic': ['parotitic', 'patriotic'], 'parotitis': ['parotitis', 'topiarist'], 'parous': ['parous', 'upsoar'], 'parovarium': ['parovarium', 'vaporarium'], 'parrot': ['parrot', 'raptor'], 'parroty': ['parroty', 'portray', 'tropary'], 'parsable': ['parsable', 'prebasal', 'sparable'], 'parse': ['asper', 'parse', 'prase', 'spaer', 'spare', 'spear'], 'parsec': ['casper', 'escarp', 'parsec', 'scrape', 'secpar', 'spacer'], 'parsee': ['parsee', 'persae', 'persea', 'serape'], 'parser': ['parser', 'rasper', 'sparer'], 'parsi': ['paris', 'parsi', 'sarip'], 'parsley': ['parsley', 'pyrales', 'sparely', 'splayer'], 'parsoned': ['parsoned', 'spadrone'], 'parsonese': ['parsonese', 'preseason'], 'parsonic': ['parsonic', 'scoparin'], 'part': ['part', 'prat', 'rapt', 'tarp', 'trap'], 'partan': ['partan', 'tarpan'], 'parted': ['depart', 'parted', 'petard'], 'partedness': ['depressant', 'partedness'], 'parter': ['parter', 'prater'], 'parthian': ['parthian', 'taphrina'], 'partial': ['partial', 'patrial'], 'partialistic': ['iatraliptics', 'partialistic'], 'particle': ['particle', 'plicater', 'prelatic'], 'particulate': ['catapultier', 'particulate'], 'partigen': ['partigen', 'tapering'], 'partile': ['partile', 'plaiter', 'replait'], 'partimen': ['imperant', 'pairment', 'partimen', 'premiant', 'tripeman'], 'partinium': ['impuritan', 'partinium'], 'partisan': ['aspirant', 'partisan', 'spartina'], 'partite': ['partite', 'tearpit'], 'partitioned': ['departition', 'partitioned', 'trepidation'], 'partitioner': ['partitioner', 'repartition'], 'partlet': ['partlet', 'platter', 'prattle'], 'partly': ['paltry', 'partly', 'raptly'], 'parto': ['aport', 'parto', 'porta'], 'parture': ['parture', 'rapture'], 'party': ['party', 'trypa'], 'parulis': ['parulis', 'spirula', 'uprisal'], 'parure': ['parure', 'uprear'], 'parvoline': ['overplain', 'parvoline'], 'pasan': ['pasan', 'sapan'], 'pasch': ['chaps', 'pasch'], 'pascha': ['pascha', 'scapha'], 'paschite': ['paschite', 'pastiche', 'pistache', 'scaphite'], 'pascual': ['capsula', 'pascual', 'scapula'], 'pash': ['hasp', 'pash', 'psha', 'shap'], 'pasha': ['asaph', 'pasha'], 'pashm': ['pashm', 'phasm'], 'pashto': ['pashto', 'pathos', 'potash'], 'pasi': ['apis', 'pais', 'pasi', 'saip'], 'passer': ['passer', 'repass', 'sparse'], 'passional': ['passional', 'sponsalia'], 'passo': ['passo', 'psoas'], 'passout': ['outpass', 'passout'], 'passover': ['overpass', 'passover'], 'past': ['past', 'spat', 'stap', 'taps'], 'paste': ['paste', 'septa', 'spate'], 'pastel': ['pastel', 'septal', 'staple'], 'paster': ['paster', 'repast', 'trapes'], 'pasterer': ['pasterer', 'strepera'], 'pasteur': ['pasteur', 'pasture', 'upstare'], 'pastiche': ['paschite', 'pastiche', 'pistache', 'scaphite'], 'pasticheur': ['curateship', 'pasticheur'], 'pastil': ['alpist', 'pastil', 'spital'], 'pastile': ['aliptes', 'pastile', 'talipes'], 'pastime': ['impaste', 'pastime'], 'pastimer': ['maspiter', 'pastimer', 'primates'], 'pastophorium': ['amphitropous', 'pastophorium'], 'pastophorus': ['apostrophus', 'pastophorus'], 'pastor': ['asport', 'pastor', 'sproat'], 'pastoral': ['pastoral', 'proatlas'], 'pastorale': ['parosteal', 'pastorale'], 'pastose': ['pastose', 'petasos'], 'pastural': ['pastural', 'spatular'], 'pasture': ['pasteur', 'pasture', 'upstare'], 'pasty': ['pasty', 'patsy'], 'pasul': ['palus', 'pasul'], 'pat': ['apt', 'pat', 'tap'], 'pata': ['atap', 'pata', 'tapa'], 'patao': ['opata', 'patao', 'tapoa'], 'patarin': ['patarin', 'tarapin'], 'patarine': ['patarine', 'tarpeian'], 'patas': ['patas', 'tapas'], 'patch': ['chapt', 'pacht', 'patch'], 'patcher': ['chapter', 'patcher', 'repatch'], 'patchery': ['patchery', 'petchary'], 'pate': ['pate', 'peat', 'tape', 'teap'], 'patel': ['leapt', 'palet', 'patel', 'pelta', 'petal', 'plate', 'pleat', 'tepal'], 'paten': ['enapt', 'paten', 'penta', 'tapen'], 'patener': ['patener', 'pearten', 'petrean', 'terpane'], 'patent': ['patent', 'patten', 'tapnet'], 'pater': ['apert', 'pater', 'peart', 'prate', 'taper', 'terap'], 'patera': ['aptera', 'parate', 'patera'], 'paternal': ['parental', 'paternal', 'prenatal'], 'paternalism': ['parentalism', 'paternalism'], 'paternalist': ['intraseptal', 'paternalist', 'prenatalist'], 'paternality': ['parentality', 'paternality'], 'paternally': ['parentally', 'paternally', 'prenatally'], 'paternoster': ['paternoster', 'prosternate', 'transportee'], 'patesi': ['patesi', 'pietas'], 'pathed': ['heptad', 'pathed'], 'pathic': ['haptic', 'pathic'], 'pathlet': ['pathlet', 'telpath'], 'pathogen': ['heptagon', 'pathogen'], 'pathologicoanatomic': ['anatomicopathologic', 'pathologicoanatomic'], 'pathologicoanatomical': ['anatomicopathological', 'pathologicoanatomical'], 'pathologicoclinical': ['clinicopathological', 'pathologicoclinical'], 'pathonomy': ['monopathy', 'pathonomy'], 'pathophoric': ['haptophoric', 'pathophoric'], 'pathophorous': ['haptophorous', 'pathophorous'], 'pathos': ['pashto', 'pathos', 'potash'], 'pathy': ['pathy', 'typha'], 'patiently': ['patiently', 'platynite'], 'patina': ['aptian', 'patina', 'taipan'], 'patine': ['pantie', 'patine'], 'patined': ['depaint', 'inadept', 'painted', 'patined'], 'patio': ['patio', 'taipo', 'topia'], 'patly': ['aptly', 'patly', 'platy', 'typal'], 'patness': ['aptness', 'patness'], 'pato': ['atop', 'pato'], 'patola': ['patola', 'tapalo'], 'patrial': ['partial', 'patrial'], 'patriarch': ['patriarch', 'phratriac'], 'patrice': ['paretic', 'patrice', 'picrate'], 'patricide': ['dipicrate', 'patricide', 'pediatric'], 'patrico': ['apricot', 'atropic', 'parotic', 'patrico'], 'patrilocal': ['allopatric', 'patrilocal'], 'patriotic': ['parotitic', 'patriotic'], 'patroclinous': ['patroclinous', 'pratincolous'], 'patrol': ['patrol', 'portal', 'tropal'], 'patron': ['patron', 'tarpon'], 'patroness': ['patroness', 'transpose'], 'patronite': ['antitrope', 'patronite', 'tritanope'], 'patronymic': ['importancy', 'patronymic', 'pyromantic'], 'patsy': ['pasty', 'patsy'], 'patte': ['patte', 'tapet'], 'pattee': ['pattee', 'tapete'], 'patten': ['patent', 'patten', 'tapnet'], 'pattener': ['pattener', 'repatent'], 'patterer': ['patterer', 'pretreat'], 'pattern': ['pattern', 'reptant'], 'patterner': ['patterner', 'repattern'], 'patu': ['patu', 'paut', 'tapu'], 'patulent': ['patulent', 'petulant'], 'pau': ['pau', 'pua'], 'paul': ['paul', 'upla'], 'paula': ['palau', 'paula'], 'paulian': ['apulian', 'paulian', 'paulina'], 'paulie': ['alpieu', 'paulie'], 'paulin': ['paulin', 'pulian'], 'paulina': ['apulian', 'paulian', 'paulina'], 'paulinistic': ['paniculitis', 'paulinistic'], 'paulinus': ['nauplius', 'paulinus'], 'paulist': ['paulist', 'stipula'], 'paup': ['paup', 'pupa'], 'paut': ['patu', 'paut', 'tapu'], 'paver': ['paver', 'verpa'], 'pavid': ['pavid', 'vapid'], 'pavidity': ['pavidity', 'vapidity'], 'pavier': ['pavier', 'vipera'], 'pavisor': ['pavisor', 'proavis'], 'paw': ['paw', 'wap'], 'pawner': ['enwrap', 'pawner', 'repawn'], 'pay': ['pay', 'pya', 'yap'], 'payer': ['apery', 'payer', 'repay'], 'payroll': ['payroll', 'polarly'], 'pea': ['ape', 'pea'], 'peach': ['chape', 'cheap', 'peach'], 'peachen': ['cheapen', 'peachen'], 'peachery': ['cheapery', 'peachery'], 'peachlet': ['chapelet', 'peachlet'], 'peacoat': ['opacate', 'peacoat'], 'peag': ['gape', 'page', 'peag', 'pega'], 'peaker': ['parkee', 'peaker'], 'peal': ['leap', 'lepa', 'pale', 'peal', 'plea'], 'pealike': ['apelike', 'pealike'], 'pean': ['nape', 'neap', 'nepa', 'pane', 'pean'], 'pear': ['aper', 'pare', 'pear', 'rape', 'reap'], 'pearl': ['lepra', 'paler', 'parel', 'parle', 'pearl', 'perla', 'relap'], 'pearled': ['pearled', 'pedaler', 'pleader', 'replead'], 'pearlet': ['pearlet', 'pleater', 'prelate', 'ptereal', 'replate', 'repleat'], 'pearlin': ['pearlin', 'plainer', 'praline'], 'pearlish': ['earlship', 'pearlish'], 'pearlsides': ['displeaser', 'pearlsides'], 'pearly': ['parley', 'pearly', 'player', 'replay'], 'pearmain': ['amperian', 'paramine', 'pearmain'], 'peart': ['apert', 'pater', 'peart', 'prate', 'taper', 'terap'], 'pearten': ['patener', 'pearten', 'petrean', 'terpane'], 'peartly': ['apertly', 'peartly', 'platery', 'pteryla', 'taperly'], 'peartness': ['apertness', 'peartness', 'taperness'], 'peasantry': ['peasantry', 'synaptera'], 'peat': ['pate', 'peat', 'tape', 'teap'], 'peatman': ['peatman', 'tapeman'], 'peatship': ['happiest', 'peatship'], 'peccation': ['acception', 'peccation'], 'peckerwood': ['peckerwood', 'woodpecker'], 'pecos': ['copse', 'pecos', 'scope'], 'pectin': ['incept', 'pectin'], 'pectinate': ['pectinate', 'pencatite'], 'pectination': ['antinepotic', 'pectination'], 'pectinatopinnate': ['pectinatopinnate', 'pinnatopectinate'], 'pectinoid': ['depiction', 'pectinoid'], 'pectora': ['coperta', 'pectora', 'porcate'], 'pecunious': ['pecunious', 'puniceous'], 'peda': ['depa', 'peda'], 'pedal': ['padle', 'paled', 'pedal', 'plead'], 'pedaler': ['pearled', 'pedaler', 'pleader', 'replead'], 'pedalier': ['pedalier', 'perlidae'], 'pedalion': ['lapideon', 'palinode', 'pedalion'], 'pedalism': ['misplead', 'pedalism'], 'pedalist': ['dispetal', 'pedalist'], 'pedaliter': ['pedaliter', 'predetail'], 'pedant': ['pedant', 'pentad'], 'pedantess': ['adeptness', 'pedantess'], 'pedantic': ['pedantic', 'pentacid'], 'pedary': ['pedary', 'preday'], 'pederastic': ['discrepate', 'pederastic'], 'pedes': ['pedes', 'speed'], 'pedesis': ['despise', 'pedesis'], 'pedestrial': ['pedestrial', 'pilastered'], 'pediatric': ['dipicrate', 'patricide', 'pediatric'], 'pedicel': ['pedicel', 'pedicle'], 'pedicle': ['pedicel', 'pedicle'], 'pedicular': ['crepidula', 'pedicular'], 'pediculi': ['lupicide', 'pediculi', 'pulicide'], 'pedimana': ['pandemia', 'pedimana'], 'pedocal': ['lacepod', 'pedocal', 'placode'], 'pedometrician': ['pedometrician', 'premedication'], 'pedrail': ['pedrail', 'predial'], 'pedro': ['doper', 'pedro', 'pored'], 'peed': ['deep', 'peed'], 'peek': ['keep', 'peek'], 'peel': ['leep', 'peel', 'pele'], 'peelman': ['empanel', 'emplane', 'peelman'], 'peen': ['neep', 'peen'], 'peerly': ['peerly', 'yelper'], 'pega': ['gape', 'page', 'peag', 'pega'], 'peho': ['hope', 'peho'], 'peiser': ['espier', 'peiser'], 'peitho': ['ethiop', 'ophite', 'peitho'], 'peixere': ['expiree', 'peixere'], 'pekan': ['knape', 'pekan'], 'pelage': ['paegel', 'paegle', 'pelage'], 'pelasgoi': ['pelasgoi', 'spoilage'], 'pele': ['leep', 'peel', 'pele'], 'pelean': ['alpeen', 'lenape', 'pelean'], 'pelecani': ['capeline', 'pelecani'], 'pelecanus': ['encapsule', 'pelecanus'], 'pelias': ['espial', 'lipase', 'pelias'], 'pelican': ['calepin', 'capelin', 'panicle', 'pelican', 'pinacle'], 'pelick': ['pelick', 'pickle'], 'pelides': ['pelides', 'seedlip'], 'pelidnota': ['pelidnota', 'planetoid'], 'pelike': ['kelpie', 'pelike'], 'pelisse': ['pelisse', 'pieless'], 'pelite': ['leepit', 'pelite', 'pielet'], 'pellation': ['pellation', 'pollinate'], 'pellotine': ['pellotine', 'pollenite'], 'pelmet': ['pelmet', 'temple'], 'pelon': ['pelon', 'pleon'], 'pelops': ['pelops', 'peplos'], 'pelorian': ['pelorian', 'peronial', 'proalien'], 'peloric': ['peloric', 'precoil'], 'pelorus': ['leprous', 'pelorus', 'sporule'], 'pelota': ['alepot', 'pelota'], 'pelta': ['leapt', 'palet', 'patel', 'pelta', 'petal', 'plate', 'pleat', 'tepal'], 'peltandra': ['leptandra', 'peltandra'], 'peltast': ['peltast', 'spattle'], 'peltate': ['palette', 'peltate'], 'peltation': ['peltation', 'potential'], 'pelter': ['pelter', 'petrel'], 'peltiform': ['leptiform', 'peltiform'], 'pelting': ['pelting', 'petling'], 'peltry': ['peltry', 'pertly'], 'pelu': ['lupe', 'pelu', 'peul', 'pule'], 'pelusios': ['epulosis', 'pelusios'], 'pelycography': ['pelycography', 'pyrgocephaly'], 'pemican': ['campine', 'pemican'], 'pen': ['nep', 'pen'], 'penal': ['alpen', 'nepal', 'panel', 'penal', 'plane'], 'penalist': ['panelist', 'pantelis', 'penalist', 'plastein'], 'penalty': ['aplenty', 'penalty'], 'penang': ['pangen', 'penang'], 'penates': ['penates', 'septane'], 'pencatite': ['pectinate', 'pencatite'], 'penciled': ['depencil', 'penciled', 'pendicle'], 'pencilry': ['pencilry', 'princely'], 'penda': ['paned', 'penda'], 'pendicle': ['depencil', 'penciled', 'pendicle'], 'pendulant': ['pendulant', 'unplanted'], 'pendular': ['pendular', 'underlap', 'uplander'], 'pendulate': ['pendulate', 'unpleated'], 'pendulation': ['pendulation', 'pennatuloid'], 'pendulum': ['pendulum', 'unlumped', 'unplumed'], 'penetrable': ['penetrable', 'repentable'], 'penetrance': ['penetrance', 'repentance'], 'penetrant': ['penetrant', 'repentant'], 'penial': ['alpine', 'nepali', 'penial', 'pineal'], 'penis': ['penis', 'snipe', 'spine'], 'penitencer': ['penitencer', 'pertinence'], 'penman': ['nepman', 'penman'], 'penna': ['panne', 'penna'], 'pennage': ['pangene', 'pennage'], 'pennate': ['pennate', 'pentane'], 'pennatulid': ['pennatulid', 'pinnulated'], 'pennatuloid': ['pendulation', 'pennatuloid'], 'pennia': ['nanpie', 'pennia', 'pinnae'], 'pennisetum': ['pennisetum', 'septennium'], 'pensioner': ['pensioner', 'repension'], 'pensive': ['pensive', 'vespine'], 'penster': ['penster', 'present', 'serpent', 'strepen'], 'penta': ['enapt', 'paten', 'penta', 'tapen'], 'pentace': ['pentace', 'tepanec'], 'pentacid': ['pedantic', 'pentacid'], 'pentad': ['pedant', 'pentad'], 'pentadecoic': ['adenectopic', 'pentadecoic'], 'pentail': ['pantile', 'pentail', 'platine', 'talpine'], 'pentamerid': ['pandermite', 'pentamerid'], 'pentameroid': ['pentameroid', 'predominate'], 'pentane': ['pennate', 'pentane'], 'pentaploid': ['deoppilant', 'pentaploid'], 'pentathionic': ['antiphonetic', 'pentathionic'], 'pentatomic': ['camptonite', 'pentatomic'], 'pentitol': ['pentitol', 'pointlet'], 'pentoic': ['entopic', 'nepotic', 'pentoic'], 'pentol': ['lepton', 'pentol'], 'pentose': ['pentose', 'posteen'], 'pentyl': ['pentyl', 'plenty'], 'penult': ['penult', 'punlet', 'puntel'], 'peon': ['nope', 'open', 'peon', 'pone'], 'peony': ['peony', 'poney'], 'peopler': ['peopler', 'popeler'], 'peorian': ['apeiron', 'peorian'], 'peplos': ['pelops', 'peplos'], 'peplum': ['peplum', 'pumple'], 'peplus': ['peplus', 'supple'], 'pepo': ['pepo', 'pope'], 'per': ['per', 'rep'], 'peracid': ['epacrid', 'peracid', 'preacid'], 'peract': ['carpet', 'peract', 'preact'], 'peracute': ['peracute', 'preacute'], 'peradventure': ['peradventure', 'preadventure'], 'perakim': ['perakim', 'permiak', 'rampike'], 'peramble': ['peramble', 'preamble'], 'perambulate': ['perambulate', 'preambulate'], 'perambulation': ['perambulation', 'preambulation'], 'perambulatory': ['perambulatory', 'preambulatory'], 'perates': ['perates', 'repaste', 'sperate'], 'perbend': ['perbend', 'prebend'], 'perborate': ['perborate', 'prorebate', 'reprobate'], 'perca': ['caper', 'crape', 'pacer', 'perca', 'recap'], 'percale': ['percale', 'replace'], 'percaline': ['percaline', 'periclean'], 'percent': ['percent', 'precent'], 'percept': ['percept', 'precept'], 'perception': ['perception', 'preception'], 'perceptionism': ['misperception', 'perceptionism'], 'perceptive': ['perceptive', 'preceptive'], 'perceptively': ['perceptively', 'preceptively'], 'perceptual': ['perceptual', 'preceptual'], 'perceptually': ['perceptually', 'preceptually'], 'percha': ['aperch', 'eparch', 'percha', 'preach'], 'perchloric': ['perchloric', 'prechloric'], 'percid': ['percid', 'priced'], 'perclose': ['perclose', 'preclose'], 'percoidea': ['adipocere', 'percoidea'], 'percolate': ['percolate', 'prelocate'], 'percolation': ['neotropical', 'percolation'], 'percompound': ['percompound', 'precompound'], 'percontation': ['percontation', 'pernoctation'], 'perculsion': ['perculsion', 'preclusion'], 'perculsive': ['perculsive', 'preclusive'], 'percurrent': ['percurrent', 'precurrent'], 'percursory': ['percursory', 'precursory'], 'percussion': ['croupiness', 'percussion', 'supersonic'], 'percussioner': ['percussioner', 'repercussion'], 'percussor': ['percussor', 'procuress'], 'percy': ['crepy', 'cypre', 'percy'], 'perdicine': ['perdicine', 'recipiend'], 'perdition': ['direption', 'perdition', 'tropidine'], 'perdu': ['drupe', 'duper', 'perdu', 'prude', 'pured'], 'peregrina': ['peregrina', 'pregainer'], 'pereion': ['pereion', 'pioneer'], 'perendure': ['perendure', 'underpeer'], 'peres': ['peres', 'perse', 'speer', 'spree'], 'perfect': ['perfect', 'prefect'], 'perfected': ['perfected', 'predefect'], 'perfection': ['frontpiece', 'perfection'], 'perfectly': ['perfectly', 'prefectly'], 'perfervid': ['perfervid', 'prefervid'], 'perfoliation': ['perfoliation', 'prefoliation'], 'perforative': ['perforative', 'prefavorite'], 'perform': ['perform', 'preform'], 'performant': ['performant', 'preformant'], 'performative': ['performative', 'preformative'], 'performer': ['performer', 'prereform', 'reperform'], 'pergamic': ['crimpage', 'pergamic'], 'perhaps': ['perhaps', 'prehaps'], 'perhazard': ['perhazard', 'prehazard'], 'peri': ['peri', 'pier', 'ripe'], 'periacinal': ['epicranial', 'periacinal'], 'perianal': ['airplane', 'perianal'], 'perianth': ['perianth', 'triphane'], 'periapt': ['periapt', 'rappite'], 'periaster': ['periaster', 'sparterie'], 'pericardiacophrenic': ['pericardiacophrenic', 'phrenicopericardiac'], 'pericardiopleural': ['pericardiopleural', 'pleuropericardial'], 'perichete': ['perichete', 'perithece'], 'periclase': ['episclera', 'periclase'], 'periclean': ['percaline', 'periclean'], 'pericles': ['eclipser', 'pericles', 'resplice'], 'pericopal': ['pericopal', 'periploca'], 'periculant': ['periculant', 'unprelatic'], 'peridental': ['interplead', 'peridental'], 'peridiastolic': ['peridiastolic', 'periodicalist', 'proidealistic'], 'peridot': ['diopter', 'peridot', 'proetid', 'protide', 'pteroid'], 'perigone': ['perigone', 'pigeoner'], 'peril': ['peril', 'piler', 'plier'], 'perilous': ['perilous', 'uropsile'], 'perimeter': ['perimeter', 'peritreme'], 'perine': ['neiper', 'perine', 'pirene', 'repine'], 'perineovaginal': ['perineovaginal', 'vaginoperineal'], 'periodate': ['periodate', 'proetidae', 'proteidae'], 'periodicalist': ['peridiastolic', 'periodicalist', 'proidealistic'], 'periodontal': ['deploration', 'periodontal'], 'periost': ['periost', 'porites', 'reposit', 'riposte'], 'periosteal': ['periosteal', 'praseolite'], 'periotic': ['epirotic', 'periotic'], 'peripatetic': ['peripatetic', 'precipitate'], 'peripatidae': ['peripatidae', 'peripatidea'], 'peripatidea': ['peripatidae', 'peripatidea'], 'periplaneta': ['periplaneta', 'prepalatine'], 'periploca': ['pericopal', 'periploca'], 'periplus': ['periplus', 'supplier'], 'periportal': ['periportal', 'peritropal'], 'periproct': ['cotripper', 'periproct'], 'peripterous': ['peripterous', 'prepositure'], 'perique': ['perique', 'repique'], 'perirectal': ['perirectal', 'prerecital'], 'periscian': ['periscian', 'precisian'], 'periscopal': ['periscopal', 'sapropelic'], 'perish': ['perish', 'reship'], 'perished': ['hesperid', 'perished'], 'perishment': ['perishment', 'reshipment'], 'perisomal': ['perisomal', 'semipolar'], 'perisome': ['perisome', 'promisee', 'reimpose'], 'perispome': ['perispome', 'preimpose'], 'peristole': ['epistoler', 'peristole', 'perseitol', 'pistoleer'], 'peristoma': ['epistroma', 'peristoma'], 'peristomal': ['peristomal', 'prestomial'], 'peristylos': ['peristylos', 'pterylosis'], 'perit': ['perit', 'retip', 'tripe'], 'perite': ['perite', 'petrie', 'pieter'], 'peritenon': ['interpone', 'peritenon', 'pinnotere', 'preintone'], 'perithece': ['perichete', 'perithece'], 'peritomize': ['epitomizer', 'peritomize'], 'peritomous': ['outpromise', 'peritomous'], 'peritreme': ['perimeter', 'peritreme'], 'peritrichous': ['courtiership', 'peritrichous'], 'peritroch': ['chiropter', 'peritroch'], 'peritropal': ['periportal', 'peritropal'], 'peritropous': ['peritropous', 'proprietous'], 'perkin': ['perkin', 'pinker'], 'perknite': ['perknite', 'peterkin'], 'perla': ['lepra', 'paler', 'parel', 'parle', 'pearl', 'perla', 'relap'], 'perle': ['leper', 'perle', 'repel'], 'perlection': ['perlection', 'prelection'], 'perlidae': ['pedalier', 'perlidae'], 'perlingual': ['perlingual', 'prelingual'], 'perlite': ['perlite', 'reptile'], 'perlitic': ['perlitic', 'triplice'], 'permeameter': ['amperemeter', 'permeameter'], 'permeance': ['permeance', 'premenace'], 'permeant': ['permeant', 'peterman'], 'permeation': ['permeation', 'preominate'], 'permiak': ['perakim', 'permiak', 'rampike'], 'permissibility': ['impressibility', 'permissibility'], 'permissible': ['impressible', 'permissible'], 'permissibleness': ['impressibleness', 'permissibleness'], 'permissibly': ['impressibly', 'permissibly'], 'permission': ['impression', 'permission'], 'permissive': ['impressive', 'permissive'], 'permissively': ['impressively', 'permissively'], 'permissiveness': ['impressiveness', 'permissiveness'], 'permitter': ['permitter', 'pretermit'], 'permixture': ['permixture', 'premixture'], 'permonosulphuric': ['monopersulphuric', 'permonosulphuric'], 'permutation': ['importunate', 'permutation'], 'pernasal': ['pernasal', 'prenasal'], 'pernis': ['pernis', 'respin', 'sniper'], 'pernoctation': ['percontation', 'pernoctation'], 'pernor': ['pernor', 'perron'], 'pernyi': ['pernyi', 'pinery'], 'peronial': ['pelorian', 'peronial', 'proalien'], 'peropus': ['peropus', 'purpose'], 'peroral': ['peroral', 'preoral'], 'perorally': ['perorally', 'preorally'], 'perorate': ['perorate', 'retepora'], 'perosmate': ['perosmate', 'sematrope'], 'perosmic': ['comprise', 'perosmic'], 'perotic': ['perotic', 'proteic', 'tropeic'], 'perpera': ['paperer', 'perpera', 'prepare', 'repaper'], 'perpetualist': ['perpetualist', 'pluriseptate'], 'perplexer': ['perplexer', 'reperplex'], 'perron': ['pernor', 'perron'], 'perry': ['perry', 'pryer'], 'persae': ['parsee', 'persae', 'persea', 'serape'], 'persalt': ['palster', 'persalt', 'plaster', 'psalter', 'spartle', 'stapler'], 'perscribe': ['perscribe', 'prescribe'], 'perse': ['peres', 'perse', 'speer', 'spree'], 'persea': ['parsee', 'persae', 'persea', 'serape'], 'perseid': ['perseid', 'preside'], 'perseitol': ['epistoler', 'peristole', 'perseitol', 'pistoleer'], 'perseity': ['perseity', 'speerity'], 'persian': ['persian', 'prasine', 'saprine'], 'persic': ['crepis', 'cripes', 'persic', 'precis', 'spicer'], 'persico': ['ceriops', 'persico'], 'persism': ['impress', 'persism', 'premiss'], 'persist': ['persist', 'spriest'], 'persistent': ['persistent', 'presentist', 'prettiness'], 'personalia': ['palaeornis', 'personalia'], 'personalistic': ['personalistic', 'pictorialness'], 'personate': ['esperanto', 'personate'], 'personed': ['personed', 'responde'], 'pert': ['pert', 'petr', 'terp'], 'pertain': ['painter', 'pertain', 'pterian', 'repaint'], 'perten': ['perten', 'repent'], 'perthite': ['perthite', 'tephrite'], 'perthitic': ['perthitic', 'tephritic'], 'pertinacity': ['antipyretic', 'pertinacity'], 'pertinence': ['penitencer', 'pertinence'], 'pertly': ['peltry', 'pertly'], 'perturbational': ['perturbational', 'protuberantial'], 'pertussal': ['pertussal', 'supersalt'], 'perty': ['perty', 'typer'], 'peru': ['peru', 'prue', 'pure'], 'perugian': ['pagurine', 'perugian'], 'peruke': ['keuper', 'peruke'], 'perula': ['epural', 'perula', 'pleura'], 'perun': ['perun', 'prune'], 'perusable': ['perusable', 'superable'], 'perusal': ['perusal', 'serpula'], 'peruse': ['peruse', 'respue'], 'pervade': ['deprave', 'pervade'], 'pervader': ['depraver', 'pervader'], 'pervadingly': ['depravingly', 'pervadingly'], 'perverse': ['perverse', 'preserve'], 'perversion': ['perversion', 'preversion'], 'pervious': ['pervious', 'previous', 'viperous'], 'perviously': ['perviously', 'previously', 'viperously'], 'perviousness': ['perviousness', 'previousness', 'viperousness'], 'pesa': ['apse', 'pesa', 'spae'], 'pesach': ['cephas', 'pesach'], 'pesah': ['heaps', 'pesah', 'phase', 'shape'], 'peseta': ['asteep', 'peseta'], 'peso': ['epos', 'peso', 'pose', 'sope'], 'pess': ['pess', 'seps'], 'pessoner': ['pessoner', 'response'], 'pest': ['pest', 'sept', 'spet', 'step'], 'peste': ['peste', 'steep'], 'pester': ['pester', 'preset', 'restep', 'streep'], 'pesthole': ['heelpost', 'pesthole'], 'pesticidal': ['pesticidal', 'septicidal'], 'pestiferous': ['pestiferous', 'septiferous'], 'pestle': ['pestle', 'spleet'], 'petal': ['leapt', 'palet', 'patel', 'pelta', 'petal', 'plate', 'pleat', 'tepal'], 'petalia': ['palaite', 'petalia', 'pileata'], 'petaline': ['petaline', 'tapeline'], 'petalism': ['petalism', 'septimal'], 'petalless': ['petalless', 'plateless', 'pleatless'], 'petallike': ['petallike', 'platelike'], 'petaloid': ['opdalite', 'petaloid'], 'petalon': ['lepanto', 'nepotal', 'petalon', 'polenta'], 'petard': ['depart', 'parted', 'petard'], 'petary': ['petary', 'pratey'], 'petasos': ['pastose', 'petasos'], 'petchary': ['patchery', 'petchary'], 'petechial': ['epithecal', 'petechial', 'phacelite'], 'petechiate': ['epithecate', 'petechiate'], 'peteman': ['peteman', 'tempean'], 'peter': ['erept', 'peter', 'petre'], 'peterkin': ['perknite', 'peterkin'], 'peterman': ['permeant', 'peterman'], 'petiolary': ['epilatory', 'petiolary'], 'petiole': ['petiole', 'pilotee'], 'petioled': ['lepidote', 'petioled'], 'petitionary': ['opiniatrety', 'petitionary'], 'petitioner': ['petitioner', 'repetition'], 'petiveria': ['aperitive', 'petiveria'], 'petling': ['pelting', 'petling'], 'peto': ['peto', 'poet', 'pote', 'tope'], 'petr': ['pert', 'petr', 'terp'], 'petre': ['erept', 'peter', 'petre'], 'petrea': ['petrea', 'repeat', 'retape'], 'petrean': ['patener', 'pearten', 'petrean', 'terpane'], 'petrel': ['pelter', 'petrel'], 'petricola': ['carpolite', 'petricola'], 'petrie': ['perite', 'petrie', 'pieter'], 'petrine': ['petrine', 'terpine'], 'petrochemical': ['cephalometric', 'petrochemical'], 'petrogale': ['petrogale', 'petrolage', 'prolegate'], 'petrographer': ['petrographer', 'pterographer'], 'petrographic': ['petrographic', 'pterographic'], 'petrographical': ['petrographical', 'pterographical'], 'petrographically': ['petrographically', 'pterylographical'], 'petrography': ['petrography', 'pterography', 'typographer'], 'petrol': ['petrol', 'replot'], 'petrolage': ['petrogale', 'petrolage', 'prolegate'], 'petrolean': ['petrolean', 'rantepole'], 'petrolic': ['petrolic', 'plerotic'], 'petrologically': ['petrologically', 'pterylological'], 'petrosa': ['esparto', 'petrosa', 'seaport'], 'petrosal': ['petrosal', 'polestar'], 'petrosquamosal': ['petrosquamosal', 'squamopetrosal'], 'petrous': ['petrous', 'posture', 'proetus', 'proteus', 'septuor', 'spouter'], 'petticoated': ['depetticoat', 'petticoated'], 'petulant': ['patulent', 'petulant'], 'petune': ['neetup', 'petune'], 'peul': ['lupe', 'pelu', 'peul', 'pule'], 'pewy': ['pewy', 'wype'], 'peyote': ['peyote', 'poteye'], 'peyotl': ['peyotl', 'poetly'], 'phacelia': ['acephali', 'phacelia'], 'phacelite': ['epithecal', 'petechial', 'phacelite'], 'phacoid': ['dapicho', 'phacoid'], 'phacolite': ['hopcalite', 'phacolite'], 'phacolysis': ['pachylosis', 'phacolysis'], 'phacometer': ['pachometer', 'phacometer'], 'phaethonic': ['phaethonic', 'theophanic'], 'phaeton': ['phaeton', 'phonate'], 'phagocytism': ['mycophagist', 'phagocytism'], 'phalaecian': ['acephalina', 'phalaecian'], 'phalangium': ['gnaphalium', 'phalangium'], 'phalera': ['phalera', 'raphael'], 'phanariot': ['parathion', 'phanariot'], 'phanerogam': ['anemograph', 'phanerogam'], 'phanerogamic': ['anemographic', 'phanerogamic'], 'phanerogamy': ['anemography', 'phanerogamy'], 'phanic': ['apinch', 'chapin', 'phanic'], 'phano': ['phano', 'pohna'], 'pharaonic': ['anaphoric', 'pharaonic'], 'pharaonical': ['anaphorical', 'pharaonical'], 'phare': ['hepar', 'phare', 'raphe'], 'pharian': ['pharian', 'piranha'], 'pharisaic': ['chirapsia', 'pharisaic'], 'pharisean': ['pharisean', 'seraphina'], 'pharisee': ['hesperia', 'pharisee'], 'phariseeism': ['hemiparesis', 'phariseeism'], 'pharmacolite': ['metaphorical', 'pharmacolite'], 'pharyngolaryngeal': ['laryngopharyngeal', 'pharyngolaryngeal'], 'pharyngolaryngitis': ['laryngopharyngitis', 'pharyngolaryngitis'], 'pharyngorhinitis': ['pharyngorhinitis', 'rhinopharyngitis'], 'phase': ['heaps', 'pesah', 'phase', 'shape'], 'phaseless': ['phaseless', 'shapeless'], 'phaseolin': ['esiphonal', 'phaseolin'], 'phasis': ['aspish', 'phasis'], 'phasm': ['pashm', 'phasm'], 'phasmid': ['dampish', 'madship', 'phasmid'], 'phasmoid': ['phasmoid', 'shopmaid'], 'pheal': ['aleph', 'pheal'], 'pheasant': ['pheasant', 'stephana'], 'phecda': ['chaped', 'phecda'], 'phemie': ['imphee', 'phemie'], 'phenacite': ['phenacite', 'phenicate'], 'phenate': ['haptene', 'heptane', 'phenate'], 'phenetole': ['phenetole', 'telephone'], 'phenic': ['phenic', 'pinche'], 'phenicate': ['phenacite', 'phenicate'], 'phenolic': ['phenolic', 'pinochle'], 'phenological': ['nephological', 'phenological'], 'phenologist': ['nephologist', 'phenologist'], 'phenology': ['nephology', 'phenology'], 'phenosal': ['alphonse', 'phenosal'], 'pheon': ['pheon', 'phone'], 'phi': ['hip', 'phi'], 'phialide': ['hepialid', 'phialide'], 'philobotanist': ['botanophilist', 'philobotanist'], 'philocynic': ['cynophilic', 'philocynic'], 'philohela': ['halophile', 'philohela'], 'philoneism': ['neophilism', 'philoneism'], 'philopoet': ['philopoet', 'photopile'], 'philotheist': ['philotheist', 'theophilist'], 'philotherian': ['lithonephria', 'philotherian'], 'philozoic': ['philozoic', 'zoophilic'], 'philozoist': ['philozoist', 'zoophilist'], 'philter': ['philter', 'thripel'], 'phineas': ['inphase', 'phineas'], 'phiroze': ['orphize', 'phiroze'], 'phit': ['phit', 'pith'], 'phlebometritis': ['metrophlebitis', 'phlebometritis'], 'phleum': ['phleum', 'uphelm'], 'phloretic': ['phloretic', 'plethoric'], 'pho': ['hop', 'pho', 'poh'], 'phobism': ['mobship', 'phobism'], 'phoca': ['chopa', 'phoca', 'poach'], 'phocaean': ['phocaean', 'phocaena'], 'phocaena': ['phocaean', 'phocaena'], 'phocaenine': ['phocaenine', 'phoenicean'], 'phocean': ['copehan', 'panoche', 'phocean'], 'phocian': ['aphonic', 'phocian'], 'phocine': ['chopine', 'phocine'], 'phoenicean': ['phocaenine', 'phoenicean'], 'pholad': ['adolph', 'pholad'], 'pholas': ['alphos', 'pholas'], 'pholcidae': ['cephaloid', 'pholcidae'], 'pholcoid': ['chilopod', 'pholcoid'], 'phonate': ['phaeton', 'phonate'], 'phone': ['pheon', 'phone'], 'phonelescope': ['nepheloscope', 'phonelescope'], 'phonetical': ['pachnolite', 'phonetical'], 'phonetics': ['phonetics', 'sphenotic'], 'phoniatry': ['phoniatry', 'thiopyran'], 'phonic': ['chopin', 'phonic'], 'phonogram': ['monograph', 'nomograph', 'phonogram'], 'phonogramic': ['gramophonic', 'monographic', 'nomographic', 'phonogramic'], 'phonogramically': ['gramophonically', 'monographically', 'nomographically', 'phonogramically'], 'phonographic': ['graphophonic', 'phonographic'], 'phonolite': ['lithopone', 'phonolite'], 'phonometer': ['nephrotome', 'phonometer'], 'phonometry': ['nephrotomy', 'phonometry'], 'phonophote': ['phonophote', 'photophone'], 'phonotyper': ['hypopteron', 'phonotyper'], 'phoo': ['hoop', 'phoo', 'pooh'], 'phorone': ['orpheon', 'phorone'], 'phoronidea': ['phoronidea', 'radiophone'], 'phos': ['phos', 'posh', 'shop', 'soph'], 'phosphatide': ['diphosphate', 'phosphatide'], 'phosphoglycerate': ['glycerophosphate', 'phosphoglycerate'], 'phossy': ['hyssop', 'phossy', 'sposhy'], 'phot': ['phot', 'toph'], 'photechy': ['hypothec', 'photechy'], 'photochromography': ['chromophotography', 'photochromography'], 'photochromolithograph': ['chromophotolithograph', 'photochromolithograph'], 'photochronograph': ['chronophotograph', 'photochronograph'], 'photochronographic': ['chronophotographic', 'photochronographic'], 'photochronography': ['chronophotography', 'photochronography'], 'photogram': ['motograph', 'photogram'], 'photographer': ['photographer', 'rephotograph'], 'photoheliography': ['heliophotography', 'photoheliography'], 'photolithography': ['lithophotography', 'photolithography'], 'photomacrograph': ['macrophotograph', 'photomacrograph'], 'photometer': ['photometer', 'prototheme'], 'photomicrograph': ['microphotograph', 'photomicrograph'], 'photomicrographic': ['microphotographic', 'photomicrographic'], 'photomicrography': ['microphotography', 'photomicrography'], 'photomicroscope': ['microphotoscope', 'photomicroscope'], 'photophone': ['phonophote', 'photophone'], 'photopile': ['philopoet', 'photopile'], 'photostereograph': ['photostereograph', 'stereophotograph'], 'phototelegraph': ['phototelegraph', 'telephotograph'], 'phototelegraphic': ['phototelegraphic', 'telephotographic'], 'phototelegraphy': ['phototelegraphy', 'telephotography'], 'phototypography': ['phototypography', 'phytotopography'], 'phrase': ['phrase', 'seraph', 'shaper', 'sherpa'], 'phraser': ['phraser', 'sharper'], 'phrasing': ['harpings', 'phrasing'], 'phrasy': ['phrasy', 'sharpy'], 'phratriac': ['patriarch', 'phratriac'], 'phreatic': ['chapiter', 'phreatic'], 'phrenesia': ['hesperian', 'phrenesia', 'seraphine'], 'phrenic': ['nephric', 'phrenic', 'pincher'], 'phrenicopericardiac': ['pericardiacophrenic', 'phrenicopericardiac'], 'phrenics': ['phrenics', 'pinscher'], 'phrenitic': ['nephritic', 'phrenitic', 'prehnitic'], 'phrenitis': ['inspreith', 'nephritis', 'phrenitis'], 'phrenocardiac': ['nephrocardiac', 'phrenocardiac'], 'phrenocolic': ['nephrocolic', 'phrenocolic'], 'phrenocostal': ['phrenocostal', 'plastochrone'], 'phrenogastric': ['gastrophrenic', 'nephrogastric', 'phrenogastric'], 'phrenohepatic': ['hepatonephric', 'phrenohepatic'], 'phrenologist': ['nephrologist', 'phrenologist'], 'phrenology': ['nephrology', 'phrenology'], 'phrenopathic': ['nephropathic', 'phrenopathic'], 'phrenopathy': ['nephropathy', 'phrenopathy'], 'phrenosplenic': ['phrenosplenic', 'splenonephric', 'splenophrenic'], 'phronesis': ['nephrosis', 'phronesis'], 'phronimidae': ['diamorphine', 'phronimidae'], 'phthalazine': ['naphthalize', 'phthalazine'], 'phu': ['hup', 'phu'], 'phycitol': ['cytophil', 'phycitol'], 'phycocyanin': ['cyanophycin', 'phycocyanin'], 'phyla': ['haply', 'phyla'], 'phyletic': ['heptylic', 'phyletic'], 'phylloceras': ['hyposcleral', 'phylloceras'], 'phylloclad': ['cladophyll', 'phylloclad'], 'phyllodial': ['phyllodial', 'phylloidal'], 'phylloerythrin': ['erythrophyllin', 'phylloerythrin'], 'phylloidal': ['phyllodial', 'phylloidal'], 'phyllopodous': ['phyllopodous', 'podophyllous'], 'phyma': ['phyma', 'yamph'], 'phymatodes': ['desmopathy', 'phymatodes'], 'phymosia': ['hyposmia', 'phymosia'], 'physa': ['physa', 'shapy'], 'physalite': ['physalite', 'styphelia'], 'physic': ['physic', 'scyphi'], 'physicochemical': ['chemicophysical', 'physicochemical'], 'physicomedical': ['medicophysical', 'physicomedical'], 'physiocrat': ['physiocrat', 'psychotria'], 'physiologicoanatomic': ['anatomicophysiologic', 'physiologicoanatomic'], 'physiopsychological': ['physiopsychological', 'psychophysiological'], 'physiopsychology': ['physiopsychology', 'psychophysiology'], 'phytic': ['phytic', 'pitchy', 'pythic', 'typhic'], 'phytogenesis': ['phytogenesis', 'pythogenesis'], 'phytogenetic': ['phytogenetic', 'pythogenetic'], 'phytogenic': ['phytogenic', 'pythogenic', 'typhogenic'], 'phytogenous': ['phytogenous', 'pythogenous'], 'phytoid': ['phytoid', 'typhoid'], 'phytologist': ['hypoglottis', 'phytologist'], 'phytometer': ['phytometer', 'thermotype'], 'phytometric': ['phytometric', 'thermotypic'], 'phytometry': ['phytometry', 'thermotypy'], 'phytomonas': ['phytomonas', 'somnopathy'], 'phyton': ['phyton', 'python'], 'phytonic': ['hypnotic', 'phytonic', 'pythonic', 'typhonic'], 'phytosis': ['phytosis', 'typhosis'], 'phytotopography': ['phototypography', 'phytotopography'], 'phytozoa': ['phytozoa', 'zoopathy', 'zoophyta'], 'piacle': ['epical', 'piacle', 'plaice'], 'piacular': ['apicular', 'piacular'], 'pial': ['lipa', 'pail', 'pali', 'pial'], 'pialyn': ['alypin', 'pialyn'], 'pian': ['nipa', 'pain', 'pani', 'pian', 'pina'], 'pianiste': ['pianiste', 'pisanite'], 'piannet': ['piannet', 'pinnate'], 'pianola': ['opalina', 'pianola'], 'piaroa': ['aporia', 'piaroa'], 'piast': ['piast', 'stipa', 'tapis'], 'piaster': ['piaster', 'piastre', 'raspite', 'spirate', 'traipse'], 'piastre': ['piaster', 'piastre', 'raspite', 'spirate', 'traipse'], 'picador': ['parodic', 'picador'], 'picae': ['picae', 'picea'], 'pical': ['pical', 'plica'], 'picard': ['caprid', 'carpid', 'picard'], 'picarel': ['caliper', 'picarel', 'replica'], 'picary': ['cypria', 'picary', 'piracy'], 'pice': ['epic', 'pice'], 'picea': ['picae', 'picea'], 'picene': ['picene', 'piecen'], 'picker': ['picker', 'repick'], 'pickle': ['pelick', 'pickle'], 'pickler': ['pickler', 'prickle'], 'pickover': ['overpick', 'pickover'], 'picktooth': ['picktooth', 'toothpick'], 'pico': ['cipo', 'pico'], 'picot': ['optic', 'picot', 'topic'], 'picotah': ['aphotic', 'picotah'], 'picra': ['capri', 'picra', 'rapic'], 'picrate': ['paretic', 'patrice', 'picrate'], 'pictography': ['graphotypic', 'pictography', 'typographic'], 'pictorialness': ['personalistic', 'pictorialness'], 'picture': ['cuprite', 'picture'], 'picudilla': ['picudilla', 'pulicidal'], 'pidan': ['pidan', 'pinda'], 'piebald': ['bipedal', 'piebald'], 'piebaldness': ['dispensable', 'piebaldness'], 'piecen': ['picene', 'piecen'], 'piecer': ['piecer', 'pierce', 'recipe'], 'piecework': ['piecework', 'workpiece'], 'piecrust': ['crepitus', 'piecrust'], 'piedness': ['dispense', 'piedness'], 'piegan': ['genipa', 'piegan'], 'pieless': ['pelisse', 'pieless'], 'pielet': ['leepit', 'pelite', 'pielet'], 'piemag': ['magpie', 'piemag'], 'pieman': ['impane', 'pieman'], 'pien': ['pien', 'pine'], 'piend': ['piend', 'pined'], 'pier': ['peri', 'pier', 'ripe'], 'pierce': ['piecer', 'pierce', 'recipe'], 'piercent': ['piercent', 'prentice'], 'piercer': ['piercer', 'reprice'], 'pierlike': ['pierlike', 'ripelike'], 'piet': ['piet', 'tipe'], 'pietas': ['patesi', 'pietas'], 'pieter': ['perite', 'petrie', 'pieter'], 'pig': ['gip', 'pig'], 'pigeoner': ['perigone', 'pigeoner'], 'pigeontail': ['pigeontail', 'plagionite'], 'pigly': ['gilpy', 'pigly'], 'pignon': ['ningpo', 'pignon'], 'pignorate': ['operating', 'pignorate'], 'pigskin': ['pigskin', 'spiking'], 'pigsney': ['gypsine', 'pigsney'], 'pik': ['kip', 'pik'], 'pika': ['paik', 'pika'], 'pike': ['kepi', 'kipe', 'pike'], 'pikel': ['pikel', 'pikle'], 'piker': ['krepi', 'piker'], 'pikle': ['pikel', 'pikle'], 'pilage': ['paigle', 'pilage'], 'pilar': ['april', 'pilar', 'ripal'], 'pilaster': ['epistlar', 'pilaster', 'plaister', 'priestal'], 'pilastered': ['pedestrial', 'pilastered'], 'pilastric': ['pilastric', 'triplasic'], 'pilate': ['aplite', 'pilate'], 'pileata': ['palaite', 'petalia', 'pileata'], 'pileate': ['epilate', 'epitela', 'pileate'], 'pileated': ['depilate', 'leptidae', 'pileated'], 'piled': ['piled', 'plied'], 'piler': ['peril', 'piler', 'plier'], 'piles': ['piles', 'plies', 'slipe', 'spiel', 'spile'], 'pileus': ['epulis', 'pileus'], 'pili': ['ipil', 'pili'], 'pilin': ['lipin', 'pilin'], 'pillarist': ['pillarist', 'pistillar'], 'pillet': ['liplet', 'pillet'], 'pilm': ['limp', 'pilm', 'plim'], 'pilmy': ['imply', 'limpy', 'pilmy'], 'pilosis': ['liposis', 'pilosis'], 'pilotee': ['petiole', 'pilotee'], 'pilpai': ['lippia', 'pilpai'], 'pilus': ['lupis', 'pilus'], 'pim': ['imp', 'pim'], 'pimelate': ['ampelite', 'pimelate'], 'pimento': ['emption', 'pimento'], 'pimenton': ['imponent', 'pimenton'], 'pimola': ['lipoma', 'pimola', 'ploima'], 'pimpish': ['impship', 'pimpish'], 'pimplous': ['pimplous', 'pompilus', 'populism'], 'pin': ['nip', 'pin'], 'pina': ['nipa', 'pain', 'pani', 'pian', 'pina'], 'pinaces': ['pinaces', 'pincase'], 'pinachrome': ['epharmonic', 'pinachrome'], 'pinacle': ['calepin', 'capelin', 'panicle', 'pelican', 'pinacle'], 'pinacoid': ['diapnoic', 'pinacoid'], 'pinal': ['lipan', 'pinal', 'plain'], 'pinales': ['espinal', 'pinales', 'spaniel'], 'pinaster': ['pinaster', 'pristane'], 'pincase': ['pinaces', 'pincase'], 'pincer': ['pincer', 'prince'], 'pincerlike': ['pincerlike', 'princelike'], 'pincers': ['encrisp', 'pincers'], 'pinchbelly': ['bellypinch', 'pinchbelly'], 'pinche': ['phenic', 'pinche'], 'pincher': ['nephric', 'phrenic', 'pincher'], 'pincushion': ['nuncioship', 'pincushion'], 'pinda': ['pidan', 'pinda'], 'pindari': ['pindari', 'pridian'], 'pine': ['pien', 'pine'], 'pineal': ['alpine', 'nepali', 'penial', 'pineal'], 'pined': ['piend', 'pined'], 'piner': ['piner', 'prine', 'repin', 'ripen'], 'pinery': ['pernyi', 'pinery'], 'pingler': ['pingler', 'pringle'], 'pinhold': ['dolphin', 'pinhold'], 'pinhole': ['lophine', 'pinhole'], 'pinite': ['pinite', 'tiepin'], 'pinker': ['perkin', 'pinker'], 'pinking': ['kingpin', 'pinking'], 'pinkish': ['kinship', 'pinkish'], 'pinlock': ['lockpin', 'pinlock'], 'pinnacle': ['pannicle', 'pinnacle'], 'pinnae': ['nanpie', 'pennia', 'pinnae'], 'pinnate': ['piannet', 'pinnate'], 'pinnatopectinate': ['pectinatopinnate', 'pinnatopectinate'], 'pinnet': ['pinnet', 'tenpin'], 'pinnitarsal': ['intraspinal', 'pinnitarsal'], 'pinnotere': ['interpone', 'peritenon', 'pinnotere', 'preintone'], 'pinnothere': ['interphone', 'pinnothere'], 'pinnula': ['pinnula', 'unplain'], 'pinnulated': ['pennatulid', 'pinnulated'], 'pinochle': ['phenolic', 'pinochle'], 'pinole': ['pinole', 'pleion'], 'pinolia': ['apiolin', 'pinolia'], 'pinscher': ['phrenics', 'pinscher'], 'pinta': ['inapt', 'paint', 'pinta'], 'pintail': ['pintail', 'tailpin'], 'pintano': ['opinant', 'pintano'], 'pinte': ['inept', 'pinte'], 'pinto': ['pinto', 'point'], 'pintura': ['pintura', 'puritan', 'uptrain'], 'pinulus': ['lupinus', 'pinulus'], 'piny': ['piny', 'pyin'], 'pinyl': ['pinyl', 'pliny'], 'pioneer': ['pereion', 'pioneer'], 'pioted': ['pioted', 'podite'], 'pipa': ['paip', 'pipa'], 'pipal': ['palpi', 'pipal'], 'piperno': ['piperno', 'propine'], 'pique': ['equip', 'pique'], 'pir': ['pir', 'rip'], 'piracy': ['cypria', 'picary', 'piracy'], 'piranha': ['pharian', 'piranha'], 'piratess': ['piratess', 'serapist', 'tarsipes'], 'piratically': ['capillarity', 'piratically'], 'piraty': ['parity', 'piraty'], 'pirene': ['neiper', 'perine', 'pirene', 'repine'], 'pirssonite': ['pirssonite', 'trispinose'], 'pisaca': ['capias', 'pisaca'], 'pisan': ['pisan', 'sapin', 'spina'], 'pisanite': ['pianiste', 'pisanite'], 'piscation': ['panoistic', 'piscation'], 'piscatorial': ['paracolitis', 'piscatorial'], 'piscian': ['panisic', 'piscian', 'piscina', 'sinapic'], 'pisciferous': ['pisciferous', 'spiciferous'], 'pisciform': ['pisciform', 'spiciform'], 'piscina': ['panisic', 'piscian', 'piscina', 'sinapic'], 'pisco': ['copis', 'pisco'], 'pise': ['pise', 'sipe'], 'pish': ['pish', 'ship'], 'pisk': ['pisk', 'skip'], 'pisky': ['pisky', 'spiky'], 'pismire': ['pismire', 'primsie'], 'pisonia': ['pisonia', 'sinopia'], 'pist': ['pist', 'spit'], 'pistache': ['paschite', 'pastiche', 'pistache', 'scaphite'], 'pistacite': ['epistatic', 'pistacite'], 'pistareen': ['pistareen', 'sparteine'], 'pistillar': ['pillarist', 'pistillar'], 'pistillary': ['pistillary', 'spiritally'], 'pistle': ['pistle', 'stipel'], 'pistol': ['pistol', 'postil', 'spoilt'], 'pistoleer': ['epistoler', 'peristole', 'perseitol', 'pistoleer'], 'pit': ['pit', 'tip'], 'pita': ['atip', 'pita'], 'pitapat': ['apitpat', 'pitapat'], 'pitarah': ['pitarah', 'taphria'], 'pitcher': ['pitcher', 'repitch'], 'pitchout': ['outpitch', 'pitchout'], 'pitchy': ['phytic', 'pitchy', 'pythic', 'typhic'], 'pith': ['phit', 'pith'], 'pithecan': ['haptenic', 'pantheic', 'pithecan'], 'pithole': ['hoplite', 'pithole'], 'pithsome': ['mephisto', 'pithsome'], 'pitless': ['pitless', 'tipless'], 'pitman': ['pitman', 'tampin', 'tipman'], 'pittancer': ['crepitant', 'pittancer'], 'pittoid': ['pittoid', 'poditti'], 'pityroid': ['pityroid', 'pyritoid'], 'pivoter': ['overtip', 'pivoter'], 'placate': ['epactal', 'placate'], 'placation': ['pactional', 'pactolian', 'placation'], 'place': ['capel', 'place'], 'placebo': ['copable', 'placebo'], 'placentalia': ['analeptical', 'placentalia'], 'placentoma': ['complanate', 'placentoma'], 'placer': ['carpel', 'parcel', 'placer'], 'placode': ['lacepod', 'pedocal', 'placode'], 'placoid': ['placoid', 'podalic', 'podical'], 'placus': ['cuspal', 'placus'], 'plagionite': ['pigeontail', 'plagionite'], 'plague': ['plague', 'upgale'], 'plaguer': ['earplug', 'graupel', 'plaguer'], 'plaice': ['epical', 'piacle', 'plaice'], 'plaid': ['alpid', 'plaid'], 'plaidy': ['adipyl', 'plaidy'], 'plain': ['lipan', 'pinal', 'plain'], 'plainer': ['pearlin', 'plainer', 'praline'], 'plaint': ['plaint', 'pliant'], 'plaister': ['epistlar', 'pilaster', 'plaister', 'priestal'], 'plaited': ['plaited', 'taliped'], 'plaiter': ['partile', 'plaiter', 'replait'], 'planate': ['planate', 'planeta', 'plantae', 'platane'], 'planation': ['planation', 'platonian'], 'plancheite': ['elephantic', 'plancheite'], 'plane': ['alpen', 'nepal', 'panel', 'penal', 'plane'], 'planer': ['parnel', 'planer', 'replan'], 'planera': ['planera', 'preanal'], 'planet': ['pantle', 'planet', 'platen'], 'planeta': ['planate', 'planeta', 'plantae', 'platane'], 'planetabler': ['planetabler', 'replantable'], 'planetaria': ['parentalia', 'planetaria'], 'planetoid': ['pelidnota', 'planetoid'], 'planity': ['inaptly', 'planity', 'ptyalin'], 'planker': ['planker', 'prankle'], 'planta': ['planta', 'platan'], 'plantae': ['planate', 'planeta', 'plantae', 'platane'], 'planter': ['pantler', 'planter', 'replant'], 'plap': ['lapp', 'palp', 'plap'], 'plasher': ['plasher', 'spheral'], 'plasm': ['plasm', 'psalm', 'slamp'], 'plasma': ['lampas', 'plasma'], 'plasmation': ['aminoplast', 'plasmation'], 'plasmic': ['plasmic', 'psalmic'], 'plasmode': ['malposed', 'plasmode'], 'plasmodial': ['plasmodial', 'psalmodial'], 'plasmodic': ['plasmodic', 'psalmodic'], 'plasson': ['plasson', 'sponsal'], 'plastein': ['panelist', 'pantelis', 'penalist', 'plastein'], 'plaster': ['palster', 'persalt', 'plaster', 'psalter', 'spartle', 'stapler'], 'plasterer': ['plasterer', 'replaster'], 'plastery': ['plastery', 'psaltery'], 'plasticine': ['cisplatine', 'plasticine'], 'plastidome': ['plastidome', 'postmedial'], 'plastinoid': ['palinodist', 'plastinoid'], 'plastochrone': ['phrenocostal', 'plastochrone'], 'plat': ['palt', 'plat'], 'plataean': ['panatela', 'plataean'], 'platan': ['planta', 'platan'], 'platane': ['planate', 'planeta', 'plantae', 'platane'], 'plate': ['leapt', 'palet', 'patel', 'pelta', 'petal', 'plate', 'pleat', 'tepal'], 'platea': ['aletap', 'palate', 'platea'], 'plateless': ['petalless', 'plateless', 'pleatless'], 'platelet': ['pallette', 'platelet'], 'platelike': ['petallike', 'platelike'], 'platen': ['pantle', 'planet', 'platen'], 'plater': ['palter', 'plater'], 'platerer': ['palterer', 'platerer'], 'platery': ['apertly', 'peartly', 'platery', 'pteryla', 'taperly'], 'platine': ['pantile', 'pentail', 'platine', 'talpine'], 'platinochloric': ['chloroplatinic', 'platinochloric'], 'platinous': ['platinous', 'pulsation'], 'platode': ['platode', 'tadpole'], 'platoid': ['platoid', 'talpoid'], 'platonian': ['planation', 'platonian'], 'platter': ['partlet', 'platter', 'prattle'], 'platy': ['aptly', 'patly', 'platy', 'typal'], 'platynite': ['patiently', 'platynite'], 'platysternal': ['platysternal', 'transeptally'], 'plaud': ['dupla', 'plaud'], 'plaustral': ['palustral', 'plaustral'], 'play': ['paly', 'play', 'pyal', 'pyla'], 'playa': ['palay', 'playa'], 'player': ['parley', 'pearly', 'player', 'replay'], 'playgoer': ['playgoer', 'pylagore'], 'playroom': ['myopolar', 'playroom'], 'plea': ['leap', 'lepa', 'pale', 'peal', 'plea'], 'pleach': ['chapel', 'lepcha', 'pleach'], 'plead': ['padle', 'paled', 'pedal', 'plead'], 'pleader': ['pearled', 'pedaler', 'pleader', 'replead'], 'please': ['asleep', 'elapse', 'please'], 'pleaser': ['pleaser', 'preseal', 'relapse'], 'pleasure': ['pleasure', 'serpulae'], 'pleasurer': ['pleasurer', 'reperusal'], 'pleasurous': ['asperulous', 'pleasurous'], 'pleat': ['leapt', 'palet', 'patel', 'pelta', 'petal', 'plate', 'pleat', 'tepal'], 'pleater': ['pearlet', 'pleater', 'prelate', 'ptereal', 'replate', 'repleat'], 'pleatless': ['petalless', 'plateless', 'pleatless'], 'plectre': ['plectre', 'prelect'], 'pleion': ['pinole', 'pleion'], 'pleionian': ['opalinine', 'pleionian'], 'plenilunar': ['plenilunar', 'plurennial'], 'plenty': ['pentyl', 'plenty'], 'pleomorph': ['pleomorph', 'prophloem'], 'pleon': ['pelon', 'pleon'], 'pleonal': ['pallone', 'pleonal'], 'pleonasm': ['neoplasm', 'pleonasm', 'polesman', 'splenoma'], 'pleonast': ['lapstone', 'pleonast'], 'pleonastic': ['neoplastic', 'pleonastic'], 'pleroma': ['leproma', 'palermo', 'pleroma', 'polearm'], 'plerosis': ['leprosis', 'plerosis'], 'plerotic': ['petrolic', 'plerotic'], 'plessor': ['plessor', 'preloss'], 'plethora': ['plethora', 'traphole'], 'plethoric': ['phloretic', 'plethoric'], 'pleura': ['epural', 'perula', 'pleura'], 'pleuric': ['luperci', 'pleuric'], 'pleuropericardial': ['pericardiopleural', 'pleuropericardial'], 'pleurotoma': ['pleurotoma', 'tropaeolum'], 'pleurovisceral': ['pleurovisceral', 'visceropleural'], 'pliancy': ['pliancy', 'pycnial'], 'pliant': ['plaint', 'pliant'], 'plica': ['pical', 'plica'], 'plicately': ['callitype', 'plicately'], 'plicater': ['particle', 'plicater', 'prelatic'], 'plicator': ['plicator', 'tropical'], 'plied': ['piled', 'plied'], 'plier': ['peril', 'piler', 'plier'], 'pliers': ['lisper', 'pliers', 'sirple', 'spiler'], 'plies': ['piles', 'plies', 'slipe', 'spiel', 'spile'], 'plighter': ['plighter', 'replight'], 'plim': ['limp', 'pilm', 'plim'], 'pliny': ['pinyl', 'pliny'], 'pliosaur': ['liparous', 'pliosaur'], 'pliosauridae': ['lepidosauria', 'pliosauridae'], 'ploceidae': ['adipocele', 'cepolidae', 'ploceidae'], 'ploceus': ['culpose', 'ploceus', 'upclose'], 'plodder': ['plodder', 'proddle'], 'ploima': ['lipoma', 'pimola', 'ploima'], 'ploration': ['ploration', 'portional', 'prolation'], 'plot': ['plot', 'polt'], 'plotful': ['plotful', 'topfull'], 'plotted': ['plotted', 'pottled'], 'plotter': ['plotter', 'portlet'], 'plousiocracy': ['plousiocracy', 'procaciously'], 'plout': ['plout', 'pluto', 'poult'], 'plouter': ['plouter', 'poulter'], 'plovery': ['overply', 'plovery'], 'plower': ['plower', 'replow'], 'ploy': ['ploy', 'poly'], 'plucker': ['plucker', 'puckrel'], 'plug': ['gulp', 'plug'], 'plum': ['lump', 'plum'], 'pluma': ['ampul', 'pluma'], 'plumbagine': ['impugnable', 'plumbagine'], 'plumbic': ['plumbic', 'upclimb'], 'plumed': ['dumple', 'plumed'], 'plumeous': ['eumolpus', 'plumeous'], 'plumer': ['lumper', 'plumer', 'replum', 'rumple'], 'plumet': ['lumpet', 'plumet'], 'pluminess': ['lumpiness', 'pluminess'], 'plumy': ['lumpy', 'plumy'], 'plunderer': ['plunderer', 'replunder'], 'plunge': ['plunge', 'pungle'], 'plup': ['plup', 'pulp'], 'plurennial': ['plenilunar', 'plurennial'], 'pluriseptate': ['perpetualist', 'pluriseptate'], 'plutean': ['plutean', 'unpetal', 'unpleat'], 'pluteus': ['pluteus', 'pustule'], 'pluto': ['plout', 'pluto', 'poult'], 'pluvine': ['pluvine', 'vulpine'], 'plyer': ['plyer', 'reply'], 'pneumatophony': ['pneumatophony', 'pneumonopathy'], 'pneumohemothorax': ['hemopneumothorax', 'pneumohemothorax'], 'pneumohydropericardium': ['hydropneumopericardium', 'pneumohydropericardium'], 'pneumohydrothorax': ['hydropneumothorax', 'pneumohydrothorax'], 'pneumonopathy': ['pneumatophony', 'pneumonopathy'], 'pneumopyothorax': ['pneumopyothorax', 'pyopneumothorax'], 'poach': ['chopa', 'phoca', 'poach'], 'poachy': ['poachy', 'pochay'], 'poales': ['aslope', 'poales'], 'pob': ['bop', 'pob'], 'pochay': ['poachy', 'pochay'], 'poche': ['epoch', 'poche'], 'pocketer': ['pocketer', 'repocket'], 'poco': ['coop', 'poco'], 'pocosin': ['opsonic', 'pocosin'], 'poculation': ['copulation', 'poculation'], 'pod': ['dop', 'pod'], 'podalic': ['placoid', 'podalic', 'podical'], 'podarthritis': ['podarthritis', 'traditorship'], 'podial': ['podial', 'poliad'], 'podical': ['placoid', 'podalic', 'podical'], 'podiceps': ['podiceps', 'scopiped'], 'podite': ['pioted', 'podite'], 'poditti': ['pittoid', 'poditti'], 'podler': ['podler', 'polder', 'replod'], 'podley': ['deploy', 'podley'], 'podobranchia': ['branchiopoda', 'podobranchia'], 'podocephalous': ['cephalopodous', 'podocephalous'], 'podophyllous': ['phyllopodous', 'podophyllous'], 'podoscaph': ['podoscaph', 'scaphopod'], 'podostomata': ['podostomata', 'stomatopoda'], 'podostomatous': ['podostomatous', 'stomatopodous'], 'podotheca': ['chaetopod', 'podotheca'], 'podura': ['podura', 'uproad'], 'poduran': ['pandour', 'poduran'], 'poe': ['ope', 'poe'], 'poem': ['mope', 'poem', 'pome'], 'poemet': ['metope', 'poemet'], 'poemlet': ['leptome', 'poemlet'], 'poesy': ['poesy', 'posey', 'sepoy'], 'poet': ['peto', 'poet', 'pote', 'tope'], 'poetastrical': ['poetastrical', 'spectatorial'], 'poetical': ['copalite', 'poetical'], 'poeticism': ['impeticos', 'poeticism'], 'poetics': ['poetics', 'septoic'], 'poetly': ['peyotl', 'poetly'], 'poetryless': ['poetryless', 'presystole'], 'pogo': ['goop', 'pogo'], 'poh': ['hop', 'pho', 'poh'], 'poha': ['opah', 'paho', 'poha'], 'pohna': ['phano', 'pohna'], 'poiana': ['anopia', 'aponia', 'poiana'], 'poietic': ['epiotic', 'poietic'], 'poimenic': ['mincopie', 'poimenic'], 'poinder': ['poinder', 'ponerid'], 'point': ['pinto', 'point'], 'pointel': ['pointel', 'pontile', 'topline'], 'pointer': ['pointer', 'protein', 'pterion', 'repoint', 'tropine'], 'pointlet': ['pentitol', 'pointlet'], 'pointrel': ['pointrel', 'terpinol'], 'poisonless': ['poisonless', 'solenopsis'], 'poker': ['poker', 'proke'], 'pol': ['lop', 'pol'], 'polab': ['pablo', 'polab'], 'polacre': ['capreol', 'polacre'], 'polander': ['polander', 'ponderal', 'prenodal'], 'polar': ['parol', 'polar', 'poral', 'proal'], 'polarid': ['dipolar', 'polarid'], 'polarimetry': ['polarimetry', 'premorality', 'temporarily'], 'polaristic': ['polaristic', 'poristical', 'saprolitic'], 'polarly': ['payroll', 'polarly'], 'polder': ['podler', 'polder', 'replod'], 'pole': ['lope', 'olpe', 'pole'], 'polearm': ['leproma', 'palermo', 'pleroma', 'polearm'], 'polecat': ['pacolet', 'polecat'], 'polemic': ['compile', 'polemic'], 'polemics': ['clipsome', 'polemics'], 'polemist': ['milepost', 'polemist'], 'polenta': ['lepanto', 'nepotal', 'petalon', 'polenta'], 'poler': ['loper', 'poler'], 'polesman': ['neoplasm', 'pleonasm', 'polesman', 'splenoma'], 'polestar': ['petrosal', 'polestar'], 'poliad': ['podial', 'poliad'], 'polianite': ['epilation', 'polianite'], 'policyholder': ['policyholder', 'polychloride'], 'polio': ['polio', 'pooli'], 'polis': ['polis', 'spoil'], 'polished': ['depolish', 'polished'], 'polisher': ['polisher', 'repolish'], 'polistes': ['polistes', 'telopsis'], 'politarch': ['carpolith', 'politarch', 'trophical'], 'politicly': ['lipolytic', 'politicly'], 'politics': ['colpitis', 'politics', 'psilotic'], 'polk': ['klop', 'polk'], 'pollenite': ['pellotine', 'pollenite'], 'poller': ['poller', 'repoll'], 'pollinate': ['pellation', 'pollinate'], 'polo': ['loop', 'polo', 'pool'], 'poloist': ['loopist', 'poloist', 'topsoil'], 'polonia': ['apionol', 'polonia'], 'polos': ['polos', 'sloop', 'spool'], 'polt': ['plot', 'polt'], 'poly': ['ploy', 'poly'], 'polyacid': ['polyacid', 'polyadic'], 'polyactinal': ['pactionally', 'polyactinal'], 'polyadic': ['polyacid', 'polyadic'], 'polyarchist': ['chiroplasty', 'polyarchist'], 'polychloride': ['policyholder', 'polychloride'], 'polychroism': ['polychroism', 'polyorchism'], 'polycitral': ['polycitral', 'tropically'], 'polycodium': ['lycopodium', 'polycodium'], 'polycotyl': ['collotypy', 'polycotyl'], 'polyeidic': ['polyeidic', 'polyideic'], 'polyeidism': ['polyeidism', 'polyideism'], 'polyester': ['polyester', 'proselyte'], 'polygamodioecious': ['dioeciopolygamous', 'polygamodioecious'], 'polyhalite': ['paleolithy', 'polyhalite', 'polythelia'], 'polyideic': ['polyeidic', 'polyideic'], 'polyideism': ['polyeidism', 'polyideism'], 'polymastic': ['myoplastic', 'polymastic'], 'polymasty': ['myoplasty', 'polymasty'], 'polymere': ['employer', 'polymere'], 'polymeric': ['micropyle', 'polymeric'], 'polymetochia': ['homeotypical', 'polymetochia'], 'polymnia': ['olympian', 'polymnia'], 'polymyodi': ['polymyodi', 'polymyoid'], 'polymyoid': ['polymyodi', 'polymyoid'], 'polyorchism': ['polychroism', 'polyorchism'], 'polyp': ['loppy', 'polyp'], 'polyphemian': ['lymphopenia', 'polyphemian'], 'polyphonist': ['polyphonist', 'psilophyton'], 'polypite': ['lipotype', 'polypite'], 'polyprene': ['polyprene', 'propylene'], 'polypterus': ['polypterus', 'suppletory'], 'polysomitic': ['myocolpitis', 'polysomitic'], 'polyspore': ['polyspore', 'prosopyle'], 'polythelia': ['paleolithy', 'polyhalite', 'polythelia'], 'polythene': ['polythene', 'telephony'], 'polyuric': ['croupily', 'polyuric'], 'pom': ['mop', 'pom'], 'pomade': ['apedom', 'pomade'], 'pomane': ['mopane', 'pomane'], 'pome': ['mope', 'poem', 'pome'], 'pomeranian': ['pomeranian', 'praenomina'], 'pomerium': ['emporium', 'pomerium', 'proemium'], 'pomey': ['myope', 'pomey'], 'pomo': ['moop', 'pomo'], 'pomonal': ['lampoon', 'pomonal'], 'pompilus': ['pimplous', 'pompilus', 'populism'], 'pomster': ['pomster', 'stomper'], 'ponca': ['capon', 'ponca'], 'ponce': ['copen', 'ponce'], 'ponchoed': ['chenopod', 'ponchoed'], 'poncirus': ['coprinus', 'poncirus'], 'ponderal': ['polander', 'ponderal', 'prenodal'], 'ponderate': ['ponderate', 'predonate'], 'ponderation': ['ponderation', 'predonation'], 'ponderer': ['ponderer', 'reponder'], 'pondfish': ['fishpond', 'pondfish'], 'pone': ['nope', 'open', 'peon', 'pone'], 'ponerid': ['poinder', 'ponerid'], 'poneroid': ['poneroid', 'porodine'], 'poney': ['peony', 'poney'], 'ponica': ['aponic', 'ponica'], 'ponier': ['opiner', 'orpine', 'ponier'], 'pontederia': ['pontederia', 'proteidean'], 'pontee': ['nepote', 'pontee', 'poteen'], 'pontes': ['pontes', 'posnet'], 'ponticular': ['ponticular', 'untropical'], 'pontificalia': ['palification', 'pontificalia'], 'pontile': ['pointel', 'pontile', 'topline'], 'pontonier': ['entropion', 'pontonier', 'prenotion'], 'pontus': ['pontus', 'unspot', 'unstop'], 'pooch': ['choop', 'pooch'], 'pooh': ['hoop', 'phoo', 'pooh'], 'pooka': ['oopak', 'pooka'], 'pool': ['loop', 'polo', 'pool'], 'pooler': ['looper', 'pooler'], 'pooli': ['polio', 'pooli'], 'pooly': ['loopy', 'pooly'], 'poon': ['noop', 'poon'], 'poonac': ['acopon', 'poonac'], 'poonga': ['apogon', 'poonga'], 'poor': ['poor', 'proo'], 'poot': ['poot', 'toop', 'topo'], 'pope': ['pepo', 'pope'], 'popeler': ['peopler', 'popeler'], 'popery': ['popery', 'pyrope'], 'popgun': ['oppugn', 'popgun'], 'popian': ['oppian', 'papion', 'popian'], 'popish': ['popish', 'shippo'], 'popliteal': ['papillote', 'popliteal'], 'poppel': ['poppel', 'popple'], 'popple': ['poppel', 'popple'], 'populism': ['pimplous', 'pompilus', 'populism'], 'populus': ['populus', 'pulpous'], 'poral': ['parol', 'polar', 'poral', 'proal'], 'porcate': ['coperta', 'pectora', 'porcate'], 'porcelain': ['oliprance', 'porcelain'], 'porcelanite': ['porcelanite', 'praelection'], 'porcula': ['copular', 'croupal', 'cupolar', 'porcula'], 'pore': ['pore', 'rope'], 'pored': ['doper', 'pedro', 'pored'], 'porelike': ['porelike', 'ropelike'], 'porer': ['porer', 'prore', 'roper'], 'porge': ['grope', 'porge'], 'porger': ['groper', 'porger'], 'poriness': ['poriness', 'pression', 'ropiness'], 'poring': ['poring', 'roping'], 'poristical': ['polaristic', 'poristical', 'saprolitic'], 'porites': ['periost', 'porites', 'reposit', 'riposte'], 'poritidae': ['poritidae', 'triopidae'], 'porker': ['porker', 'proker'], 'pornerastic': ['cotranspire', 'pornerastic'], 'porodine': ['poneroid', 'porodine'], 'poros': ['poros', 'proso', 'sopor', 'spoor'], 'porosity': ['isotropy', 'porosity'], 'porotic': ['porotic', 'portico'], 'porpentine': ['porpentine', 'prepontine'], 'porphine': ['hornpipe', 'porphine'], 'porphyrous': ['porphyrous', 'pyrophorus'], 'porrection': ['correption', 'porrection'], 'porret': ['porret', 'porter', 'report', 'troper'], 'porta': ['aport', 'parto', 'porta'], 'portail': ['portail', 'toprail'], 'portal': ['patrol', 'portal', 'tropal'], 'portance': ['coparent', 'portance'], 'ported': ['deport', 'ported', 'redtop'], 'portend': ['portend', 'protend'], 'porteno': ['porteno', 'protone'], 'portension': ['portension', 'protension'], 'portent': ['portent', 'torpent'], 'portentous': ['notopterus', 'portentous'], 'porter': ['porret', 'porter', 'report', 'troper'], 'porterage': ['porterage', 'reportage'], 'portership': ['portership', 'pretorship'], 'portfire': ['portfire', 'profiter'], 'portia': ['portia', 'tapiro'], 'portico': ['porotic', 'portico'], 'portify': ['portify', 'torpify'], 'portional': ['ploration', 'portional', 'prolation'], 'portioner': ['portioner', 'reportion'], 'portlet': ['plotter', 'portlet'], 'portly': ['portly', 'protyl', 'tropyl'], 'porto': ['porto', 'proto', 'troop'], 'portoise': ['isotrope', 'portoise'], 'portolan': ['portolan', 'pronotal'], 'portor': ['portor', 'torpor'], 'portray': ['parroty', 'portray', 'tropary'], 'portrayal': ['parlatory', 'portrayal'], 'portside': ['dipteros', 'portside'], 'portsider': ['portsider', 'postrider'], 'portunidae': ['depuration', 'portunidae'], 'portunus': ['outspurn', 'portunus'], 'pory': ['pory', 'pyro', 'ropy'], 'posca': ['posca', 'scopa'], 'pose': ['epos', 'peso', 'pose', 'sope'], 'poser': ['poser', 'prose', 'ropes', 'spore'], 'poseur': ['poseur', 'pouser', 'souper', 'uprose'], 'posey': ['poesy', 'posey', 'sepoy'], 'posh': ['phos', 'posh', 'shop', 'soph'], 'posingly': ['posingly', 'spongily'], 'position': ['position', 'sopition'], 'positional': ['positional', 'spoilation', 'spoliation'], 'positioned': ['deposition', 'positioned'], 'positioner': ['positioner', 'reposition'], 'positron': ['notropis', 'positron', 'sorption'], 'positum': ['positum', 'utopism'], 'posnet': ['pontes', 'posnet'], 'posse': ['posse', 'speos'], 'possessioner': ['possessioner', 'repossession'], 'post': ['post', 'spot', 'stop', 'tops'], 'postage': ['gestapo', 'postage'], 'postaortic': ['parostotic', 'postaortic'], 'postdate': ['despotat', 'postdate'], 'posted': ['despot', 'posted'], 'posteen': ['pentose', 'posteen'], 'poster': ['poster', 'presto', 'repost', 'respot', 'stoper'], 'posterial': ['posterial', 'saprolite'], 'posterior': ['posterior', 'repositor'], 'posterish': ['posterish', 'prothesis', 'sophister', 'storeship', 'tephrosis'], 'posteroinferior': ['inferoposterior', 'posteroinferior'], 'posterosuperior': ['posterosuperior', 'superoposterior'], 'postgenial': ['postgenial', 'spangolite'], 'posthaste': ['posthaste', 'tosephtas'], 'postic': ['copist', 'coptis', 'optics', 'postic'], 'postical': ['postical', 'slipcoat'], 'postil': ['pistol', 'postil', 'spoilt'], 'posting': ['posting', 'stoping'], 'postischial': ['postischial', 'sophistical'], 'postless': ['postless', 'spotless', 'stopless'], 'postlike': ['postlike', 'spotlike'], 'postman': ['postman', 'topsman'], 'postmedial': ['plastidome', 'postmedial'], 'postnaris': ['postnaris', 'sopranist'], 'postnominal': ['monoplanist', 'postnominal'], 'postrider': ['portsider', 'postrider'], 'postsacral': ['postsacral', 'sarcoplast'], 'postsign': ['postsign', 'signpost'], 'postthoracic': ['octastrophic', 'postthoracic'], 'postulata': ['autoplast', 'postulata'], 'postural': ['postural', 'pulsator', 'sportula'], 'posture': ['petrous', 'posture', 'proetus', 'proteus', 'septuor', 'spouter'], 'posturer': ['posturer', 'resprout', 'sprouter'], 'postuterine': ['postuterine', 'pretentious'], 'postwar': ['postwar', 'sapwort'], 'postward': ['drawstop', 'postward'], 'postwoman': ['postwoman', 'womanpost'], 'posy': ['opsy', 'posy'], 'pot': ['opt', 'pot', 'top'], 'potable': ['optable', 'potable'], 'potableness': ['optableness', 'potableness'], 'potash': ['pashto', 'pathos', 'potash'], 'potass': ['potass', 'topass'], 'potate': ['aptote', 'optate', 'potate', 'teapot'], 'potation': ['optation', 'potation'], 'potative': ['optative', 'potative'], 'potator': ['potator', 'taproot'], 'pote': ['peto', 'poet', 'pote', 'tope'], 'poteen': ['nepote', 'pontee', 'poteen'], 'potential': ['peltation', 'potential'], 'poter': ['poter', 'prote', 'repot', 'tepor', 'toper', 'trope'], 'poteye': ['peyote', 'poteye'], 'pothouse': ['housetop', 'pothouse'], 'poticary': ['cyrtopia', 'poticary'], 'potifer': ['firetop', 'potifer'], 'potion': ['option', 'potion'], 'potlatch': ['potlatch', 'tolpatch'], 'potlike': ['kitlope', 'potlike', 'toplike'], 'potmaker': ['potmaker', 'topmaker'], 'potmaking': ['potmaking', 'topmaking'], 'potman': ['potman', 'tampon', 'topman'], 'potometer': ['optometer', 'potometer'], 'potstick': ['potstick', 'tipstock'], 'potstone': ['potstone', 'topstone'], 'pottled': ['plotted', 'pottled'], 'pouce': ['coupe', 'pouce'], 'poucer': ['couper', 'croupe', 'poucer', 'recoup'], 'pouch': ['choup', 'pouch'], 'poulpe': ['poulpe', 'pupelo'], 'poult': ['plout', 'pluto', 'poult'], 'poulter': ['plouter', 'poulter'], 'poultice': ['epulotic', 'poultice'], 'pounce': ['pounce', 'uncope'], 'pounder': ['pounder', 'repound', 'unroped'], 'pour': ['pour', 'roup'], 'pourer': ['pourer', 'repour', 'rouper'], 'pouser': ['poseur', 'pouser', 'souper', 'uprose'], 'pout': ['pout', 'toup'], 'pouter': ['pouter', 'roupet', 'troupe'], 'pow': ['pow', 'wop'], 'powder': ['powder', 'prowed'], 'powderer': ['powderer', 'repowder'], 'powerful': ['powerful', 'upflower'], 'praam': ['param', 'parma', 'praam'], 'practitional': ['antitropical', 'practitional'], 'prad': ['pard', 'prad'], 'pradeep': ['papered', 'pradeep'], 'praecox': ['exocarp', 'praecox'], 'praelabrum': ['praelabrum', 'preambular'], 'praelection': ['porcelanite', 'praelection'], 'praelector': ['praelector', 'receptoral'], 'praenomina': ['pomeranian', 'praenomina'], 'praepostor': ['praepostor', 'pterospora'], 'praesphenoid': ['nephropsidae', 'praesphenoid'], 'praetor': ['praetor', 'prorate'], 'praetorian': ['praetorian', 'reparation'], 'praise': ['aspire', 'paries', 'praise', 'sirpea', 'spirea'], 'praiser': ['aspirer', 'praiser', 'serpari'], 'praising': ['aspiring', 'praising', 'singarip'], 'praisingly': ['aspiringly', 'praisingly'], 'praline': ['pearlin', 'plainer', 'praline'], 'pram': ['pram', 'ramp'], 'prandial': ['diplanar', 'prandial'], 'prankle': ['planker', 'prankle'], 'prase': ['asper', 'parse', 'prase', 'spaer', 'spare', 'spear'], 'praseolite': ['periosteal', 'praseolite'], 'prasine': ['persian', 'prasine', 'saprine'], 'prasinous': ['prasinous', 'psaronius'], 'prasoid': ['prasoid', 'sparoid'], 'prasophagous': ['prasophagous', 'saprophagous'], 'prat': ['part', 'prat', 'rapt', 'tarp', 'trap'], 'prate': ['apert', 'pater', 'peart', 'prate', 'taper', 'terap'], 'prater': ['parter', 'prater'], 'pratey': ['petary', 'pratey'], 'pratfall': ['pratfall', 'trapfall'], 'pratincoline': ['nonpearlitic', 'pratincoline'], 'pratincolous': ['patroclinous', 'pratincolous'], 'prattle': ['partlet', 'platter', 'prattle'], 'prau': ['prau', 'rupa'], 'prawner': ['prawner', 'prewarn'], 'prayer': ['prayer', 'repray'], 'preach': ['aperch', 'eparch', 'percha', 'preach'], 'preacher': ['preacher', 'repreach'], 'preaching': ['engraphic', 'preaching'], 'preachman': ['marchpane', 'preachman'], 'preachy': ['eparchy', 'preachy'], 'preacid': ['epacrid', 'peracid', 'preacid'], 'preact': ['carpet', 'peract', 'preact'], 'preaction': ['preaction', 'precation', 'recaption'], 'preactive': ['preactive', 'precative'], 'preactively': ['preactively', 'precatively'], 'preacute': ['peracute', 'preacute'], 'preadmonition': ['demipronation', 'preadmonition', 'predomination'], 'preadorn': ['pardoner', 'preadorn'], 'preadventure': ['peradventure', 'preadventure'], 'preallably': ['ballplayer', 'preallably'], 'preallow': ['preallow', 'walloper'], 'preamble': ['peramble', 'preamble'], 'preambular': ['praelabrum', 'preambular'], 'preambulate': ['perambulate', 'preambulate'], 'preambulation': ['perambulation', 'preambulation'], 'preambulatory': ['perambulatory', 'preambulatory'], 'preanal': ['planera', 'preanal'], 'prearm': ['prearm', 'ramper'], 'preascitic': ['accipitres', 'preascitic'], 'preauditory': ['preauditory', 'repudiatory'], 'prebacillary': ['bicarpellary', 'prebacillary'], 'prebasal': ['parsable', 'prebasal', 'sparable'], 'prebend': ['perbend', 'prebend'], 'prebeset': ['bepester', 'prebeset'], 'prebid': ['bedrip', 'prebid'], 'precant': ['carpent', 'precant'], 'precantation': ['actinopteran', 'precantation'], 'precast': ['precast', 'spectra'], 'precation': ['preaction', 'precation', 'recaption'], 'precative': ['preactive', 'precative'], 'precatively': ['preactively', 'precatively'], 'precaution': ['precaution', 'unoperatic'], 'precautional': ['inoperculata', 'precautional'], 'precedable': ['deprecable', 'precedable'], 'preceder': ['preceder', 'precreed'], 'precent': ['percent', 'precent'], 'precept': ['percept', 'precept'], 'preception': ['perception', 'preception'], 'preceptive': ['perceptive', 'preceptive'], 'preceptively': ['perceptively', 'preceptively'], 'preceptual': ['perceptual', 'preceptual'], 'preceptually': ['perceptually', 'preceptually'], 'prechloric': ['perchloric', 'prechloric'], 'prechoose': ['prechoose', 'rheoscope'], 'precipitate': ['peripatetic', 'precipitate'], 'precipitator': ['precipitator', 'prepatriotic'], 'precis': ['crepis', 'cripes', 'persic', 'precis', 'spicer'], 'precise': ['precise', 'scripee'], 'precisian': ['periscian', 'precisian'], 'precision': ['coinspire', 'precision'], 'precitation': ['actinopteri', 'crepitation', 'precitation'], 'precite': ['ereptic', 'precite', 'receipt'], 'precited': ['decrepit', 'depicter', 'precited'], 'preclose': ['perclose', 'preclose'], 'preclusion': ['perculsion', 'preclusion'], 'preclusive': ['perculsive', 'preclusive'], 'precoil': ['peloric', 'precoil'], 'precompound': ['percompound', 'precompound'], 'precondense': ['precondense', 'respondence'], 'preconnubial': ['preconnubial', 'pronunciable'], 'preconsole': ['necropoles', 'preconsole'], 'preconsultor': ['preconsultor', 'supercontrol'], 'precontest': ['precontest', 'torpescent'], 'precopy': ['coppery', 'precopy'], 'precostal': ['ceroplast', 'precostal'], 'precredit': ['precredit', 'predirect', 'repredict'], 'precreditor': ['precreditor', 'predirector'], 'precreed': ['preceder', 'precreed'], 'precurrent': ['percurrent', 'precurrent'], 'precursory': ['percursory', 'precursory'], 'precyst': ['precyst', 'sceptry', 'spectry'], 'predata': ['adapter', 'predata', 'readapt'], 'predate': ['padtree', 'predate', 'tapered'], 'predatism': ['predatism', 'spermatid'], 'predative': ['deprivate', 'predative'], 'predator': ['predator', 'protrade', 'teardrop'], 'preday': ['pedary', 'preday'], 'predealer': ['predealer', 'repleader'], 'predecree': ['creepered', 'predecree'], 'predefect': ['perfected', 'predefect'], 'predeication': ['depreciation', 'predeication'], 'prederive': ['prederive', 'redeprive'], 'predespair': ['disprepare', 'predespair'], 'predestine': ['predestine', 'presidente'], 'predetail': ['pedaliter', 'predetail'], 'predevotion': ['overpointed', 'predevotion'], 'predial': ['pedrail', 'predial'], 'prediastolic': ['prediastolic', 'psiloceratid'], 'predication': ['predication', 'procidentia'], 'predictory': ['cryptodire', 'predictory'], 'predirect': ['precredit', 'predirect', 'repredict'], 'predirector': ['precreditor', 'predirector'], 'prediscretion': ['prediscretion', 'redescription'], 'predislike': ['predislike', 'spiderlike'], 'predivinable': ['indeprivable', 'predivinable'], 'predominate': ['pentameroid', 'predominate'], 'predomination': ['demipronation', 'preadmonition', 'predomination'], 'predonate': ['ponderate', 'predonate'], 'predonation': ['ponderation', 'predonation'], 'predoubter': ['predoubter', 'preobtrude'], 'predrive': ['depriver', 'predrive'], 'preen': ['neper', 'preen', 'repen'], 'prefactor': ['aftercrop', 'prefactor'], 'prefator': ['forepart', 'prefator'], 'prefavorite': ['perforative', 'prefavorite'], 'prefect': ['perfect', 'prefect'], 'prefectly': ['perfectly', 'prefectly'], 'prefervid': ['perfervid', 'prefervid'], 'prefiction': ['prefiction', 'proficient'], 'prefoliation': ['perfoliation', 'prefoliation'], 'preform': ['perform', 'preform'], 'preformant': ['performant', 'preformant'], 'preformative': ['performative', 'preformative'], 'preformism': ['misperform', 'preformism'], 'pregainer': ['peregrina', 'pregainer'], 'prehandicap': ['handicapper', 'prehandicap'], 'prehaps': ['perhaps', 'prehaps'], 'prehazard': ['perhazard', 'prehazard'], 'preheal': ['preheal', 'rephael'], 'preheat': ['haptere', 'preheat'], 'preheated': ['heartdeep', 'preheated'], 'prehension': ['hesperinon', 'prehension'], 'prehnite': ['nephrite', 'prehnite', 'trephine'], 'prehnitic': ['nephritic', 'phrenitic', 'prehnitic'], 'prehuman': ['prehuman', 'unhamper'], 'preimpose': ['perispome', 'preimpose'], 'preindicate': ['parenticide', 'preindicate'], 'preinduce': ['preinduce', 'unpierced'], 'preintone': ['interpone', 'peritenon', 'pinnotere', 'preintone'], 'prelabrum': ['prelabrum', 'prelumbar'], 'prelacteal': ['carpellate', 'parcellate', 'prelacteal'], 'prelate': ['pearlet', 'pleater', 'prelate', 'ptereal', 'replate', 'repleat'], 'prelatehood': ['heteropodal', 'prelatehood'], 'prelatic': ['particle', 'plicater', 'prelatic'], 'prelatical': ['capitellar', 'prelatical'], 'prelation': ['prelation', 'rantipole'], 'prelatism': ['palmister', 'prelatism'], 'prelease': ['eelspear', 'prelease'], 'prelect': ['plectre', 'prelect'], 'prelection': ['perlection', 'prelection'], 'prelim': ['limper', 'prelim', 'rimple'], 'prelingual': ['perlingual', 'prelingual'], 'prelocate': ['percolate', 'prelocate'], 'preloss': ['plessor', 'preloss'], 'preludial': ['dipleural', 'preludial'], 'prelumbar': ['prelabrum', 'prelumbar'], 'prelusion': ['prelusion', 'repulsion'], 'prelusive': ['prelusive', 'repulsive'], 'prelusively': ['prelusively', 'repulsively'], 'prelusory': ['prelusory', 'repulsory'], 'premate': ['premate', 'tempera'], 'premedia': ['epiderma', 'premedia'], 'premedial': ['epidermal', 'impleader', 'premedial'], 'premedication': ['pedometrician', 'premedication'], 'premenace': ['permeance', 'premenace'], 'premerit': ['premerit', 'preremit', 'repermit'], 'premial': ['impaler', 'impearl', 'lempira', 'premial'], 'premiant': ['imperant', 'pairment', 'partimen', 'premiant', 'tripeman'], 'premiate': ['imperate', 'premiate'], 'premier': ['premier', 'reprime'], 'premious': ['imposure', 'premious'], 'premise': ['emprise', 'imprese', 'premise', 'spireme'], 'premiss': ['impress', 'persism', 'premiss'], 'premixture': ['permixture', 'premixture'], 'premodel': ['leperdom', 'premodel'], 'premolar': ['premolar', 'premoral'], 'premold': ['meldrop', 'premold'], 'premonetary': ['premonetary', 'pyranometer'], 'premoral': ['premolar', 'premoral'], 'premorality': ['polarimetry', 'premorality', 'temporarily'], 'premosaic': ['paroecism', 'premosaic'], 'premover': ['premover', 'prevomer'], 'premusical': ['premusical', 'superclaim'], 'prenasal': ['pernasal', 'prenasal'], 'prenatal': ['parental', 'paternal', 'prenatal'], 'prenatalist': ['intraseptal', 'paternalist', 'prenatalist'], 'prenatally': ['parentally', 'paternally', 'prenatally'], 'prenative': ['interpave', 'prenative'], 'prender': ['prender', 'prendre'], 'prendre': ['prender', 'prendre'], 'prenodal': ['polander', 'ponderal', 'prenodal'], 'prenominical': ['nonempirical', 'prenominical'], 'prenotice': ['prenotice', 'reception'], 'prenotion': ['entropion', 'pontonier', 'prenotion'], 'prentice': ['piercent', 'prentice'], 'preobtrude': ['predoubter', 'preobtrude'], 'preocular': ['opercular', 'preocular'], 'preominate': ['permeation', 'preominate'], 'preopen': ['preopen', 'propene'], 'preopinion': ['preopinion', 'prionopine'], 'preoption': ['preoption', 'protopine'], 'preoral': ['peroral', 'preoral'], 'preorally': ['perorally', 'preorally'], 'prep': ['prep', 'repp'], 'prepalatine': ['periplaneta', 'prepalatine'], 'prepare': ['paperer', 'perpera', 'prepare', 'repaper'], 'prepatriotic': ['precipitator', 'prepatriotic'], 'prepay': ['papery', 'prepay', 'yapper'], 'preplot': ['preplot', 'toppler'], 'prepollent': ['prepollent', 'propellent'], 'prepontine': ['porpentine', 'prepontine'], 'prepositure': ['peripterous', 'prepositure'], 'prepuce': ['prepuce', 'upcreep'], 'prerational': ['prerational', 'proletarian'], 'prerealization': ['prerealization', 'proletarianize'], 'prereceive': ['prereceive', 'reperceive'], 'prerecital': ['perirectal', 'prerecital'], 'prereduction': ['interproduce', 'prereduction'], 'prerefer': ['prerefer', 'reprefer'], 'prereform': ['performer', 'prereform', 'reperform'], 'preremit': ['premerit', 'preremit', 'repermit'], 'prerental': ['prerental', 'replanter'], 'prerich': ['chirper', 'prerich'], 'preromantic': ['improcreant', 'preromantic'], 'presage': ['asperge', 'presage'], 'presager': ['asperger', 'presager'], 'presay': ['presay', 'speary'], 'prescapular': ['prescapular', 'supercarpal'], 'prescient': ['prescient', 'reinspect'], 'prescientific': ['interspecific', 'prescientific'], 'prescribe': ['perscribe', 'prescribe'], 'prescutal': ['prescutal', 'scalpture'], 'preseal': ['pleaser', 'preseal', 'relapse'], 'preseason': ['parsonese', 'preseason'], 'presell': ['presell', 'respell', 'speller'], 'present': ['penster', 'present', 'serpent', 'strepen'], 'presenter': ['presenter', 'represent'], 'presential': ['alpestrine', 'episternal', 'interlapse', 'presential'], 'presentist': ['persistent', 'presentist', 'prettiness'], 'presentive': ['presentive', 'pretensive', 'vespertine'], 'presentively': ['presentively', 'pretensively'], 'presentiveness': ['presentiveness', 'pretensiveness'], 'presently': ['presently', 'serpently'], 'preserve': ['perverse', 'preserve'], 'preset': ['pester', 'preset', 'restep', 'streep'], 'preshare': ['preshare', 'rephrase'], 'preship': ['preship', 'shipper'], 'preshortage': ['preshortage', 'stereograph'], 'preside': ['perseid', 'preside'], 'presidencia': ['acipenserid', 'presidencia'], 'president': ['president', 'serpentid'], 'presidente': ['predestine', 'presidente'], 'presider': ['presider', 'serriped'], 'presign': ['presign', 'springe'], 'presignal': ['espringal', 'presignal', 'relapsing'], 'presimian': ['mainprise', 'presimian'], 'presley': ['presley', 'sleepry'], 'presser': ['presser', 'repress'], 'pression': ['poriness', 'pression', 'ropiness'], 'pressive': ['pressive', 'viperess'], 'prest': ['prest', 'spret'], 'prestable': ['beplaster', 'prestable'], 'prestant': ['prestant', 'transept'], 'prestate': ['prestate', 'pretaste'], 'presto': ['poster', 'presto', 'repost', 'respot', 'stoper'], 'prestock': ['prestock', 'sprocket'], 'prestomial': ['peristomal', 'prestomial'], 'prestrain': ['prestrain', 'transpire'], 'presume': ['presume', 'supreme'], 'presurmise': ['impressure', 'presurmise'], 'presustain': ['presustain', 'puritaness', 'supersaint'], 'presystole': ['poetryless', 'presystole'], 'pretan': ['arpent', 'enrapt', 'entrap', 'panter', 'parent', 'pretan', 'trepan'], 'pretaste': ['prestate', 'pretaste'], 'pretensive': ['presentive', 'pretensive', 'vespertine'], 'pretensively': ['presentively', 'pretensively'], 'pretensiveness': ['presentiveness', 'pretensiveness'], 'pretentious': ['postuterine', 'pretentious'], 'pretercanine': ['irrepentance', 'pretercanine'], 'preterient': ['preterient', 'triterpene'], 'pretermit': ['permitter', 'pretermit'], 'pretheological': ['herpetological', 'pretheological'], 'pretibial': ['bipartile', 'pretibial'], 'pretonic': ['inceptor', 'pretonic'], 'pretorship': ['portership', 'pretorship'], 'pretrace': ['pretrace', 'recarpet'], 'pretracheal': ['archprelate', 'pretracheal'], 'pretrain': ['pretrain', 'terrapin'], 'pretransmission': ['pretransmission', 'transimpression'], 'pretreat': ['patterer', 'pretreat'], 'prettiness': ['persistent', 'presentist', 'prettiness'], 'prevailer': ['prevailer', 'reprieval'], 'prevalid': ['deprival', 'prevalid'], 'prevention': ['prevention', 'provenient'], 'preversion': ['perversion', 'preversion'], 'preveto': ['overpet', 'preveto', 'prevote'], 'previde': ['deprive', 'previde'], 'previous': ['pervious', 'previous', 'viperous'], 'previously': ['perviously', 'previously', 'viperously'], 'previousness': ['perviousness', 'previousness', 'viperousness'], 'prevoid': ['prevoid', 'provide'], 'prevomer': ['premover', 'prevomer'], 'prevote': ['overpet', 'preveto', 'prevote'], 'prewar': ['prewar', 'rewrap', 'warper'], 'prewarn': ['prawner', 'prewarn'], 'prewhip': ['prewhip', 'whipper'], 'prewrap': ['prewrap', 'wrapper'], 'prexy': ['prexy', 'pyrex'], 'prey': ['prey', 'pyre', 'rype'], 'pria': ['pair', 'pari', 'pria', 'ripa'], 'price': ['price', 'repic'], 'priced': ['percid', 'priced'], 'prich': ['chirp', 'prich'], 'prickfoot': ['prickfoot', 'tickproof'], 'prickle': ['pickler', 'prickle'], 'pride': ['pride', 'pried', 'redip'], 'pridian': ['pindari', 'pridian'], 'pried': ['pride', 'pried', 'redip'], 'prier': ['prier', 'riper'], 'priest': ['priest', 'pteris', 'sprite', 'stripe'], 'priestal': ['epistlar', 'pilaster', 'plaister', 'priestal'], 'priesthood': ['priesthood', 'spritehood'], 'priestless': ['priestless', 'stripeless'], 'prig': ['grip', 'prig'], 'prigman': ['gripman', 'prigman', 'ramping'], 'prima': ['impar', 'pamir', 'prima'], 'primage': ['epigram', 'primage'], 'primal': ['imparl', 'primal'], 'primates': ['maspiter', 'pastimer', 'primates'], 'primatial': ['impartial', 'primatial'], 'primely': ['primely', 'reimply'], 'primeness': ['primeness', 'spenerism'], 'primost': ['primost', 'tropism'], 'primrose': ['primrose', 'promiser'], 'primsie': ['pismire', 'primsie'], 'primus': ['primus', 'purism'], 'prince': ['pincer', 'prince'], 'princehood': ['cnidophore', 'princehood'], 'princeite': ['princeite', 'recipient'], 'princelike': ['pincerlike', 'princelike'], 'princely': ['pencilry', 'princely'], 'princesse': ['crepiness', 'princesse'], 'prine': ['piner', 'prine', 'repin', 'ripen'], 'pringle': ['pingler', 'pringle'], 'printed': ['deprint', 'printed'], 'printer': ['printer', 'reprint'], 'priodontes': ['desorption', 'priodontes'], 'prionopine': ['preopinion', 'prionopine'], 'prisage': ['prisage', 'spairge'], 'prisal': ['prisal', 'spiral'], 'prismatoid': ['diatropism', 'prismatoid'], 'prisometer': ['prisometer', 'spirometer'], 'prisonable': ['bipersonal', 'prisonable'], 'pristane': ['pinaster', 'pristane'], 'pristine': ['enspirit', 'pristine'], 'pristis': ['pristis', 'tripsis'], 'prius': ['prius', 'sirup'], 'proadmission': ['adpromission', 'proadmission'], 'proal': ['parol', 'polar', 'poral', 'proal'], 'proalien': ['pelorian', 'peronial', 'proalien'], 'proamniotic': ['comparition', 'proamniotic'], 'proathletic': ['proathletic', 'prothetical'], 'proatlas': ['pastoral', 'proatlas'], 'proavis': ['pavisor', 'proavis'], 'probationer': ['probationer', 'reprobation'], 'probe': ['probe', 'rebop'], 'procaciously': ['plousiocracy', 'procaciously'], 'procaine': ['caponier', 'coprinae', 'procaine'], 'procanal': ['coplanar', 'procanal'], 'procapital': ['applicator', 'procapital'], 'procedure': ['procedure', 'reproduce'], 'proceeder': ['proceeder', 'reproceed'], 'procellas': ['procellas', 'scalloper'], 'procerite': ['procerite', 'receiptor'], 'procession': ['procession', 'scorpiones'], 'prochemical': ['microcephal', 'prochemical'], 'procidentia': ['predication', 'procidentia'], 'proclaimer': ['proclaimer', 'reproclaim'], 'procne': ['crepon', 'procne'], 'procnemial': ['complainer', 'procnemial', 'recomplain'], 'procommission': ['compromission', 'procommission'], 'procreant': ['copartner', 'procreant'], 'procreate': ['procreate', 'pterocera'], 'procreation': ['incorporate', 'procreation'], 'proctal': ['caltrop', 'proctal'], 'proctitis': ['proctitis', 'protistic', 'tropistic'], 'proctocolitis': ['coloproctitis', 'proctocolitis'], 'procuress': ['percussor', 'procuress'], 'prod': ['dorp', 'drop', 'prod'], 'proddle': ['plodder', 'proddle'], 'proem': ['merop', 'moper', 'proem', 'remop'], 'proemial': ['emporial', 'proemial'], 'proemium': ['emporium', 'pomerium', 'proemium'], 'proethical': ['carpholite', 'proethical'], 'proetid': ['diopter', 'peridot', 'proetid', 'protide', 'pteroid'], 'proetidae': ['periodate', 'proetidae', 'proteidae'], 'proetus': ['petrous', 'posture', 'proetus', 'proteus', 'septuor', 'spouter'], 'proficient': ['prefiction', 'proficient'], 'profit': ['forpit', 'profit'], 'profiter': ['portfire', 'profiter'], 'progeny': ['progeny', 'pyrogen'], 'prohibiter': ['prohibiter', 'reprohibit'], 'proidealistic': ['peridiastolic', 'periodicalist', 'proidealistic'], 'proke': ['poker', 'proke'], 'proker': ['porker', 'proker'], 'prolacrosse': ['prolacrosse', 'sclerospora'], 'prolapse': ['prolapse', 'sapropel'], 'prolation': ['ploration', 'portional', 'prolation'], 'prolegate': ['petrogale', 'petrolage', 'prolegate'], 'proletarian': ['prerational', 'proletarian'], 'proletarianize': ['prerealization', 'proletarianize'], 'proletariat': ['proletariat', 'reptatorial'], 'proletary': ['proletary', 'pyrolater'], 'prolicense': ['prolicense', 'proselenic'], 'prolongate': ['prolongate', 'protogenal'], 'promerit': ['importer', 'promerit', 'reimport'], 'promethean': ['heptameron', 'promethean'], 'promise': ['imposer', 'promise', 'semipro'], 'promisee': ['perisome', 'promisee', 'reimpose'], 'promiser': ['primrose', 'promiser'], 'promitosis': ['isotropism', 'promitosis'], 'promnesia': ['mesropian', 'promnesia', 'spironema'], 'promonarchist': ['micranthropos', 'promonarchist'], 'promote': ['promote', 'protome'], 'pronaos': ['pronaos', 'soprano'], 'pronate': ['operant', 'pronate', 'protean'], 'pronative': ['overpaint', 'pronative'], 'proneur': ['proneur', 'purrone'], 'pronotal': ['portolan', 'pronotal'], 'pronto': ['pronto', 'proton'], 'pronunciable': ['preconnubial', 'pronunciable'], 'proo': ['poor', 'proo'], 'proofer': ['proofer', 'reproof'], 'prop': ['prop', 'ropp'], 'propellent': ['prepollent', 'propellent'], 'propene': ['preopen', 'propene'], 'prophloem': ['pleomorph', 'prophloem'], 'propine': ['piperno', 'propine'], 'propinoic': ['propinoic', 'propionic'], 'propionic': ['propinoic', 'propionic'], 'propitial': ['propitial', 'triplopia'], 'proportioner': ['proportioner', 'reproportion'], 'propose': ['opposer', 'propose'], 'propraetorial': ['propraetorial', 'protoperlaria'], 'proprietous': ['peritropous', 'proprietous'], 'propylene': ['polyprene', 'propylene'], 'propyne': ['propyne', 'pyropen'], 'prorate': ['praetor', 'prorate'], 'proration': ['proration', 'troparion'], 'prore': ['porer', 'prore', 'roper'], 'prorebate': ['perborate', 'prorebate', 'reprobate'], 'proreduction': ['proreduction', 'reproduction'], 'prorevision': ['prorevision', 'provisioner', 'reprovision'], 'prorogate': ['graperoot', 'prorogate'], 'prosaist': ['prosaist', 'protasis'], 'prosateur': ['prosateur', 'pterosaur'], 'prose': ['poser', 'prose', 'ropes', 'spore'], 'prosecretin': ['prosecretin', 'reinspector'], 'prosectorial': ['corporealist', 'prosectorial'], 'prosectorium': ['micropterous', 'prosectorium'], 'proselenic': ['prolicense', 'proselenic'], 'proselyte': ['polyester', 'proselyte'], 'proseminate': ['impersonate', 'proseminate'], 'prosemination': ['impersonation', 'prosemination', 'semipronation'], 'proseneschal': ['chaperonless', 'proseneschal'], 'prosification': ['antisoporific', 'prosification', 'sporification'], 'prosilient': ['linopteris', 'prosilient'], 'prosiphonate': ['nephroptosia', 'prosiphonate'], 'proso': ['poros', 'proso', 'sopor', 'spoor'], 'prosodiacal': ['dorsoapical', 'prosodiacal'], 'prosopyle': ['polyspore', 'prosopyle'], 'prossy': ['prossy', 'spyros'], 'prostatectomy': ['cryptostomate', 'prostatectomy'], 'prosternate': ['paternoster', 'prosternate', 'transportee'], 'prostomiate': ['metroptosia', 'prostomiate'], 'protactic': ['catoptric', 'protactic'], 'protasis': ['prosaist', 'protasis'], 'prote': ['poter', 'prote', 'repot', 'tepor', 'toper', 'trope'], 'protead': ['adopter', 'protead', 'readopt'], 'protean': ['operant', 'pronate', 'protean'], 'protease': ['asterope', 'protease'], 'protectional': ['lactoprotein', 'protectional'], 'proteic': ['perotic', 'proteic', 'tropeic'], 'proteida': ['apteroid', 'proteida'], 'proteidae': ['periodate', 'proetidae', 'proteidae'], 'proteidean': ['pontederia', 'proteidean'], 'protein': ['pointer', 'protein', 'pterion', 'repoint', 'tropine'], 'proteinic': ['epornitic', 'proteinic'], 'proteles': ['proteles', 'serpolet'], 'protelidae': ['leopardite', 'protelidae'], 'protend': ['portend', 'protend'], 'protension': ['portension', 'protension'], 'proteolysis': ['elytroposis', 'proteolysis'], 'proteose': ['esotrope', 'proteose'], 'protest': ['protest', 'spotter'], 'protester': ['protester', 'reprotest'], 'proteus': ['petrous', 'posture', 'proetus', 'proteus', 'septuor', 'spouter'], 'protheca': ['archpoet', 'protheca'], 'prothesis': ['posterish', 'prothesis', 'sophister', 'storeship', 'tephrosis'], 'prothetical': ['proathletic', 'prothetical'], 'prothoracic': ['acrotrophic', 'prothoracic'], 'protide': ['diopter', 'peridot', 'proetid', 'protide', 'pteroid'], 'protist': ['protist', 'tropist'], 'protistic': ['proctitis', 'protistic', 'tropistic'], 'proto': ['porto', 'proto', 'troop'], 'protocneme': ['mecopteron', 'protocneme'], 'protogenal': ['prolongate', 'protogenal'], 'protoma': ['protoma', 'taproom'], 'protomagnesium': ['protomagnesium', 'spermatogonium'], 'protome': ['promote', 'protome'], 'protomorphic': ['morphotropic', 'protomorphic'], 'proton': ['pronto', 'proton'], 'protone': ['porteno', 'protone'], 'protonemal': ['monopteral', 'protonemal'], 'protoparent': ['protoparent', 'protopteran'], 'protopathic': ['haptotropic', 'protopathic'], 'protopathy': ['protopathy', 'protophyta'], 'protoperlaria': ['propraetorial', 'protoperlaria'], 'protophyta': ['protopathy', 'protophyta'], 'protophyte': ['protophyte', 'tropophyte'], 'protophytic': ['protophytic', 'tropophytic'], 'protopine': ['preoption', 'protopine'], 'protopteran': ['protoparent', 'protopteran'], 'protore': ['protore', 'trooper'], 'protosulphide': ['protosulphide', 'sulphoproteid'], 'prototheme': ['photometer', 'prototheme'], 'prototherian': ['ornithoptera', 'prototherian'], 'prototrophic': ['prototrophic', 'trophotropic'], 'protrade': ['predator', 'protrade', 'teardrop'], 'protreaty': ['protreaty', 'reptatory'], 'protuberantial': ['perturbational', 'protuberantial'], 'protyl': ['portly', 'protyl', 'tropyl'], 'provenient': ['prevention', 'provenient'], 'provide': ['prevoid', 'provide'], 'provider': ['overdrip', 'provider'], 'provisioner': ['prorevision', 'provisioner', 'reprovision'], 'prowed': ['powder', 'prowed'], 'prude': ['drupe', 'duper', 'perdu', 'prude', 'pured'], 'prudent': ['prudent', 'prunted', 'uptrend'], 'prudential': ['prudential', 'putredinal'], 'prudist': ['disrupt', 'prudist'], 'prudy': ['prudy', 'purdy', 'updry'], 'prue': ['peru', 'prue', 'pure'], 'prune': ['perun', 'prune'], 'prunted': ['prudent', 'prunted', 'uptrend'], 'prussic': ['prussic', 'scirpus'], 'prut': ['prut', 'turp'], 'pry': ['pry', 'pyr'], 'pryer': ['perry', 'pryer'], 'pryse': ['pryse', 'spyer'], 'psalm': ['plasm', 'psalm', 'slamp'], 'psalmic': ['plasmic', 'psalmic'], 'psalmister': ['psalmister', 'spermalist'], 'psalmodial': ['plasmodial', 'psalmodial'], 'psalmodic': ['plasmodic', 'psalmodic'], 'psaloid': ['psaloid', 'salpoid'], 'psalter': ['palster', 'persalt', 'plaster', 'psalter', 'spartle', 'stapler'], 'psalterian': ['alpestrian', 'palestrian', 'psalterian'], 'psalterion': ['interposal', 'psalterion'], 'psaltery': ['plastery', 'psaltery'], 'psaltress': ['psaltress', 'strapless'], 'psaronius': ['prasinous', 'psaronius'], 'psedera': ['psedera', 'respade'], 'psellism': ['misspell', 'psellism'], 'pseudelytron': ['pseudelytron', 'unproselyted'], 'pseudimago': ['megapodius', 'pseudimago'], 'pseudophallic': ['diplocephalus', 'pseudophallic'], 'psha': ['hasp', 'pash', 'psha', 'shap'], 'psi': ['psi', 'sip'], 'psiloceratid': ['prediastolic', 'psiloceratid'], 'psilophyton': ['polyphonist', 'psilophyton'], 'psilotic': ['colpitis', 'politics', 'psilotic'], 'psittacine': ['antiseptic', 'psittacine'], 'psoadic': ['psoadic', 'scapoid', 'sciapod'], 'psoas': ['passo', 'psoas'], 'psocidae': ['diascope', 'psocidae', 'scopidae'], 'psocine': ['psocine', 'scopine'], 'psora': ['psora', 'sapor', 'sarpo'], 'psoralea': ['parosela', 'psoralea'], 'psoroid': ['psoroid', 'sporoid'], 'psorous': ['psorous', 'soursop', 'sporous'], 'psychobiological': ['biopsychological', 'psychobiological'], 'psychobiology': ['biopsychology', 'psychobiology'], 'psychogalvanic': ['galvanopsychic', 'psychogalvanic'], 'psychomancy': ['psychomancy', 'scyphomancy'], 'psychomonism': ['monopsychism', 'psychomonism'], 'psychoneurological': ['neuropsychological', 'psychoneurological'], 'psychoneurosis': ['neuropsychosis', 'psychoneurosis'], 'psychophysiological': ['physiopsychological', 'psychophysiological'], 'psychophysiology': ['physiopsychology', 'psychophysiology'], 'psychorrhagy': ['chrysography', 'psychorrhagy'], 'psychosomatic': ['psychosomatic', 'somatopsychic'], 'psychotechnology': ['psychotechnology', 'technopsychology'], 'psychotheism': ['psychotheism', 'theopsychism'], 'psychotria': ['physiocrat', 'psychotria'], 'ptelea': ['apelet', 'ptelea'], 'ptereal': ['pearlet', 'pleater', 'prelate', 'ptereal', 'replate', 'repleat'], 'pterian': ['painter', 'pertain', 'pterian', 'repaint'], 'pterideous': ['depositure', 'pterideous'], 'pteridological': ['dipterological', 'pteridological'], 'pteridologist': ['dipterologist', 'pteridologist'], 'pteridology': ['dipterology', 'pteridology'], 'pterion': ['pointer', 'protein', 'pterion', 'repoint', 'tropine'], 'pteris': ['priest', 'pteris', 'sprite', 'stripe'], 'pterocera': ['procreate', 'pterocera'], 'pterodactylidae': ['dactylopteridae', 'pterodactylidae'], 'pterodactylus': ['dactylopterus', 'pterodactylus'], 'pterographer': ['petrographer', 'pterographer'], 'pterographic': ['petrographic', 'pterographic'], 'pterographical': ['petrographical', 'pterographical'], 'pterography': ['petrography', 'pterography', 'typographer'], 'pteroid': ['diopter', 'peridot', 'proetid', 'protide', 'pteroid'], 'pteroma': ['pteroma', 'tempora'], 'pteropus': ['pteropus', 'stoppeur'], 'pterosaur': ['prosateur', 'pterosaur'], 'pterospora': ['praepostor', 'pterospora'], 'pteryla': ['apertly', 'peartly', 'platery', 'pteryla', 'taperly'], 'pterylographical': ['petrographically', 'pterylographical'], 'pterylological': ['petrologically', 'pterylological'], 'pterylosis': ['peristylos', 'pterylosis'], 'ptilota': ['ptilota', 'talipot', 'toptail'], 'ptinus': ['ptinus', 'unspit'], 'ptolemean': ['leptonema', 'ptolemean'], 'ptomain': ['maintop', 'ptomain', 'tampion', 'timpano'], 'ptomainic': ['impaction', 'ptomainic'], 'ptyalin': ['inaptly', 'planity', 'ptyalin'], 'ptyalocele': ['clypeolate', 'ptyalocele'], 'ptyalogenic': ['genotypical', 'ptyalogenic'], 'pu': ['pu', 'up'], 'pua': ['pau', 'pua'], 'puan': ['napu', 'puan', 'puna'], 'publisher': ['publisher', 'republish'], 'puckball': ['puckball', 'pullback'], 'puckrel': ['plucker', 'puckrel'], 'pud': ['dup', 'pud'], 'pudendum': ['pudendum', 'undumped'], 'pudent': ['pudent', 'uptend'], 'pudic': ['cupid', 'pudic'], 'pudical': ['paludic', 'pudical'], 'pudicity': ['cupidity', 'pudicity'], 'puerer': ['puerer', 'purree'], 'puffer': ['puffer', 'repuff'], 'pug': ['gup', 'pug'], 'pugman': ['panmug', 'pugman'], 'puisne': ['puisne', 'supine'], 'puist': ['puist', 'upsit'], 'puja': ['jaup', 'puja'], 'puke': ['keup', 'puke'], 'pule': ['lupe', 'pelu', 'peul', 'pule'], 'pulian': ['paulin', 'pulian'], 'pulicene': ['clupeine', 'pulicene'], 'pulicidal': ['picudilla', 'pulicidal'], 'pulicide': ['lupicide', 'pediculi', 'pulicide'], 'puling': ['gulpin', 'puling'], 'pulish': ['huspil', 'pulish'], 'pullback': ['puckball', 'pullback'], 'pulp': ['plup', 'pulp'], 'pulper': ['pulper', 'purple'], 'pulpiter': ['pulpiter', 'repulpit'], 'pulpous': ['populus', 'pulpous'], 'pulpstone': ['pulpstone', 'unstopple'], 'pulsant': ['pulsant', 'upslant'], 'pulsate': ['pulsate', 'spatule', 'upsteal'], 'pulsatile': ['palluites', 'pulsatile'], 'pulsation': ['platinous', 'pulsation'], 'pulsator': ['postural', 'pulsator', 'sportula'], 'pulse': ['lepus', 'pulse'], 'pulsion': ['pulsion', 'unspoil', 'upsilon'], 'pulvic': ['pulvic', 'vulpic'], 'pumper': ['pumper', 'repump'], 'pumple': ['peplum', 'pumple'], 'puna': ['napu', 'puan', 'puna'], 'puncher': ['puncher', 'unperch'], 'punctilio': ['punctilio', 'unpolitic'], 'puncturer': ['puncturer', 'upcurrent'], 'punger': ['punger', 'repugn'], 'pungle': ['plunge', 'pungle'], 'puniceous': ['pecunious', 'puniceous'], 'punish': ['inpush', 'punish', 'unship'], 'punisher': ['punisher', 'repunish'], 'punishment': ['punishment', 'unshipment'], 'punlet': ['penult', 'punlet', 'puntel'], 'punnet': ['punnet', 'unpent'], 'puno': ['noup', 'puno', 'upon'], 'punta': ['punta', 'unapt', 'untap'], 'puntal': ['puntal', 'unplat'], 'puntel': ['penult', 'punlet', 'puntel'], 'punti': ['input', 'punti'], 'punto': ['punto', 'unpot', 'untop'], 'pupa': ['paup', 'pupa'], 'pupelo': ['poulpe', 'pupelo'], 'purana': ['purana', 'uparna'], 'purdy': ['prudy', 'purdy', 'updry'], 'pure': ['peru', 'prue', 'pure'], 'pured': ['drupe', 'duper', 'perdu', 'prude', 'pured'], 'puree': ['puree', 'rupee'], 'purer': ['purer', 'purre'], 'purine': ['purine', 'unripe', 'uprein'], 'purism': ['primus', 'purism'], 'purist': ['purist', 'spruit', 'uprist', 'upstir'], 'puritan': ['pintura', 'puritan', 'uptrain'], 'puritaness': ['presustain', 'puritaness', 'supersaint'], 'purler': ['purler', 'purrel'], 'purple': ['pulper', 'purple'], 'purpose': ['peropus', 'purpose'], 'purpuroxanthin': ['purpuroxanthin', 'xanthopurpurin'], 'purre': ['purer', 'purre'], 'purree': ['puerer', 'purree'], 'purrel': ['purler', 'purrel'], 'purrone': ['proneur', 'purrone'], 'purse': ['purse', 'resup', 'sprue', 'super'], 'purser': ['purser', 'spruer'], 'purslane': ['purslane', 'serpulan', 'supernal'], 'purslet': ['purslet', 'spurlet', 'spurtle'], 'pursuer': ['pursuer', 'usurper'], 'pursy': ['pursy', 'pyrus', 'syrup'], 'pus': ['pus', 'sup'], 'pushtu': ['pushtu', 'upshut'], 'pustule': ['pluteus', 'pustule'], 'pustulose': ['pustulose', 'stupulose'], 'put': ['put', 'tup'], 'putanism': ['putanism', 'sumpitan'], 'putation': ['outpaint', 'putation'], 'putredinal': ['prudential', 'putredinal'], 'putrid': ['putrid', 'turpid'], 'putridly': ['putridly', 'turpidly'], 'pya': ['pay', 'pya', 'yap'], 'pyal': ['paly', 'play', 'pyal', 'pyla'], 'pycnial': ['pliancy', 'pycnial'], 'pyelic': ['epicly', 'pyelic'], 'pyelitis': ['pyelitis', 'sipylite'], 'pyelocystitis': ['cystopyelitis', 'pyelocystitis'], 'pyelonephritis': ['nephropyelitis', 'pyelonephritis'], 'pyeloureterogram': ['pyeloureterogram', 'ureteropyelogram'], 'pyemesis': ['empyesis', 'pyemesis'], 'pygmalion': ['maypoling', 'pygmalion'], 'pyin': ['piny', 'pyin'], 'pyla': ['paly', 'play', 'pyal', 'pyla'], 'pylades': ['pylades', 'splayed'], 'pylagore': ['playgoer', 'pylagore'], 'pylar': ['parly', 'pylar', 'pyral'], 'pyonephrosis': ['nephropyosis', 'pyonephrosis'], 'pyopneumothorax': ['pneumopyothorax', 'pyopneumothorax'], 'pyosepticemia': ['pyosepticemia', 'septicopyemia'], 'pyosepticemic': ['pyosepticemic', 'septicopyemic'], 'pyr': ['pry', 'pyr'], 'pyracanth': ['pantarchy', 'pyracanth'], 'pyral': ['parly', 'pylar', 'pyral'], 'pyrales': ['parsley', 'pyrales', 'sparely', 'splayer'], 'pyralid': ['pyralid', 'rapidly'], 'pyramidale': ['lampyridae', 'pyramidale'], 'pyranometer': ['premonetary', 'pyranometer'], 'pyre': ['prey', 'pyre', 'rype'], 'pyrena': ['napery', 'pyrena'], 'pyrenic': ['cyprine', 'pyrenic'], 'pyrenoid': ['pyrenoid', 'pyridone', 'pyrodine'], 'pyretogenic': ['pyretogenic', 'pyrogenetic'], 'pyrex': ['prexy', 'pyrex'], 'pyrgocephaly': ['pelycography', 'pyrgocephaly'], 'pyridone': ['pyrenoid', 'pyridone', 'pyrodine'], 'pyrites': ['pyrites', 'sperity'], 'pyritoid': ['pityroid', 'pyritoid'], 'pyro': ['pory', 'pyro', 'ropy'], 'pyroarsenite': ['arsenopyrite', 'pyroarsenite'], 'pyrochemical': ['microcephaly', 'pyrochemical'], 'pyrocomenic': ['pyrocomenic', 'pyromeconic'], 'pyrodine': ['pyrenoid', 'pyridone', 'pyrodine'], 'pyrogen': ['progeny', 'pyrogen'], 'pyrogenetic': ['pyretogenic', 'pyrogenetic'], 'pyrolater': ['proletary', 'pyrolater'], 'pyromantic': ['importancy', 'patronymic', 'pyromantic'], 'pyromeconic': ['pyrocomenic', 'pyromeconic'], 'pyrope': ['popery', 'pyrope'], 'pyropen': ['propyne', 'pyropen'], 'pyrophorus': ['porphyrous', 'pyrophorus'], 'pyrotheria': ['erythropia', 'pyrotheria'], 'pyruline': ['pyruline', 'unripely'], 'pyrus': ['pursy', 'pyrus', 'syrup'], 'pyruvil': ['pyruvil', 'pyvuril'], 'pythagorism': ['myographist', 'pythagorism'], 'pythia': ['pythia', 'typhia'], 'pythic': ['phytic', 'pitchy', 'pythic', 'typhic'], 'pythogenesis': ['phytogenesis', 'pythogenesis'], 'pythogenetic': ['phytogenetic', 'pythogenetic'], 'pythogenic': ['phytogenic', 'pythogenic', 'typhogenic'], 'pythogenous': ['phytogenous', 'pythogenous'], 'python': ['phyton', 'python'], 'pythonic': ['hypnotic', 'phytonic', 'pythonic', 'typhonic'], 'pythonism': ['hypnotism', 'pythonism'], 'pythonist': ['hypnotist', 'pythonist'], 'pythonize': ['hypnotize', 'pythonize'], 'pythonoid': ['hypnotoid', 'pythonoid'], 'pyvuril': ['pyruvil', 'pyvuril'], 'quadrual': ['quadrual', 'quadrula'], 'quadrula': ['quadrual', 'quadrula'], 'quail': ['quail', 'quila'], 'quake': ['quake', 'queak'], 'quale': ['equal', 'quale', 'queal'], 'qualitied': ['liquidate', 'qualitied'], 'quamoclit': ['coquitlam', 'quamoclit'], 'quannet': ['quannet', 'tanquen'], 'quartile': ['quartile', 'requital', 'triequal'], 'quartine': ['antiquer', 'quartine'], 'quata': ['quata', 'taqua'], 'quatrin': ['quatrin', 'tarquin'], 'queak': ['quake', 'queak'], 'queal': ['equal', 'quale', 'queal'], 'queeve': ['eveque', 'queeve'], 'quencher': ['quencher', 'requench'], 'querier': ['querier', 'require'], 'queriman': ['queriman', 'ramequin'], 'querist': ['querist', 'squiret'], 'quernal': ['quernal', 'ranquel'], 'quester': ['quester', 'request'], 'questioner': ['questioner', 'requestion'], 'questor': ['questor', 'torques'], 'quiet': ['quiet', 'quite'], 'quietable': ['equitable', 'quietable'], 'quieter': ['quieter', 'requite'], 'quietist': ['equitist', 'quietist'], 'quietsome': ['quietsome', 'semiquote'], 'quiina': ['quiina', 'quinia'], 'quila': ['quail', 'quila'], 'quiles': ['quiles', 'quisle'], 'quinate': ['antique', 'quinate'], 'quince': ['cinque', 'quince'], 'quinia': ['quiina', 'quinia'], 'quinite': ['inquiet', 'quinite'], 'quinnat': ['quinnat', 'quintan'], 'quinse': ['quinse', 'sequin'], 'quintan': ['quinnat', 'quintan'], 'quintato': ['quintato', 'totaquin'], 'quinze': ['quinze', 'zequin'], 'quirt': ['quirt', 'qurti'], 'quisle': ['quiles', 'quisle'], 'quite': ['quiet', 'quite'], 'quits': ['quits', 'squit'], 'quote': ['quote', 'toque'], 'quoter': ['quoter', 'roquet', 'torque'], 'qurti': ['quirt', 'qurti'], 'ra': ['ar', 'ra'], 'raad': ['adar', 'arad', 'raad', 'rada'], 'raash': ['asarh', 'raash', 'sarah'], 'rab': ['bar', 'bra', 'rab'], 'raband': ['bandar', 'raband'], 'rabatine': ['atabrine', 'rabatine'], 'rabatte': ['baretta', 'rabatte', 'tabaret'], 'rabbanite': ['barnabite', 'rabbanite', 'rabbinate'], 'rabbet': ['barbet', 'rabbet', 'tabber'], 'rabbinate': ['barnabite', 'rabbanite', 'rabbinate'], 'rabble': ['barbel', 'labber', 'rabble'], 'rabboni': ['barbion', 'rabboni'], 'rabi': ['abir', 'bari', 'rabi'], 'rabic': ['baric', 'carib', 'rabic'], 'rabid': ['barid', 'bidar', 'braid', 'rabid'], 'rabidly': ['bardily', 'rabidly', 'ridably'], 'rabidness': ['bardiness', 'rabidness'], 'rabies': ['braise', 'rabies', 'rebias'], 'rabin': ['abrin', 'bairn', 'brain', 'brian', 'rabin'], 'rabinet': ['atebrin', 'rabinet'], 'raccoon': ['carcoon', 'raccoon'], 'race': ['acer', 'acre', 'care', 'crea', 'race'], 'racemate': ['camerate', 'macerate', 'racemate'], 'racemation': ['aeromantic', 'cameration', 'maceration', 'racemation'], 'raceme': ['amerce', 'raceme'], 'racemed': ['decream', 'racemed'], 'racemic': ['ceramic', 'racemic'], 'racer': ['carer', 'crare', 'racer'], 'rach': ['arch', 'char', 'rach'], 'rache': ['acher', 'arche', 'chare', 'chera', 'rache', 'reach'], 'rachel': ['rachel', 'rechal'], 'rachianectes': ['rachianectes', 'rhacianectes'], 'rachidial': ['diarchial', 'rachidial'], 'rachitis': ['architis', 'rachitis'], 'racial': ['alaric', 'racial'], 'racialist': ['racialist', 'satirical'], 'racing': ['arcing', 'racing'], 'racist': ['crista', 'racist'], 'rack': ['cark', 'rack'], 'racker': ['racker', 'rerack'], 'racket': ['racket', 'retack', 'tacker'], 'racking': ['arcking', 'carking', 'racking'], 'rackingly': ['carkingly', 'rackingly'], 'rackle': ['calker', 'lacker', 'rackle', 'recalk', 'reckla'], 'racon': ['acorn', 'acron', 'racon'], 'raconteur': ['cuarteron', 'raconteur'], 'racoon': ['caroon', 'corona', 'racoon'], 'racy': ['cary', 'racy'], 'rad': ['dar', 'rad'], 'rada': ['adar', 'arad', 'raad', 'rada'], 'raddle': ['ladder', 'raddle'], 'raddleman': ['dreamland', 'raddleman'], 'radectomy': ['myctodera', 'radectomy'], 'radek': ['daker', 'drake', 'kedar', 'radek'], 'radiable': ['labridae', 'radiable'], 'radiale': ['ardelia', 'laridae', 'radiale'], 'radian': ['adrian', 'andira', 'andria', 'radian', 'randia'], 'radiance': ['caridean', 'dircaean', 'radiance'], 'radiant': ['intrada', 'radiant'], 'radiata': ['dataria', 'radiata'], 'radical': ['cardial', 'radical'], 'radicant': ['antacrid', 'cardiant', 'radicant', 'tridacna'], 'radicel': ['decrial', 'radicel', 'radicle'], 'radices': ['diceras', 'radices', 'sidecar'], 'radicle': ['decrial', 'radicel', 'radicle'], 'radicose': ['idocrase', 'radicose'], 'radicule': ['auricled', 'radicule'], 'radiculose': ['coresidual', 'radiculose'], 'radiectomy': ['acidometry', 'medicatory', 'radiectomy'], 'radii': ['dairi', 'darii', 'radii'], 'radio': ['aroid', 'doria', 'radio'], 'radioautograph': ['autoradiograph', 'radioautograph'], 'radioautographic': ['autoradiographic', 'radioautographic'], 'radioautography': ['autoradiography', 'radioautography'], 'radiohumeral': ['humeroradial', 'radiohumeral'], 'radiolite': ['editorial', 'radiolite'], 'radiolucent': ['radiolucent', 'reductional'], 'radioman': ['adoniram', 'radioman'], 'radiomicrometer': ['microradiometer', 'radiomicrometer'], 'radiophone': ['phoronidea', 'radiophone'], 'radiophony': ['hypodorian', 'radiophony'], 'radiotelephone': ['radiotelephone', 'teleradiophone'], 'radiotron': ['ordinator', 'radiotron'], 'radish': ['ardish', 'radish'], 'radius': ['darius', 'radius'], 'radman': ['mandra', 'radman'], 'radon': ['adorn', 'donar', 'drona', 'radon'], 'radula': ['adular', 'aludra', 'radula'], 'rafael': ['aflare', 'rafael'], 'rafe': ['fare', 'fear', 'frae', 'rafe'], 'raffee': ['affeer', 'raffee'], 'raffia': ['affair', 'raffia'], 'raffle': ['farfel', 'raffle'], 'rafik': ['fakir', 'fraik', 'kafir', 'rafik'], 'raft': ['frat', 'raft'], 'raftage': ['fregata', 'raftage'], 'rafter': ['frater', 'rafter'], 'rag': ['gar', 'gra', 'rag'], 'raga': ['agar', 'agra', 'gara', 'raga'], 'rage': ['ager', 'agre', 'gare', 'gear', 'rage'], 'rageless': ['eelgrass', 'gearless', 'rageless'], 'ragfish': ['garfish', 'ragfish'], 'ragged': ['dagger', 'gadger', 'ragged'], 'raggee': ['agrege', 'raggee'], 'raggety': ['gargety', 'raggety'], 'raggle': ['gargle', 'gregal', 'lagger', 'raggle'], 'raggled': ['draggle', 'raggled'], 'raggy': ['aggry', 'raggy'], 'ragingly': ['grayling', 'ragingly'], 'raglanite': ['antiglare', 'raglanite'], 'raglet': ['raglet', 'tergal'], 'raglin': ['nargil', 'raglin'], 'ragman': ['amgarn', 'mangar', 'marang', 'ragman'], 'ragnar': ['garran', 'ragnar'], 'ragshag': ['ragshag', 'shagrag'], 'ragtag': ['ragtag', 'tagrag'], 'ragtime': ['migrate', 'ragtime'], 'ragule': ['ragule', 'regula'], 'raguly': ['glaury', 'raguly'], 'raia': ['aira', 'aria', 'raia'], 'raid': ['arid', 'dari', 'raid'], 'raider': ['arride', 'raider'], 'raif': ['fair', 'fiar', 'raif'], 'raiidae': ['ariidae', 'raiidae'], 'rail': ['aril', 'lair', 'lari', 'liar', 'lira', 'rail', 'rial'], 'railage': ['lairage', 'railage', 'regalia'], 'railer': ['railer', 'rerail'], 'railhead': ['headrail', 'railhead'], 'railless': ['lairless', 'railless'], 'railman': ['lairman', 'laminar', 'malarin', 'railman'], 'raiment': ['minaret', 'raiment', 'tireman'], 'rain': ['arni', 'iran', 'nair', 'rain', 'rani'], 'raincoat': ['craniota', 'croatian', 'narcotia', 'raincoat'], 'rainful': ['rainful', 'unfrail'], 'rainspout': ['rainspout', 'supinator'], 'rainy': ['nairy', 'rainy'], 'rais': ['rais', 'sair', 'sari'], 'raise': ['aries', 'arise', 'raise', 'serai'], 'raiseman': ['erasmian', 'raiseman'], 'raiser': ['raiser', 'sierra'], 'raisin': ['raisin', 'sirian'], 'raj': ['jar', 'raj'], 'raja': ['ajar', 'jara', 'raja'], 'rajah': ['ajhar', 'rajah'], 'rajeev': ['evejar', 'rajeev'], 'rake': ['rake', 'reak'], 'rakesteel': ['rakesteel', 'rakestele'], 'rakestele': ['rakesteel', 'rakestele'], 'rakh': ['hark', 'khar', 'rakh'], 'raki': ['ikra', 'kari', 'raki'], 'rakish': ['rakish', 'riksha', 'shikar', 'shikra', 'sikhra'], 'rakit': ['kitar', 'krait', 'rakit', 'traik'], 'raku': ['kuar', 'raku', 'rauk'], 'ralf': ['farl', 'ralf'], 'ralliance': ['alliancer', 'ralliance'], 'ralline': ['ralline', 'renilla'], 'ram': ['arm', 'mar', 'ram'], 'rama': ['amar', 'amra', 'mara', 'rama'], 'ramada': ['armada', 'damara', 'ramada'], 'ramage': ['gemara', 'ramage'], 'ramaite': ['ametria', 'artemia', 'meratia', 'ramaite'], 'ramal': ['alarm', 'malar', 'maral', 'marla', 'ramal'], 'ramanas': ['ramanas', 'sramana'], 'ramate': ['ramate', 'retama'], 'ramble': ['ambler', 'blamer', 'lamber', 'marble', 'ramble'], 'rambler': ['marbler', 'rambler'], 'rambling': ['marbling', 'rambling'], 'rambo': ['broma', 'rambo'], 'rambutan': ['rambutan', 'tamburan'], 'rame': ['erma', 'mare', 'rame', 'ream'], 'ramed': ['armed', 'derma', 'dream', 'ramed'], 'rament': ['manter', 'marten', 'rament'], 'ramental': ['maternal', 'ramental'], 'ramequin': ['queriman', 'ramequin'], 'ramesh': ['masher', 'ramesh', 'shamer'], 'ramet': ['armet', 'mater', 'merat', 'metra', 'ramet', 'tamer', 'terma', 'trame', 'trema'], 'rami': ['amir', 'irma', 'mari', 'mira', 'rami', 'rima'], 'ramie': ['aimer', 'maire', 'marie', 'ramie'], 'ramiferous': ['armiferous', 'ramiferous'], 'ramigerous': ['armigerous', 'ramigerous'], 'ramillie': ['milliare', 'ramillie'], 'ramisection': ['anisometric', 'creationism', 'miscreation', 'ramisection', 'reactionism'], 'ramist': ['marist', 'matris', 'ramist'], 'ramline': ['marline', 'mineral', 'ramline'], 'rammel': ['lammer', 'rammel'], 'rammy': ['mymar', 'rammy'], 'ramon': ['manor', 'moran', 'norma', 'ramon', 'roman'], 'ramona': ['oarman', 'ramona'], 'ramose': ['amores', 'ramose', 'sorema'], 'ramosely': ['marysole', 'ramosely'], 'ramp': ['pram', 'ramp'], 'rampant': ['mantrap', 'rampant'], 'ramped': ['damper', 'ramped'], 'ramper': ['prearm', 'ramper'], 'rampike': ['perakim', 'permiak', 'rampike'], 'ramping': ['gripman', 'prigman', 'ramping'], 'ramsey': ['ramsey', 'smeary'], 'ramson': ['ramson', 'ransom'], 'ramtil': ['mitral', 'ramtil'], 'ramule': ['mauler', 'merula', 'ramule'], 'ramulus': ['malurus', 'ramulus'], 'ramus': ['musar', 'ramus', 'rusma', 'surma'], 'ramusi': ['misura', 'ramusi'], 'ran': ['arn', 'nar', 'ran'], 'rana': ['arna', 'rana'], 'ranales': ['arsenal', 'ranales'], 'rance': ['caner', 'crane', 'crena', 'nacre', 'rance'], 'rancel': ['lancer', 'rancel'], 'rancer': ['craner', 'rancer'], 'ranche': ['enarch', 'ranche'], 'ranchero': ['anchorer', 'ranchero', 'reanchor'], 'rancho': ['anchor', 'archon', 'charon', 'rancho'], 'rancid': ['andric', 'cardin', 'rancid'], 'rand': ['darn', 'nard', 'rand'], 'randan': ['annard', 'randan'], 'randem': ['damner', 'manred', 'randem', 'remand'], 'rander': ['darner', 'darren', 'errand', 'rander', 'redarn'], 'randia': ['adrian', 'andira', 'andria', 'radian', 'randia'], 'randing': ['darning', 'randing'], 'randite': ['antired', 'detrain', 'randite', 'trained'], 'randle': ['aldern', 'darnel', 'enlard', 'lander', 'lenard', 'randle', 'reland'], 'random': ['random', 'rodman'], 'rane': ['arne', 'earn', 'rane'], 'ranere': ['earner', 'ranere'], 'rang': ['garn', 'gnar', 'rang'], 'range': ['anger', 'areng', 'grane', 'range'], 'ranged': ['danger', 'gander', 'garden', 'ranged'], 'rangeless': ['largeness', 'rangeless', 'regalness'], 'ranger': ['garner', 'ranger'], 'rangey': ['anergy', 'rangey'], 'ranginess': ['angriness', 'ranginess'], 'rangle': ['angler', 'arleng', 'garnel', 'largen', 'rangle', 'regnal'], 'rangy': ['angry', 'rangy'], 'rani': ['arni', 'iran', 'nair', 'rain', 'rani'], 'ranid': ['darin', 'dinar', 'drain', 'indra', 'nadir', 'ranid'], 'ranidae': ['araneid', 'ariadne', 'ranidae'], 'raniform': ['nariform', 'raniform'], 'raninae': ['aranein', 'raninae'], 'ranine': ['narine', 'ranine'], 'rank': ['knar', 'kran', 'nark', 'rank'], 'ranked': ['darken', 'kanred', 'ranked'], 'ranker': ['ranker', 'rerank'], 'rankish': ['krishna', 'rankish'], 'rannel': ['lanner', 'rannel'], 'ranquel': ['quernal', 'ranquel'], 'ransom': ['ramson', 'ransom'], 'rant': ['natr', 'rant', 'tarn', 'tran'], 'rantepole': ['petrolean', 'rantepole'], 'ranter': ['arrent', 'errant', 'ranter', 'ternar'], 'rantipole': ['prelation', 'rantipole'], 'ranula': ['alraun', 'alruna', 'ranula'], 'rap': ['par', 'rap'], 'rape': ['aper', 'pare', 'pear', 'rape', 'reap'], 'rapeful': ['rapeful', 'upflare'], 'raper': ['parer', 'raper'], 'raphael': ['phalera', 'raphael'], 'raphaelic': ['eparchial', 'raphaelic'], 'raphe': ['hepar', 'phare', 'raphe'], 'raphia': ['pahari', 'pariah', 'raphia'], 'raphides': ['diphaser', 'parished', 'raphides', 'sephardi'], 'raphis': ['parish', 'raphis', 'rhapis'], 'rapic': ['capri', 'picra', 'rapic'], 'rapid': ['adrip', 'rapid'], 'rapidly': ['pyralid', 'rapidly'], 'rapier': ['pairer', 'rapier', 'repair'], 'rapine': ['parine', 'rapine'], 'raping': ['paring', 'raping'], 'rapparee': ['appearer', 'rapparee', 'reappear'], 'rappe': ['paper', 'rappe'], 'rappel': ['lapper', 'rappel'], 'rappite': ['periapt', 'rappite'], 'rapt': ['part', 'prat', 'rapt', 'tarp', 'trap'], 'raptly': ['paltry', 'partly', 'raptly'], 'raptor': ['parrot', 'raptor'], 'rapture': ['parture', 'rapture'], 'rare': ['rare', 'rear'], 'rarebit': ['arbiter', 'rarebit'], 'rareripe': ['rareripe', 'repairer'], 'rarish': ['arrish', 'harris', 'rarish', 'sirrah'], 'ras': ['ras', 'sar'], 'rasa': ['rasa', 'sara'], 'rascacio': ['coracias', 'rascacio'], 'rascal': ['lascar', 'rascal', 'sacral', 'scalar'], 'rase': ['arse', 'rase', 'sare', 'sear', 'sera'], 'rasen': ['anser', 'nares', 'rasen', 'snare'], 'raser': ['ersar', 'raser', 'serra'], 'rasher': ['rasher', 'sharer'], 'rashing': ['garnish', 'rashing'], 'rashti': ['rashti', 'tarish'], 'rasion': ['arsino', 'rasion', 'sonrai'], 'rasp': ['rasp', 'spar'], 'rasped': ['rasped', 'spader', 'spread'], 'rasper': ['parser', 'rasper', 'sparer'], 'rasping': ['aspring', 'rasping', 'sparing'], 'raspingly': ['raspingly', 'sparingly'], 'raspingness': ['raspingness', 'sparingness'], 'raspite': ['piaster', 'piastre', 'raspite', 'spirate', 'traipse'], 'raspy': ['raspy', 'spary', 'spray'], 'rasse': ['arses', 'rasse'], 'raster': ['arrest', 'astrer', 'raster', 'starer'], 'rastik': ['rastik', 'sarkit', 'straik'], 'rastle': ['laster', 'lastre', 'rastle', 'relast', 'resalt', 'salter', 'slater', 'stelar'], 'rastus': ['rastus', 'tarsus'], 'rat': ['art', 'rat', 'tar', 'tra'], 'rata': ['rata', 'taar', 'tara'], 'ratable': ['alberta', 'latebra', 'ratable'], 'ratal': ['altar', 'artal', 'ratal', 'talar'], 'ratanhia': ['ratanhia', 'rhatania'], 'ratbite': ['biretta', 'brattie', 'ratbite'], 'ratch': ['chart', 'ratch'], 'ratchel': ['clethra', 'latcher', 'ratchel', 'relatch', 'talcher', 'trachle'], 'ratcher': ['charter', 'ratcher'], 'ratchet': ['chatter', 'ratchet'], 'ratchety': ['chattery', 'ratchety', 'trachyte'], 'ratching': ['charting', 'ratching'], 'rate': ['rate', 'tare', 'tear', 'tera'], 'rated': ['dater', 'derat', 'detar', 'drate', 'rated', 'trade', 'tread'], 'ratel': ['alert', 'alter', 'artel', 'later', 'ratel', 'taler', 'telar'], 'rateless': ['rateless', 'tasseler', 'tearless', 'tesseral'], 'ratfish': ['ratfish', 'tashrif'], 'rath': ['hart', 'rath', 'tahr', 'thar', 'trah'], 'rathe': ['earth', 'hater', 'heart', 'herat', 'rathe'], 'rathed': ['dearth', 'hatred', 'rathed', 'thread'], 'rathely': ['earthly', 'heartly', 'lathery', 'rathely'], 'ratherest': ['ratherest', 'shatterer'], 'rathest': ['rathest', 'shatter'], 'rathite': ['hartite', 'rathite'], 'rathole': ['loather', 'rathole'], 'raticidal': ['raticidal', 'triadical'], 'raticide': ['ceratiid', 'raticide'], 'ratine': ['nerita', 'ratine', 'retain', 'retina', 'tanier'], 'rating': ['rating', 'tringa'], 'ratio': ['ariot', 'ratio'], 'ration': ['aroint', 'ration'], 'rationable': ['alboranite', 'rationable'], 'rational': ['notarial', 'rational', 'rotalian'], 'rationale': ['alienator', 'rationale'], 'rationalize': ['rationalize', 'realization'], 'rationally': ['notarially', 'rationally'], 'rationate': ['notariate', 'rationate'], 'ratitae': ['arietta', 'ratitae'], 'ratite': ['attire', 'ratite', 'tertia'], 'ratitous': ['outstair', 'ratitous'], 'ratlike': ['artlike', 'ratlike', 'tarlike'], 'ratline': ['entrail', 'latiner', 'latrine', 'ratline', 'reliant', 'retinal', 'trenail'], 'rattage': ['garetta', 'rattage', 'regatta'], 'rattan': ['rattan', 'tantra', 'tartan'], 'ratteen': ['entreat', 'ratteen', 'tarente', 'ternate', 'tetrane'], 'ratten': ['attern', 'natter', 'ratten', 'tarten'], 'ratti': ['ratti', 'titar', 'trait'], 'rattish': ['athirst', 'rattish', 'tartish'], 'rattle': ['artlet', 'latter', 'rattle', 'tartle', 'tatler'], 'rattles': ['rattles', 'slatter', 'starlet', 'startle'], 'rattlesome': ['rattlesome', 'saltometer'], 'rattly': ['rattly', 'tartly'], 'ratton': ['attorn', 'ratton', 'rottan'], 'rattus': ['astrut', 'rattus', 'stuart'], 'ratwood': ['ratwood', 'tarwood'], 'raught': ['raught', 'tughra'], 'rauk': ['kuar', 'raku', 'rauk'], 'raul': ['alur', 'laur', 'lura', 'raul', 'ural'], 'rauli': ['rauli', 'urali', 'urial'], 'raun': ['raun', 'uran', 'urna'], 'raunge': ['nauger', 'raunge', 'ungear'], 'rave': ['aver', 'rave', 'vare', 'vera'], 'ravel': ['arvel', 'larve', 'laver', 'ravel', 'velar'], 'ravelin': ['elinvar', 'ravelin', 'reanvil', 'valerin'], 'ravelly': ['ravelly', 'valeryl'], 'ravendom': ['overdamn', 'ravendom'], 'ravenelia': ['ravenelia', 'veneralia'], 'ravenish': ['enravish', 'ravenish', 'vanisher'], 'ravi': ['ravi', 'riva', 'vair', 'vari', 'vira'], 'ravigote': ['ravigote', 'rogative'], 'ravin': ['invar', 'ravin', 'vanir'], 'ravine': ['averin', 'ravine'], 'ravined': ['invader', 'ravined', 'viander'], 'raving': ['grivna', 'raving'], 'ravissant': ['ravissant', 'srivatsan'], 'raw': ['raw', 'war'], 'rawboned': ['downbear', 'rawboned'], 'rawish': ['rawish', 'wairsh', 'warish'], 'rax': ['arx', 'rax'], 'ray': ['ary', 'ray', 'yar'], 'raya': ['arya', 'raya'], 'rayan': ['aryan', 'nayar', 'rayan'], 'rayed': ['deary', 'deray', 'rayed', 'ready', 'yeard'], 'raylet': ['lyrate', 'raylet', 'realty', 'telary'], 'rayonnance': ['annoyancer', 'rayonnance'], 'raze': ['ezra', 'raze'], 're': ['er', 're'], 'rea': ['aer', 'are', 'ear', 'era', 'rea'], 'reaal': ['areal', 'reaal'], 'reabandon': ['abandoner', 'reabandon'], 'reabolish': ['abolisher', 'reabolish'], 'reabsent': ['absenter', 'reabsent'], 'reabsorb': ['absorber', 'reabsorb'], 'reaccession': ['accessioner', 'reaccession'], 'reaccomplish': ['accomplisher', 'reaccomplish'], 'reaccord': ['accorder', 'reaccord'], 'reaccost': ['ectosarc', 'reaccost'], 'reach': ['acher', 'arche', 'chare', 'chera', 'rache', 'reach'], 'reachieve': ['echeveria', 'reachieve'], 'react': ['caret', 'carte', 'cater', 'crate', 'creat', 'creta', 'react', 'recta', 'trace'], 'reactance': ['cancerate', 'reactance'], 'reaction': ['actioner', 'anerotic', 'ceration', 'creation', 'reaction'], 'reactional': ['creational', 'crotalinae', 'laceration', 'reactional'], 'reactionary': ['creationary', 'reactionary'], 'reactionism': ['anisometric', 'creationism', 'miscreation', 'ramisection', 'reactionism'], 'reactionist': ['creationist', 'reactionist'], 'reactive': ['creative', 'reactive'], 'reactively': ['creatively', 'reactively'], 'reactiveness': ['creativeness', 'reactiveness'], 'reactivity': ['creativity', 'reactivity'], 'reactor': ['creator', 'reactor'], 'read': ['ared', 'daer', 'dare', 'dear', 'read'], 'readapt': ['adapter', 'predata', 'readapt'], 'readd': ['adder', 'dread', 'readd'], 'readdress': ['addresser', 'readdress'], 'reader': ['reader', 'redare', 'reread'], 'reading': ['degrain', 'deraign', 'deringa', 'gradine', 'grained', 'reading'], 'readjust': ['adjuster', 'readjust'], 'readopt': ['adopter', 'protead', 'readopt'], 'readorn': ['adorner', 'readorn'], 'ready': ['deary', 'deray', 'rayed', 'ready', 'yeard'], 'reaffect': ['affecter', 'reaffect'], 'reaffirm': ['affirmer', 'reaffirm'], 'reafflict': ['afflicter', 'reafflict'], 'reagent': ['grantee', 'greaten', 'reagent', 'rentage'], 'reagin': ['arenig', 'earing', 'gainer', 'reagin', 'regain'], 'reak': ['rake', 'reak'], 'real': ['earl', 'eral', 'lear', 'real'], 'reales': ['alerse', 'leaser', 'reales', 'resale', 'reseal', 'sealer'], 'realest': ['realest', 'reslate', 'resteal', 'stealer', 'teasler'], 'realign': ['aligner', 'engrail', 'realign', 'reginal'], 'realignment': ['engrailment', 'realignment'], 'realism': ['mislear', 'realism'], 'realist': ['aletris', 'alister', 'listera', 'realist', 'saltier'], 'realistic': ['eristical', 'realistic'], 'reality': ['irately', 'reality'], 'realive': ['realive', 'valerie'], 'realization': ['rationalize', 'realization'], 'reallot': ['reallot', 'rotella', 'tallero'], 'reallow': ['allower', 'reallow'], 'reallude': ['laureled', 'reallude'], 'realmlet': ['realmlet', 'tremella'], 'realter': ['alterer', 'realter', 'relater'], 'realtor': ['realtor', 'relator'], 'realty': ['lyrate', 'raylet', 'realty', 'telary'], 'ream': ['erma', 'mare', 'rame', 'ream'], 'reamage': ['megaera', 'reamage'], 'reamass': ['amasser', 'reamass'], 'reamend': ['amender', 'meander', 'reamend', 'reedman'], 'reamer': ['marree', 'reamer'], 'reamuse': ['measure', 'reamuse'], 'reamy': ['mayer', 'reamy'], 'reanchor': ['anchorer', 'ranchero', 'reanchor'], 'reanneal': ['annealer', 'lernaean', 'reanneal'], 'reannex': ['annexer', 'reannex'], 'reannoy': ['annoyer', 'reannoy'], 'reanoint': ['anointer', 'inornate', 'nonirate', 'reanoint'], 'reanswer': ['answerer', 'reanswer'], 'reanvil': ['elinvar', 'ravelin', 'reanvil', 'valerin'], 'reap': ['aper', 'pare', 'pear', 'rape', 'reap'], 'reapdole': ['leoparde', 'reapdole'], 'reappeal': ['appealer', 'reappeal'], 'reappear': ['appearer', 'rapparee', 'reappear'], 'reapplaud': ['applauder', 'reapplaud'], 'reappoint': ['appointer', 'reappoint'], 'reapportion': ['apportioner', 'reapportion'], 'reapprehend': ['apprehender', 'reapprehend'], 'reapproach': ['approacher', 'reapproach'], 'rear': ['rare', 'rear'], 'reargue': ['augerer', 'reargue'], 'reargument': ['garmenture', 'reargument'], 'rearise': ['rearise', 'reraise'], 'rearm': ['armer', 'rearm'], 'rearray': ['arrayer', 'rearray'], 'rearrest': ['arrester', 'rearrest'], 'reascend': ['ascender', 'reascend'], 'reascent': ['reascent', 'sarcenet'], 'reascertain': ['ascertainer', 'reascertain', 'secretarian'], 'reask': ['asker', 'reask', 'saker', 'sekar'], 'reason': ['arseno', 'reason'], 'reassail': ['assailer', 'reassail'], 'reassault': ['assaulter', 'reassault', 'saleratus'], 'reassay': ['assayer', 'reassay'], 'reassent': ['assenter', 'reassent', 'sarsenet'], 'reassert': ['asserter', 'reassert'], 'reassign': ['assigner', 'reassign'], 'reassist': ['assister', 'reassist'], 'reassort': ['assertor', 'assorter', 'oratress', 'reassort'], 'reastonish': ['astonisher', 'reastonish', 'treasonish'], 'reasty': ['atresy', 'estray', 'reasty', 'stayer'], 'reasy': ['reasy', 'resay', 'sayer', 'seary'], 'reattach': ['attacher', 'reattach'], 'reattack': ['attacker', 'reattack'], 'reattain': ['attainer', 'reattain', 'tertiana'], 'reattempt': ['attempter', 'reattempt'], 'reattend': ['attender', 'nattered', 'reattend'], 'reattest': ['attester', 'reattest'], 'reattract': ['attracter', 'reattract'], 'reattraction': ['reattraction', 'retractation'], 'reatus': ['auster', 'reatus'], 'reavail': ['reavail', 'valeria'], 'reave': ['eaver', 'reave'], 'reavoid': ['avodire', 'avoider', 'reavoid'], 'reavouch': ['avoucher', 'reavouch'], 'reavow': ['avower', 'reavow'], 'reawait': ['awaiter', 'reawait'], 'reawaken': ['awakener', 'reawaken'], 'reaward': ['awarder', 'reaward'], 'reb': ['ber', 'reb'], 'rebab': ['barbe', 'bebar', 'breba', 'rebab'], 'reback': ['backer', 'reback'], 'rebag': ['bagre', 'barge', 'begar', 'rebag'], 'rebait': ['baiter', 'barite', 'rebait', 'terbia'], 'rebake': ['beaker', 'berake', 'rebake'], 'reballast': ['ballaster', 'reballast'], 'reballot': ['balloter', 'reballot'], 'reban': ['abner', 'arneb', 'reban'], 'rebanish': ['banisher', 'rebanish'], 'rebar': ['barer', 'rebar'], 'rebargain': ['bargainer', 'rebargain'], 'rebasis': ['brassie', 'rebasis'], 'rebate': ['beater', 'berate', 'betear', 'rebate', 'rebeat'], 'rebater': ['rebater', 'terebra'], 'rebathe': ['breathe', 'rebathe'], 'rebato': ['boater', 'borate', 'rebato'], 'rebawl': ['bawler', 'brelaw', 'rebawl', 'warble'], 'rebear': ['bearer', 'rebear'], 'rebeat': ['beater', 'berate', 'betear', 'rebate', 'rebeat'], 'rebeck': ['becker', 'rebeck'], 'rebed': ['brede', 'breed', 'rebed'], 'rebeg': ['gerbe', 'grebe', 'rebeg'], 'rebeggar': ['beggarer', 'rebeggar'], 'rebegin': ['bigener', 'rebegin'], 'rebehold': ['beholder', 'rebehold'], 'rebellow': ['bellower', 'rebellow'], 'rebelly': ['bellyer', 'rebelly'], 'rebelong': ['belonger', 'rebelong'], 'rebend': ['bender', 'berend', 'rebend'], 'rebenefit': ['benefiter', 'rebenefit'], 'rebeset': ['besteer', 'rebeset'], 'rebestow': ['bestower', 'rebestow'], 'rebetray': ['betrayer', 'eatberry', 'rebetray', 'teaberry'], 'rebewail': ['bewailer', 'rebewail'], 'rebia': ['barie', 'beira', 'erbia', 'rebia'], 'rebias': ['braise', 'rabies', 'rebias'], 'rebid': ['bider', 'bredi', 'bride', 'rebid'], 'rebill': ['biller', 'rebill'], 'rebillet': ['billeter', 'rebillet'], 'rebind': ['binder', 'inbred', 'rebind'], 'rebirth': ['brither', 'rebirth'], 'rebite': ['bertie', 'betire', 'rebite'], 'reblade': ['bleared', 'reblade'], 'reblast': ['blaster', 'reblast', 'stabler'], 'rebleach': ['bleacher', 'rebleach'], 'reblend': ['blender', 'reblend'], 'rebless': ['blesser', 'rebless'], 'reblock': ['blocker', 'brockle', 'reblock'], 'rebloom': ['bloomer', 'rebloom'], 'reblot': ['bolter', 'orblet', 'reblot', 'rebolt'], 'reblow': ['blower', 'bowler', 'reblow', 'worble'], 'reblue': ['brulee', 'burele', 'reblue'], 'rebluff': ['bluffer', 'rebluff'], 'reblunder': ['blunderer', 'reblunder'], 'reboant': ['baronet', 'reboant'], 'reboantic': ['bicornate', 'carbonite', 'reboantic'], 'reboard': ['arbored', 'boarder', 'reboard'], 'reboast': ['barotse', 'boaster', 'reboast', 'sorbate'], 'reboil': ['boiler', 'reboil'], 'rebold': ['belord', 'bordel', 'rebold'], 'rebolt': ['bolter', 'orblet', 'reblot', 'rebolt'], 'rebone': ['boreen', 'enrobe', 'neebor', 'rebone'], 'rebook': ['booker', 'brooke', 'rebook'], 'rebop': ['probe', 'rebop'], 'rebore': ['rebore', 'rerobe'], 'reborrow': ['borrower', 'reborrow'], 'rebound': ['beround', 'bounder', 'rebound', 'unbored', 'unorbed', 'unrobed'], 'rebounder': ['rebounder', 'underrobe'], 'rebox': ['boxer', 'rebox'], 'rebrace': ['cerebra', 'rebrace'], 'rebraid': ['braider', 'rebraid'], 'rebranch': ['brancher', 'rebranch'], 'rebrand': ['bernard', 'brander', 'rebrand'], 'rebrandish': ['brandisher', 'rebrandish'], 'rebreed': ['breeder', 'rebreed'], 'rebrew': ['brewer', 'rebrew'], 'rebribe': ['berberi', 'rebribe'], 'rebring': ['bringer', 'rebring'], 'rebroach': ['broacher', 'rebroach'], 'rebroadcast': ['broadcaster', 'rebroadcast'], 'rebrown': ['browner', 'rebrown'], 'rebrush': ['brusher', 'rebrush'], 'rebud': ['bedur', 'rebud', 'redub'], 'rebudget': ['budgeter', 'rebudget'], 'rebuff': ['buffer', 'rebuff'], 'rebuffet': ['buffeter', 'rebuffet'], 'rebuild': ['builder', 'rebuild'], 'rebulk': ['bulker', 'rebulk'], 'rebunch': ['buncher', 'rebunch'], 'rebundle': ['blendure', 'rebundle'], 'reburden': ['burdener', 'reburden'], 'reburn': ['burner', 'reburn'], 'reburnish': ['burnisher', 'reburnish'], 'reburst': ['burster', 'reburst'], 'rebus': ['burse', 'rebus', 'suber'], 'rebush': ['busher', 'rebush'], 'rebut': ['brute', 'buret', 'rebut', 'tuber'], 'rebute': ['rebute', 'retube'], 'rebuttal': ['burletta', 'rebuttal'], 'rebutton': ['buttoner', 'rebutton'], 'rebuy': ['buyer', 'rebuy'], 'recalk': ['calker', 'lacker', 'rackle', 'recalk', 'reckla'], 'recall': ['caller', 'cellar', 'recall'], 'recampaign': ['campaigner', 'recampaign'], 'recancel': ['canceler', 'clarence', 'recancel'], 'recant': ['canter', 'creant', 'cretan', 'nectar', 'recant', 'tanrec', 'trance'], 'recantation': ['recantation', 'triacontane'], 'recanter': ['canterer', 'recanter', 'recreant', 'terrance'], 'recap': ['caper', 'crape', 'pacer', 'perca', 'recap'], 'recaption': ['preaction', 'precation', 'recaption'], 'recarpet': ['pretrace', 'recarpet'], 'recart': ['arrect', 'carter', 'crater', 'recart', 'tracer'], 'recase': ['cesare', 'crease', 'recase', 'searce'], 'recash': ['arches', 'chaser', 'eschar', 'recash', 'search'], 'recast': ['carest', 'caster', 'recast'], 'recatch': ['catcher', 'recatch'], 'recede': ['decree', 'recede'], 'recedent': ['centered', 'decenter', 'decentre', 'recedent'], 'receder': ['decreer', 'receder'], 'receipt': ['ereptic', 'precite', 'receipt'], 'receiptor': ['procerite', 'receiptor'], 'receivables': ['receivables', 'serviceable'], 'received': ['deceiver', 'received'], 'recement': ['cementer', 'cerement', 'recement'], 'recension': ['ninescore', 'recension'], 'recensionist': ['intercession', 'recensionist'], 'recent': ['center', 'recent', 'tenrec'], 'recenter': ['centerer', 'recenter', 'recentre', 'terrence'], 'recentre': ['centerer', 'recenter', 'recentre', 'terrence'], 'reception': ['prenotice', 'reception'], 'receptoral': ['praelector', 'receptoral'], 'recess': ['cesser', 'recess'], 'rechain': ['chainer', 'enchair', 'rechain'], 'rechal': ['rachel', 'rechal'], 'rechamber': ['chamberer', 'rechamber'], 'rechange': ['encharge', 'rechange'], 'rechant': ['chanter', 'rechant'], 'rechar': ['archer', 'charer', 'rechar'], 'recharter': ['charterer', 'recharter'], 'rechase': ['archsee', 'rechase'], 'rechaser': ['rechaser', 'research', 'searcher'], 'rechasten': ['chastener', 'rechasten'], 'rechaw': ['chawer', 'rechaw'], 'recheat': ['cheater', 'hectare', 'recheat', 'reteach', 'teacher'], 'recheck': ['checker', 'recheck'], 'recheer': ['cheerer', 'recheer'], 'rechew': ['chewer', 'rechew'], 'rechip': ['cipher', 'rechip'], 'rechisel': ['chiseler', 'rechisel'], 'rechristen': ['christener', 'rechristen'], 'rechuck': ['chucker', 'rechuck'], 'recidivous': ['recidivous', 'veridicous'], 'recipe': ['piecer', 'pierce', 'recipe'], 'recipiend': ['perdicine', 'recipiend'], 'recipient': ['princeite', 'recipient'], 'reciprocate': ['carpocerite', 'reciprocate'], 'recirculate': ['clericature', 'recirculate'], 'recision': ['recision', 'soricine'], 'recital': ['article', 'recital'], 'recitativo': ['recitativo', 'victoriate'], 'recite': ['cerite', 'certie', 'recite', 'tierce'], 'recitement': ['centimeter', 'recitement', 'remittence'], 'reckla': ['calker', 'lacker', 'rackle', 'recalk', 'reckla'], 'reckless': ['clerkess', 'reckless'], 'reckling': ['clerking', 'reckling'], 'reckon': ['conker', 'reckon'], 'reclaim': ['claimer', 'miracle', 'reclaim'], 'reclaimer': ['calmierer', 'reclaimer'], 'reclama': ['cameral', 'caramel', 'carmela', 'ceramal', 'reclama'], 'reclang': ['cangler', 'glancer', 'reclang'], 'reclasp': ['clasper', 'reclasp', 'scalper'], 'reclass': ['carless', 'classer', 'reclass'], 'reclean': ['cleaner', 'reclean'], 'reclear': ['clearer', 'reclear'], 'reclimb': ['climber', 'reclimb'], 'reclinate': ['intercale', 'interlace', 'lacertine', 'reclinate'], 'reclinated': ['credential', 'interlaced', 'reclinated'], 'recluse': ['luceres', 'recluse'], 'recluseness': ['censureless', 'recluseness'], 'reclusion': ['cornelius', 'inclosure', 'reclusion'], 'reclusive': ['reclusive', 'versicule'], 'recoach': ['caroche', 'coacher', 'recoach'], 'recoal': ['carole', 'coaler', 'coelar', 'oracle', 'recoal'], 'recoast': ['coaster', 'recoast'], 'recoat': ['coater', 'recoat'], 'recock': ['cocker', 'recock'], 'recoil': ['coiler', 'recoil'], 'recoilment': ['clinometer', 'recoilment'], 'recoin': ['cerion', 'coiner', 'neroic', 'orcein', 'recoin'], 'recoinage': ['aerogenic', 'recoinage'], 'recollate': ['electoral', 'recollate'], 'recollation': ['collationer', 'recollation'], 'recollection': ['collectioner', 'recollection'], 'recollet': ['colleter', 'coteller', 'coterell', 'recollet'], 'recolor': ['colorer', 'recolor'], 'recomb': ['comber', 'recomb'], 'recomfort': ['comforter', 'recomfort'], 'recommand': ['commander', 'recommand'], 'recommend': ['commender', 'recommend'], 'recommission': ['commissioner', 'recommission'], 'recompact': ['compacter', 'recompact'], 'recompass': ['compasser', 'recompass'], 'recompetition': ['competitioner', 'recompetition'], 'recomplain': ['complainer', 'procnemial', 'recomplain'], 'recompound': ['compounder', 'recompound'], 'recomprehend': ['comprehender', 'recomprehend'], 'recon': ['coner', 'crone', 'recon'], 'reconceal': ['concealer', 'reconceal'], 'reconcert': ['concreter', 'reconcert'], 'reconcession': ['concessioner', 'reconcession'], 'reconcoct': ['concocter', 'reconcoct'], 'recondemn': ['condemner', 'recondemn'], 'recondensation': ['nondesecration', 'recondensation'], 'recondition': ['conditioner', 'recondition'], 'reconfer': ['confrere', 'enforcer', 'reconfer'], 'reconfess': ['confesser', 'reconfess'], 'reconfirm': ['confirmer', 'reconfirm'], 'reconform': ['conformer', 'reconform'], 'reconfound': ['confounder', 'reconfound'], 'reconfront': ['confronter', 'reconfront'], 'recongeal': ['congealer', 'recongeal'], 'reconjoin': ['conjoiner', 'reconjoin'], 'reconnect': ['concenter', 'reconnect'], 'reconnoiter': ['reconnoiter', 'reconnoitre'], 'reconnoitre': ['reconnoiter', 'reconnoitre'], 'reconsent': ['consenter', 'nonsecret', 'reconsent'], 'reconsider': ['considerer', 'reconsider'], 'reconsign': ['consigner', 'reconsign'], 'reconstitution': ['constitutioner', 'reconstitution'], 'reconstruct': ['constructer', 'reconstruct'], 'reconsult': ['consulter', 'reconsult'], 'recontend': ['contender', 'recontend'], 'recontest': ['contester', 'recontest'], 'recontinue': ['recontinue', 'unctioneer'], 'recontract': ['contracter', 'correctant', 'recontract'], 'reconvention': ['conventioner', 'reconvention'], 'reconvert': ['converter', 'reconvert'], 'reconvey': ['conveyer', 'reconvey'], 'recook': ['cooker', 'recook'], 'recool': ['cooler', 'recool'], 'recopper': ['copperer', 'recopper'], 'recopyright': ['copyrighter', 'recopyright'], 'record': ['corder', 'record'], 'recordation': ['corrodentia', 'recordation'], 'recork': ['corker', 'recork', 'rocker'], 'recorrection': ['correctioner', 'recorrection'], 'recorrupt': ['corrupter', 'recorrupt'], 'recounsel': ['enclosure', 'recounsel'], 'recount': ['cornute', 'counter', 'recount', 'trounce'], 'recountal': ['nucleator', 'recountal'], 'recoup': ['couper', 'croupe', 'poucer', 'recoup'], 'recourse': ['recourse', 'resource'], 'recover': ['coverer', 'recover'], 'recramp': ['cramper', 'recramp'], 'recrank': ['cranker', 'recrank'], 'recrate': ['caterer', 'recrate', 'retrace', 'terrace'], 'recreant': ['canterer', 'recanter', 'recreant', 'terrance'], 'recredit': ['cedriret', 'directer', 'recredit', 'redirect'], 'recrew': ['crewer', 'recrew'], 'recrimination': ['intermorainic', 'recrimination'], 'recroon': ['coroner', 'crooner', 'recroon'], 'recross': ['crosser', 'recross'], 'recrowd': ['crowder', 'recrowd'], 'recrown': ['crowner', 'recrown'], 'recrudency': ['decurrency', 'recrudency'], 'recruital': ['curtailer', 'recruital', 'reticular'], 'recrush': ['crusher', 'recrush'], 'recta': ['caret', 'carte', 'cater', 'crate', 'creat', 'creta', 'react', 'recta', 'trace'], 'rectal': ['carlet', 'cartel', 'claret', 'rectal', 'talcer'], 'rectalgia': ['cartilage', 'rectalgia'], 'recti': ['citer', 'recti', 'ticer', 'trice'], 'rectifiable': ['certifiable', 'rectifiable'], 'rectification': ['certification', 'cretification', 'rectification'], 'rectificative': ['certificative', 'rectificative'], 'rectificator': ['certificator', 'rectificator'], 'rectificatory': ['certificatory', 'rectificatory'], 'rectified': ['certified', 'rectified'], 'rectifier': ['certifier', 'rectifier'], 'rectify': ['certify', 'cretify', 'rectify'], 'rection': ['cerotin', 'cointer', 'cotrine', 'cretion', 'noticer', 'rection'], 'rectitude': ['certitude', 'rectitude'], 'rectoress': ['crosstree', 'rectoress'], 'rectorship': ['cristopher', 'rectorship'], 'rectotome': ['octometer', 'rectotome', 'tocometer'], 'rectovesical': ['rectovesical', 'vesicorectal'], 'recur': ['curer', 'recur'], 'recurl': ['curler', 'recurl'], 'recurse': ['recurse', 'rescuer', 'securer'], 'recurtain': ['recurtain', 'unerratic'], 'recurvation': ['countervair', 'overcurtain', 'recurvation'], 'recurvous': ['recurvous', 'verrucous'], 'recusance': ['recusance', 'securance'], 'recusant': ['etruscan', 'recusant'], 'recusation': ['nectarious', 'recusation'], 'recusator': ['craterous', 'recusator'], 'recuse': ['cereus', 'ceruse', 'recuse', 'rescue', 'secure'], 'recut': ['cruet', 'eruct', 'recut', 'truce'], 'red': ['erd', 'red'], 'redact': ['cedrat', 'decart', 'redact'], 'redaction': ['citronade', 'endaortic', 'redaction'], 'redactional': ['declaration', 'redactional'], 'redamage': ['dreamage', 'redamage'], 'redan': ['andre', 'arend', 'daren', 'redan'], 'redare': ['reader', 'redare', 'reread'], 'redarken': ['darkener', 'redarken'], 'redarn': ['darner', 'darren', 'errand', 'rander', 'redarn'], 'redart': ['darter', 'dartre', 'redart', 'retard', 'retrad', 'tarred', 'trader'], 'redate': ['derate', 'redate'], 'redaub': ['dauber', 'redaub'], 'redawn': ['andrew', 'redawn', 'wander', 'warden'], 'redbait': ['redbait', 'tribade'], 'redbud': ['budder', 'redbud'], 'redcoat': ['cordate', 'decator', 'redcoat'], 'redden': ['nedder', 'redden'], 'reddingite': ['digredient', 'reddingite'], 'rede': ['deer', 'dere', 'dree', 'rede', 'reed'], 'redeal': ['dealer', 'leader', 'redeal', 'relade', 'relead'], 'redeck': ['decker', 'redeck'], 'redeed': ['redeed', 'reeded'], 'redeem': ['deemer', 'meered', 'redeem', 'remede'], 'redefault': ['defaulter', 'redefault'], 'redefeat': ['defeater', 'federate', 'redefeat'], 'redefine': ['needfire', 'redefine'], 'redeflect': ['redeflect', 'reflected'], 'redelay': ['delayer', 'layered', 'redelay'], 'redeliver': ['deliverer', 'redeliver'], 'redemand': ['demander', 'redemand'], 'redemolish': ['demolisher', 'redemolish'], 'redeny': ['redeny', 'yender'], 'redepend': ['depender', 'redepend'], 'redeprive': ['prederive', 'redeprive'], 'rederivation': ['rederivation', 'veratroidine'], 'redescend': ['descender', 'redescend'], 'redescription': ['prediscretion', 'redescription'], 'redesign': ['designer', 'redesign', 'resigned'], 'redesman': ['redesman', 'seamrend'], 'redetect': ['detecter', 'redetect'], 'redevelop': ['developer', 'redevelop'], 'redfin': ['finder', 'friend', 'redfin', 'refind'], 'redhoop': ['redhoop', 'rhodope'], 'redia': ['aider', 'deair', 'irade', 'redia'], 'redient': ['nitered', 'redient', 'teinder'], 'redig': ['dirge', 'gride', 'redig', 'ridge'], 'redigest': ['digester', 'redigest'], 'rediminish': ['diminisher', 'rediminish'], 'redintegrator': ['redintegrator', 'retrogradient'], 'redip': ['pride', 'pried', 'redip'], 'redirect': ['cedriret', 'directer', 'recredit', 'redirect'], 'redisable': ['desirable', 'redisable'], 'redisappear': ['disappearer', 'redisappear'], 'rediscount': ['discounter', 'rediscount'], 'rediscover': ['discoverer', 'rediscover'], 'rediscuss': ['discusser', 'rediscuss'], 'redispatch': ['dispatcher', 'redispatch'], 'redisplay': ['displayer', 'redisplay'], 'redispute': ['disrepute', 'redispute'], 'redistend': ['dendrites', 'distender', 'redistend'], 'redistill': ['distiller', 'redistill'], 'redistinguish': ['distinguisher', 'redistinguish'], 'redistrain': ['distrainer', 'redistrain'], 'redisturb': ['disturber', 'redisturb'], 'redive': ['derive', 'redive'], 'redivert': ['diverter', 'redivert', 'verditer'], 'redleg': ['gelder', 'ledger', 'redleg'], 'redlegs': ['redlegs', 'sledger'], 'redo': ['doer', 'redo', 'rode', 'roed'], 'redock': ['corked', 'docker', 'redock'], 'redolent': ['redolent', 'rondelet'], 'redoom': ['doomer', 'mooder', 'redoom', 'roomed'], 'redoubling': ['bouldering', 'redoubling'], 'redoubt': ['doubter', 'obtrude', 'outbred', 'redoubt'], 'redound': ['redound', 'rounded', 'underdo'], 'redowa': ['redowa', 'woader'], 'redraft': ['drafter', 'redraft'], 'redrag': ['darger', 'gerard', 'grader', 'redrag', 'regard'], 'redraw': ['drawer', 'redraw', 'reward', 'warder'], 'redrawer': ['redrawer', 'rewarder', 'warderer'], 'redream': ['dreamer', 'redream'], 'redress': ['dresser', 'redress'], 'redrill': ['driller', 'redrill'], 'redrive': ['deriver', 'redrive', 'rivered'], 'redry': ['derry', 'redry', 'ryder'], 'redtail': ['dilater', 'lardite', 'redtail'], 'redtop': ['deport', 'ported', 'redtop'], 'redub': ['bedur', 'rebud', 'redub'], 'reductant': ['reductant', 'traducent', 'truncated'], 'reduction': ['introduce', 'reduction'], 'reductional': ['radiolucent', 'reductional'], 'redue': ['redue', 'urdee'], 'redunca': ['durance', 'redunca', 'unraced'], 'redwithe': ['redwithe', 'withered'], 'redye': ['redye', 'reedy'], 'ree': ['eer', 'ere', 'ree'], 'reechy': ['cheery', 'reechy'], 'reed': ['deer', 'dere', 'dree', 'rede', 'reed'], 'reeded': ['redeed', 'reeded'], 'reeden': ['endere', 'needer', 'reeden'], 'reedily': ['reedily', 'reyield', 'yielder'], 'reeding': ['energid', 'reeding'], 'reedling': ['engirdle', 'reedling'], 'reedman': ['amender', 'meander', 'reamend', 'reedman'], 'reedwork': ['reedwork', 'reworked'], 'reedy': ['redye', 'reedy'], 'reef': ['feer', 'free', 'reef'], 'reefing': ['feering', 'feigner', 'freeing', 'reefing', 'refeign'], 'reek': ['eker', 'reek'], 'reel': ['leer', 'reel'], 'reeler': ['reeler', 'rereel'], 'reelingly': ['leeringly', 'reelingly'], 'reem': ['mere', 'reem'], 'reeming': ['reeming', 'regimen'], 'reen': ['erne', 'neer', 'reen'], 'reenge': ['neeger', 'reenge', 'renege'], 'rees': ['erse', 'rees', 'seer', 'sere'], 'reese': ['esere', 'reese', 'resee'], 'reesk': ['esker', 'keres', 'reesk', 'seker', 'skeer', 'skere'], 'reest': ['ester', 'estre', 'reest', 'reset', 'steer', 'stere', 'stree', 'terse', 'tsere'], 'reester': ['reester', 'steerer'], 'reestle': ['reestle', 'resteel', 'steeler'], 'reesty': ['reesty', 'yester'], 'reet': ['reet', 'teer', 'tree'], 'reetam': ['reetam', 'retame', 'teamer'], 'reeveland': ['landreeve', 'reeveland'], 'refall': ['faller', 'refall'], 'refashion': ['fashioner', 'refashion'], 'refasten': ['fastener', 'fenestra', 'refasten'], 'refavor': ['favorer', 'overfar', 'refavor'], 'refeed': ['feeder', 'refeed'], 'refeel': ['feeler', 'refeel', 'reflee'], 'refeign': ['feering', 'feigner', 'freeing', 'reefing', 'refeign'], 'refel': ['fleer', 'refel'], 'refer': ['freer', 'refer'], 'referment': ['fermenter', 'referment'], 'refetch': ['fetcher', 'refetch'], 'refight': ['fighter', 'freight', 'refight'], 'refill': ['filler', 'refill'], 'refilter': ['filterer', 'refilter'], 'refinable': ['inferable', 'refinable'], 'refind': ['finder', 'friend', 'redfin', 'refind'], 'refine': ['ferine', 'refine'], 'refined': ['definer', 'refined'], 'refiner': ['refiner', 'reinfer'], 'refinger': ['fingerer', 'refinger'], 'refining': ['infringe', 'refining'], 'refinish': ['finisher', 'refinish'], 'refit': ['freit', 'refit'], 'refix': ['fixer', 'refix'], 'reflash': ['flasher', 'reflash'], 'reflected': ['redeflect', 'reflected'], 'reflee': ['feeler', 'refeel', 'reflee'], 'refling': ['ferling', 'flinger', 'refling'], 'refloat': ['floater', 'florate', 'refloat'], 'reflog': ['golfer', 'reflog'], 'reflood': ['flooder', 'reflood'], 'refloor': ['floorer', 'refloor'], 'reflourish': ['flourisher', 'reflourish'], 'reflow': ['flower', 'fowler', 'reflow', 'wolfer'], 'reflower': ['flowerer', 'reflower'], 'reflush': ['flusher', 'reflush'], 'reflux': ['fluxer', 'reflux'], 'refluxed': ['flexured', 'refluxed'], 'refly': ['ferly', 'flyer', 'refly'], 'refocus': ['focuser', 'refocus'], 'refold': ['folder', 'refold'], 'refoment': ['fomenter', 'refoment'], 'refoot': ['footer', 'refoot'], 'reforecast': ['forecaster', 'reforecast'], 'reforest': ['forester', 'fosterer', 'reforest'], 'reforfeit': ['forfeiter', 'reforfeit'], 'reform': ['former', 'reform'], 'reformado': ['doorframe', 'reformado'], 'reformed': ['deformer', 'reformed'], 'reformism': ['misreform', 'reformism'], 'reformist': ['reformist', 'restiform'], 'reforward': ['forwarder', 'reforward'], 'refound': ['founder', 'refound'], 'refoundation': ['foundationer', 'refoundation'], 'refreshen': ['freshener', 'refreshen'], 'refrighten': ['frightener', 'refrighten'], 'refront': ['fronter', 'refront'], 'reft': ['fret', 'reft', 'tref'], 'refuel': ['ferule', 'fueler', 'refuel'], 'refund': ['funder', 'refund'], 'refurbish': ['furbisher', 'refurbish'], 'refurl': ['furler', 'refurl'], 'refurnish': ['furnisher', 'refurnish'], 'refusingly': ['refusingly', 'syringeful'], 'refutal': ['faulter', 'refutal', 'tearful'], 'refute': ['fuerte', 'refute'], 'reg': ['erg', 'ger', 'reg'], 'regain': ['arenig', 'earing', 'gainer', 'reagin', 'regain'], 'regal': ['argel', 'ergal', 'garle', 'glare', 'lager', 'large', 'regal'], 'regalia': ['lairage', 'railage', 'regalia'], 'regalian': ['algerian', 'geranial', 'regalian'], 'regalist': ['glaister', 'regalist'], 'regallop': ['galloper', 'regallop'], 'regally': ['allergy', 'gallery', 'largely', 'regally'], 'regalness': ['largeness', 'rangeless', 'regalness'], 'regard': ['darger', 'gerard', 'grader', 'redrag', 'regard'], 'regarnish': ['garnisher', 'regarnish'], 'regather': ['gatherer', 'regather'], 'regatta': ['garetta', 'rattage', 'regatta'], 'regelate': ['eglatere', 'regelate', 'relegate'], 'regelation': ['regelation', 'relegation'], 'regenesis': ['energesis', 'regenesis'], 'regent': ['gerent', 'regent'], 'reges': ['reges', 'serge'], 'reget': ['egret', 'greet', 'reget'], 'regga': ['agger', 'gager', 'regga'], 'reggie': ['greige', 'reggie'], 'regia': ['geira', 'regia'], 'regild': ['gilder', 'girdle', 'glider', 'regild', 'ridgel'], 'regill': ['giller', 'grille', 'regill'], 'regimen': ['reeming', 'regimen'], 'regimenal': ['margeline', 'regimenal'], 'regin': ['grein', 'inger', 'nigre', 'regin', 'reign', 'ringe'], 'reginal': ['aligner', 'engrail', 'realign', 'reginal'], 'reginald': ['dragline', 'reginald', 'ringlead'], 'region': ['ignore', 'region'], 'regional': ['geraniol', 'regional'], 'registered': ['deregister', 'registered'], 'registerer': ['registerer', 'reregister'], 'regive': ['grieve', 'regive'], 'regladden': ['gladdener', 'glandered', 'regladden'], 'reglair': ['grailer', 'reglair'], 'regle': ['leger', 'regle'], 'reglet': ['gretel', 'reglet'], 'regloss': ['glosser', 'regloss'], 'reglove': ['overleg', 'reglove'], 'reglow': ['glower', 'reglow'], 'regma': ['grame', 'marge', 'regma'], 'regnal': ['angler', 'arleng', 'garnel', 'largen', 'rangle', 'regnal'], 'regraft': ['grafter', 'regraft'], 'regrant': ['granter', 'regrant'], 'regrasp': ['grasper', 'regrasp', 'sparger'], 'regrass': ['grasser', 'regrass'], 'regrate': ['greater', 'regrate', 'terrage'], 'regrating': ['gartering', 'regrating'], 'regrator': ['garroter', 'regrator'], 'regreen': ['greener', 'regreen', 'reneger'], 'regreet': ['greeter', 'regreet'], 'regrind': ['grinder', 'regrind'], 'regrinder': ['derringer', 'regrinder'], 'regrip': ['griper', 'regrip'], 'regroup': ['grouper', 'regroup'], 'regrow': ['grower', 'regrow'], 'reguard': ['guarder', 'reguard'], 'regula': ['ragule', 'regula'], 'regulation': ['regulation', 'urogenital'], 'reguli': ['ligure', 'reguli'], 'regur': ['regur', 'urger'], 'regush': ['gusher', 'regush'], 'reh': ['her', 'reh', 'rhe'], 'rehale': ['healer', 'rehale', 'reheal'], 'rehallow': ['hallower', 'rehallow'], 'rehammer': ['hammerer', 'rehammer'], 'rehang': ['hanger', 'rehang'], 'reharden': ['hardener', 'reharden'], 'reharm': ['harmer', 'reharm'], 'reharness': ['harnesser', 'reharness'], 'reharrow': ['harrower', 'reharrow'], 'reharvest': ['harvester', 'reharvest'], 'rehash': ['hasher', 'rehash'], 'rehaul': ['hauler', 'rehaul'], 'rehazard': ['hazarder', 'rehazard'], 'rehead': ['adhere', 'header', 'hedera', 'rehead'], 'reheal': ['healer', 'rehale', 'reheal'], 'reheap': ['heaper', 'reheap'], 'rehear': ['hearer', 'rehear'], 'rehearser': ['rehearser', 'reshearer'], 'rehearten': ['heartener', 'rehearten'], 'reheat': ['heater', 'hereat', 'reheat'], 'reheel': ['heeler', 'reheel'], 'reheighten': ['heightener', 'reheighten'], 'rehoist': ['hoister', 'rehoist'], 'rehollow': ['hollower', 'rehollow'], 'rehonor': ['honorer', 'rehonor'], 'rehook': ['hooker', 'rehook'], 'rehoop': ['hooper', 'rehoop'], 'rehung': ['hunger', 'rehung'], 'reid': ['dier', 'dire', 'reid', 'ride'], 'reif': ['fire', 'reif', 'rife'], 'reify': ['fiery', 'reify'], 'reign': ['grein', 'inger', 'nigre', 'regin', 'reign', 'ringe'], 'reignore': ['erigeron', 'reignore'], 'reillustrate': ['reillustrate', 'ultrasterile'], 'reim': ['emir', 'imer', 'mire', 'reim', 'remi', 'riem', 'rime'], 'reimbody': ['embryoid', 'reimbody'], 'reimpart': ['imparter', 'reimpart'], 'reimplant': ['implanter', 'reimplant'], 'reimply': ['primely', 'reimply'], 'reimport': ['importer', 'promerit', 'reimport'], 'reimpose': ['perisome', 'promisee', 'reimpose'], 'reimpress': ['impresser', 'reimpress'], 'reimpression': ['reimpression', 'repermission'], 'reimprint': ['imprinter', 'reimprint'], 'reimprison': ['imprisoner', 'reimprison'], 'rein': ['neri', 'rein', 'rine'], 'reina': ['erian', 'irena', 'reina'], 'reincentive': ['internecive', 'reincentive'], 'reincite': ['icterine', 'reincite'], 'reincrudate': ['antireducer', 'reincrudate', 'untraceried'], 'reindeer': ['denierer', 'reindeer'], 'reindict': ['indicter', 'indirect', 'reindict'], 'reindue': ['reindue', 'uredine'], 'reinfect': ['frenetic', 'infecter', 'reinfect'], 'reinfer': ['refiner', 'reinfer'], 'reinfest': ['infester', 'reinfest'], 'reinflate': ['interleaf', 'reinflate'], 'reinflict': ['inflicter', 'reinflict'], 'reinform': ['informer', 'reinform', 'reniform'], 'reinhabit': ['inhabiter', 'reinhabit'], 'reins': ['reins', 'resin', 'rinse', 'risen', 'serin', 'siren'], 'reinsane': ['anserine', 'reinsane'], 'reinsert': ['inserter', 'reinsert'], 'reinsist': ['insister', 'reinsist', 'sinister', 'sisterin'], 'reinspect': ['prescient', 'reinspect'], 'reinspector': ['prosecretin', 'reinspector'], 'reinspirit': ['inspiriter', 'reinspirit'], 'reinstall': ['installer', 'reinstall'], 'reinstation': ['reinstation', 'santorinite'], 'reinstill': ['instiller', 'reinstill'], 'reinstruct': ['instructer', 'intercrust', 'reinstruct'], 'reinsult': ['insulter', 'lustrine', 'reinsult'], 'reintend': ['indenter', 'intender', 'reintend'], 'reinter': ['reinter', 'terrine'], 'reinterest': ['interester', 'reinterest'], 'reinterpret': ['interpreter', 'reinterpret'], 'reinterrupt': ['interrupter', 'reinterrupt'], 'reinterview': ['interviewer', 'reinterview'], 'reintrench': ['intrencher', 'reintrench'], 'reintrude': ['reintrude', 'unretired'], 'reinvent': ['inventer', 'reinvent', 'ventrine', 'vintener'], 'reinvert': ['inverter', 'reinvert', 'trinerve'], 'reinvest': ['reinvest', 'servient'], 'reis': ['reis', 'rise', 'seri', 'sier', 'sire'], 'reit': ['iter', 'reit', 'rite', 'teri', 'tier', 'tire'], 'reiter': ['errite', 'reiter', 'retier', 'retire', 'tierer'], 'reiterable': ['reiterable', 'reliberate'], 'rejail': ['jailer', 'rejail'], 'rejerk': ['jerker', 'rejerk'], 'rejoin': ['joiner', 'rejoin'], 'rejolt': ['jolter', 'rejolt'], 'rejourney': ['journeyer', 'rejourney'], 'reki': ['erik', 'kier', 'reki'], 'rekick': ['kicker', 'rekick'], 'rekill': ['killer', 'rekill'], 'rekiss': ['kisser', 'rekiss'], 'reknit': ['reknit', 'tinker'], 'reknow': ['knower', 'reknow', 'wroken'], 'rel': ['ler', 'rel'], 'relabel': ['labeler', 'relabel'], 'relace': ['alerce', 'cereal', 'relace'], 'relacquer': ['lacquerer', 'relacquer'], 'relade': ['dealer', 'leader', 'redeal', 'relade', 'relead'], 'reladen': ['leander', 'learned', 'reladen'], 'relais': ['israel', 'relais', 'resail', 'sailer', 'serail', 'serial'], 'relament': ['lamenter', 'relament', 'remantle'], 'relamp': ['lamper', 'palmer', 'relamp'], 'reland': ['aldern', 'darnel', 'enlard', 'lander', 'lenard', 'randle', 'reland'], 'relap': ['lepra', 'paler', 'parel', 'parle', 'pearl', 'perla', 'relap'], 'relapse': ['pleaser', 'preseal', 'relapse'], 'relapsing': ['espringal', 'presignal', 'relapsing'], 'relast': ['laster', 'lastre', 'rastle', 'relast', 'resalt', 'salter', 'slater', 'stelar'], 'relata': ['latera', 'relata'], 'relatability': ['alterability', 'bilaterality', 'relatability'], 'relatable': ['alterable', 'relatable'], 'relatch': ['clethra', 'latcher', 'ratchel', 'relatch', 'talcher', 'trachle'], 'relate': ['earlet', 'elater', 'relate'], 'related': ['delater', 'related', 'treadle'], 'relater': ['alterer', 'realter', 'relater'], 'relation': ['oriental', 'relation', 'tirolean'], 'relationism': ['misrelation', 'orientalism', 'relationism'], 'relationist': ['orientalist', 'relationist'], 'relative': ['levirate', 'relative'], 'relativization': ['relativization', 'revitalization'], 'relativize': ['relativize', 'revitalize'], 'relator': ['realtor', 'relator'], 'relaunch': ['launcher', 'relaunch'], 'relay': ['early', 'layer', 'relay'], 'relead': ['dealer', 'leader', 'redeal', 'relade', 'relead'], 'releap': ['leaper', 'releap', 'repale', 'repeal'], 'relearn': ['learner', 'relearn'], 'releather': ['leatherer', 'releather', 'tarheeler'], 'relection': ['centriole', 'electrion', 'relection'], 'relegate': ['eglatere', 'regelate', 'relegate'], 'relegation': ['regelation', 'relegation'], 'relend': ['lender', 'relend'], 'reletter': ['letterer', 'reletter'], 'relevant': ['levanter', 'relevant', 'revelant'], 'relevation': ['relevation', 'revelation'], 'relevator': ['relevator', 'revelator', 'veratrole'], 'relevel': ['leveler', 'relevel'], 'reliably': ['beryllia', 'reliably'], 'reliance': ['cerealin', 'cinereal', 'reliance'], 'reliant': ['entrail', 'latiner', 'latrine', 'ratline', 'reliant', 'retinal', 'trenail'], 'reliantly': ['interally', 'reliantly'], 'reliberate': ['reiterable', 'reliberate'], 'relic': ['crile', 'elric', 'relic'], 'relick': ['licker', 'relick', 'rickle'], 'relicted': ['derelict', 'relicted'], 'relier': ['lierre', 'relier'], 'relieving': ['inveigler', 'relieving'], 'relievo': ['overlie', 'relievo'], 'relift': ['fertil', 'filter', 'lifter', 'relift', 'trifle'], 'religation': ['genitorial', 'religation'], 'relight': ['lighter', 'relight', 'rightle'], 'relighten': ['lightener', 'relighten', 'threeling'], 'religion': ['ligroine', 'religion'], 'relimit': ['limiter', 'relimit'], 'reline': ['lierne', 'reline'], 'relink': ['linker', 'relink'], 'relish': ['hirsel', 'hirsle', 'relish'], 'relishy': ['relishy', 'shirley'], 'relist': ['lister', 'relist'], 'relisten': ['enlister', 'esterlin', 'listener', 'relisten'], 'relive': ['levier', 'relive', 'reveil', 'revile', 'veiler'], 'reload': ['loader', 'ordeal', 'reload'], 'reloan': ['lenora', 'loaner', 'orlean', 'reloan'], 'relocation': ['iconolater', 'relocation'], 'relock': ['locker', 'relock'], 'relook': ['looker', 'relook'], 'relose': ['relose', 'resole'], 'relost': ['relost', 'reslot', 'rostel', 'sterol', 'torsel'], 'relot': ['lerot', 'orlet', 'relot'], 'relower': ['lowerer', 'relower'], 'reluct': ['cutler', 'reluct'], 'reluctation': ['countertail', 'reluctation'], 'relumine': ['lemurine', 'meruline', 'relumine'], 'rely': ['lyre', 'rely'], 'remade': ['meader', 'remade'], 'remagnification': ['germanification', 'remagnification'], 'remagnify': ['germanify', 'remagnify'], 'remail': ['mailer', 'remail'], 'remain': ['ermani', 'marine', 'remain'], 'remains': ['remains', 'seminar'], 'remaintain': ['antimerina', 'maintainer', 'remaintain'], 'reman': ['enarm', 'namer', 'reman'], 'remand': ['damner', 'manred', 'randem', 'remand'], 'remanet': ['remanet', 'remeant', 'treeman'], 'remantle': ['lamenter', 'relament', 'remantle'], 'remap': ['amper', 'remap'], 'remarch': ['charmer', 'marcher', 'remarch'], 'remark': ['marker', 'remark'], 'remarket': ['marketer', 'remarket'], 'remarry': ['marryer', 'remarry'], 'remarshal': ['marshaler', 'remarshal'], 'remask': ['masker', 'remask'], 'remass': ['masser', 'remass'], 'remast': ['martes', 'master', 'remast', 'stream'], 'remasticate': ['metrectasia', 'remasticate'], 'rematch': ['matcher', 'rematch'], 'remeant': ['remanet', 'remeant', 'treeman'], 'remede': ['deemer', 'meered', 'redeem', 'remede'], 'remeet': ['meeter', 'remeet', 'teemer'], 'remelt': ['melter', 'remelt'], 'remend': ['mender', 'remend'], 'remetal': ['lameter', 'metaler', 'remetal'], 'remi': ['emir', 'imer', 'mire', 'reim', 'remi', 'riem', 'rime'], 'remication': ['marcionite', 'microtinae', 'remication'], 'remigate': ['emigrate', 'remigate'], 'remigation': ['emigration', 'remigation'], 'remill': ['miller', 'remill'], 'remind': ['minder', 'remind'], 'remint': ['minter', 'remint', 'termin'], 'remiped': ['demirep', 'epiderm', 'impeder', 'remiped'], 'remisrepresent': ['misrepresenter', 'remisrepresent'], 'remission': ['missioner', 'remission'], 'remisunderstand': ['misunderstander', 'remisunderstand'], 'remit': ['merit', 'miter', 'mitre', 'remit', 'timer'], 'remittal': ['remittal', 'termital'], 'remittance': ['carminette', 'remittance'], 'remittence': ['centimeter', 'recitement', 'remittence'], 'remitter': ['remitter', 'trimeter'], 'remix': ['mixer', 'remix'], 'remnant': ['manrent', 'remnant'], 'remock': ['mocker', 'remock'], 'remodel': ['demerol', 'modeler', 'remodel'], 'remold': ['dermol', 'molder', 'remold'], 'remontant': ['nonmatter', 'remontant'], 'remontoir': ['interroom', 'remontoir'], 'remop': ['merop', 'moper', 'proem', 'remop'], 'remora': ['remora', 'roamer'], 'remord': ['dormer', 'remord'], 'remote': ['meteor', 'remote'], 'remotive': ['overtime', 'remotive'], 'remould': ['remould', 'ruledom'], 'remount': ['monture', 'mounter', 'remount'], 'removable': ['overblame', 'removable'], 'remunerate': ['remunerate', 'renumerate'], 'remuneration': ['remuneration', 'renumeration'], 'remurmur': ['murmurer', 'remurmur'], 'remus': ['muser', 'remus', 'serum'], 'remuster': ['musterer', 'remuster'], 'renable': ['enabler', 'renable'], 'renably': ['blarney', 'renably'], 'renail': ['arline', 'larine', 'linear', 'nailer', 'renail'], 'renaissance': ['necessarian', 'renaissance'], 'renal': ['learn', 'renal'], 'rename': ['enarme', 'meaner', 'rename'], 'renavigate': ['renavigate', 'vegetarian'], 'rend': ['dern', 'rend'], 'rendition': ['rendition', 'trinodine'], 'reneg': ['genre', 'green', 'neger', 'reneg'], 'renegadism': ['grandeeism', 'renegadism'], 'renegation': ['generation', 'renegation'], 'renege': ['neeger', 'reenge', 'renege'], 'reneger': ['greener', 'regreen', 'reneger'], 'reneglect': ['neglecter', 'reneglect'], 'renerve': ['renerve', 'venerer'], 'renes': ['renes', 'sneer'], 'renet': ['enter', 'neter', 'renet', 'terne', 'treen'], 'reniform': ['informer', 'reinform', 'reniform'], 'renilla': ['ralline', 'renilla'], 'renin': ['inner', 'renin'], 'reniportal': ['interpolar', 'reniportal'], 'renish': ['renish', 'shiner', 'shrine'], 'renitence': ['centenier', 'renitence'], 'renitency': ['nycterine', 'renitency'], 'renitent': ['renitent', 'trentine'], 'renk': ['kern', 'renk'], 'rennet': ['rennet', 'tenner'], 'renography': ['granophyre', 'renography'], 'renominate': ['enantiomer', 'renominate'], 'renotation': ['renotation', 'retonation'], 'renotice': ['erection', 'neoteric', 'nocerite', 'renotice'], 'renourish': ['nourisher', 'renourish'], 'renovate': ['overneat', 'renovate'], 'renovater': ['enervator', 'renovater', 'venerator'], 'renown': ['renown', 'wonner'], 'rent': ['rent', 'tern'], 'rentage': ['grantee', 'greaten', 'reagent', 'rentage'], 'rental': ['altern', 'antler', 'learnt', 'rental', 'ternal'], 'rentaler': ['rentaler', 'rerental'], 'rented': ['denter', 'rented', 'tender'], 'rentee': ['entree', 'rentee', 'retene'], 'renter': ['renter', 'rerent'], 'renu': ['renu', 'ruen', 'rune'], 'renumber': ['numberer', 'renumber'], 'renumerate': ['remunerate', 'renumerate'], 'renumeration': ['remuneration', 'renumeration'], 'reobtain': ['abrotine', 'baritone', 'obtainer', 'reobtain'], 'reoccasion': ['occasioner', 'reoccasion'], 'reoccupation': ['cornucopiate', 'reoccupation'], 'reoffend': ['offender', 'reoffend'], 'reoffer': ['offerer', 'reoffer'], 'reoil': ['oiler', 'oriel', 'reoil'], 'reopen': ['opener', 'reopen', 'repone'], 'reordain': ['inroader', 'ordainer', 'reordain'], 'reorder': ['orderer', 'reorder'], 'reordinate': ['reordinate', 'treronidae'], 'reornament': ['ornamenter', 'reornament'], 'reoverflow': ['overflower', 'reoverflow'], 'reown': ['owner', 'reown', 'rowen'], 'rep': ['per', 'rep'], 'repack': ['packer', 'repack'], 'repaint': ['painter', 'pertain', 'pterian', 'repaint'], 'repair': ['pairer', 'rapier', 'repair'], 'repairer': ['rareripe', 'repairer'], 'repale': ['leaper', 'releap', 'repale', 'repeal'], 'repand': ['pander', 'repand'], 'repandly': ['panderly', 'repandly'], 'repandous': ['panderous', 'repandous'], 'repanel': ['paneler', 'repanel', 'replane'], 'repaper': ['paperer', 'perpera', 'prepare', 'repaper'], 'reparagraph': ['paragrapher', 'reparagraph'], 'reparation': ['praetorian', 'reparation'], 'repark': ['parker', 'repark'], 'repartee': ['repartee', 'repeater'], 'repartition': ['partitioner', 'repartition'], 'repass': ['passer', 'repass', 'sparse'], 'repasser': ['asperser', 'repasser'], 'repast': ['paster', 'repast', 'trapes'], 'repaste': ['perates', 'repaste', 'sperate'], 'repasture': ['repasture', 'supertare'], 'repatch': ['chapter', 'patcher', 'repatch'], 'repatent': ['pattener', 'repatent'], 'repattern': ['patterner', 'repattern'], 'repawn': ['enwrap', 'pawner', 'repawn'], 'repay': ['apery', 'payer', 'repay'], 'repeal': ['leaper', 'releap', 'repale', 'repeal'], 'repeat': ['petrea', 'repeat', 'retape'], 'repeater': ['repartee', 'repeater'], 'repel': ['leper', 'perle', 'repel'], 'repen': ['neper', 'preen', 'repen'], 'repension': ['pensioner', 'repension'], 'repent': ['perten', 'repent'], 'repentable': ['penetrable', 'repentable'], 'repentance': ['penetrance', 'repentance'], 'repentant': ['penetrant', 'repentant'], 'reperceive': ['prereceive', 'reperceive'], 'repercussion': ['percussioner', 'repercussion'], 'repercussive': ['repercussive', 'superservice'], 'reperform': ['performer', 'prereform', 'reperform'], 'repermission': ['reimpression', 'repermission'], 'repermit': ['premerit', 'preremit', 'repermit'], 'reperplex': ['perplexer', 'reperplex'], 'reperusal': ['pleasurer', 'reperusal'], 'repetition': ['petitioner', 'repetition'], 'rephael': ['preheal', 'rephael'], 'rephase': ['hespera', 'rephase', 'reshape'], 'rephotograph': ['photographer', 'rephotograph'], 'rephrase': ['preshare', 'rephrase'], 'repic': ['price', 'repic'], 'repick': ['picker', 'repick'], 'repiece': ['creepie', 'repiece'], 'repin': ['piner', 'prine', 'repin', 'ripen'], 'repine': ['neiper', 'perine', 'pirene', 'repine'], 'repiner': ['repiner', 'ripener'], 'repiningly': ['repiningly', 'ripeningly'], 'repique': ['perique', 'repique'], 'repitch': ['pitcher', 'repitch'], 'replace': ['percale', 'replace'], 'replait': ['partile', 'plaiter', 'replait'], 'replan': ['parnel', 'planer', 'replan'], 'replane': ['paneler', 'repanel', 'replane'], 'replant': ['pantler', 'planter', 'replant'], 'replantable': ['planetabler', 'replantable'], 'replanter': ['prerental', 'replanter'], 'replaster': ['plasterer', 'replaster'], 'replate': ['pearlet', 'pleater', 'prelate', 'ptereal', 'replate', 'repleat'], 'replay': ['parley', 'pearly', 'player', 'replay'], 'replead': ['pearled', 'pedaler', 'pleader', 'replead'], 'repleader': ['predealer', 'repleader'], 'repleat': ['pearlet', 'pleater', 'prelate', 'ptereal', 'replate', 'repleat'], 'repleteness': ['repleteness', 'terpeneless'], 'repletion': ['interlope', 'interpole', 'repletion', 'terpineol'], 'repliant': ['interlap', 'repliant', 'triplane'], 'replica': ['caliper', 'picarel', 'replica'], 'replight': ['plighter', 'replight'], 'replod': ['podler', 'polder', 'replod'], 'replot': ['petrol', 'replot'], 'replow': ['plower', 'replow'], 'replum': ['lumper', 'plumer', 'replum', 'rumple'], 'replunder': ['plunderer', 'replunder'], 'reply': ['plyer', 'reply'], 'repocket': ['pocketer', 'repocket'], 'repoint': ['pointer', 'protein', 'pterion', 'repoint', 'tropine'], 'repolish': ['polisher', 'repolish'], 'repoll': ['poller', 'repoll'], 'reponder': ['ponderer', 'reponder'], 'repone': ['opener', 'reopen', 'repone'], 'report': ['porret', 'porter', 'report', 'troper'], 'reportage': ['porterage', 'reportage'], 'reporterism': ['misreporter', 'reporterism'], 'reportion': ['portioner', 'reportion'], 'reposed': ['deposer', 'reposed'], 'reposit': ['periost', 'porites', 'reposit', 'riposte'], 'reposition': ['positioner', 'reposition'], 'repositor': ['posterior', 'repositor'], 'repossession': ['possessioner', 'repossession'], 'repost': ['poster', 'presto', 'repost', 'respot', 'stoper'], 'repot': ['poter', 'prote', 'repot', 'tepor', 'toper', 'trope'], 'repound': ['pounder', 'repound', 'unroped'], 'repour': ['pourer', 'repour', 'rouper'], 'repowder': ['powderer', 'repowder'], 'repp': ['prep', 'repp'], 'repray': ['prayer', 'repray'], 'repreach': ['preacher', 'repreach'], 'repredict': ['precredit', 'predirect', 'repredict'], 'reprefer': ['prerefer', 'reprefer'], 'represent': ['presenter', 'represent'], 'representationism': ['misrepresentation', 'representationism'], 'repress': ['presser', 'repress'], 'repressive': ['repressive', 'respersive'], 'reprice': ['piercer', 'reprice'], 'reprieval': ['prevailer', 'reprieval'], 'reprime': ['premier', 'reprime'], 'reprint': ['printer', 'reprint'], 'reprise': ['reprise', 'respire'], 'repristination': ['interspiration', 'repristination'], 'reproachable': ['blepharocera', 'reproachable'], 'reprobate': ['perborate', 'prorebate', 'reprobate'], 'reprobation': ['probationer', 'reprobation'], 'reproceed': ['proceeder', 'reproceed'], 'reproclaim': ['proclaimer', 'reproclaim'], 'reproduce': ['procedure', 'reproduce'], 'reproduction': ['proreduction', 'reproduction'], 'reprohibit': ['prohibiter', 'reprohibit'], 'reproof': ['proofer', 'reproof'], 'reproportion': ['proportioner', 'reproportion'], 'reprotection': ['interoceptor', 'reprotection'], 'reprotest': ['protester', 'reprotest'], 'reprovision': ['prorevision', 'provisioner', 'reprovision'], 'reps': ['reps', 'resp'], 'reptant': ['pattern', 'reptant'], 'reptatorial': ['proletariat', 'reptatorial'], 'reptatory': ['protreaty', 'reptatory'], 'reptile': ['perlite', 'reptile'], 'reptilia': ['liparite', 'reptilia'], 'republish': ['publisher', 'republish'], 'repudiatory': ['preauditory', 'repudiatory'], 'repuff': ['puffer', 'repuff'], 'repugn': ['punger', 'repugn'], 'repulpit': ['pulpiter', 'repulpit'], 'repulsion': ['prelusion', 'repulsion'], 'repulsive': ['prelusive', 'repulsive'], 'repulsively': ['prelusively', 'repulsively'], 'repulsory': ['prelusory', 'repulsory'], 'repump': ['pumper', 'repump'], 'repunish': ['punisher', 'repunish'], 'reputative': ['reputative', 'vituperate'], 'repute': ['repute', 'uptree'], 'requench': ['quencher', 'requench'], 'request': ['quester', 'request'], 'requestion': ['questioner', 'requestion'], 'require': ['querier', 'require'], 'requital': ['quartile', 'requital', 'triequal'], 'requite': ['quieter', 'requite'], 'rerack': ['racker', 'rerack'], 'rerail': ['railer', 'rerail'], 'reraise': ['rearise', 'reraise'], 'rerake': ['karree', 'rerake'], 'rerank': ['ranker', 'rerank'], 'rerate': ['rerate', 'retare', 'tearer'], 'reread': ['reader', 'redare', 'reread'], 'rereel': ['reeler', 'rereel'], 'reregister': ['registerer', 'reregister'], 'rerent': ['renter', 'rerent'], 'rerental': ['rentaler', 'rerental'], 'rering': ['erring', 'rering', 'ringer'], 'rerise': ['rerise', 'sirree'], 'rerivet': ['rerivet', 'riveter'], 'rerob': ['borer', 'rerob', 'rober'], 'rerobe': ['rebore', 'rerobe'], 'reroll': ['reroll', 'roller'], 'reroof': ['reroof', 'roofer'], 'reroot': ['reroot', 'rooter', 'torero'], 'rerow': ['rerow', 'rower'], 'rerun': ['rerun', 'runer'], 'resaca': ['ascare', 'caesar', 'resaca'], 'resack': ['resack', 'sacker', 'screak'], 'resail': ['israel', 'relais', 'resail', 'sailer', 'serail', 'serial'], 'resale': ['alerse', 'leaser', 'reales', 'resale', 'reseal', 'sealer'], 'resalt': ['laster', 'lastre', 'rastle', 'relast', 'resalt', 'salter', 'slater', 'stelar'], 'resanction': ['resanction', 'sanctioner'], 'resaw': ['resaw', 'sawer', 'seraw', 'sware', 'swear', 'warse'], 'resawer': ['resawer', 'reswear', 'swearer'], 'resay': ['reasy', 'resay', 'sayer', 'seary'], 'rescan': ['casern', 'rescan'], 'rescind': ['discern', 'rescind'], 'rescinder': ['discerner', 'rescinder'], 'rescindment': ['discernment', 'rescindment'], 'rescratch': ['rescratch', 'scratcher'], 'rescuable': ['rescuable', 'securable'], 'rescue': ['cereus', 'ceruse', 'recuse', 'rescue', 'secure'], 'rescuer': ['recurse', 'rescuer', 'securer'], 'reseal': ['alerse', 'leaser', 'reales', 'resale', 'reseal', 'sealer'], 'reseam': ['reseam', 'seamer'], 'research': ['rechaser', 'research', 'searcher'], 'reseat': ['asteer', 'easter', 'eastre', 'reseat', 'saeter', 'seater', 'staree', 'teaser', 'teresa'], 'resect': ['resect', 'screet', 'secret'], 'resection': ['resection', 'secretion'], 'resectional': ['resectional', 'secretional'], 'reseda': ['erased', 'reseda', 'seared'], 'resee': ['esere', 'reese', 'resee'], 'reseed': ['reseed', 'seeder'], 'reseek': ['reseek', 'seeker'], 'resell': ['resell', 'seller'], 'resend': ['resend', 'sender'], 'resene': ['resene', 'serene'], 'resent': ['ernest', 'nester', 'resent', 'streen'], 'reservable': ['reservable', 'reversable'], 'reserval': ['reserval', 'reversal', 'slaverer'], 'reserve': ['reserve', 'resever', 'reverse', 'severer'], 'reserved': ['deserver', 'reserved', 'reversed'], 'reservedly': ['reservedly', 'reversedly'], 'reserveful': ['reserveful', 'reverseful'], 'reserveless': ['reserveless', 'reverseless'], 'reserver': ['reserver', 'reverser'], 'reservist': ['reservist', 'reversist'], 'reset': ['ester', 'estre', 'reest', 'reset', 'steer', 'stere', 'stree', 'terse', 'tsere'], 'resever': ['reserve', 'resever', 'reverse', 'severer'], 'resew': ['resew', 'sewer', 'sweer'], 'resex': ['resex', 'xeres'], 'resh': ['hers', 'resh', 'sher'], 'reshape': ['hespera', 'rephase', 'reshape'], 'reshare': ['reshare', 'reshear', 'shearer'], 'resharpen': ['resharpen', 'sharpener'], 'reshear': ['reshare', 'reshear', 'shearer'], 'reshearer': ['rehearser', 'reshearer'], 'reshift': ['reshift', 'shifter'], 'reshingle': ['englisher', 'reshingle'], 'reship': ['perish', 'reship'], 'reshipment': ['perishment', 'reshipment'], 'reshoot': ['orthose', 'reshoot', 'shooter', 'soother'], 'reshoulder': ['reshoulder', 'shoulderer'], 'reshower': ['reshower', 'showerer'], 'reshun': ['reshun', 'rushen'], 'reshunt': ['reshunt', 'shunter'], 'reshut': ['reshut', 'suther', 'thurse', 'tusher'], 'reside': ['desire', 'reside'], 'resident': ['indesert', 'inserted', 'resident'], 'resider': ['derries', 'desirer', 'resider', 'serried'], 'residua': ['residua', 'ursidae'], 'resift': ['fister', 'resift', 'sifter', 'strife'], 'resigh': ['resigh', 'sigher'], 'resign': ['resign', 'resing', 'signer', 'singer'], 'resignal': ['resignal', 'seringal', 'signaler'], 'resigned': ['designer', 'redesign', 'resigned'], 'resile': ['lisere', 'resile'], 'resiliate': ['israelite', 'resiliate'], 'resilient': ['listerine', 'resilient'], 'resilition': ['isonitrile', 'resilition'], 'resilver': ['resilver', 'silverer', 'sliverer'], 'resin': ['reins', 'resin', 'rinse', 'risen', 'serin', 'siren'], 'resina': ['arisen', 'arsine', 'resina', 'serian'], 'resinate': ['arsenite', 'resinate', 'teresian', 'teresina'], 'resing': ['resign', 'resing', 'signer', 'singer'], 'resinic': ['irenics', 'resinic', 'sericin', 'sirenic'], 'resinize': ['resinize', 'sirenize'], 'resink': ['resink', 'reskin', 'sinker'], 'resinlike': ['resinlike', 'sirenlike'], 'resinoid': ['derision', 'ironside', 'resinoid', 'sirenoid'], 'resinol': ['resinol', 'serolin'], 'resinous': ['neurosis', 'resinous'], 'resinously': ['neurolysis', 'resinously'], 'resiny': ['resiny', 'sireny'], 'resist': ['resist', 'restis', 'sister'], 'resistable': ['assertible', 'resistable'], 'resistance': ['resistance', 'senatrices'], 'resistful': ['fruitless', 'resistful'], 'resisting': ['resisting', 'sistering'], 'resistless': ['resistless', 'sisterless'], 'resize': ['resize', 'seizer'], 'resketch': ['resketch', 'sketcher'], 'reskin': ['resink', 'reskin', 'sinker'], 'reslash': ['reslash', 'slasher'], 'reslate': ['realest', 'reslate', 'resteal', 'stealer', 'teasler'], 'reslay': ['reslay', 'slayer'], 'reslot': ['relost', 'reslot', 'rostel', 'sterol', 'torsel'], 'resmell': ['resmell', 'smeller'], 'resmelt': ['melters', 'resmelt', 'smelter'], 'resmooth': ['resmooth', 'romeshot', 'smoother'], 'resnap': ['resnap', 'respan', 'snaper'], 'resnatch': ['resnatch', 'snatcher', 'stancher'], 'resoak': ['arkose', 'resoak', 'soaker'], 'resoap': ['resoap', 'soaper'], 'resoften': ['resoften', 'softener'], 'resoil': ['elisor', 'resoil'], 'resojourn': ['resojourn', 'sojourner'], 'resolder': ['resolder', 'solderer'], 'resole': ['relose', 'resole'], 'resolicit': ['resolicit', 'soliciter'], 'resolution': ['resolution', 'solutioner'], 'resonate': ['orestean', 'resonate', 'stearone'], 'resort': ['resort', 'roster', 'sorter', 'storer'], 'resorter': ['resorter', 'restorer', 'retrorse'], 'resound': ['resound', 'sounder', 'unrosed'], 'resource': ['recourse', 'resource'], 'resow': ['owser', 'resow', 'serow', 'sower', 'swore', 'worse'], 'resp': ['reps', 'resp'], 'respace': ['escaper', 'respace'], 'respade': ['psedera', 'respade'], 'respan': ['resnap', 'respan', 'snaper'], 'respeak': ['respeak', 'speaker'], 'respect': ['respect', 'scepter', 'specter'], 'respectless': ['respectless', 'scepterless'], 'respell': ['presell', 'respell', 'speller'], 'respersive': ['repressive', 'respersive'], 'respin': ['pernis', 'respin', 'sniper'], 'respiration': ['respiration', 'retinispora'], 'respire': ['reprise', 'respire'], 'respirit': ['respirit', 'spiriter'], 'respite': ['respite', 'septier'], 'resplend': ['resplend', 'splender'], 'resplice': ['eclipser', 'pericles', 'resplice'], 'responde': ['personed', 'responde'], 'respondence': ['precondense', 'respondence'], 'responsal': ['apronless', 'responsal'], 'response': ['pessoner', 'response'], 'respot': ['poster', 'presto', 'repost', 'respot', 'stoper'], 'respray': ['respray', 'sprayer'], 'respread': ['respread', 'spreader'], 'respring': ['respring', 'springer'], 'resprout': ['posturer', 'resprout', 'sprouter'], 'respue': ['peruse', 'respue'], 'resqueak': ['resqueak', 'squeaker'], 'ressaut': ['erastus', 'ressaut'], 'rest': ['rest', 'sert', 'stre'], 'restack': ['restack', 'stacker'], 'restaff': ['restaff', 'staffer'], 'restain': ['asterin', 'eranist', 'restain', 'stainer', 'starnie', 'stearin'], 'restake': ['restake', 'sakeret'], 'restamp': ['restamp', 'stamper'], 'restart': ['restart', 'starter'], 'restate': ['estreat', 'restate', 'retaste'], 'resteal': ['realest', 'reslate', 'resteal', 'stealer', 'teasler'], 'resteel': ['reestle', 'resteel', 'steeler'], 'resteep': ['estrepe', 'resteep', 'steeper'], 'restem': ['mester', 'restem', 'temser', 'termes'], 'restep': ['pester', 'preset', 'restep', 'streep'], 'restful': ['fluster', 'restful'], 'restiad': ['astride', 'diaster', 'disrate', 'restiad', 'staired'], 'restiffen': ['restiffen', 'stiffener'], 'restiform': ['reformist', 'restiform'], 'resting': ['resting', 'stinger'], 'restio': ['restio', 'sorite', 'sortie', 'triose'], 'restis': ['resist', 'restis', 'sister'], 'restitch': ['restitch', 'stitcher'], 'restive': ['restive', 'servite'], 'restock': ['restock', 'stocker'], 'restorer': ['resorter', 'restorer', 'retrorse'], 'restow': ['restow', 'stower', 'towser', 'worset'], 'restowal': ['restowal', 'sealwort'], 'restraighten': ['restraighten', 'straightener'], 'restrain': ['restrain', 'strainer', 'transire'], 'restraint': ['restraint', 'retransit', 'trainster', 'transiter'], 'restream': ['masterer', 'restream', 'streamer'], 'restrengthen': ['restrengthen', 'strengthener'], 'restress': ['restress', 'stresser'], 'restretch': ['restretch', 'stretcher'], 'restring': ['restring', 'ringster', 'stringer'], 'restrip': ['restrip', 'striper'], 'restrive': ['restrive', 'reverist'], 'restuff': ['restuff', 'stuffer'], 'resty': ['resty', 'strey'], 'restyle': ['restyle', 'tersely'], 'resucceed': ['resucceed', 'succeeder'], 'resuck': ['resuck', 'sucker'], 'resue': ['resue', 'reuse'], 'resuffer': ['resuffer', 'sufferer'], 'resuggest': ['resuggest', 'suggester'], 'resuing': ['insurge', 'resuing'], 'resuit': ['isuret', 'resuit'], 'result': ['luster', 'result', 'rustle', 'sutler', 'ulster'], 'resulting': ['resulting', 'ulstering'], 'resultless': ['lusterless', 'lustreless', 'resultless'], 'resummon': ['resummon', 'summoner'], 'resun': ['nurse', 'resun'], 'resup': ['purse', 'resup', 'sprue', 'super'], 'resuperheat': ['resuperheat', 'superheater'], 'resupinate': ['interpause', 'resupinate'], 'resupination': ['resupination', 'uranospinite'], 'resupport': ['resupport', 'supporter'], 'resuppose': ['resuppose', 'superpose'], 'resupposition': ['resupposition', 'superposition'], 'resuppress': ['resuppress', 'suppresser'], 'resurrender': ['resurrender', 'surrenderer'], 'resurround': ['resurround', 'surrounder'], 'resuspect': ['resuspect', 'suspecter'], 'resuspend': ['resuspend', 'suspender', 'unpressed'], 'reswallow': ['reswallow', 'swallower'], 'resward': ['drawers', 'resward'], 'reswarm': ['reswarm', 'swarmer'], 'reswear': ['resawer', 'reswear', 'swearer'], 'resweat': ['resweat', 'sweater'], 'resweep': ['resweep', 'sweeper'], 'reswell': ['reswell', 'sweller'], 'reswill': ['reswill', 'swiller'], 'retable': ['bearlet', 'bleater', 'elberta', 'retable'], 'retack': ['racket', 'retack', 'tacker'], 'retag': ['gater', 'grate', 'great', 'greta', 'retag', 'targe'], 'retail': ['lirate', 'retail', 'retial', 'tailer'], 'retailer': ['irrelate', 'retailer'], 'retain': ['nerita', 'ratine', 'retain', 'retina', 'tanier'], 'retainal': ['retainal', 'telarian'], 'retainder': ['irredenta', 'retainder'], 'retainer': ['arretine', 'eretrian', 'eritrean', 'retainer'], 'retaining': ['negritian', 'retaining'], 'retaliate': ['elettaria', 'retaliate'], 'retalk': ['kartel', 'retalk', 'talker'], 'retama': ['ramate', 'retama'], 'retame': ['reetam', 'retame', 'teamer'], 'retan': ['antre', 'arent', 'retan', 'terna'], 'retape': ['petrea', 'repeat', 'retape'], 'retard': ['darter', 'dartre', 'redart', 'retard', 'retrad', 'tarred', 'trader'], 'retardent': ['retardent', 'tetrander'], 'retare': ['rerate', 'retare', 'tearer'], 'retaste': ['estreat', 'restate', 'retaste'], 'retax': ['extra', 'retax', 'taxer'], 'retaxation': ['retaxation', 'tetraxonia'], 'retch': ['chert', 'retch'], 'reteach': ['cheater', 'hectare', 'recheat', 'reteach', 'teacher'], 'retelegraph': ['retelegraph', 'telegrapher'], 'retell': ['retell', 'teller'], 'retem': ['meter', 'retem'], 'retemper': ['retemper', 'temperer'], 'retempt': ['retempt', 'tempter'], 'retenant': ['retenant', 'tenanter'], 'retender': ['retender', 'tenderer'], 'retene': ['entree', 'rentee', 'retene'], 'retent': ['netter', 'retent', 'tenter'], 'retention': ['intertone', 'retention'], 'retepora': ['perorate', 'retepora'], 'retest': ['retest', 'setter', 'street', 'tester'], 'rethank': ['rethank', 'thanker'], 'rethatch': ['rethatch', 'thatcher'], 'rethaw': ['rethaw', 'thawer', 'wreath'], 'rethe': ['ether', 'rethe', 'theer', 'there', 'three'], 'retheness': ['retheness', 'thereness', 'threeness'], 'rethicken': ['kitchener', 'rethicken', 'thickener'], 'rethink': ['rethink', 'thinker'], 'rethrash': ['rethrash', 'thrasher'], 'rethread': ['rethread', 'threader'], 'rethreaten': ['rethreaten', 'threatener'], 'rethresh': ['rethresh', 'thresher'], 'rethrill': ['rethrill', 'thriller'], 'rethrow': ['rethrow', 'thrower'], 'rethrust': ['rethrust', 'thruster'], 'rethunder': ['rethunder', 'thunderer'], 'retia': ['arite', 'artie', 'irate', 'retia', 'tarie'], 'retial': ['lirate', 'retail', 'retial', 'tailer'], 'reticent': ['reticent', 'tencteri'], 'reticket': ['reticket', 'ticketer'], 'reticula': ['arculite', 'cutleria', 'lucretia', 'reticula', 'treculia'], 'reticular': ['curtailer', 'recruital', 'reticular'], 'retier': ['errite', 'reiter', 'retier', 'retire', 'tierer'], 'retighten': ['retighten', 'tightener'], 'retill': ['retill', 'rillet', 'tiller'], 'retimber': ['retimber', 'timberer'], 'retime': ['metier', 'retime', 'tremie'], 'retin': ['inert', 'inter', 'niter', 'retin', 'trine'], 'retina': ['nerita', 'ratine', 'retain', 'retina', 'tanier'], 'retinal': ['entrail', 'latiner', 'latrine', 'ratline', 'reliant', 'retinal', 'trenail'], 'retinalite': ['retinalite', 'trilineate'], 'retinene': ['internee', 'retinene'], 'retinian': ['neritina', 'retinian'], 'retinispora': ['respiration', 'retinispora'], 'retinite': ['intertie', 'retinite'], 'retinker': ['retinker', 'tinkerer'], 'retinochorioiditis': ['chorioidoretinitis', 'retinochorioiditis'], 'retinoid': ['neritoid', 'retinoid'], 'retinue': ['neurite', 'retinue', 'reunite', 'uterine'], 'retinula': ['lutrinae', 'retinula', 'rutelian', 'tenurial'], 'retinular': ['retinular', 'trineural'], 'retip': ['perit', 'retip', 'tripe'], 'retiral': ['retiral', 'retrial', 'trailer'], 'retire': ['errite', 'reiter', 'retier', 'retire', 'tierer'], 'retirer': ['retirer', 'terrier'], 'retistene': ['retistene', 'serinette'], 'retoast': ['retoast', 'rosetta', 'stoater', 'toaster'], 'retold': ['retold', 'rodlet'], 'retomb': ['retomb', 'trombe'], 'retonation': ['renotation', 'retonation'], 'retool': ['looter', 'retool', 'rootle', 'tooler'], 'retooth': ['retooth', 'toother'], 'retort': ['retort', 'retrot', 'rotter'], 'retoss': ['retoss', 'tosser'], 'retouch': ['retouch', 'toucher'], 'retour': ['retour', 'router', 'tourer'], 'retrace': ['caterer', 'recrate', 'retrace', 'terrace'], 'retrack': ['retrack', 'tracker'], 'retractation': ['reattraction', 'retractation'], 'retracted': ['detracter', 'retracted'], 'retraction': ['retraction', 'triaconter'], 'retrad': ['darter', 'dartre', 'redart', 'retard', 'retrad', 'tarred', 'trader'], 'retrade': ['derater', 'retrade', 'retread', 'treader'], 'retradition': ['retradition', 'traditioner'], 'retrain': ['arterin', 'retrain', 'terrain', 'trainer'], 'retral': ['retral', 'terral'], 'retramp': ['retramp', 'tramper'], 'retransform': ['retransform', 'transformer'], 'retransit': ['restraint', 'retransit', 'trainster', 'transiter'], 'retransplant': ['retransplant', 'transplanter'], 'retransport': ['retransport', 'transporter'], 'retravel': ['retravel', 'revertal', 'traveler'], 'retread': ['derater', 'retrade', 'retread', 'treader'], 'retreat': ['ettarre', 'retreat', 'treater'], 'retree': ['retree', 'teerer'], 'retrench': ['retrench', 'trencher'], 'retrial': ['retiral', 'retrial', 'trailer'], 'retrim': ['mitrer', 'retrim', 'trimer'], 'retrocaecal': ['accelerator', 'retrocaecal'], 'retrogradient': ['redintegrator', 'retrogradient'], 'retrorse': ['resorter', 'restorer', 'retrorse'], 'retrot': ['retort', 'retrot', 'rotter'], 'retrue': ['retrue', 'ureter'], 'retrust': ['retrust', 'truster'], 'retry': ['retry', 'terry'], 'retter': ['retter', 'terret'], 'retting': ['gittern', 'gritten', 'retting'], 'retube': ['rebute', 'retube'], 'retuck': ['retuck', 'tucker'], 'retune': ['neuter', 'retune', 'runtee', 'tenure', 'tureen'], 'returf': ['returf', 'rufter'], 'return': ['return', 'turner'], 'retuse': ['retuse', 'tereus'], 'retwine': ['enwrite', 'retwine'], 'retwist': ['retwist', 'twister'], 'retzian': ['retzian', 'terzina'], 'reub': ['bure', 'reub', 'rube'], 'reundergo': ['guerdoner', 'reundergo', 'undergoer', 'undergore'], 'reune': ['enure', 'reune'], 'reunfold': ['flounder', 'reunfold', 'unfolder'], 'reunify': ['reunify', 'unfiery'], 'reunionist': ['reunionist', 'sturionine'], 'reunite': ['neurite', 'retinue', 'reunite', 'uterine'], 'reunpack': ['reunpack', 'unpacker'], 'reuphold': ['reuphold', 'upholder'], 'reupholster': ['reupholster', 'upholsterer'], 'reuplift': ['reuplift', 'uplifter'], 'reuse': ['resue', 'reuse'], 'reutter': ['reutter', 'utterer'], 'revacate': ['acervate', 'revacate'], 'revalidation': ['derivational', 'revalidation'], 'revamp': ['revamp', 'vamper'], 'revarnish': ['revarnish', 'varnisher'], 'reve': ['ever', 'reve', 'veer'], 'reveal': ['laveer', 'leaver', 'reveal', 'vealer'], 'reveil': ['levier', 'relive', 'reveil', 'revile', 'veiler'], 'revel': ['elver', 'lever', 'revel'], 'revelant': ['levanter', 'relevant', 'revelant'], 'revelation': ['relevation', 'revelation'], 'revelator': ['relevator', 'revelator', 'veratrole'], 'reveler': ['leverer', 'reveler'], 'revenant': ['revenant', 'venerant'], 'revend': ['revend', 'vender'], 'revender': ['revender', 'reverend'], 'reveneer': ['reveneer', 'veneerer'], 'revent': ['revent', 'venter'], 'revenue': ['revenue', 'unreeve'], 'rever': ['rever', 'verre'], 'reverend': ['revender', 'reverend'], 'reverential': ['interleaver', 'reverential'], 'reverist': ['restrive', 'reverist'], 'revers': ['revers', 'server', 'verser'], 'reversable': ['reservable', 'reversable'], 'reversal': ['reserval', 'reversal', 'slaverer'], 'reverse': ['reserve', 'resever', 'reverse', 'severer'], 'reversed': ['deserver', 'reserved', 'reversed'], 'reversedly': ['reservedly', 'reversedly'], 'reverseful': ['reserveful', 'reverseful'], 'reverseless': ['reserveless', 'reverseless'], 'reverser': ['reserver', 'reverser'], 'reversewise': ['reversewise', 'revieweress'], 'reversi': ['reversi', 'reviser'], 'reversion': ['reversion', 'versioner'], 'reversist': ['reservist', 'reversist'], 'revertal': ['retravel', 'revertal', 'traveler'], 'revest': ['revest', 'servet', 'sterve', 'verset', 'vester'], 'revet': ['evert', 'revet'], 'revete': ['revete', 'tervee'], 'revictual': ['lucrative', 'revictual', 'victualer'], 'review': ['review', 'viewer'], 'revieweress': ['reversewise', 'revieweress'], 'revigorate': ['overgaiter', 'revigorate'], 'revile': ['levier', 'relive', 'reveil', 'revile', 'veiler'], 'reviling': ['reviling', 'vierling'], 'revisal': ['revisal', 'virales'], 'revise': ['revise', 'siever'], 'revised': ['deviser', 'diverse', 'revised'], 'reviser': ['reversi', 'reviser'], 'revision': ['revision', 'visioner'], 'revisit': ['revisit', 'visiter'], 'revisitant': ['revisitant', 'transitive'], 'revitalization': ['relativization', 'revitalization'], 'revitalize': ['relativize', 'revitalize'], 'revocation': ['overaction', 'revocation'], 'revocative': ['overactive', 'revocative'], 'revoke': ['evoker', 'revoke'], 'revolting': ['overglint', 'revolting'], 'revolute': ['revolute', 'truelove'], 'revolve': ['evolver', 'revolve'], 'revomit': ['revomit', 'vomiter'], 'revote': ['revote', 'vetoer'], 'revuist': ['revuist', 'stuiver'], 'rewade': ['drawee', 'rewade'], 'rewager': ['rewager', 'wagerer'], 'rewake': ['kerewa', 'rewake'], 'rewaken': ['rewaken', 'wakener'], 'rewall': ['rewall', 'waller'], 'rewallow': ['rewallow', 'wallower'], 'reward': ['drawer', 'redraw', 'reward', 'warder'], 'rewarder': ['redrawer', 'rewarder', 'warderer'], 'rewarm': ['rewarm', 'warmer'], 'rewarn': ['rewarn', 'warner', 'warren'], 'rewash': ['hawser', 'rewash', 'washer'], 'rewater': ['rewater', 'waterer'], 'rewave': ['rewave', 'weaver'], 'rewax': ['rewax', 'waxer'], 'reweaken': ['reweaken', 'weakener'], 'rewear': ['rewear', 'warree', 'wearer'], 'rewed': ['dewer', 'ewder', 'rewed'], 'reweigh': ['reweigh', 'weigher'], 'reweld': ['reweld', 'welder'], 'rewet': ['rewet', 'tewer', 'twere'], 'rewhirl': ['rewhirl', 'whirler'], 'rewhisper': ['rewhisper', 'whisperer'], 'rewhiten': ['rewhiten', 'whitener'], 'rewiden': ['rewiden', 'widener'], 'rewin': ['erwin', 'rewin', 'winer'], 'rewind': ['rewind', 'winder'], 'rewish': ['rewish', 'wisher'], 'rewithdraw': ['rewithdraw', 'withdrawer'], 'reword': ['reword', 'worder'], 'rework': ['rework', 'worker'], 'reworked': ['reedwork', 'reworked'], 'rewound': ['rewound', 'unrowed', 'wounder'], 'rewoven': ['overnew', 'rewoven'], 'rewrap': ['prewar', 'rewrap', 'warper'], 'reyield': ['reedily', 'reyield', 'yielder'], 'rhacianectes': ['rachianectes', 'rhacianectes'], 'rhaetian': ['earthian', 'rhaetian'], 'rhaetic': ['certhia', 'rhaetic', 'theriac'], 'rhamnose': ['horseman', 'rhamnose', 'shoreman'], 'rhamnoside': ['admonisher', 'rhamnoside'], 'rhapis': ['parish', 'raphis', 'rhapis'], 'rhapontic': ['anthropic', 'rhapontic'], 'rhaponticin': ['panornithic', 'rhaponticin'], 'rhason': ['rhason', 'sharon', 'shoran'], 'rhatania': ['ratanhia', 'rhatania'], 'rhe': ['her', 'reh', 'rhe'], 'rhea': ['hare', 'hear', 'rhea'], 'rheen': ['herne', 'rheen'], 'rheic': ['cheir', 'rheic'], 'rhein': ['hiren', 'rhein', 'rhine'], 'rheinic': ['hircine', 'rheinic'], 'rhema': ['harem', 'herma', 'rhema'], 'rhematic': ['athermic', 'marchite', 'rhematic'], 'rheme': ['herem', 'rheme'], 'rhemist': ['rhemist', 'smither'], 'rhenium': ['inhumer', 'rhenium'], 'rheometric': ['chirometer', 'rheometric'], 'rheophile': ['herophile', 'rheophile'], 'rheoscope': ['prechoose', 'rheoscope'], 'rheostatic': ['choristate', 'rheostatic'], 'rheotactic': ['rheotactic', 'theocratic'], 'rheotan': ['another', 'athenor', 'rheotan'], 'rheotropic': ['horopteric', 'rheotropic', 'trichopore'], 'rhesian': ['arshine', 'nearish', 'rhesian', 'sherani'], 'rhesus': ['rhesus', 'suresh'], 'rhetor': ['rhetor', 'rother'], 'rhetoricals': ['rhetoricals', 'trochlearis'], 'rhetorize': ['rhetorize', 'theorizer'], 'rheumatic': ['hematuric', 'rheumatic'], 'rhine': ['hiren', 'rhein', 'rhine'], 'rhinestone': ['neornithes', 'rhinestone'], 'rhineura': ['rhineura', 'unhairer'], 'rhinocele': ['cholerine', 'rhinocele'], 'rhinopharyngitis': ['pharyngorhinitis', 'rhinopharyngitis'], 'rhipidate': ['rhipidate', 'thripidae'], 'rhizoctonia': ['chorization', 'rhizoctonia', 'zonotrichia'], 'rhoda': ['hoard', 'rhoda'], 'rhodaline': ['hodiernal', 'rhodaline'], 'rhodanthe': ['rhodanthe', 'thornhead'], 'rhodeose': ['rhodeose', 'seerhood'], 'rhodes': ['dehors', 'rhodes', 'shoder', 'shored'], 'rhodic': ['orchid', 'rhodic'], 'rhodite': ['rhodite', 'theroid'], 'rhodium': ['humidor', 'rhodium'], 'rhodope': ['redhoop', 'rhodope'], 'rhodopsin': ['donorship', 'rhodopsin'], 'rhoecus': ['choreus', 'chouser', 'rhoecus'], 'rhopalic': ['orphical', 'rhopalic'], 'rhus': ['rhus', 'rush'], 'rhynchotal': ['chloranthy', 'rhynchotal'], 'rhyton': ['rhyton', 'thorny'], 'ria': ['air', 'ira', 'ria'], 'rial': ['aril', 'lair', 'lari', 'liar', 'lira', 'rail', 'rial'], 'riancy': ['cairny', 'riancy'], 'riant': ['riant', 'tairn', 'tarin', 'train'], 'riata': ['arati', 'atria', 'riata', 'tarai', 'tiara'], 'ribald': ['bildar', 'bridal', 'ribald'], 'ribaldly': ['bridally', 'ribaldly'], 'riband': ['brandi', 'riband'], 'ribat': ['barit', 'ribat'], 'ribbed': ['dibber', 'ribbed'], 'ribber': ['briber', 'ribber'], 'ribble': ['libber', 'ribble'], 'ribbon': ['ribbon', 'robbin'], 'ribe': ['beri', 'bier', 'brei', 'ribe'], 'ribes': ['birse', 'ribes'], 'riblet': ['beltir', 'riblet'], 'ribroast': ['arborist', 'ribroast'], 'ribspare': ['ribspare', 'sparerib'], 'rice': ['eric', 'rice'], 'ricer': ['crier', 'ricer'], 'ricey': ['criey', 'ricey'], 'richardia': ['charadrii', 'richardia'], 'richdom': ['chromid', 'richdom'], 'richen': ['enrich', 'nicher', 'richen'], 'riches': ['riches', 'shicer'], 'richt': ['crith', 'richt'], 'ricine': ['irenic', 'ricine'], 'ricinoleate': ['arenicolite', 'ricinoleate'], 'rickets': ['rickets', 'sticker'], 'rickle': ['licker', 'relick', 'rickle'], 'rictal': ['citral', 'rictal'], 'rictus': ['citrus', 'curtis', 'rictus', 'rustic'], 'ridable': ['bedrail', 'bridale', 'ridable'], 'ridably': ['bardily', 'rabidly', 'ridably'], 'riddam': ['madrid', 'riddam'], 'riddance': ['adendric', 'riddance'], 'riddel': ['lidder', 'riddel', 'riddle'], 'ridden': ['dinder', 'ridden', 'rinded'], 'riddle': ['lidder', 'riddel', 'riddle'], 'ride': ['dier', 'dire', 'reid', 'ride'], 'rideau': ['auride', 'rideau'], 'riden': ['diner', 'riden', 'rinde'], 'rident': ['dirten', 'rident', 'tinder'], 'rider': ['drier', 'rider'], 'ridered': ['deirdre', 'derider', 'derride', 'ridered'], 'ridge': ['dirge', 'gride', 'redig', 'ridge'], 'ridgel': ['gilder', 'girdle', 'glider', 'regild', 'ridgel'], 'ridgelike': ['dirgelike', 'ridgelike'], 'ridger': ['girder', 'ridger'], 'ridging': ['girding', 'ridging'], 'ridgingly': ['girdingly', 'ridgingly'], 'ridgling': ['girdling', 'ridgling'], 'ridgy': ['igdyr', 'ridgy'], 'rie': ['ire', 'rie'], 'riem': ['emir', 'imer', 'mire', 'reim', 'remi', 'riem', 'rime'], 'rife': ['fire', 'reif', 'rife'], 'rifeness': ['finesser', 'rifeness'], 'rifle': ['filer', 'flier', 'lifer', 'rifle'], 'rifleman': ['inflamer', 'rifleman'], 'rift': ['frit', 'rift'], 'rigadoon': ['gordonia', 'organoid', 'rigadoon'], 'rigation': ['rigation', 'trigonia'], 'rigbane': ['bearing', 'begrain', 'brainge', 'rigbane'], 'right': ['girth', 'grith', 'right'], 'rightle': ['lighter', 'relight', 'rightle'], 'rigling': ['girling', 'rigling'], 'rigolette': ['gloriette', 'rigolette'], 'rik': ['irk', 'rik'], 'rikisha': ['rikisha', 'shikari'], 'rikk': ['kirk', 'rikk'], 'riksha': ['rakish', 'riksha', 'shikar', 'shikra', 'sikhra'], 'rile': ['lier', 'lire', 'rile'], 'rillet': ['retill', 'rillet', 'tiller'], 'rillett': ['rillett', 'trillet'], 'rillock': ['rillock', 'rollick'], 'rim': ['mir', 'rim'], 'rima': ['amir', 'irma', 'mari', 'mira', 'rami', 'rima'], 'rimal': ['armil', 'marli', 'rimal'], 'rimate': ['imaret', 'metria', 'mirate', 'rimate'], 'rime': ['emir', 'imer', 'mire', 'reim', 'remi', 'riem', 'rime'], 'rimmed': ['dimmer', 'immerd', 'rimmed'], 'rimose': ['isomer', 'rimose'], 'rimple': ['limper', 'prelim', 'rimple'], 'rimu': ['muir', 'rimu'], 'rimula': ['rimula', 'uramil'], 'rimy': ['miry', 'rimy', 'yirm'], 'rinaldo': ['nailrod', 'ordinal', 'rinaldo', 'rodinal'], 'rinceau': ['aneuric', 'rinceau'], 'rincon': ['cornin', 'rincon'], 'rinde': ['diner', 'riden', 'rinde'], 'rinded': ['dinder', 'ridden', 'rinded'], 'rindle': ['linder', 'rindle'], 'rine': ['neri', 'rein', 'rine'], 'ring': ['girn', 'grin', 'ring'], 'ringable': ['balinger', 'ringable'], 'ringe': ['grein', 'inger', 'nigre', 'regin', 'reign', 'ringe'], 'ringed': ['engird', 'ringed'], 'ringer': ['erring', 'rering', 'ringer'], 'ringgoer': ['gorgerin', 'ringgoer'], 'ringhead': ['headring', 'ringhead'], 'ringite': ['igniter', 'ringite', 'tigrine'], 'ringle': ['linger', 'ringle'], 'ringlead': ['dragline', 'reginald', 'ringlead'], 'ringlet': ['ringlet', 'tingler', 'tringle'], 'ringster': ['restring', 'ringster', 'stringer'], 'ringtail': ['ringtail', 'trailing'], 'ringy': ['girny', 'ringy'], 'rink': ['kirn', 'rink'], 'rinka': ['inkra', 'krina', 'nakir', 'rinka'], 'rinse': ['reins', 'resin', 'rinse', 'risen', 'serin', 'siren'], 'rio': ['rio', 'roi'], 'riot': ['riot', 'roit', 'trio'], 'rioting': ['ignitor', 'rioting'], 'rip': ['pir', 'rip'], 'ripa': ['pair', 'pari', 'pria', 'ripa'], 'ripal': ['april', 'pilar', 'ripal'], 'ripe': ['peri', 'pier', 'ripe'], 'ripelike': ['pierlike', 'ripelike'], 'ripen': ['piner', 'prine', 'repin', 'ripen'], 'ripener': ['repiner', 'ripener'], 'ripeningly': ['repiningly', 'ripeningly'], 'riper': ['prier', 'riper'], 'ripgut': ['ripgut', 'upgirt'], 'ripost': ['ripost', 'triops', 'tripos'], 'riposte': ['periost', 'porites', 'reposit', 'riposte'], 'rippet': ['rippet', 'tipper'], 'ripple': ['lipper', 'ripple'], 'ripplet': ['ripplet', 'tippler', 'tripple'], 'ripup': ['ripup', 'uprip'], 'rise': ['reis', 'rise', 'seri', 'sier', 'sire'], 'risen': ['reins', 'resin', 'rinse', 'risen', 'serin', 'siren'], 'rishi': ['irish', 'rishi', 'sirih'], 'risk': ['kris', 'risk'], 'risky': ['risky', 'sirky'], 'risper': ['risper', 'sprier'], 'risque': ['risque', 'squire'], 'risquee': ['esquire', 'risquee'], 'rissel': ['rissel', 'rissle'], 'rissle': ['rissel', 'rissle'], 'rissoa': ['aissor', 'rissoa'], 'rist': ['rist', 'stir'], 'rit': ['rit', 'tri'], 'rita': ['airt', 'rita', 'tari', 'tiar'], 'rite': ['iter', 'reit', 'rite', 'teri', 'tier', 'tire'], 'riteless': ['riteless', 'tireless'], 'ritelessness': ['ritelessness', 'tirelessness'], 'ritling': ['glitnir', 'ritling'], 'ritualize': ['ritualize', 'uralitize'], 'riva': ['ravi', 'riva', 'vair', 'vari', 'vira'], 'rivage': ['argive', 'rivage'], 'rival': ['rival', 'viral'], 'rive': ['rive', 'veri', 'vier', 'vire'], 'rivel': ['levir', 'liver', 'livre', 'rivel'], 'riven': ['riven', 'viner'], 'rivered': ['deriver', 'redrive', 'rivered'], 'rivet': ['rivet', 'tirve', 'tiver'], 'riveter': ['rerivet', 'riveter'], 'rivetless': ['rivetless', 'silvester'], 'riving': ['irving', 'riving', 'virgin'], 'rivingly': ['rivingly', 'virginly'], 'rivose': ['rivose', 'virose'], 'riyal': ['lairy', 'riyal'], 'ro': ['or', 'ro'], 'roach': ['achor', 'chora', 'corah', 'orach', 'roach'], 'road': ['dora', 'orad', 'road'], 'roadability': ['adorability', 'roadability'], 'roadable': ['adorable', 'roadable'], 'roader': ['adorer', 'roader'], 'roading': ['gordian', 'idorgan', 'roading'], 'roadite': ['roadite', 'toadier'], 'roadman': ['anadrom', 'madrona', 'mandora', 'monarda', 'roadman'], 'roadster': ['dartrose', 'roadster'], 'roam': ['amor', 'maro', 'mora', 'omar', 'roam'], 'roamage': ['georama', 'roamage'], 'roamer': ['remora', 'roamer'], 'roaming': ['ingomar', 'moringa', 'roaming'], 'roan': ['nora', 'orna', 'roan'], 'roast': ['astor', 'roast'], 'roastable': ['astrolabe', 'roastable'], 'roasting': ['orangist', 'organist', 'roasting', 'signator'], 'rob': ['bor', 'orb', 'rob'], 'robalo': ['barolo', 'robalo'], 'roband': ['bandor', 'bondar', 'roband'], 'robbin': ['ribbon', 'robbin'], 'robe': ['boer', 'bore', 'robe'], 'rober': ['borer', 'rerob', 'rober'], 'roberd': ['border', 'roberd'], 'roberta': ['arboret', 'roberta', 'taborer'], 'robin': ['biron', 'inorb', 'robin'], 'robinet': ['bornite', 'robinet'], 'robing': ['boring', 'robing'], 'roble': ['blore', 'roble'], 'robot': ['boort', 'robot'], 'robotian': ['abortion', 'robotian'], 'robotism': ['bimotors', 'robotism'], 'robur': ['burro', 'robur', 'rubor'], 'roc': ['cor', 'cro', 'orc', 'roc'], 'rochea': ['chorea', 'ochrea', 'rochea'], 'rochet': ['hector', 'rochet', 'tocher', 'troche'], 'rock': ['cork', 'rock'], 'rocker': ['corker', 'recork', 'rocker'], 'rocketer': ['rocketer', 'rocktree'], 'rockiness': ['corkiness', 'rockiness'], 'rocking': ['corking', 'rocking'], 'rockish': ['corkish', 'rockish'], 'rocktree': ['rocketer', 'rocktree'], 'rockwood': ['corkwood', 'rockwood', 'woodrock'], 'rocky': ['corky', 'rocky'], 'rocta': ['actor', 'corta', 'croat', 'rocta', 'taroc', 'troca'], 'rod': ['dor', 'rod'], 'rode': ['doer', 'redo', 'rode', 'roed'], 'rodentia': ['andorite', 'nadorite', 'ordinate', 'rodentia'], 'rodential': ['lorandite', 'rodential'], 'rodinal': ['nailrod', 'ordinal', 'rinaldo', 'rodinal'], 'rodingite': ['negritoid', 'rodingite'], 'rodless': ['drossel', 'rodless'], 'rodlet': ['retold', 'rodlet'], 'rodman': ['random', 'rodman'], 'rodney': ['rodney', 'yonder'], 'roe': ['oer', 'ore', 'roe'], 'roed': ['doer', 'redo', 'rode', 'roed'], 'roey': ['oyer', 'roey', 'yore'], 'rog': ['gor', 'rog'], 'rogan': ['angor', 'argon', 'goran', 'grano', 'groan', 'nagor', 'orang', 'organ', 'rogan', 'ronga'], 'rogative': ['ravigote', 'rogative'], 'roger': ['gorer', 'roger'], 'roggle': ['logger', 'roggle'], 'rogue': ['orgue', 'rogue', 'rouge'], 'rohan': ['nahor', 'norah', 'rohan'], 'rohob': ['bohor', 'rohob'], 'rohun': ['huron', 'rohun'], 'roi': ['rio', 'roi'], 'roid': ['dori', 'roid'], 'roil': ['loir', 'lori', 'roil'], 'roister': ['roister', 'storier'], 'roit': ['riot', 'roit', 'trio'], 'rok': ['kor', 'rok'], 'roka': ['karo', 'kora', 'okra', 'roka'], 'roke': ['kore', 'roke'], 'rokey': ['rokey', 'yoker'], 'roky': ['kory', 'roky', 'york'], 'roland': ['androl', 'arnold', 'lardon', 'roland', 'ronald'], 'rolandic': ['ironclad', 'rolandic'], 'role': ['lore', 'orle', 'role'], 'rolfe': ['forel', 'rolfe'], 'roller': ['reroll', 'roller'], 'rollick': ['rillock', 'rollick'], 'romaean': ['neorama', 'romaean'], 'romain': ['marion', 'romain'], 'romaine': ['moraine', 'romaine'], 'romal': ['molar', 'moral', 'romal'], 'roman': ['manor', 'moran', 'norma', 'ramon', 'roman'], 'romancist': ['narcotism', 'romancist'], 'romancy': ['acronym', 'romancy'], 'romandom': ['monodram', 'romandom'], 'romane': ['enamor', 'monera', 'oreman', 'romane'], 'romanes': ['masoner', 'romanes'], 'romanian': ['maronian', 'romanian'], 'romanic': ['amicron', 'marconi', 'minorca', 'romanic'], 'romanist': ['maronist', 'romanist'], 'romanistic': ['marcionist', 'romanistic'], 'romanite': ['maronite', 'martinoe', 'minorate', 'morenita', 'romanite'], 'romanity': ['minatory', 'romanity'], 'romanly': ['almonry', 'romanly'], 'romantic': ['macrotin', 'romantic'], 'romanticly': ['matrocliny', 'romanticly'], 'romantism': ['matronism', 'romantism'], 'rome': ['mero', 'more', 'omer', 'rome'], 'romeite': ['moieter', 'romeite'], 'romeo': ['moore', 'romeo'], 'romero': ['romero', 'roomer'], 'romeshot': ['resmooth', 'romeshot', 'smoother'], 'romeward': ['marrowed', 'romeward'], 'romic': ['micro', 'moric', 'romic'], 'romish': ['hirmos', 'romish'], 'rompish': ['orphism', 'rompish'], 'ron': ['nor', 'ron'], 'ronald': ['androl', 'arnold', 'lardon', 'roland', 'ronald'], 'roncet': ['conter', 'cornet', 'cronet', 'roncet'], 'ronco': ['conor', 'croon', 'ronco'], 'rond': ['dorn', 'rond'], 'rondache': ['anchored', 'rondache'], 'ronde': ['drone', 'ronde'], 'rondeau': ['rondeau', 'unoared'], 'rondel': ['rondel', 'rondle'], 'rondelet': ['redolent', 'rondelet'], 'rondeletia': ['delineator', 'rondeletia'], 'rondelle': ['enrolled', 'rondelle'], 'rondle': ['rondel', 'rondle'], 'rondo': ['donor', 'rondo'], 'rondure': ['rondure', 'rounder', 'unorder'], 'rone': ['oner', 'rone'], 'ronga': ['angor', 'argon', 'goran', 'grano', 'groan', 'nagor', 'orang', 'organ', 'rogan', 'ronga'], 'rood': ['door', 'odor', 'oord', 'rood'], 'roodstone': ['doorstone', 'roodstone'], 'roofer': ['reroof', 'roofer'], 'rooflet': ['footler', 'rooflet'], 'rook': ['kroo', 'rook'], 'rooker': ['korero', 'rooker'], 'rool': ['loro', 'olor', 'orlo', 'rool'], 'room': ['moor', 'moro', 'room'], 'roomage': ['moorage', 'roomage'], 'roomed': ['doomer', 'mooder', 'redoom', 'roomed'], 'roomer': ['romero', 'roomer'], 'roomlet': ['roomlet', 'tremolo'], 'roomstead': ['astrodome', 'roomstead'], 'roomward': ['roomward', 'wardroom'], 'roomy': ['moory', 'roomy'], 'roost': ['roost', 'torso'], 'root': ['root', 'roto', 'toro'], 'rooter': ['reroot', 'rooter', 'torero'], 'rootle': ['looter', 'retool', 'rootle', 'tooler'], 'rootlet': ['rootlet', 'tootler'], 'rootworm': ['moorwort', 'rootworm', 'tomorrow', 'wormroot'], 'rope': ['pore', 'rope'], 'ropeable': ['operable', 'ropeable'], 'ropelike': ['porelike', 'ropelike'], 'ropeman': ['manrope', 'ropeman'], 'roper': ['porer', 'prore', 'roper'], 'ropes': ['poser', 'prose', 'ropes', 'spore'], 'ropiness': ['poriness', 'pression', 'ropiness'], 'roping': ['poring', 'roping'], 'ropp': ['prop', 'ropp'], 'ropy': ['pory', 'pyro', 'ropy'], 'roquet': ['quoter', 'roquet', 'torque'], 'rosa': ['asor', 'rosa', 'soar', 'sora'], 'rosabel': ['borlase', 'labrose', 'rosabel'], 'rosal': ['rosal', 'solar', 'soral'], 'rosales': ['lassoer', 'oarless', 'rosales'], 'rosalie': ['rosalie', 'seriola'], 'rosaniline': ['enaliornis', 'rosaniline'], 'rosated': ['rosated', 'torsade'], 'rose': ['eros', 'rose', 'sero', 'sore'], 'roseal': ['roseal', 'solera'], 'rosed': ['doser', 'rosed'], 'rosehead': ['rosehead', 'sorehead'], 'roseine': ['erinose', 'roseine'], 'rosel': ['loser', 'orsel', 'rosel', 'soler'], 'roselite': ['literose', 'roselite', 'tirolese'], 'roselle': ['orselle', 'roselle'], 'roseola': ['aerosol', 'roseola'], 'roset': ['roset', 'rotse', 'soter', 'stero', 'store', 'torse'], 'rosetan': ['noreast', 'rosetan', 'seatron', 'senator', 'treason'], 'rosetime': ['rosetime', 'timorese', 'tiresome'], 'rosetta': ['retoast', 'rosetta', 'stoater', 'toaster'], 'rosette': ['rosette', 'tetrose'], 'rosetum': ['oestrum', 'rosetum'], 'rosety': ['oyster', 'rosety'], 'rosin': ['ornis', 'rosin'], 'rosinate': ['arsonite', 'asterion', 'oestrian', 'rosinate', 'serotina'], 'rosine': ['rosine', 'senior', 'soneri'], 'rosiness': ['insessor', 'rosiness'], 'rosmarine': ['morrisean', 'rosmarine'], 'rosolite': ['oestriol', 'rosolite'], 'rosorial': ['rosorial', 'sororial'], 'rossite': ['rossite', 'sorites'], 'rostel': ['relost', 'reslot', 'rostel', 'sterol', 'torsel'], 'roster': ['resort', 'roster', 'sorter', 'storer'], 'rostra': ['rostra', 'sartor'], 'rostrate': ['rostrate', 'trostera'], 'rosulate': ['oestrual', 'rosulate'], 'rosy': ['rosy', 'sory'], 'rot': ['ort', 'rot', 'tor'], 'rota': ['rota', 'taro', 'tora'], 'rotacism': ['acrotism', 'rotacism'], 'rotal': ['latro', 'rotal', 'toral'], 'rotala': ['aortal', 'rotala'], 'rotalian': ['notarial', 'rational', 'rotalian'], 'rotan': ['orant', 'rotan', 'toran', 'trona'], 'rotanev': ['rotanev', 'venator'], 'rotarian': ['rotarian', 'tornaria'], 'rotate': ['rotate', 'tetrao'], 'rotch': ['chort', 'rotch', 'torch'], 'rote': ['rote', 'tore'], 'rotella': ['reallot', 'rotella', 'tallero'], 'rotge': ['ergot', 'rotge'], 'rother': ['rhetor', 'rother'], 'roto': ['root', 'roto', 'toro'], 'rotse': ['roset', 'rotse', 'soter', 'stero', 'store', 'torse'], 'rottan': ['attorn', 'ratton', 'rottan'], 'rotten': ['rotten', 'terton'], 'rotter': ['retort', 'retrot', 'rotter'], 'rottle': ['lotter', 'rottle', 'tolter'], 'rotula': ['rotula', 'torula'], 'rotulian': ['rotulian', 'uranotil'], 'rotuliform': ['rotuliform', 'toruliform'], 'rotulus': ['rotulus', 'torulus'], 'rotund': ['rotund', 'untrod'], 'rotunda': ['rotunda', 'tandour'], 'rotundate': ['rotundate', 'unrotated'], 'rotundifoliate': ['rotundifoliate', 'titanofluoride'], 'rotundo': ['orotund', 'rotundo'], 'roub': ['buro', 'roub'], 'roud': ['dour', 'duro', 'ordu', 'roud'], 'rouge': ['orgue', 'rogue', 'rouge'], 'rougeot': ['outgoer', 'rougeot'], 'roughen': ['enrough', 'roughen'], 'roughie': ['higuero', 'roughie'], 'rouky': ['rouky', 'yurok'], 'roulade': ['roulade', 'urodela'], 'rounce': ['conure', 'rounce', 'uncore'], 'rounded': ['redound', 'rounded', 'underdo'], 'roundel': ['durenol', 'lounder', 'roundel'], 'rounder': ['rondure', 'rounder', 'unorder'], 'roundhead': ['roundhead', 'unhoarded'], 'roundseam': ['meandrous', 'roundseam'], 'roundup': ['roundup', 'unproud'], 'roup': ['pour', 'roup'], 'rouper': ['pourer', 'repour', 'rouper'], 'roupet': ['pouter', 'roupet', 'troupe'], 'rousedness': ['rousedness', 'souredness'], 'rouser': ['rouser', 'sourer'], 'rousing': ['nigrous', 'rousing', 'souring'], 'rousseau': ['eosaurus', 'rousseau'], 'roust': ['roust', 'rusot', 'stour', 'sutor', 'torus'], 'rouster': ['rouster', 'trouser'], 'rousting': ['rousting', 'stouring'], 'rout': ['rout', 'toru', 'tour'], 'route': ['outer', 'outre', 'route'], 'router': ['retour', 'router', 'tourer'], 'routh': ['routh', 'throu'], 'routhie': ['outhire', 'routhie'], 'routine': ['routine', 'tueiron'], 'routing': ['outgrin', 'outring', 'routing', 'touring'], 'routinist': ['introitus', 'routinist'], 'rove': ['over', 'rove'], 'rovet': ['overt', 'rovet', 'torve', 'trove', 'voter'], 'row': ['row', 'wro'], 'rowdily': ['rowdily', 'wordily'], 'rowdiness': ['rowdiness', 'wordiness'], 'rowdy': ['dowry', 'rowdy', 'wordy'], 'rowed': ['dower', 'rowed'], 'rowel': ['lower', 'owler', 'rowel'], 'rowelhead': ['rowelhead', 'wheelroad'], 'rowen': ['owner', 'reown', 'rowen'], 'rower': ['rerow', 'rower'], 'rowet': ['rowet', 'tower', 'wrote'], 'rowing': ['ingrow', 'rowing'], 'rowlet': ['rowlet', 'trowel', 'wolter'], 'rowley': ['lowery', 'owlery', 'rowley', 'yowler'], 'roxy': ['oryx', 'roxy'], 'roy': ['ory', 'roy', 'yor'], 'royalist': ['royalist', 'solitary'], 'royet': ['royet', 'toyer'], 'royt': ['royt', 'ryot', 'tory', 'troy', 'tyro'], 'rua': ['aru', 'rua', 'ura'], 'ruana': ['anura', 'ruana'], 'rub': ['bur', 'rub'], 'rubasse': ['rubasse', 'surbase'], 'rubato': ['outbar', 'rubato', 'tabour'], 'rubbed': ['dubber', 'rubbed'], 'rubble': ['burble', 'lubber', 'rubble'], 'rubbler': ['burbler', 'rubbler'], 'rubbly': ['burbly', 'rubbly'], 'rube': ['bure', 'reub', 'rube'], 'rubella': ['rubella', 'rulable'], 'rubescent': ['rubescent', 'subcenter'], 'rubiate': ['abiuret', 'aubrite', 'biurate', 'rubiate'], 'rubiator': ['rubiator', 'torrubia'], 'rubican': ['brucina', 'rubican'], 'rubied': ['burdie', 'buried', 'rubied'], 'rubification': ['rubification', 'urbification'], 'rubify': ['rubify', 'urbify'], 'rubine': ['burnie', 'rubine'], 'ruble': ['bluer', 'brule', 'burel', 'ruble'], 'rubor': ['burro', 'robur', 'rubor'], 'rubrical': ['bicrural', 'rubrical'], 'ruby': ['bury', 'ruby'], 'ructation': ['anticourt', 'curtation', 'ructation'], 'ruction': ['courtin', 'ruction'], 'rud': ['rud', 'urd'], 'rudas': ['rudas', 'sudra'], 'ruddle': ['dudler', 'ruddle'], 'rude': ['duer', 'dure', 'rude', 'urde'], 'rudish': ['hurdis', 'rudish'], 'rudista': ['dasturi', 'rudista'], 'rudity': ['durity', 'rudity'], 'rue': ['rue', 'ure'], 'ruen': ['renu', 'ruen', 'rune'], 'ruffed': ['duffer', 'ruffed'], 'rufter': ['returf', 'rufter'], 'rug': ['gur', 'rug'], 'ruga': ['gaur', 'guar', 'ruga'], 'rugate': ['argute', 'guetar', 'rugate', 'tuareg'], 'rugged': ['grudge', 'rugged'], 'ruggle': ['gurgle', 'lugger', 'ruggle'], 'rugose': ['grouse', 'rugose'], 'ruinate': ['ruinate', 'taurine', 'uranite', 'urinate'], 'ruination': ['ruination', 'urination'], 'ruinator': ['ruinator', 'urinator'], 'ruined': ['diurne', 'inured', 'ruined', 'unride'], 'ruing': ['irgun', 'ruing', 'unrig'], 'ruinous': ['ruinous', 'urinous'], 'ruinousness': ['ruinousness', 'urinousness'], 'rulable': ['rubella', 'rulable'], 'rule': ['lure', 'rule'], 'ruledom': ['remould', 'ruledom'], 'ruler': ['lurer', 'ruler'], 'ruling': ['ruling', 'urling'], 'rulingly': ['luringly', 'rulingly'], 'rum': ['mru', 'rum'], 'rumal': ['mural', 'rumal'], 'ruman': ['muran', 'ruman', 'unarm', 'unram', 'urman'], 'rumble': ['lumber', 'rumble', 'umbrel'], 'rumelian': ['lemurian', 'malurine', 'rumelian'], 'rumex': ['murex', 'rumex'], 'ruminant': ['nutramin', 'ruminant'], 'ruminator': ['antirumor', 'ruminator'], 'rumly': ['murly', 'rumly'], 'rumple': ['lumper', 'plumer', 'replum', 'rumple'], 'run': ['run', 'urn'], 'runback': ['backrun', 'runback'], 'runby': ['burny', 'runby'], 'runch': ['churn', 'runch'], 'runcinate': ['encurtain', 'runcinate', 'uncertain'], 'rundale': ['launder', 'rundale'], 'rundi': ['rundi', 'unrid'], 'rundlet': ['rundlet', 'trundle'], 'rune': ['renu', 'ruen', 'rune'], 'runed': ['runed', 'under', 'unred'], 'runer': ['rerun', 'runer'], 'runfish': ['furnish', 'runfish'], 'rung': ['grun', 'rung'], 'runic': ['curin', 'incur', 'runic'], 'runically': ['runically', 'unlyrical'], 'runite': ['runite', 'triune', 'uniter', 'untire'], 'runkly': ['knurly', 'runkly'], 'runlet': ['runlet', 'turnel'], 'runnet': ['runnet', 'tunner', 'unrent'], 'runout': ['outrun', 'runout'], 'runover': ['overrun', 'runover'], 'runt': ['runt', 'trun', 'turn'], 'runted': ['runted', 'tunder', 'turned'], 'runtee': ['neuter', 'retune', 'runtee', 'tenure', 'tureen'], 'runway': ['runway', 'unwary'], 'rupa': ['prau', 'rupa'], 'rupee': ['puree', 'rupee'], 'rupestrian': ['rupestrian', 'supertrain'], 'rupiah': ['hairup', 'rupiah'], 'rural': ['rural', 'urlar'], 'rus': ['rus', 'sur', 'urs'], 'rusa': ['rusa', 'saur', 'sura', 'ursa', 'usar'], 'ruscus': ['cursus', 'ruscus'], 'ruse': ['ruse', 'suer', 'sure', 'user'], 'rush': ['rhus', 'rush'], 'rushen': ['reshun', 'rushen'], 'rusine': ['insure', 'rusine', 'ursine'], 'rusma': ['musar', 'ramus', 'rusma', 'surma'], 'rusot': ['roust', 'rusot', 'stour', 'sutor', 'torus'], 'russelia': ['russelia', 'siruelas'], 'russet': ['russet', 'tusser'], 'russify': ['fissury', 'russify'], 'russine': ['russine', 'serinus', 'sunrise'], 'rustable': ['baluster', 'rustable'], 'rustic': ['citrus', 'curtis', 'rictus', 'rustic'], 'rusticial': ['curialist', 'rusticial'], 'rusticly': ['crustily', 'rusticly'], 'rusticness': ['crustiness', 'rusticness'], 'rustle': ['luster', 'result', 'rustle', 'sutler', 'ulster'], 'rustling': ['lustring', 'rustling'], 'rustly': ['rustly', 'sultry'], 'rut': ['rut', 'tur'], 'ruta': ['ruta', 'taur'], 'rutch': ['cruth', 'rutch'], 'rutelian': ['lutrinae', 'retinula', 'rutelian', 'tenurial'], 'rutelinae': ['lineature', 'rutelinae'], 'ruth': ['hurt', 'ruth'], 'ruthenian': ['hunterian', 'ruthenian'], 'ruther': ['hurter', 'ruther'], 'ruthful': ['hurtful', 'ruthful'], 'ruthfully': ['hurtfully', 'ruthfully'], 'ruthfulness': ['hurtfulness', 'ruthfulness'], 'ruthless': ['hurtless', 'ruthless'], 'ruthlessly': ['hurtlessly', 'ruthlessly'], 'ruthlessness': ['hurtlessness', 'ruthlessness'], 'rutilant': ['rutilant', 'turntail'], 'rutinose': ['rutinose', 'tursenoi'], 'rutter': ['rutter', 'turret'], 'rutyl': ['rutyl', 'truly'], 'rutylene': ['neuterly', 'rutylene'], 'ryal': ['aryl', 'lyra', 'ryal', 'yarl'], 'ryder': ['derry', 'redry', 'ryder'], 'rye': ['rye', 'yer'], 'ryen': ['ryen', 'yern'], 'ryot': ['royt', 'ryot', 'tory', 'troy', 'tyro'], 'rype': ['prey', 'pyre', 'rype'], 'rytina': ['rytina', 'trainy', 'tyrian'], 'sa': ['as', 'sa'], 'saa': ['asa', 'saa'], 'saan': ['anas', 'ansa', 'saan'], 'sab': ['bas', 'sab'], 'saba': ['abas', 'saba'], 'sabal': ['balas', 'balsa', 'basal', 'sabal'], 'saban': ['nasab', 'saban'], 'sabanut': ['sabanut', 'sabutan', 'tabanus'], 'sabe': ['base', 'besa', 'sabe', 'seba'], 'sabeca': ['casabe', 'sabeca'], 'sabella': ['basella', 'sabella', 'salable'], 'sabelli': ['sabelli', 'sebilla'], 'sabellid': ['sabellid', 'slidable'], 'saber': ['barse', 'besra', 'saber', 'serab'], 'sabered': ['debaser', 'sabered'], 'sabian': ['sabian', 'sabina'], 'sabina': ['sabian', 'sabina'], 'sabino': ['basion', 'bonsai', 'sabino'], 'sabir': ['baris', 'sabir'], 'sable': ['blase', 'sable'], 'saboraim': ['ambrosia', 'saboraim'], 'sabot': ['basto', 'boast', 'sabot'], 'sabotine': ['obeisant', 'sabotine'], 'sabromin': ['ambrosin', 'barosmin', 'sabromin'], 'sabulite': ['sabulite', 'suitable'], 'sabutan': ['sabanut', 'sabutan', 'tabanus'], 'sacalait': ['castalia', 'sacalait'], 'saccade': ['cascade', 'saccade'], 'saccomyian': ['saccomyian', 'saccomyina'], 'saccomyina': ['saccomyian', 'saccomyina'], 'sacculoutricular': ['sacculoutricular', 'utriculosaccular'], 'sacellum': ['camellus', 'sacellum'], 'sachem': ['sachem', 'schema'], 'sachet': ['chaste', 'sachet', 'scathe', 'scheat'], 'sacian': ['ascian', 'sacian', 'scania', 'sicana'], 'sack': ['cask', 'sack'], 'sackbut': ['sackbut', 'subtack'], 'sacken': ['sacken', 'skance'], 'sacker': ['resack', 'sacker', 'screak'], 'sacking': ['casking', 'sacking'], 'sacklike': ['casklike', 'sacklike'], 'sacque': ['casque', 'sacque'], 'sacral': ['lascar', 'rascal', 'sacral', 'scalar'], 'sacrification': ['sacrification', 'scarification'], 'sacrificator': ['sacrificator', 'scarificator'], 'sacripant': ['sacripant', 'spartanic'], 'sacro': ['arcos', 'crosa', 'oscar', 'sacro'], 'sacrodorsal': ['dorsosacral', 'sacrodorsal'], 'sacroischiac': ['isosaccharic', 'sacroischiac'], 'sacrolumbal': ['lumbosacral', 'sacrolumbal'], 'sacrovertebral': ['sacrovertebral', 'vertebrosacral'], 'sad': ['das', 'sad'], 'sadden': ['desand', 'sadden', 'sanded'], 'saddling': ['addlings', 'saddling'], 'sadh': ['dash', 'sadh', 'shad'], 'sadhe': ['deash', 'hades', 'sadhe', 'shade'], 'sadic': ['asdic', 'sadic'], 'sadie': ['aides', 'aside', 'sadie'], 'sadiron': ['sadiron', 'sardoin'], 'sado': ['dosa', 'sado', 'soda'], 'sadr': ['sadr', 'sard'], 'saeima': ['asemia', 'saeima'], 'saernaite': ['arseniate', 'saernaite'], 'saeter': ['asteer', 'easter', 'eastre', 'reseat', 'saeter', 'seater', 'staree', 'teaser', 'teresa'], 'saeume': ['amusee', 'saeume'], 'safar': ['safar', 'saraf'], 'safely': ['fayles', 'safely'], 'saft': ['fast', 'saft'], 'sag': ['gas', 'sag'], 'sagai': ['sagai', 'saiga'], 'sagene': ['sagene', 'senega'], 'sagger': ['sagger', 'seggar'], 'sagless': ['gasless', 'glasses', 'sagless'], 'sago': ['sago', 'soga'], 'sagoin': ['gosain', 'isagon', 'sagoin'], 'sagra': ['argas', 'sagra'], 'sah': ['ash', 'sah', 'sha'], 'saharic': ['arachis', 'asiarch', 'saharic'], 'sahh': ['hash', 'sahh', 'shah'], 'sahidic': ['hasidic', 'sahidic'], 'sahme': ['sahme', 'shame'], 'saho': ['saho', 'shoa'], 'sai': ['sai', 'sia'], 'saic': ['acis', 'asci', 'saic'], 'said': ['dais', 'dasi', 'disa', 'said', 'sida'], 'saidi': ['saidi', 'saiid'], 'saiga': ['sagai', 'saiga'], 'saiid': ['saidi', 'saiid'], 'sail': ['lasi', 'lias', 'lisa', 'sail', 'sial'], 'sailable': ['isabella', 'sailable'], 'sailage': ['algesia', 'sailage'], 'sailed': ['aisled', 'deasil', 'ladies', 'sailed'], 'sailer': ['israel', 'relais', 'resail', 'sailer', 'serail', 'serial'], 'sailing': ['aisling', 'sailing'], 'sailoring': ['sailoring', 'signorial'], 'sailsman': ['nasalism', 'sailsman'], 'saily': ['islay', 'saily'], 'saim': ['mias', 'saim', 'siam', 'sima'], 'sain': ['anis', 'nais', 'nasi', 'nias', 'sain', 'sina'], 'sainfoin': ['sainfoin', 'sinfonia'], 'saint': ['saint', 'satin', 'stain'], 'saintdom': ['donatism', 'saintdom'], 'sainted': ['destain', 'instead', 'sainted', 'satined'], 'saintless': ['saintless', 'saltiness', 'slatiness', 'stainless'], 'saintlike': ['kleistian', 'saintlike', 'satinlike'], 'saintly': ['nastily', 'saintly', 'staynil'], 'saintship': ['hispanist', 'saintship'], 'saip': ['apis', 'pais', 'pasi', 'saip'], 'saiph': ['aphis', 'apish', 'hispa', 'saiph', 'spahi'], 'sair': ['rais', 'sair', 'sari'], 'saite': ['saite', 'taise'], 'saithe': ['saithe', 'tashie', 'teaish'], 'saitic': ['isatic', 'saitic'], 'saivism': ['saivism', 'sivaism'], 'sak': ['ask', 'sak'], 'saka': ['asak', 'kasa', 'saka'], 'sake': ['sake', 'seak'], 'sakeen': ['sakeen', 'sekane'], 'sakel': ['alkes', 'sakel', 'slake'], 'saker': ['asker', 'reask', 'saker', 'sekar'], 'sakeret': ['restake', 'sakeret'], 'sakha': ['kasha', 'khasa', 'sakha', 'shaka'], 'saki': ['saki', 'siak', 'sika'], 'sal': ['las', 'sal', 'sla'], 'salable': ['basella', 'sabella', 'salable'], 'salably': ['basally', 'salably'], 'salaceta': ['catalase', 'salaceta'], 'salacot': ['coastal', 'salacot'], 'salading': ['salading', 'salangid'], 'salago': ['aglaos', 'salago'], 'salamandarin': ['salamandarin', 'salamandrian', 'salamandrina'], 'salamandrian': ['salamandarin', 'salamandrian', 'salamandrina'], 'salamandrina': ['salamandarin', 'salamandrian', 'salamandrina'], 'salangid': ['salading', 'salangid'], 'salariat': ['alastair', 'salariat'], 'salat': ['atlas', 'salat', 'salta'], 'salay': ['asyla', 'salay', 'sayal'], 'sale': ['elsa', 'sale', 'seal', 'slae'], 'salele': ['salele', 'sallee'], 'salep': ['elaps', 'lapse', 'lepas', 'pales', 'salep', 'saple', 'sepal', 'slape', 'spale', 'speal'], 'saleratus': ['assaulter', 'reassault', 'saleratus'], 'salian': ['anisal', 'nasial', 'salian', 'salina'], 'salic': ['lacis', 'salic'], 'salicin': ['incisal', 'salicin'], 'salicylide': ['salicylide', 'scylliidae'], 'salience': ['salience', 'secaline'], 'salient': ['elastin', 'salient', 'saltine', 'slainte'], 'salimeter': ['misrelate', 'salimeter'], 'salimetry': ['mysterial', 'salimetry'], 'salina': ['anisal', 'nasial', 'salian', 'salina'], 'saline': ['alsine', 'neslia', 'saline', 'selina', 'silane'], 'salinoterreous': ['salinoterreous', 'soliterraneous'], 'salite': ['isleta', 'litsea', 'salite', 'stelai'], 'salited': ['distale', 'salited'], 'saliva': ['saliva', 'salvia'], 'salivan': ['salivan', 'slavian'], 'salivant': ['navalist', 'salivant'], 'salivate': ['salivate', 'vestalia'], 'salle': ['salle', 'sella'], 'sallee': ['salele', 'sallee'], 'sallet': ['sallet', 'stella', 'talles'], 'sallow': ['sallow', 'swallo'], 'salm': ['alms', 'salm', 'slam'], 'salma': ['salma', 'samal'], 'salmine': ['malines', 'salmine', 'selamin', 'seminal'], 'salmis': ['missal', 'salmis'], 'salmo': ['salmo', 'somal'], 'salmonsite': ['assoilment', 'salmonsite'], 'salome': ['melosa', 'salome', 'semola'], 'salometer': ['elastomer', 'salometer'], 'salon': ['salon', 'sloan', 'solan'], 'saloon': ['alonso', 'alsoon', 'saloon'], 'salp': ['salp', 'slap'], 'salpa': ['palas', 'salpa'], 'salpidae': ['palisade', 'salpidae'], 'salpoid': ['psaloid', 'salpoid'], 'salt': ['last', 'salt', 'slat'], 'salta': ['atlas', 'salat', 'salta'], 'saltary': ['astylar', 'saltary'], 'saltation': ['saltation', 'stational'], 'salted': ['desalt', 'salted'], 'saltee': ['ateles', 'saltee', 'sealet', 'stelae', 'teasel'], 'salter': ['laster', 'lastre', 'rastle', 'relast', 'resalt', 'salter', 'slater', 'stelar'], 'saltern': ['saltern', 'starnel', 'sternal'], 'saltery': ['saltery', 'stearyl'], 'saltier': ['aletris', 'alister', 'listera', 'realist', 'saltier'], 'saltine': ['elastin', 'salient', 'saltine', 'slainte'], 'saltiness': ['saintless', 'saltiness', 'slatiness', 'stainless'], 'salting': ['anglist', 'lasting', 'salting', 'slating', 'staling'], 'saltish': ['saltish', 'slatish'], 'saltly': ['lastly', 'saltly'], 'saltness': ['lastness', 'saltness'], 'saltometer': ['rattlesome', 'saltometer'], 'saltus': ['saltus', 'tussal'], 'saltwife': ['flatwise', 'saltwife'], 'salty': ['lasty', 'salty', 'slaty'], 'salung': ['lugnas', 'salung'], 'salute': ['salute', 'setula'], 'saluter': ['arustle', 'estrual', 'saluter', 'saulter'], 'salva': ['salva', 'valsa', 'vasal'], 'salve': ['salve', 'selva', 'slave', 'valse'], 'salver': ['salver', 'serval', 'slaver', 'versal'], 'salvia': ['saliva', 'salvia'], 'salvy': ['salvy', 'sylva'], 'sam': ['mas', 'sam', 'sma'], 'samal': ['salma', 'samal'], 'saman': ['manas', 'saman'], 'samani': ['samani', 'samian'], 'samaritan': ['samaritan', 'sarmatian'], 'samas': ['amass', 'assam', 'massa', 'samas'], 'sambal': ['balsam', 'sambal'], 'sambo': ['ambos', 'sambo'], 'same': ['asem', 'mesa', 'same', 'seam'], 'samel': ['amsel', 'melas', 'mesal', 'samel'], 'samely': ['measly', 'samely'], 'samen': ['manes', 'manse', 'mensa', 'samen', 'senam'], 'samh': ['mash', 'samh', 'sham'], 'samian': ['samani', 'samian'], 'samiel': ['amiles', 'asmile', 'mesail', 'mesial', 'samiel'], 'samir': ['maris', 'marsi', 'samir', 'simar'], 'samisen': ['samisen', 'samsien'], 'samish': ['samish', 'sisham'], 'samite': ['samite', 'semita', 'tamise', 'teaism'], 'sammer': ['mamers', 'sammer'], 'sammier': ['amerism', 'asimmer', 'sammier'], 'samnani': ['ananism', 'samnani'], 'samnite': ['atenism', 'inmeats', 'insteam', 'samnite'], 'samoan': ['monasa', 'samoan'], 'samothere': ['heartsome', 'samothere'], 'samoyed': ['samoyed', 'someday'], 'samphire': ['samphire', 'seraphim'], 'sampi': ['apism', 'sampi'], 'sampler': ['lampers', 'sampler'], 'samsien': ['samisen', 'samsien'], 'samskara': ['makassar', 'samskara'], 'samucan': ['manacus', 'samucan'], 'samuel': ['amelus', 'samuel'], 'sanability': ['insatiably', 'sanability'], 'sanai': ['asian', 'naias', 'sanai'], 'sanand': ['sanand', 'sandan'], 'sanche': ['encash', 'sanche'], 'sanct': ['sanct', 'scant'], 'sanction': ['canonist', 'sanction', 'sonantic'], 'sanctioner': ['resanction', 'sanctioner'], 'sanctity': ['sanctity', 'scantity'], 'sandak': ['sandak', 'skanda'], 'sandan': ['sanand', 'sandan'], 'sandarac': ['carandas', 'sandarac'], 'sandawe': ['sandawe', 'weasand'], 'sanded': ['desand', 'sadden', 'sanded'], 'sanderling': ['sanderling', 'slandering'], 'sandflower': ['flandowser', 'sandflower'], 'sandhi': ['danish', 'sandhi'], 'sandra': ['nasard', 'sandra'], 'sandworm': ['sandworm', 'swordman', 'wordsman'], 'sane': ['anes', 'sane', 'sean'], 'sanetch': ['chasten', 'sanetch'], 'sang': ['sang', 'snag'], 'sanga': ['gasan', 'sanga'], 'sangar': ['argans', 'sangar'], 'sangei': ['easing', 'sangei'], 'sanger': ['angers', 'sanger', 'serang'], 'sangrel': ['sangrel', 'snagrel'], 'sanhita': ['ashanti', 'sanhita', 'shaitan', 'thasian'], 'sanicle': ['celsian', 'escalin', 'sanicle', 'secalin'], 'sanies': ['anesis', 'anseis', 'sanies', 'sansei', 'sasine'], 'sanious': ['sanious', 'suasion'], 'sanitate': ['astatine', 'sanitate'], 'sanitize': ['sanitize', 'satinize'], 'sanity': ['sanity', 'satiny'], 'sank': ['kans', 'sank'], 'sankha': ['kashan', 'sankha'], 'sannup': ['pannus', 'sannup', 'unsnap', 'unspan'], 'sanpoil': ['sanpoil', 'spaniol'], 'sansei': ['anesis', 'anseis', 'sanies', 'sansei', 'sasine'], 'sansi': ['sansi', 'sasin'], 'sant': ['nast', 'sant', 'stan'], 'santa': ['santa', 'satan'], 'santal': ['aslant', 'lansat', 'natals', 'santal'], 'santali': ['lanista', 'santali'], 'santalin': ['annalist', 'santalin'], 'santee': ['ensate', 'enseat', 'santee', 'sateen', 'senate'], 'santiago': ['agonista', 'santiago'], 'santimi': ['animist', 'santimi'], 'santir': ['instar', 'santir', 'strain'], 'santon': ['santon', 'sonant', 'stanno'], 'santorinite': ['reinstation', 'santorinite'], 'sap': ['asp', 'sap', 'spa'], 'sapan': ['pasan', 'sapan'], 'sapek': ['sapek', 'speak'], 'saperda': ['aspread', 'saperda'], 'saphena': ['aphanes', 'saphena'], 'sapid': ['sapid', 'spaid'], 'sapient': ['panties', 'sapient', 'spinate'], 'sapiential': ['antilipase', 'sapiential'], 'sapin': ['pisan', 'sapin', 'spina'], 'sapinda': ['anapsid', 'sapinda'], 'saple': ['elaps', 'lapse', 'lepas', 'pales', 'salep', 'saple', 'sepal', 'slape', 'spale', 'speal'], 'sapling': ['lapsing', 'sapling'], 'sapo': ['asop', 'sapo', 'soap'], 'sapor': ['psora', 'sapor', 'sarpo'], 'saporous': ['asporous', 'saporous'], 'sapota': ['sapota', 'taposa'], 'sapotilha': ['hapalotis', 'sapotilha'], 'sapphire': ['papisher', 'sapphire'], 'sapples': ['papless', 'sapples'], 'sapremia': ['aspermia', 'sapremia'], 'sapremic': ['aspermic', 'sapremic'], 'saprine': ['persian', 'prasine', 'saprine'], 'saprolite': ['posterial', 'saprolite'], 'saprolitic': ['polaristic', 'poristical', 'saprolitic'], 'sapropel': ['prolapse', 'sapropel'], 'sapropelic': ['periscopal', 'sapropelic'], 'saprophagous': ['prasophagous', 'saprophagous'], 'sapwort': ['postwar', 'sapwort'], 'sar': ['ras', 'sar'], 'sara': ['rasa', 'sara'], 'saraad': ['saraad', 'sarada'], 'sarada': ['saraad', 'sarada'], 'saraf': ['safar', 'saraf'], 'sarah': ['asarh', 'raash', 'sarah'], 'saran': ['ansar', 'saran', 'sarna'], 'sarangi': ['giansar', 'sarangi'], 'sarcenet': ['reascent', 'sarcenet'], 'sarcine': ['arsenic', 'cerasin', 'sarcine'], 'sarcitis': ['sarcitis', 'triassic'], 'sarcle': ['sarcle', 'scaler', 'sclera'], 'sarcoadenoma': ['adenosarcoma', 'sarcoadenoma'], 'sarcocarcinoma': ['carcinosarcoma', 'sarcocarcinoma'], 'sarcoid': ['sarcoid', 'scaroid'], 'sarcoline': ['censorial', 'sarcoline'], 'sarcolite': ['alectoris', 'sarcolite', 'sclerotia', 'sectorial'], 'sarcoplast': ['postsacral', 'sarcoplast'], 'sarcotic': ['acrostic', 'sarcotic', 'socratic'], 'sard': ['sadr', 'sard'], 'sardian': ['andrias', 'sardian', 'sarinda'], 'sardine': ['andries', 'isander', 'sardine'], 'sardoin': ['sadiron', 'sardoin'], 'sardonic': ['draconis', 'sardonic'], 'sare': ['arse', 'rase', 'sare', 'sear', 'sera'], 'sargonide': ['grandiose', 'sargonide'], 'sari': ['rais', 'sair', 'sari'], 'sarif': ['farsi', 'sarif'], 'sarigue': ['ergusia', 'gerusia', 'sarigue'], 'sarinda': ['andrias', 'sardian', 'sarinda'], 'sarip': ['paris', 'parsi', 'sarip'], 'sark': ['askr', 'kras', 'sark'], 'sarkine': ['kerasin', 'sarkine'], 'sarkit': ['rastik', 'sarkit', 'straik'], 'sarmatian': ['samaritan', 'sarmatian'], 'sarment': ['sarment', 'smarten'], 'sarmentous': ['sarmentous', 'tarsonemus'], 'sarna': ['ansar', 'saran', 'sarna'], 'sarod': ['sarod', 'sorda'], 'saron': ['arson', 'saron', 'sonar'], 'saronic': ['arsonic', 'saronic'], 'sarpo': ['psora', 'sapor', 'sarpo'], 'sarra': ['arras', 'sarra'], 'sarsenet': ['assenter', 'reassent', 'sarsenet'], 'sarsi': ['arsis', 'sarsi'], 'sart': ['sart', 'star', 'stra', 'tars', 'tsar'], 'sartain': ['artisan', 'astrain', 'sartain', 'tsarina'], 'sartish': ['sartish', 'shastri'], 'sartor': ['rostra', 'sartor'], 'sasan': ['nassa', 'sasan'], 'sasin': ['sansi', 'sasin'], 'sasine': ['anesis', 'anseis', 'sanies', 'sansei', 'sasine'], 'sat': ['ast', 'sat'], 'satan': ['santa', 'satan'], 'satanical': ['castalian', 'satanical'], 'satanism': ['mantissa', 'satanism'], 'sate': ['ates', 'east', 'eats', 'sate', 'seat', 'seta'], 'sateen': ['ensate', 'enseat', 'santee', 'sateen', 'senate'], 'sateless': ['sateless', 'seatless'], 'satelles': ['satelles', 'tessella'], 'satellite': ['satellite', 'telestial'], 'satiable': ['bisaltae', 'satiable'], 'satiate': ['isatate', 'satiate', 'taetsia'], 'satieno': ['aeonist', 'asiento', 'satieno'], 'satient': ['atenist', 'instate', 'satient', 'steatin'], 'satin': ['saint', 'satin', 'stain'], 'satine': ['satine', 'tisane'], 'satined': ['destain', 'instead', 'sainted', 'satined'], 'satinette': ['enstatite', 'intestate', 'satinette'], 'satinite': ['satinite', 'sittinae'], 'satinize': ['sanitize', 'satinize'], 'satinlike': ['kleistian', 'saintlike', 'satinlike'], 'satiny': ['sanity', 'satiny'], 'satire': ['satire', 'striae'], 'satirical': ['racialist', 'satirical'], 'satirist': ['satirist', 'tarsitis'], 'satrae': ['astare', 'satrae'], 'satrapic': ['aspartic', 'satrapic'], 'satron': ['asnort', 'satron'], 'sattle': ['latest', 'sattle', 'taslet'], 'sattva': ['sattva', 'tavast'], 'saturable': ['balaustre', 'saturable'], 'saturation': ['saturation', 'titanosaur'], 'saturator': ['saturator', 'tartarous'], 'saturn': ['saturn', 'unstar'], 'saturnale': ['alaternus', 'saturnale'], 'saturnalia': ['australian', 'saturnalia'], 'saturnia': ['asturian', 'austrian', 'saturnia'], 'saturnine': ['neustrian', 'saturnine', 'sturninae'], 'saturnism': ['saturnism', 'surmisant'], 'satyr': ['satyr', 'stary', 'stray', 'trasy'], 'satyrlike': ['satyrlike', 'streakily'], 'sauce': ['cause', 'sauce'], 'sauceless': ['causeless', 'sauceless'], 'sauceline': ['sauceline', 'seleucian'], 'saucer': ['causer', 'saucer'], 'sauger': ['sauger', 'usager'], 'saugh': ['agush', 'saugh'], 'saul': ['saul', 'sula'], 'sauld': ['aldus', 'sauld'], 'sault': ['latus', 'sault', 'talus'], 'saulter': ['arustle', 'estrual', 'saluter', 'saulter'], 'saum': ['masu', 'musa', 'saum'], 'sauna': ['nasua', 'sauna'], 'saur': ['rusa', 'saur', 'sura', 'ursa', 'usar'], 'saura': ['arusa', 'saura', 'usara'], 'saurian': ['saurian', 'suriana'], 'saury': ['saury', 'surya'], 'sausage': ['assuage', 'sausage'], 'saut': ['saut', 'tasu', 'utas'], 'sauve': ['sauve', 'suave'], 'save': ['aves', 'save', 'vase'], 'savin': ['savin', 'sivan'], 'saviour': ['saviour', 'various'], 'savor': ['savor', 'sorva'], 'savored': ['oversad', 'savored'], 'saw': ['saw', 'swa', 'was'], 'sawah': ['awash', 'sawah'], 'sawali': ['aswail', 'sawali'], 'sawback': ['backsaw', 'sawback'], 'sawbuck': ['bucksaw', 'sawbuck'], 'sawer': ['resaw', 'sawer', 'seraw', 'sware', 'swear', 'warse'], 'sawing': ['aswing', 'sawing'], 'sawish': ['sawish', 'siwash'], 'sawn': ['sawn', 'snaw', 'swan'], 'sawt': ['sawt', 'staw', 'swat', 'taws', 'twas', 'wast'], 'sawyer': ['sawyer', 'swayer'], 'saxe': ['axes', 'saxe', 'seax'], 'saxten': ['saxten', 'sextan'], 'say': ['say', 'yas'], 'sayal': ['asyla', 'salay', 'sayal'], 'sayer': ['reasy', 'resay', 'sayer', 'seary'], 'sayid': ['daisy', 'sayid'], 'scabbler': ['scabbler', 'scrabble'], 'scabies': ['abscise', 'scabies'], 'scaddle': ['scaddle', 'scalded'], 'scaean': ['anaces', 'scaean'], 'scala': ['calas', 'casal', 'scala'], 'scalar': ['lascar', 'rascal', 'sacral', 'scalar'], 'scalded': ['scaddle', 'scalded'], 'scale': ['alces', 'casel', 'scale'], 'scalena': ['escalan', 'scalena'], 'scalene': ['cleanse', 'scalene'], 'scaler': ['sarcle', 'scaler', 'sclera'], 'scallola': ['callosal', 'scallola'], 'scalloper': ['procellas', 'scalloper'], 'scaloni': ['nicolas', 'scaloni'], 'scalp': ['clasp', 'scalp'], 'scalper': ['clasper', 'reclasp', 'scalper'], 'scalping': ['clasping', 'scalping'], 'scalpture': ['prescutal', 'scalpture'], 'scaly': ['aclys', 'scaly'], 'scambler': ['scambler', 'scramble'], 'scampish': ['scampish', 'scaphism'], 'scania': ['ascian', 'sacian', 'scania', 'sicana'], 'scant': ['sanct', 'scant'], 'scantity': ['sanctity', 'scantity'], 'scantle': ['asclent', 'scantle'], 'scape': ['capes', 'scape', 'space'], 'scapeless': ['scapeless', 'spaceless'], 'scapha': ['pascha', 'scapha'], 'scaphander': ['handscrape', 'scaphander'], 'scaphism': ['scampish', 'scaphism'], 'scaphite': ['paschite', 'pastiche', 'pistache', 'scaphite'], 'scaphopod': ['podoscaph', 'scaphopod'], 'scapoid': ['psoadic', 'scapoid', 'sciapod'], 'scapolite': ['alopecist', 'altiscope', 'epicostal', 'scapolite'], 'scappler': ['scappler', 'scrapple'], 'scapula': ['capsula', 'pascual', 'scapula'], 'scapular': ['capsular', 'scapular'], 'scapulated': ['capsulated', 'scapulated'], 'scapulectomy': ['capsulectomy', 'scapulectomy'], 'scarab': ['barsac', 'scarab'], 'scarcement': ['marcescent', 'scarcement'], 'scare': ['carse', 'caser', 'ceras', 'scare', 'scrae'], 'scarification': ['sacrification', 'scarification'], 'scarificator': ['sacrificator', 'scarificator'], 'scarily': ['scarily', 'scraily'], 'scarlet': ['scarlet', 'sclater'], 'scarn': ['scarn', 'scran'], 'scaroid': ['sarcoid', 'scaroid'], 'scarp': ['craps', 'scarp', 'scrap'], 'scarping': ['scarping', 'scraping'], 'scart': ['scart', 'scrat'], 'scarth': ['scarth', 'scrath', 'starch'], 'scary': ['ascry', 'scary', 'scray'], 'scase': ['casse', 'scase'], 'scat': ['acts', 'cast', 'scat'], 'scathe': ['chaste', 'sachet', 'scathe', 'scheat'], 'scatterer': ['scatterer', 'streetcar'], 'scaturient': ['incrustate', 'scaturient', 'scrutinate'], 'scaum': ['camus', 'musca', 'scaum', 'sumac'], 'scaur': ['cursa', 'scaur'], 'scaut': ['scaut', 'scuta'], 'scavel': ['calves', 'scavel'], 'scawl': ['scawl', 'sclaw'], 'sceat': ['caste', 'sceat'], 'scene': ['cense', 'scene', 'sence'], 'scenery': ['scenery', 'screeny'], 'scented': ['descent', 'scented'], 'scepter': ['respect', 'scepter', 'specter'], 'sceptered': ['sceptered', 'spectered'], 'scepterless': ['respectless', 'scepterless'], 'sceptral': ['sceptral', 'scraplet', 'spectral'], 'sceptry': ['precyst', 'sceptry', 'spectry'], 'scerne': ['censer', 'scerne', 'screen', 'secern'], 'schalmei': ['camelish', 'schalmei'], 'scheat': ['chaste', 'sachet', 'scathe', 'scheat'], 'schema': ['sachem', 'schema'], 'schematic': ['catechism', 'schematic'], 'scheme': ['scheme', 'smeech'], 'schemer': ['chermes', 'schemer'], 'scho': ['cosh', 'scho'], 'scholae': ['oscheal', 'scholae'], 'schone': ['cheson', 'chosen', 'schone'], 'schooltime': ['chilostome', 'schooltime'], 'schout': ['schout', 'scouth'], 'schute': ['schute', 'tusche'], 'sciaenoid': ['oniscidae', 'oscinidae', 'sciaenoid'], 'scian': ['canis', 'scian'], 'sciapod': ['psoadic', 'scapoid', 'sciapod'], 'sciara': ['carisa', 'sciara'], 'sciarid': ['cidaris', 'sciarid'], 'sciatic': ['ascitic', 'sciatic'], 'sciatical': ['ascitical', 'sciatical'], 'scient': ['encist', 'incest', 'insect', 'scient'], 'sciential': ['elasticin', 'inelastic', 'sciential'], 'scillitan': ['scillitan', 'scintilla'], 'scintilla': ['scillitan', 'scintilla'], 'scintle': ['lentisc', 'scintle', 'stencil'], 'scion': ['oscin', 'scion', 'sonic'], 'sciot': ['ostic', 'sciot', 'stoic'], 'sciotherical': ['ischiorectal', 'sciotherical'], 'scious': ['scious', 'socius'], 'scirenga': ['creasing', 'scirenga'], 'scirpus': ['prussic', 'scirpus'], 'scissortail': ['scissortail', 'solaristics'], 'sciurine': ['incisure', 'sciurine'], 'sciuroid': ['dioscuri', 'sciuroid'], 'sclate': ['castle', 'sclate'], 'sclater': ['scarlet', 'sclater'], 'sclaw': ['scawl', 'sclaw'], 'sclera': ['sarcle', 'scaler', 'sclera'], 'sclere': ['sclere', 'screel'], 'scleria': ['scleria', 'sercial'], 'sclerite': ['sclerite', 'silcrete'], 'sclerodermite': ['dermosclerite', 'sclerodermite'], 'scleromata': ['clamatores', 'scleromata'], 'sclerose': ['coreless', 'sclerose'], 'sclerospora': ['prolacrosse', 'sclerospora'], 'sclerote': ['corselet', 'sclerote', 'selector'], 'sclerotia': ['alectoris', 'sarcolite', 'sclerotia', 'sectorial'], 'sclerotial': ['cloisteral', 'sclerotial'], 'sclerotinia': ['intersocial', 'orleanistic', 'sclerotinia'], 'sclerotium': ['closterium', 'sclerotium'], 'sclerotomy': ['mycosterol', 'sclerotomy'], 'scoad': ['cados', 'scoad'], 'scob': ['bosc', 'scob'], 'scobicular': ['scobicular', 'scrobicula'], 'scolia': ['colias', 'scolia', 'social'], 'scolion': ['scolion', 'solonic'], 'scombrine': ['becrimson', 'scombrine'], 'scone': ['cones', 'scone'], 'scooper': ['coprose', 'scooper'], 'scoot': ['coost', 'scoot'], 'scopa': ['posca', 'scopa'], 'scoparin': ['parsonic', 'scoparin'], 'scope': ['copse', 'pecos', 'scope'], 'scopidae': ['diascope', 'psocidae', 'scopidae'], 'scopine': ['psocine', 'scopine'], 'scopiped': ['podiceps', 'scopiped'], 'scopoline': ['niloscope', 'scopoline'], 'scorbutical': ['scorbutical', 'subcortical'], 'scorbutically': ['scorbutically', 'subcortically'], 'score': ['corse', 'score'], 'scorer': ['scorer', 'sorcer'], 'scoriae': ['coraise', 'scoriae'], 'scorpidae': ['carpiodes', 'scorpidae'], 'scorpiones': ['procession', 'scorpiones'], 'scorpionic': ['orniscopic', 'scorpionic'], 'scorse': ['cessor', 'crosse', 'scorse'], 'scortation': ['cartoonist', 'scortation'], 'scot': ['cost', 'scot'], 'scotale': ['alecost', 'lactose', 'scotale', 'talcose'], 'scote': ['coset', 'estoc', 'scote'], 'scoter': ['corset', 'cortes', 'coster', 'escort', 'scoter', 'sector'], 'scotia': ['isotac', 'scotia'], 'scotism': ['cosmist', 'scotism'], 'scotomatic': ['osmotactic', 'scotomatic'], 'scotty': ['cytost', 'scotty'], 'scoup': ['copus', 'scoup'], 'scour': ['cours', 'scour'], 'scoured': ['coursed', 'scoured'], 'scourer': ['courser', 'scourer'], 'scourge': ['scourge', 'scrouge'], 'scourger': ['scourger', 'scrouger'], 'scouring': ['coursing', 'scouring'], 'scouth': ['schout', 'scouth'], 'scrabble': ['scabbler', 'scrabble'], 'scrabe': ['braces', 'scrabe'], 'scrae': ['carse', 'caser', 'ceras', 'scare', 'scrae'], 'scraily': ['scarily', 'scraily'], 'scramble': ['scambler', 'scramble'], 'scran': ['scarn', 'scran'], 'scrap': ['craps', 'scarp', 'scrap'], 'scrape': ['casper', 'escarp', 'parsec', 'scrape', 'secpar', 'spacer'], 'scrapie': ['epacris', 'scrapie', 'serapic'], 'scraping': ['scarping', 'scraping'], 'scraplet': ['sceptral', 'scraplet', 'spectral'], 'scrapple': ['scappler', 'scrapple'], 'scrat': ['scart', 'scrat'], 'scratcher': ['rescratch', 'scratcher'], 'scrath': ['scarth', 'scrath', 'starch'], 'scray': ['ascry', 'scary', 'scray'], 'screak': ['resack', 'sacker', 'screak'], 'screaming': ['germanics', 'screaming'], 'screamy': ['armscye', 'screamy'], 'scree': ['scree', 'secre'], 'screel': ['sclere', 'screel'], 'screen': ['censer', 'scerne', 'screen', 'secern'], 'screenless': ['censerless', 'screenless'], 'screeny': ['scenery', 'screeny'], 'screet': ['resect', 'screet', 'secret'], 'screwdrive': ['drivescrew', 'screwdrive'], 'scrieve': ['cerevis', 'scrieve', 'service'], 'scrike': ['scrike', 'sicker'], 'scrip': ['crisp', 'scrip'], 'scripee': ['precise', 'scripee'], 'scripula': ['scripula', 'spicular'], 'scrobicula': ['scobicular', 'scrobicula'], 'scrota': ['arctos', 'castor', 'costar', 'scrota'], 'scrouge': ['scourge', 'scrouge'], 'scrouger': ['scourger', 'scrouger'], 'scrout': ['scrout', 'scruto'], 'scroyle': ['cryosel', 'scroyle'], 'scruf': ['scruf', 'scurf'], 'scruffle': ['scruffle', 'scuffler'], 'scruple': ['scruple', 'sculper'], 'scrutate': ['crustate', 'scrutate'], 'scrutation': ['crustation', 'scrutation'], 'scrutinant': ['incrustant', 'scrutinant'], 'scrutinate': ['incrustate', 'scaturient', 'scrutinate'], 'scruto': ['scrout', 'scruto'], 'scudi': ['scudi', 'sudic'], 'scuffler': ['scruffle', 'scuffler'], 'sculper': ['scruple', 'sculper'], 'sculpin': ['insculp', 'sculpin'], 'scup': ['cusp', 'scup'], 'scur': ['crus', 'scur'], 'scurf': ['scruf', 'scurf'], 'scusation': ['cosustain', 'scusation'], 'scuta': ['scaut', 'scuta'], 'scutal': ['scutal', 'suclat'], 'scute': ['cetus', 'scute'], 'scutifer': ['fusteric', 'scutifer'], 'scutigeral': ['gesticular', 'scutigeral'], 'scutula': ['auscult', 'scutula'], 'scye': ['scye', 'syce'], 'scylliidae': ['salicylide', 'scylliidae'], 'scyllium': ['clumsily', 'scyllium'], 'scyphi': ['physic', 'scyphi'], 'scyphomancy': ['psychomancy', 'scyphomancy'], 'scyt': ['cyst', 'scyt'], 'scythe': ['chesty', 'scythe'], 'scytitis': ['cystitis', 'scytitis'], 'se': ['es', 'se'], 'sea': ['aes', 'ase', 'sea'], 'seadog': ['dosage', 'seadog'], 'seagirt': ['seagirt', 'strigae'], 'seah': ['seah', 'shea'], 'seak': ['sake', 'seak'], 'seal': ['elsa', 'sale', 'seal', 'slae'], 'sealable': ['leasable', 'sealable'], 'sealch': ['cashel', 'laches', 'sealch'], 'sealer': ['alerse', 'leaser', 'reales', 'resale', 'reseal', 'sealer'], 'sealet': ['ateles', 'saltee', 'sealet', 'stelae', 'teasel'], 'sealing': ['leasing', 'sealing'], 'sealwort': ['restowal', 'sealwort'], 'seam': ['asem', 'mesa', 'same', 'seam'], 'seamanite': ['anamesite', 'seamanite'], 'seamark': ['kamares', 'seamark'], 'seamer': ['reseam', 'seamer'], 'seamlet': ['maltese', 'seamlet'], 'seamlike': ['mesalike', 'seamlike'], 'seamrend': ['redesman', 'seamrend'], 'seamster': ['masseter', 'seamster'], 'seamus': ['assume', 'seamus'], 'sean': ['anes', 'sane', 'sean'], 'seance': ['encase', 'seance', 'seneca'], 'seaplane': ['seaplane', 'spelaean'], 'seaport': ['esparto', 'petrosa', 'seaport'], 'sear': ['arse', 'rase', 'sare', 'sear', 'sera'], 'searce': ['cesare', 'crease', 'recase', 'searce'], 'searcer': ['creaser', 'searcer'], 'search': ['arches', 'chaser', 'eschar', 'recash', 'search'], 'searcher': ['rechaser', 'research', 'searcher'], 'searchment': ['manchester', 'searchment'], 'searcloth': ['clathrose', 'searcloth'], 'seared': ['erased', 'reseda', 'seared'], 'searer': ['eraser', 'searer'], 'searing': ['searing', 'seringa'], 'seary': ['reasy', 'resay', 'sayer', 'seary'], 'seaside': ['disease', 'seaside'], 'seat': ['ates', 'east', 'eats', 'sate', 'seat', 'seta'], 'seated': ['seated', 'sedate'], 'seater': ['asteer', 'easter', 'eastre', 'reseat', 'saeter', 'seater', 'staree', 'teaser', 'teresa'], 'seating': ['easting', 'gainset', 'genista', 'ingesta', 'seating', 'signate', 'teasing'], 'seatless': ['sateless', 'seatless'], 'seatrain': ['artesian', 'asterina', 'asternia', 'erastian', 'seatrain'], 'seatron': ['noreast', 'rosetan', 'seatron', 'senator', 'treason'], 'seave': ['eaves', 'evase', 'seave'], 'seax': ['axes', 'saxe', 'seax'], 'seba': ['base', 'besa', 'sabe', 'seba'], 'sebastian': ['bassanite', 'sebastian'], 'sebilla': ['sabelli', 'sebilla'], 'sebum': ['embus', 'sebum'], 'secalin': ['celsian', 'escalin', 'sanicle', 'secalin'], 'secaline': ['salience', 'secaline'], 'secant': ['ascent', 'secant', 'stance'], 'secern': ['censer', 'scerne', 'screen', 'secern'], 'secernent': ['secernent', 'sentencer'], 'secondar': ['endosarc', 'secondar'], 'secos': ['cosse', 'secos'], 'secpar': ['casper', 'escarp', 'parsec', 'scrape', 'secpar', 'spacer'], 'secre': ['scree', 'secre'], 'secret': ['resect', 'screet', 'secret'], 'secretarian': ['ascertainer', 'reascertain', 'secretarian'], 'secretion': ['resection', 'secretion'], 'secretional': ['resectional', 'secretional'], 'sect': ['cest', 'sect'], 'sectarian': ['ascertain', 'cartesian', 'cartisane', 'sectarian'], 'sectarianism': ['cartesianism', 'sectarianism'], 'section': ['contise', 'noetics', 'section'], 'sectism': ['sectism', 'smectis'], 'sector': ['corset', 'cortes', 'coster', 'escort', 'scoter', 'sector'], 'sectorial': ['alectoris', 'sarcolite', 'sclerotia', 'sectorial'], 'sectroid': ['decorist', 'sectroid'], 'securable': ['rescuable', 'securable'], 'securance': ['recusance', 'securance'], 'secure': ['cereus', 'ceruse', 'recuse', 'rescue', 'secure'], 'securer': ['recurse', 'rescuer', 'securer'], 'sedan': ['sedan', 'snead'], 'sedanier': ['arsedine', 'arsenide', 'sedanier', 'siderean'], 'sedat': ['sedat', 'stade', 'stead'], 'sedate': ['seated', 'sedate'], 'sedation': ['astonied', 'sedation'], 'sederunt': ['sederunt', 'underset', 'undesert', 'unrested'], 'sedile': ['diesel', 'sedile', 'seidel'], 'sedimetric': ['sedimetric', 'semidirect'], 'sedimetrical': ['decimestrial', 'sedimetrical'], 'sedition': ['desition', 'sedition'], 'sedulity': ['dysluite', 'sedulity'], 'sedum': ['mused', 'sedum'], 'seedbird': ['birdseed', 'seedbird'], 'seeded': ['deseed', 'seeded'], 'seeder': ['reseed', 'seeder'], 'seedlip': ['pelides', 'seedlip'], 'seeing': ['seeing', 'signee'], 'seek': ['kees', 'seek', 'skee'], 'seeker': ['reseek', 'seeker'], 'seel': ['else', 'lees', 'seel', 'sele', 'slee'], 'seem': ['mese', 'seem', 'seme', 'smee'], 'seemer': ['emerse', 'seemer'], 'seen': ['ense', 'esne', 'nese', 'seen', 'snee'], 'seenu': ['ensue', 'seenu', 'unsee'], 'seer': ['erse', 'rees', 'seer', 'sere'], 'seerband': ['seerband', 'serabend'], 'seerhand': ['denshare', 'seerhand'], 'seerhood': ['rhodeose', 'seerhood'], 'seership': ['hesperis', 'seership'], 'seething': ['seething', 'sheeting'], 'seg': ['ges', 'seg'], 'seggar': ['sagger', 'seggar'], 'seggard': ['daggers', 'seggard'], 'sego': ['goes', 'sego'], 'segolate': ['gelatose', 'segolate'], 'segreant': ['estrange', 'segreant', 'sergeant', 'sternage'], 'seid': ['desi', 'ides', 'seid', 'side'], 'seidel': ['diesel', 'sedile', 'seidel'], 'seignioral': ['seignioral', 'seignorial'], 'seignoral': ['gasoliner', 'seignoral'], 'seignorial': ['seignioral', 'seignorial'], 'seine': ['insee', 'seine'], 'seiner': ['inseer', 'nereis', 'seiner', 'serine', 'sirene'], 'seise': ['essie', 'seise'], 'seism': ['seism', 'semis'], 'seismal': ['aimless', 'melissa', 'seismal'], 'seismotic': ['seismotic', 'societism'], 'seit': ['seit', 'site'], 'seizable': ['seizable', 'sizeable'], 'seizer': ['resize', 'seizer'], 'sekane': ['sakeen', 'sekane'], 'sekani': ['kinase', 'sekani'], 'sekar': ['asker', 'reask', 'saker', 'sekar'], 'seker': ['esker', 'keres', 'reesk', 'seker', 'skeer', 'skere'], 'selagite': ['elegiast', 'selagite'], 'selah': ['halse', 'leash', 'selah', 'shale', 'sheal', 'shela'], 'selamin': ['malines', 'salmine', 'selamin', 'seminal'], 'selbergite': ['gilbertese', 'selbergite'], 'seldor': ['dorsel', 'seldor', 'solder'], 'seldseen': ['needless', 'seldseen'], 'sele': ['else', 'lees', 'seel', 'sele', 'slee'], 'selector': ['corselet', 'sclerote', 'selector'], 'selenic': ['license', 'selenic', 'silence'], 'selenion': ['leonines', 'selenion'], 'selenitic': ['insectile', 'selenitic'], 'selenium': ['selenium', 'semilune', 'seminule'], 'selenosis': ['noiseless', 'selenosis'], 'seleucian': ['sauceline', 'seleucian'], 'self': ['fels', 'self'], 'selfsame': ['fameless', 'selfsame'], 'selfsameness': ['famelessness', 'selfsameness'], 'selictar': ['altrices', 'selictar'], 'selina': ['alsine', 'neslia', 'saline', 'selina', 'silane'], 'selion': ['insole', 'leonis', 'lesion', 'selion'], 'seljukian': ['januslike', 'seljukian'], 'sella': ['salle', 'sella'], 'sellably': ['sellably', 'syllable'], 'sellate': ['estella', 'sellate'], 'seller': ['resell', 'seller'], 'selli': ['lisle', 'selli'], 'sellie': ['leslie', 'sellie'], 'sellout': ['outsell', 'sellout'], 'selt': ['lest', 'selt'], 'selter': ['lester', 'selter', 'streel'], 'selung': ['gunsel', 'selung', 'slunge'], 'selva': ['salve', 'selva', 'slave', 'valse'], 'semang': ['magnes', 'semang'], 'semantic': ['amnestic', 'semantic'], 'semaphore': ['mesohepar', 'semaphore'], 'sematic': ['cameist', 'etacism', 'sematic'], 'sematrope': ['perosmate', 'sematrope'], 'seme': ['mese', 'seem', 'seme', 'smee'], 'semen': ['mense', 'mesne', 'semen'], 'semeostoma': ['semeostoma', 'semostomae'], 'semi': ['mise', 'semi', 'sime'], 'semiarch': ['semiarch', 'smachrie'], 'semibald': ['bedismal', 'semibald'], 'semiball': ['mislabel', 'semiball'], 'semic': ['mesic', 'semic'], 'semicircle': ['semicircle', 'semicleric'], 'semicleric': ['semicircle', 'semicleric'], 'semicone': ['nicesome', 'semicone'], 'semicoronet': ['oncosimeter', 'semicoronet'], 'semicrome': ['mesomeric', 'microseme', 'semicrome'], 'semidirect': ['sedimetric', 'semidirect'], 'semidormant': ['memorandist', 'moderantism', 'semidormant'], 'semihard': ['dreamish', 'semihard'], 'semihiant': ['histamine', 'semihiant'], 'semilimber': ['immersible', 'semilimber'], 'semilunar': ['semilunar', 'unrealism'], 'semilune': ['selenium', 'semilune', 'seminule'], 'semiminor': ['immersion', 'semiminor'], 'semimoron': ['monroeism', 'semimoron'], 'seminal': ['malines', 'salmine', 'selamin', 'seminal'], 'seminar': ['remains', 'seminar'], 'seminasal': ['messalian', 'seminasal'], 'seminomadic': ['demoniacism', 'seminomadic'], 'seminomata': ['mastomenia', 'seminomata'], 'seminule': ['selenium', 'semilune', 'seminule'], 'semiopal': ['malpoise', 'semiopal'], 'semiorb': ['boreism', 'semiorb'], 'semiovaloid': ['semiovaloid', 'semiovoidal'], 'semiovoidal': ['semiovaloid', 'semiovoidal'], 'semipolar': ['perisomal', 'semipolar'], 'semipro': ['imposer', 'promise', 'semipro'], 'semipronation': ['impersonation', 'prosemination', 'semipronation'], 'semiquote': ['quietsome', 'semiquote'], 'semirotund': ['semirotund', 'unmortised'], 'semis': ['seism', 'semis'], 'semispan': ['menaspis', 'semispan'], 'semisteel': ['messelite', 'semisteel', 'teleseism'], 'semistill': ['limitless', 'semistill'], 'semistriated': ['disastimeter', 'semistriated'], 'semita': ['samite', 'semita', 'tamise', 'teaism'], 'semitae': ['amesite', 'mesitae', 'semitae'], 'semitour': ['moisture', 'semitour'], 'semiurban': ['semiurban', 'submarine'], 'semiurn': ['neurism', 'semiurn'], 'semivector': ['semivector', 'viscometer'], 'semnae': ['enseam', 'semnae'], 'semola': ['melosa', 'salome', 'semola'], 'semolella': ['lamellose', 'semolella'], 'semolina': ['laminose', 'lemonias', 'semolina'], 'semological': ['mesological', 'semological'], 'semology': ['mesology', 'semology'], 'semostomae': ['semeostoma', 'semostomae'], 'sempiternous': ['sempiternous', 'supermoisten'], 'semuncia': ['muscinae', 'semuncia'], 'semuncial': ['masculine', 'semuncial', 'simulance'], 'sen': ['ens', 'sen'], 'senaite': ['etesian', 'senaite'], 'senam': ['manes', 'manse', 'mensa', 'samen', 'senam'], 'senarius': ['anuresis', 'senarius'], 'senate': ['ensate', 'enseat', 'santee', 'sateen', 'senate'], 'senator': ['noreast', 'rosetan', 'seatron', 'senator', 'treason'], 'senatorian': ['arsenation', 'senatorian', 'sonneratia'], 'senatrices': ['resistance', 'senatrices'], 'sence': ['cense', 'scene', 'sence'], 'senci': ['senci', 'since'], 'send': ['send', 'sned'], 'sender': ['resend', 'sender'], 'seneca': ['encase', 'seance', 'seneca'], 'senega': ['sagene', 'senega'], 'senesce': ['essence', 'senesce'], 'senile': ['enisle', 'ensile', 'senile', 'silene'], 'senilism': ['liminess', 'senilism'], 'senior': ['rosine', 'senior', 'soneri'], 'senlac': ['lances', 'senlac'], 'senna': ['nanes', 'senna'], 'sennit': ['innest', 'sennit', 'sinnet', 'tennis'], 'sennite': ['intense', 'sennite'], 'senocular': ['larcenous', 'senocular'], 'senones': ['oneness', 'senones'], 'sensable': ['ableness', 'blaeness', 'sensable'], 'sensatorial': ['assertional', 'sensatorial'], 'sensical': ['laciness', 'sensical'], 'sensilia': ['sensilia', 'silesian'], 'sensilla': ['nailless', 'sensilla'], 'sension': ['neossin', 'sension'], 'sensuism': ['sensuism', 'senusism'], 'sent': ['nest', 'sent', 'sten'], 'sentencer': ['secernent', 'sentencer'], 'sentition': ['sentition', 'tenonitis'], 'senusism': ['sensuism', 'senusism'], 'sepad': ['depas', 'sepad', 'spade'], 'sepal': ['elaps', 'lapse', 'lepas', 'pales', 'salep', 'saple', 'sepal', 'slape', 'spale', 'speal'], 'sepaled': ['delapse', 'sepaled'], 'sepaloid': ['episodal', 'lapidose', 'sepaloid'], 'separable': ['separable', 'spareable'], 'separate': ['asperate', 'separate'], 'separation': ['anisoptera', 'asperation', 'separation'], 'sephardi': ['diphaser', 'parished', 'raphides', 'sephardi'], 'sephen': ['sephen', 'sphene'], 'sepian': ['sepian', 'spinae'], 'sepic': ['sepic', 'spice'], 'sepion': ['espino', 'sepion'], 'sepoy': ['poesy', 'posey', 'sepoy'], 'seps': ['pess', 'seps'], 'sepsis': ['sepsis', 'speiss'], 'sept': ['pest', 'sept', 'spet', 'step'], 'septa': ['paste', 'septa', 'spate'], 'septal': ['pastel', 'septal', 'staple'], 'septane': ['penates', 'septane'], 'septarium': ['impasture', 'septarium'], 'septenar': ['entrepas', 'septenar'], 'septennium': ['pennisetum', 'septennium'], 'septentrio': ['septentrio', 'tripestone'], 'septerium': ['misrepute', 'septerium'], 'septi': ['septi', 'spite', 'stipe'], 'septicemia': ['episematic', 'septicemia'], 'septicidal': ['pesticidal', 'septicidal'], 'septicopyemia': ['pyosepticemia', 'septicopyemia'], 'septicopyemic': ['pyosepticemic', 'septicopyemic'], 'septier': ['respite', 'septier'], 'septiferous': ['pestiferous', 'septiferous'], 'septile': ['epistle', 'septile'], 'septimal': ['petalism', 'septimal'], 'septocosta': ['septocosta', 'statoscope'], 'septoic': ['poetics', 'septoic'], 'septonasal': ['nasoseptal', 'septonasal'], 'septoria': ['isoptera', 'septoria'], 'septum': ['septum', 'upstem'], 'septuor': ['petrous', 'posture', 'proetus', 'proteus', 'septuor', 'spouter'], 'sequential': ['latinesque', 'sequential'], 'sequin': ['quinse', 'sequin'], 'ser': ['ers', 'ser'], 'sera': ['arse', 'rase', 'sare', 'sear', 'sera'], 'serab': ['barse', 'besra', 'saber', 'serab'], 'serabend': ['seerband', 'serabend'], 'seraglio': ['girasole', 'seraglio'], 'serai': ['aries', 'arise', 'raise', 'serai'], 'serail': ['israel', 'relais', 'resail', 'sailer', 'serail', 'serial'], 'seral': ['arles', 'arsle', 'laser', 'seral', 'slare'], 'serang': ['angers', 'sanger', 'serang'], 'serape': ['parsee', 'persae', 'persea', 'serape'], 'seraph': ['phrase', 'seraph', 'shaper', 'sherpa'], 'seraphic': ['parchesi', 'seraphic'], 'seraphim': ['samphire', 'seraphim'], 'seraphina': ['pharisean', 'seraphina'], 'seraphine': ['hesperian', 'phrenesia', 'seraphine'], 'seraphism': ['misphrase', 'seraphism'], 'serapic': ['epacris', 'scrapie', 'serapic'], 'serapis': ['paresis', 'serapis'], 'serapist': ['piratess', 'serapist', 'tarsipes'], 'serau': ['serau', 'urase'], 'seraw': ['resaw', 'sawer', 'seraw', 'sware', 'swear', 'warse'], 'sercial': ['scleria', 'sercial'], 'sere': ['erse', 'rees', 'seer', 'sere'], 'serean': ['serean', 'serena'], 'sereh': ['herse', 'sereh', 'sheer', 'shree'], 'serena': ['serean', 'serena'], 'serenata': ['arsenate', 'serenata'], 'serene': ['resene', 'serene'], 'serenoa': ['arenose', 'serenoa'], 'serge': ['reges', 'serge'], 'sergeant': ['estrange', 'segreant', 'sergeant', 'sternage'], 'sergei': ['sergei', 'sieger'], 'serger': ['gerres', 'serger'], 'serging': ['serging', 'snigger'], 'sergiu': ['guiser', 'sergiu'], 'seri': ['reis', 'rise', 'seri', 'sier', 'sire'], 'serial': ['israel', 'relais', 'resail', 'sailer', 'serail', 'serial'], 'serialist': ['eristalis', 'serialist'], 'serian': ['arisen', 'arsine', 'resina', 'serian'], 'sericate': ['ecrasite', 'sericate'], 'sericated': ['discreate', 'sericated'], 'sericin': ['irenics', 'resinic', 'sericin', 'sirenic'], 'serific': ['friesic', 'serific'], 'serin': ['reins', 'resin', 'rinse', 'risen', 'serin', 'siren'], 'serine': ['inseer', 'nereis', 'seiner', 'serine', 'sirene'], 'serinette': ['retistene', 'serinette'], 'seringa': ['searing', 'seringa'], 'seringal': ['resignal', 'seringal', 'signaler'], 'serinus': ['russine', 'serinus', 'sunrise'], 'serio': ['osier', 'serio'], 'seriola': ['rosalie', 'seriola'], 'serioludicrous': ['ludicroserious', 'serioludicrous'], 'sermo': ['meros', 'mores', 'morse', 'sermo', 'smore'], 'sermonist': ['monitress', 'sermonist'], 'sero': ['eros', 'rose', 'sero', 'sore'], 'serofibrous': ['fibroserous', 'serofibrous'], 'serolin': ['resinol', 'serolin'], 'seromucous': ['mucoserous', 'seromucous'], 'seron': ['norse', 'noser', 'seron', 'snore'], 'seroon': ['nooser', 'seroon', 'sooner'], 'seroot': ['seroot', 'sooter', 'torose'], 'serotina': ['arsonite', 'asterion', 'oestrian', 'rosinate', 'serotina'], 'serotinal': ['lairstone', 'orleanist', 'serotinal'], 'serotine': ['serotine', 'torinese'], 'serous': ['serous', 'souser'], 'serow': ['owser', 'resow', 'serow', 'sower', 'swore', 'worse'], 'serpari': ['aspirer', 'praiser', 'serpari'], 'serpent': ['penster', 'present', 'serpent', 'strepen'], 'serpentian': ['serpentian', 'serpentina'], 'serpentid': ['president', 'serpentid'], 'serpentina': ['serpentian', 'serpentina'], 'serpentinous': ['serpentinous', 'supertension'], 'serpently': ['presently', 'serpently'], 'serpiginous': ['serpiginous', 'spinigerous'], 'serpolet': ['proteles', 'serpolet'], 'serpula': ['perusal', 'serpula'], 'serpulae': ['pleasure', 'serpulae'], 'serpulan': ['purslane', 'serpulan', 'supernal'], 'serpulidae': ['serpulidae', 'superideal'], 'serpuline': ['serpuline', 'superline'], 'serra': ['ersar', 'raser', 'serra'], 'serrage': ['argeers', 'greaser', 'serrage'], 'serran': ['serran', 'snarer'], 'serrano': ['serrano', 'sornare'], 'serratic': ['crateris', 'serratic'], 'serratodentate': ['dentatoserrate', 'serratodentate'], 'serrature': ['serrature', 'treasurer'], 'serried': ['derries', 'desirer', 'resider', 'serried'], 'serriped': ['presider', 'serriped'], 'sert': ['rest', 'sert', 'stre'], 'serta': ['aster', 'serta', 'stare', 'strae', 'tarse', 'teras'], 'sertum': ['muster', 'sertum', 'stumer'], 'serum': ['muser', 'remus', 'serum'], 'serut': ['serut', 'strue', 'turse', 'uster'], 'servable': ['beslaver', 'servable', 'versable'], 'servage': ['gervase', 'greaves', 'servage'], 'serval': ['salver', 'serval', 'slaver', 'versal'], 'servant': ['servant', 'versant'], 'servation': ['overstain', 'servation', 'versation'], 'serve': ['serve', 'sever', 'verse'], 'server': ['revers', 'server', 'verser'], 'servet': ['revest', 'servet', 'sterve', 'verset', 'vester'], 'servetian': ['invertase', 'servetian'], 'servian': ['servian', 'vansire'], 'service': ['cerevis', 'scrieve', 'service'], 'serviceable': ['receivables', 'serviceable'], 'servient': ['reinvest', 'servient'], 'serviential': ['inversatile', 'serviential'], 'servilize': ['servilize', 'silverize'], 'servite': ['restive', 'servite'], 'servitor': ['overstir', 'servitor'], 'servitude': ['detrusive', 'divesture', 'servitude'], 'servo': ['servo', 'verso'], 'sesma': ['masse', 'sesma'], 'sestertium': ['sestertium', 'trusteeism'], 'sestet': ['sestet', 'testes', 'tsetse'], 'sestiad': ['disseat', 'sestiad'], 'sestian': ['entasis', 'sestian', 'sestina'], 'sestina': ['entasis', 'sestian', 'sestina'], 'sestole': ['osselet', 'sestole', 'toeless'], 'sestuor': ['estrous', 'oestrus', 'sestuor', 'tussore'], 'sesuto': ['sesuto', 'setous'], 'seta': ['ates', 'east', 'eats', 'sate', 'seat', 'seta'], 'setae': ['setae', 'tease'], 'setal': ['least', 'setal', 'slate', 'stale', 'steal', 'stela', 'tales'], 'setaria': ['asarite', 'asteria', 'atresia', 'setaria'], 'setback': ['backset', 'setback'], 'setdown': ['downset', 'setdown'], 'seth': ['esth', 'hest', 'seth'], 'sethead': ['headset', 'sethead'], 'sethian': ['sethian', 'sthenia'], 'sethic': ['ethics', 'sethic'], 'setibo': ['setibo', 'sobeit'], 'setirostral': ['latirostres', 'setirostral'], 'setline': ['leisten', 'setline', 'tensile'], 'setoff': ['offset', 'setoff'], 'seton': ['onset', 'seton', 'steno', 'stone'], 'setous': ['sesuto', 'setous'], 'setout': ['outset', 'setout'], 'setover': ['overset', 'setover'], 'sett': ['sett', 'stet', 'test'], 'settable': ['settable', 'testable'], 'settaine': ['anisette', 'atestine', 'settaine'], 'settee': ['settee', 'testee'], 'setter': ['retest', 'setter', 'street', 'tester'], 'setting': ['setting', 'testing'], 'settler': ['settler', 'sterlet', 'trestle'], 'settlor': ['settlor', 'slotter'], 'setula': ['salute', 'setula'], 'setup': ['setup', 'stupe', 'upset'], 'setwall': ['setwall', 'swallet'], 'seven': ['evens', 'seven'], 'sevener': ['sevener', 'veneres'], 'sever': ['serve', 'sever', 'verse'], 'severer': ['reserve', 'resever', 'reverse', 'severer'], 'sew': ['sew', 'wes'], 'sewed': ['sewed', 'swede'], 'sewer': ['resew', 'sewer', 'sweer'], 'sewered': ['sewered', 'sweered'], 'sewing': ['sewing', 'swinge'], 'sewn': ['news', 'sewn', 'snew'], 'sewround': ['sewround', 'undersow'], 'sexed': ['desex', 'sexed'], 'sextan': ['saxten', 'sextan'], 'sextipartition': ['extirpationist', 'sextipartition'], 'sextodecimo': ['decimosexto', 'sextodecimo'], 'sextry': ['sextry', 'xyster'], 'sexuale': ['esexual', 'sexuale'], 'sey': ['sey', 'sye', 'yes'], 'seymour': ['mousery', 'seymour'], 'sfoot': ['foots', 'sfoot', 'stoof'], 'sgad': ['dags', 'sgad'], 'sha': ['ash', 'sah', 'sha'], 'shab': ['bash', 'shab'], 'shabbily': ['babishly', 'shabbily'], 'shabbiness': ['babishness', 'shabbiness'], 'shabunder': ['husbander', 'shabunder'], 'shad': ['dash', 'sadh', 'shad'], 'shade': ['deash', 'hades', 'sadhe', 'shade'], 'shaded': ['dashed', 'shaded'], 'shader': ['dasher', 'shader', 'sheard'], 'shadily': ['ladyish', 'shadily'], 'shading': ['dashing', 'shading'], 'shadkan': ['dashnak', 'shadkan'], 'shady': ['dashy', 'shady'], 'shafting': ['shafting', 'tangfish'], 'shag': ['gash', 'shag'], 'shagrag': ['ragshag', 'shagrag'], 'shah': ['hash', 'sahh', 'shah'], 'shahi': ['shahi', 'shiah'], 'shaitan': ['ashanti', 'sanhita', 'shaitan', 'thasian'], 'shaivism': ['shaivism', 'shivaism'], 'shaka': ['kasha', 'khasa', 'sakha', 'shaka'], 'shakeout': ['outshake', 'shakeout'], 'shaker': ['kasher', 'shaker'], 'shakil': ['lakish', 'shakil'], 'shaku': ['kusha', 'shaku', 'ushak'], 'shaky': ['hasky', 'shaky'], 'shale': ['halse', 'leash', 'selah', 'shale', 'sheal', 'shela'], 'shalt': ['shalt', 'slath'], 'sham': ['mash', 'samh', 'sham'], 'shama': ['hamsa', 'masha', 'shama'], 'shamable': ['baalshem', 'shamable'], 'shamal': ['mashal', 'shamal'], 'shaman': ['ashman', 'shaman'], 'shamba': ['ambash', 'shamba'], 'shambrier': ['herbarism', 'shambrier'], 'shambu': ['ambush', 'shambu'], 'shame': ['sahme', 'shame'], 'shamer': ['masher', 'ramesh', 'shamer'], 'shamir': ['marish', 'shamir'], 'shammish': ['mishmash', 'shammish'], 'shan': ['hans', 'nash', 'shan'], 'shane': ['ashen', 'hanse', 'shane', 'shean'], 'shang': ['gnash', 'shang'], 'shant': ['shant', 'snath'], 'shap': ['hasp', 'pash', 'psha', 'shap'], 'shape': ['heaps', 'pesah', 'phase', 'shape'], 'shapeless': ['phaseless', 'shapeless'], 'shaper': ['phrase', 'seraph', 'shaper', 'sherpa'], 'shapometer': ['atmosphere', 'shapometer'], 'shapy': ['physa', 'shapy'], 'shardana': ['darshana', 'shardana'], 'share': ['asher', 'share', 'shear'], 'shareman': ['shareman', 'shearman'], 'sharer': ['rasher', 'sharer'], 'sharesman': ['sharesman', 'shearsman'], 'shargar': ['shargar', 'sharrag'], 'shari': ['ashir', 'shari'], 'sharon': ['rhason', 'sharon', 'shoran'], 'sharp': ['sharp', 'shrap'], 'sharpener': ['resharpen', 'sharpener'], 'sharper': ['phraser', 'sharper'], 'sharpy': ['phrasy', 'sharpy'], 'sharrag': ['shargar', 'sharrag'], 'shasta': ['shasta', 'tassah'], 'shaster': ['hatress', 'shaster'], 'shastraik': ['katharsis', 'shastraik'], 'shastri': ['sartish', 'shastri'], 'shat': ['shat', 'tash'], 'shatter': ['rathest', 'shatter'], 'shatterer': ['ratherest', 'shatterer'], 'shattering': ['shattering', 'straighten'], 'shauri': ['shauri', 'surahi'], 'shave': ['shave', 'sheva'], 'shavee': ['shavee', 'sheave'], 'shaver': ['havers', 'shaver', 'shrave'], 'shavery': ['shavery', 'shravey'], 'shaw': ['shaw', 'wash'], 'shawano': ['shawano', 'washoan'], 'shawl': ['shawl', 'walsh'], 'shawy': ['shawy', 'washy'], 'shay': ['ashy', 'shay'], 'shea': ['seah', 'shea'], 'sheal': ['halse', 'leash', 'selah', 'shale', 'sheal', 'shela'], 'shean': ['ashen', 'hanse', 'shane', 'shean'], 'shear': ['asher', 'share', 'shear'], 'shearbill': ['shearbill', 'shillaber'], 'sheard': ['dasher', 'shader', 'sheard'], 'shearer': ['reshare', 'reshear', 'shearer'], 'shearman': ['shareman', 'shearman'], 'shearsman': ['sharesman', 'shearsman'], 'sheat': ['ashet', 'haste', 'sheat'], 'sheave': ['shavee', 'sheave'], 'shebeen': ['benshee', 'shebeen'], 'shechem': ['meshech', 'shechem'], 'sheder': ['hersed', 'sheder'], 'sheely': ['sheely', 'sheyle'], 'sheer': ['herse', 'sereh', 'sheer', 'shree'], 'sheering': ['greenish', 'sheering'], 'sheet': ['sheet', 'these'], 'sheeter': ['sheeter', 'therese'], 'sheeting': ['seething', 'sheeting'], 'sheila': ['elisha', 'hailse', 'sheila'], 'shela': ['halse', 'leash', 'selah', 'shale', 'sheal', 'shela'], 'shelf': ['flesh', 'shelf'], 'shelfful': ['fleshful', 'shelfful'], 'shelflist': ['filthless', 'shelflist'], 'shelfy': ['fleshy', 'shelfy'], 'shelta': ['haslet', 'lesath', 'shelta'], 'shelty': ['shelty', 'thysel'], 'shelve': ['shelve', 'shevel'], 'shemitic': ['ethicism', 'shemitic'], 'shen': ['nesh', 'shen'], 'sheol': ['hosel', 'sheol', 'shole'], 'sher': ['hers', 'resh', 'sher'], 'sherani': ['arshine', 'nearish', 'rhesian', 'sherani'], 'sheratan': ['hanaster', 'sheratan'], 'sheriat': ['atheris', 'sheriat'], 'sherif': ['fisher', 'sherif'], 'sherifate': ['fisheater', 'sherifate'], 'sherify': ['fishery', 'sherify'], 'sheriyat': ['hysteria', 'sheriyat'], 'sherpa': ['phrase', 'seraph', 'shaper', 'sherpa'], 'sherri': ['hersir', 'sherri'], 'sheugh': ['hughes', 'sheugh'], 'sheva': ['shave', 'sheva'], 'shevel': ['shelve', 'shevel'], 'shevri': ['shevri', 'shiver', 'shrive'], 'shewa': ['hawse', 'shewa', 'whase'], 'sheyle': ['sheely', 'sheyle'], 'shi': ['his', 'hsi', 'shi'], 'shiah': ['shahi', 'shiah'], 'shibar': ['barish', 'shibar'], 'shice': ['echis', 'shice'], 'shicer': ['riches', 'shicer'], 'shide': ['shide', 'shied', 'sidhe'], 'shied': ['shide', 'shied', 'sidhe'], 'shiel': ['liesh', 'shiel'], 'shieldable': ['deshabille', 'shieldable'], 'shier': ['hirse', 'shier', 'shire'], 'shiest': ['shiest', 'thesis'], 'shifter': ['reshift', 'shifter'], 'shih': ['hish', 'shih'], 'shiite': ['histie', 'shiite'], 'shik': ['kish', 'shik', 'sikh'], 'shikar': ['rakish', 'riksha', 'shikar', 'shikra', 'sikhra'], 'shikara': ['shikara', 'sikhara'], 'shikari': ['rikisha', 'shikari'], 'shikra': ['rakish', 'riksha', 'shikar', 'shikra', 'sikhra'], 'shillaber': ['shearbill', 'shillaber'], 'shimal': ['lamish', 'shimal'], 'shimmery': ['misrhyme', 'shimmery'], 'shin': ['hisn', 'shin', 'sinh'], 'shina': ['naish', 'shina'], 'shine': ['eshin', 'shine'], 'shiner': ['renish', 'shiner', 'shrine'], 'shingle': ['english', 'shingle'], 'shinto': ['histon', 'shinto', 'tonish'], 'shinty': ['shinty', 'snithy'], 'ship': ['pish', 'ship'], 'shipboy': ['boyship', 'shipboy'], 'shipkeeper': ['keepership', 'shipkeeper'], 'shiplap': ['lappish', 'shiplap'], 'shipman': ['manship', 'shipman'], 'shipmaster': ['mastership', 'shipmaster'], 'shipmate': ['aphetism', 'mateship', 'shipmate', 'spithame'], 'shipowner': ['ownership', 'shipowner'], 'shippage': ['pageship', 'shippage'], 'shipper': ['preship', 'shipper'], 'shippo': ['popish', 'shippo'], 'shipward': ['shipward', 'wardship'], 'shipwork': ['shipwork', 'workship'], 'shipworm': ['shipworm', 'wormship'], 'shire': ['hirse', 'shier', 'shire'], 'shirker': ['shirker', 'skirreh'], 'shirley': ['relishy', 'shirley'], 'shirty': ['shirty', 'thyris'], 'shirvan': ['shirvan', 'varnish'], 'shita': ['shita', 'thais'], 'shivaism': ['shaivism', 'shivaism'], 'shive': ['hives', 'shive'], 'shiver': ['shevri', 'shiver', 'shrive'], 'shlu': ['lush', 'shlu', 'shul'], 'sho': ['sho', 'soh'], 'shoa': ['saho', 'shoa'], 'shoal': ['shoal', 'shola'], 'shoat': ['hoast', 'hosta', 'shoat'], 'shockable': ['shockable', 'shoeblack'], 'shode': ['hosed', 'shode'], 'shoder': ['dehors', 'rhodes', 'shoder', 'shored'], 'shoe': ['hose', 'shoe'], 'shoeblack': ['shockable', 'shoeblack'], 'shoebrush': ['shoebrush', 'shorebush'], 'shoeless': ['hoseless', 'shoeless'], 'shoeman': ['hoseman', 'shoeman'], 'shoer': ['horse', 'shoer', 'shore'], 'shog': ['gosh', 'shog'], 'shoji': ['joshi', 'shoji'], 'shola': ['shoal', 'shola'], 'shole': ['hosel', 'sheol', 'shole'], 'shoo': ['shoo', 'soho'], 'shoot': ['shoot', 'sooth', 'sotho', 'toosh'], 'shooter': ['orthose', 'reshoot', 'shooter', 'soother'], 'shooting': ['shooting', 'soothing'], 'shop': ['phos', 'posh', 'shop', 'soph'], 'shopbook': ['bookshop', 'shopbook'], 'shopmaid': ['phasmoid', 'shopmaid'], 'shopper': ['hoppers', 'shopper'], 'shopwork': ['shopwork', 'workshop'], 'shoran': ['rhason', 'sharon', 'shoran'], 'shore': ['horse', 'shoer', 'shore'], 'shorea': ['ahorse', 'ashore', 'hoarse', 'shorea'], 'shorebush': ['shoebrush', 'shorebush'], 'shored': ['dehors', 'rhodes', 'shoder', 'shored'], 'shoreless': ['horseless', 'shoreless'], 'shoreman': ['horseman', 'rhamnose', 'shoreman'], 'shorer': ['horser', 'shorer'], 'shoreward': ['drawhorse', 'shoreward'], 'shoreweed': ['horseweed', 'shoreweed'], 'shoring': ['horsing', 'shoring'], 'short': ['horst', 'short'], 'shortage': ['hostager', 'shortage'], 'shorten': ['shorten', 'threnos'], 'shot': ['host', 'shot', 'thos', 'tosh'], 'shote': ['ethos', 'shote', 'those'], 'shotgun': ['gunshot', 'shotgun', 'uhtsong'], 'shotless': ['hostless', 'shotless'], 'shotstar': ['shotstar', 'starshot'], 'shou': ['huso', 'shou'], 'shoulderer': ['reshoulder', 'shoulderer'], 'shout': ['shout', 'south'], 'shouter': ['shouter', 'souther'], 'shouting': ['shouting', 'southing'], 'shover': ['shover', 'shrove'], 'showerer': ['reshower', 'showerer'], 'shrab': ['brash', 'shrab'], 'shram': ['marsh', 'shram'], 'shrap': ['sharp', 'shrap'], 'shrave': ['havers', 'shaver', 'shrave'], 'shravey': ['shavery', 'shravey'], 'shree': ['herse', 'sereh', 'sheer', 'shree'], 'shrewly': ['shrewly', 'welshry'], 'shriek': ['shriek', 'shrike'], 'shrieval': ['lavisher', 'shrieval'], 'shrike': ['shriek', 'shrike'], 'shrine': ['renish', 'shiner', 'shrine'], 'shrite': ['shrite', 'theirs'], 'shrive': ['shevri', 'shiver', 'shrive'], 'shriven': ['nervish', 'shriven'], 'shroudy': ['hydrous', 'shroudy'], 'shrove': ['shover', 'shrove'], 'shrub': ['brush', 'shrub'], 'shrubbery': ['berrybush', 'shrubbery'], 'shrubland': ['brushland', 'shrubland'], 'shrubless': ['brushless', 'shrubless'], 'shrublet': ['brushlet', 'shrublet'], 'shrublike': ['brushlike', 'shrublike'], 'shrubwood': ['brushwood', 'shrubwood'], 'shrug': ['grush', 'shrug'], 'shu': ['shu', 'ush'], 'shuba': ['shuba', 'subah'], 'shug': ['gush', 'shug', 'sugh'], 'shul': ['lush', 'shlu', 'shul'], 'shulamite': ['hamulites', 'shulamite'], 'shuler': ['lusher', 'shuler'], 'shunless': ['lushness', 'shunless'], 'shunter': ['reshunt', 'shunter'], 'shure': ['shure', 'usher'], 'shurf': ['frush', 'shurf'], 'shut': ['shut', 'thus', 'tush'], 'shutness': ['shutness', 'thusness'], 'shutout': ['outshut', 'shutout'], 'shuttering': ['hurtingest', 'shuttering'], 'shyam': ['mashy', 'shyam'], 'si': ['is', 'si'], 'sia': ['sai', 'sia'], 'siak': ['saki', 'siak', 'sika'], 'sial': ['lasi', 'lias', 'lisa', 'sail', 'sial'], 'sialagogic': ['isagogical', 'sialagogic'], 'sialic': ['sialic', 'silica'], 'sialid': ['asilid', 'sialid'], 'sialidae': ['asilidae', 'sialidae'], 'siam': ['mias', 'saim', 'siam', 'sima'], 'siamese': ['misease', 'siamese'], 'sib': ['bis', 'sib'], 'sibyl': ['sibyl', 'sybil'], 'sibylla': ['sibylla', 'syllabi'], 'sicana': ['ascian', 'sacian', 'scania', 'sicana'], 'sicani': ['anisic', 'sicani', 'sinaic'], 'sicarius': ['acrisius', 'sicarius'], 'siccate': ['ascetic', 'castice', 'siccate'], 'siccation': ['cocainist', 'siccation'], 'sice': ['cise', 'sice'], 'sicel': ['sicel', 'slice'], 'sicilian': ['anisilic', 'sicilian'], 'sickbed': ['bedsick', 'sickbed'], 'sicker': ['scrike', 'sicker'], 'sickerly': ['sickerly', 'slickery'], 'sickle': ['sickle', 'skelic'], 'sickler': ['sickler', 'slicker'], 'sicklied': ['disclike', 'sicklied'], 'sickling': ['sickling', 'slicking'], 'sicula': ['caulis', 'clusia', 'sicula'], 'siculian': ['luscinia', 'siculian'], 'sid': ['dis', 'sid'], 'sida': ['dais', 'dasi', 'disa', 'said', 'sida'], 'sidalcea': ['diaclase', 'sidalcea'], 'side': ['desi', 'ides', 'seid', 'side'], 'sidearm': ['misread', 'sidearm'], 'sideboard': ['broadside', 'sideboard'], 'sideburns': ['burnsides', 'sideburns'], 'sidecar': ['diceras', 'radices', 'sidecar'], 'sidehill': ['hillside', 'sidehill'], 'siderean': ['arsedine', 'arsenide', 'sedanier', 'siderean'], 'siderin': ['insider', 'siderin'], 'sideronatrite': ['endoarteritis', 'sideronatrite'], 'siderous': ['desirous', 'siderous'], 'sidership': ['sidership', 'spiderish'], 'sidesway': ['sidesway', 'sideways'], 'sidetrack': ['sidetrack', 'trackside'], 'sidewalk': ['sidewalk', 'walkside'], 'sideway': ['sideway', 'wayside'], 'sideways': ['sidesway', 'sideways'], 'sidhe': ['shide', 'shied', 'sidhe'], 'sidle': ['sidle', 'slide'], 'sidler': ['sidler', 'slider'], 'sidling': ['sidling', 'sliding'], 'sidlingly': ['sidlingly', 'slidingly'], 'sieger': ['sergei', 'sieger'], 'siena': ['anise', 'insea', 'siena', 'sinae'], 'sienna': ['insane', 'sienna'], 'sier': ['reis', 'rise', 'seri', 'sier', 'sire'], 'sierra': ['raiser', 'sierra'], 'siesta': ['siesta', 'tassie'], 'siever': ['revise', 'siever'], 'sife': ['feis', 'fise', 'sife'], 'sift': ['fist', 'sift'], 'sifted': ['fisted', 'sifted'], 'sifter': ['fister', 'resift', 'sifter', 'strife'], 'sifting': ['fisting', 'sifting'], 'sigh': ['gish', 'sigh'], 'sigher': ['resigh', 'sigher'], 'sighted': ['desight', 'sighted'], 'sightlily': ['sightlily', 'slightily'], 'sightliness': ['sightliness', 'slightiness'], 'sightly': ['sightly', 'slighty'], 'sigillated': ['distillage', 'sigillated'], 'sigla': ['gisla', 'ligas', 'sigla'], 'sigmatism': ['astigmism', 'sigmatism'], 'sigmoidal': ['dialogism', 'sigmoidal'], 'sign': ['sign', 'sing', 'snig'], 'signable': ['signable', 'singable'], 'signalee': ['ensilage', 'genesial', 'signalee'], 'signaler': ['resignal', 'seringal', 'signaler'], 'signalese': ['agileness', 'signalese'], 'signally': ['signally', 'singally', 'slangily'], 'signary': ['signary', 'syringa'], 'signate': ['easting', 'gainset', 'genista', 'ingesta', 'seating', 'signate', 'teasing'], 'signator': ['orangist', 'organist', 'roasting', 'signator'], 'signee': ['seeing', 'signee'], 'signer': ['resign', 'resing', 'signer', 'singer'], 'signet': ['ingest', 'signet', 'stinge'], 'signorial': ['sailoring', 'signorial'], 'signpost': ['postsign', 'signpost'], 'signum': ['musing', 'signum'], 'sika': ['saki', 'siak', 'sika'], 'sikar': ['kisra', 'sikar', 'skair'], 'siket': ['siket', 'skite'], 'sikh': ['kish', 'shik', 'sikh'], 'sikhara': ['shikara', 'sikhara'], 'sikhra': ['rakish', 'riksha', 'shikar', 'shikra', 'sikhra'], 'sil': ['lis', 'sil'], 'silane': ['alsine', 'neslia', 'saline', 'selina', 'silane'], 'silas': ['silas', 'sisal'], 'silcrete': ['sclerite', 'silcrete'], 'sile': ['isle', 'lise', 'sile'], 'silen': ['elsin', 'lenis', 'niels', 'silen', 'sline'], 'silence': ['license', 'selenic', 'silence'], 'silenced': ['licensed', 'silenced'], 'silencer': ['licenser', 'silencer'], 'silene': ['enisle', 'ensile', 'senile', 'silene'], 'silent': ['enlist', 'listen', 'silent', 'tinsel'], 'silently': ['silently', 'tinselly'], 'silenus': ['insulse', 'silenus'], 'silesian': ['sensilia', 'silesian'], 'silica': ['sialic', 'silica'], 'silicam': ['islamic', 'laicism', 'silicam'], 'silicane': ['silicane', 'silicean'], 'silicean': ['silicane', 'silicean'], 'siliceocalcareous': ['calcareosiliceous', 'siliceocalcareous'], 'silicoaluminate': ['aluminosilicate', 'silicoaluminate'], 'silicone': ['isocline', 'silicone'], 'silicotitanate': ['silicotitanate', 'titanosilicate'], 'silicotungstate': ['silicotungstate', 'tungstosilicate'], 'silicotungstic': ['silicotungstic', 'tungstosilicic'], 'silk': ['lisk', 'silk', 'skil'], 'silkaline': ['silkaline', 'snaillike'], 'silkman': ['klanism', 'silkman'], 'silkness': ['silkness', 'sinkless', 'skinless'], 'silly': ['silly', 'silyl'], 'sillyhow': ['lowishly', 'owlishly', 'sillyhow'], 'silo': ['lois', 'silo', 'siol', 'soil', 'soli'], 'silpha': ['palish', 'silpha'], 'silt': ['list', 'silt', 'slit'], 'silting': ['listing', 'silting'], 'siltlike': ['siltlike', 'slitlike'], 'silva': ['silva', 'slavi'], 'silver': ['silver', 'sliver'], 'silvered': ['desilver', 'silvered'], 'silverer': ['resilver', 'silverer', 'sliverer'], 'silverize': ['servilize', 'silverize'], 'silverlike': ['silverlike', 'sliverlike'], 'silverwood': ['silverwood', 'woodsilver'], 'silvery': ['silvery', 'slivery'], 'silvester': ['rivetless', 'silvester'], 'silyl': ['silly', 'silyl'], 'sim': ['ism', 'sim'], 'sima': ['mias', 'saim', 'siam', 'sima'], 'simal': ['islam', 'ismal', 'simal'], 'simar': ['maris', 'marsi', 'samir', 'simar'], 'sime': ['mise', 'semi', 'sime'], 'simeon': ['eonism', 'mesion', 'oneism', 'simeon'], 'simeonism': ['misoneism', 'simeonism'], 'simiad': ['idiasm', 'simiad'], 'simile': ['milsie', 'simile'], 'simity': ['myitis', 'simity'], 'simling': ['simling', 'smiling'], 'simmer': ['merism', 'mermis', 'simmer'], 'simmon': ['monism', 'nomism', 'simmon'], 'simon': ['minos', 'osmin', 'simon'], 'simonian': ['insomnia', 'simonian'], 'simonist': ['simonist', 'sintoism'], 'simony': ['isonym', 'myosin', 'simony'], 'simple': ['mespil', 'simple'], 'simpleton': ['simpleton', 'spoilment'], 'simplicist': ['simplicist', 'simplistic'], 'simplistic': ['simplicist', 'simplistic'], 'simply': ['limpsy', 'simply'], 'simson': ['nosism', 'simson'], 'simulance': ['masculine', 'semuncial', 'simulance'], 'simulcast': ['masculist', 'simulcast'], 'simuler': ['misrule', 'simuler'], 'sina': ['anis', 'nais', 'nasi', 'nias', 'sain', 'sina'], 'sinae': ['anise', 'insea', 'siena', 'sinae'], 'sinaean': ['nisaean', 'sinaean'], 'sinaic': ['anisic', 'sicani', 'sinaic'], 'sinaitic': ['isatinic', 'sinaitic'], 'sinal': ['sinal', 'slain', 'snail'], 'sinapic': ['panisic', 'piscian', 'piscina', 'sinapic'], 'since': ['senci', 'since'], 'sincere': ['ceresin', 'sincere'], 'sinecure': ['insecure', 'sinecure'], 'sinew': ['sinew', 'swine', 'wisen'], 'sinewed': ['endwise', 'sinewed'], 'sinewy': ['sinewy', 'swiney'], 'sinfonia': ['sainfoin', 'sinfonia'], 'sinfonietta': ['festination', 'infestation', 'sinfonietta'], 'sing': ['sign', 'sing', 'snig'], 'singable': ['signable', 'singable'], 'singally': ['signally', 'singally', 'slangily'], 'singarip': ['aspiring', 'praising', 'singarip'], 'singed': ['design', 'singed'], 'singer': ['resign', 'resing', 'signer', 'singer'], 'single': ['single', 'slinge'], 'singler': ['singler', 'slinger'], 'singles': ['essling', 'singles'], 'singlet': ['glisten', 'singlet'], 'sinh': ['hisn', 'shin', 'sinh'], 'sinico': ['inosic', 'sinico'], 'sinister': ['insister', 'reinsist', 'sinister', 'sisterin'], 'sinistrodextral': ['dextrosinistral', 'sinistrodextral'], 'sink': ['inks', 'sink', 'skin'], 'sinker': ['resink', 'reskin', 'sinker'], 'sinkhead': ['headskin', 'nakedish', 'sinkhead'], 'sinkless': ['silkness', 'sinkless', 'skinless'], 'sinklike': ['sinklike', 'skinlike'], 'sinnet': ['innest', 'sennit', 'sinnet', 'tennis'], 'sinoatrial': ['sinoatrial', 'solitarian'], 'sinogram': ['orangism', 'organism', 'sinogram'], 'sinolog': ['loosing', 'sinolog'], 'sinopia': ['pisonia', 'sinopia'], 'sinople': ['epsilon', 'sinople'], 'sinter': ['estrin', 'insert', 'sinter', 'sterin', 'triens'], 'sinto': ['sinto', 'stion'], 'sintoc': ['nostic', 'sintoc', 'tocsin'], 'sintoism': ['simonist', 'sintoism'], 'sintu': ['sintu', 'suint'], 'sinuatodentate': ['dentatosinuate', 'sinuatodentate'], 'sinuose': ['sinuose', 'suiones'], 'sinus': ['nisus', 'sinus'], 'sinward': ['inwards', 'sinward'], 'siol': ['lois', 'silo', 'siol', 'soil', 'soli'], 'sionite': ['inosite', 'sionite'], 'sip': ['psi', 'sip'], 'sipe': ['pise', 'sipe'], 'siper': ['siper', 'spier', 'spire'], 'siphonal': ['nailshop', 'siphonal'], 'siphuncle': ['siphuncle', 'uncleship'], 'sipling': ['sipling', 'spiling'], 'sipylite': ['pyelitis', 'sipylite'], 'sir': ['sir', 'sri'], 'sire': ['reis', 'rise', 'seri', 'sier', 'sire'], 'siredon': ['indorse', 'ordines', 'siredon', 'sordine'], 'siren': ['reins', 'resin', 'rinse', 'risen', 'serin', 'siren'], 'sirene': ['inseer', 'nereis', 'seiner', 'serine', 'sirene'], 'sirenic': ['irenics', 'resinic', 'sericin', 'sirenic'], 'sirenize': ['resinize', 'sirenize'], 'sirenlike': ['resinlike', 'sirenlike'], 'sirenoid': ['derision', 'ironside', 'resinoid', 'sirenoid'], 'sireny': ['resiny', 'sireny'], 'sirian': ['raisin', 'sirian'], 'sirih': ['irish', 'rishi', 'sirih'], 'sirky': ['risky', 'sirky'], 'sirmian': ['iranism', 'sirmian'], 'sirpea': ['aspire', 'paries', 'praise', 'sirpea', 'spirea'], 'sirple': ['lisper', 'pliers', 'sirple', 'spiler'], 'sirrah': ['arrish', 'harris', 'rarish', 'sirrah'], 'sirree': ['rerise', 'sirree'], 'siruelas': ['russelia', 'siruelas'], 'sirup': ['prius', 'sirup'], 'siruper': ['siruper', 'upriser'], 'siryan': ['siryan', 'syrian'], 'sis': ['sis', 'ssi'], 'sisal': ['silas', 'sisal'], 'sish': ['hiss', 'sish'], 'sisham': ['samish', 'sisham'], 'sisi': ['isis', 'sisi'], 'sisseton': ['sisseton', 'stenosis'], 'sistani': ['nasitis', 'sistani'], 'sister': ['resist', 'restis', 'sister'], 'sisterin': ['insister', 'reinsist', 'sinister', 'sisterin'], 'sistering': ['resisting', 'sistering'], 'sisterless': ['resistless', 'sisterless'], 'sistrum': ['sistrum', 'trismus'], 'sit': ['ist', 'its', 'sit'], 'sita': ['atis', 'sita', 'tsia'], 'sitao': ['sitao', 'staio'], 'sitar': ['arist', 'astir', 'sitar', 'stair', 'stria', 'tarsi', 'tisar', 'trias'], 'sitch': ['sitch', 'stchi', 'stich'], 'site': ['seit', 'site'], 'sith': ['hist', 'sith', 'this', 'tshi'], 'sithens': ['sithens', 'thissen'], 'sitient': ['sitient', 'sittine'], 'sitology': ['sitology', 'tsiology'], 'sittinae': ['satinite', 'sittinae'], 'sittine': ['sitient', 'sittine'], 'situal': ['situal', 'situla', 'tulasi'], 'situate': ['situate', 'usitate'], 'situla': ['situal', 'situla', 'tulasi'], 'situs': ['situs', 'suist'], 'siva': ['avis', 'siva', 'visa'], 'sivaism': ['saivism', 'sivaism'], 'sivan': ['savin', 'sivan'], 'siwan': ['siwan', 'swain'], 'siwash': ['sawish', 'siwash'], 'sixte': ['exist', 'sixte'], 'sixty': ['sixty', 'xysti'], 'sizeable': ['seizable', 'sizeable'], 'sizeman': ['sizeman', 'zamenis'], 'skair': ['kisra', 'sikar', 'skair'], 'skal': ['lask', 'skal'], 'skance': ['sacken', 'skance'], 'skanda': ['sandak', 'skanda'], 'skart': ['karst', 'skart', 'stark'], 'skat': ['skat', 'task'], 'skate': ['skate', 'stake', 'steak'], 'skater': ['skater', 'staker', 'strake', 'streak', 'tasker'], 'skating': ['gitksan', 'skating', 'takings'], 'skean': ['skean', 'snake', 'sneak'], 'skee': ['kees', 'seek', 'skee'], 'skeel': ['skeel', 'sleek'], 'skeeling': ['skeeling', 'sleeking'], 'skeely': ['skeely', 'sleeky'], 'skeen': ['skeen', 'skene'], 'skeer': ['esker', 'keres', 'reesk', 'seker', 'skeer', 'skere'], 'skeery': ['kersey', 'skeery'], 'skeet': ['keest', 'skeet', 'skete', 'steek'], 'skeeter': ['skeeter', 'teskere'], 'skeletin': ['nestlike', 'skeletin'], 'skelic': ['sickle', 'skelic'], 'skelp': ['skelp', 'spelk'], 'skelter': ['kestrel', 'skelter'], 'skene': ['skeen', 'skene'], 'skeo': ['skeo', 'soke'], 'skeptic': ['skeptic', 'spicket'], 'skere': ['esker', 'keres', 'reesk', 'seker', 'skeer', 'skere'], 'sketcher': ['resketch', 'sketcher'], 'skete': ['keest', 'skeet', 'skete', 'steek'], 'skey': ['skey', 'skye'], 'skid': ['disk', 'kids', 'skid'], 'skier': ['kreis', 'skier'], 'skil': ['lisk', 'silk', 'skil'], 'skin': ['inks', 'sink', 'skin'], 'skinch': ['chinks', 'skinch'], 'skinless': ['silkness', 'sinkless', 'skinless'], 'skinlike': ['sinklike', 'skinlike'], 'skip': ['pisk', 'skip'], 'skippel': ['skippel', 'skipple'], 'skipple': ['skippel', 'skipple'], 'skirmish': ['skirmish', 'smirkish'], 'skirreh': ['shirker', 'skirreh'], 'skirret': ['skirret', 'skirter', 'striker'], 'skirt': ['skirt', 'stirk'], 'skirter': ['skirret', 'skirter', 'striker'], 'skirting': ['skirting', 'striking'], 'skirtingly': ['skirtingly', 'strikingly'], 'skirty': ['kirsty', 'skirty'], 'skit': ['kist', 'skit'], 'skite': ['siket', 'skite'], 'skiter': ['skiter', 'strike'], 'skittle': ['kittles', 'skittle'], 'sklate': ['lasket', 'sklate'], 'sklater': ['sklater', 'stalker'], 'sklinter': ['sklinter', 'strinkle'], 'skoal': ['skoal', 'sloka'], 'skoo': ['koso', 'skoo', 'sook'], 'skua': ['kusa', 'skua'], 'skun': ['skun', 'sunk'], 'skye': ['skey', 'skye'], 'sla': ['las', 'sal', 'sla'], 'slab': ['blas', 'slab'], 'slacken': ['slacken', 'snackle'], 'slade': ['leads', 'slade'], 'slae': ['elsa', 'sale', 'seal', 'slae'], 'slain': ['sinal', 'slain', 'snail'], 'slainte': ['elastin', 'salient', 'saltine', 'slainte'], 'slait': ['alist', 'litas', 'slait', 'talis'], 'slake': ['alkes', 'sakel', 'slake'], 'slam': ['alms', 'salm', 'slam'], 'slamp': ['plasm', 'psalm', 'slamp'], 'slandering': ['sanderling', 'slandering'], 'slane': ['ansel', 'slane'], 'slang': ['glans', 'slang'], 'slangily': ['signally', 'singally', 'slangily'], 'slangish': ['slangish', 'slashing'], 'slangishly': ['slangishly', 'slashingly'], 'slangster': ['slangster', 'strangles'], 'slap': ['salp', 'slap'], 'slape': ['elaps', 'lapse', 'lepas', 'pales', 'salep', 'saple', 'sepal', 'slape', 'spale', 'speal'], 'slare': ['arles', 'arsle', 'laser', 'seral', 'slare'], 'slasher': ['reslash', 'slasher'], 'slashing': ['slangish', 'slashing'], 'slashingly': ['slangishly', 'slashingly'], 'slat': ['last', 'salt', 'slat'], 'slate': ['least', 'setal', 'slate', 'stale', 'steal', 'stela', 'tales'], 'slater': ['laster', 'lastre', 'rastle', 'relast', 'resalt', 'salter', 'slater', 'stelar'], 'slath': ['shalt', 'slath'], 'slather': ['hastler', 'slather'], 'slatiness': ['saintless', 'saltiness', 'slatiness', 'stainless'], 'slating': ['anglist', 'lasting', 'salting', 'slating', 'staling'], 'slatish': ['saltish', 'slatish'], 'slatter': ['rattles', 'slatter', 'starlet', 'startle'], 'slaty': ['lasty', 'salty', 'slaty'], 'slaughter': ['lethargus', 'slaughter'], 'slaughterman': ['manslaughter', 'slaughterman'], 'slaum': ['lamus', 'malus', 'musal', 'slaum'], 'slave': ['salve', 'selva', 'slave', 'valse'], 'slaver': ['salver', 'serval', 'slaver', 'versal'], 'slaverer': ['reserval', 'reversal', 'slaverer'], 'slavey': ['slavey', 'sylvae'], 'slavi': ['silva', 'slavi'], 'slavian': ['salivan', 'slavian'], 'slavic': ['clavis', 'slavic'], 'slavonic': ['slavonic', 'volscian'], 'slay': ['lyas', 'slay'], 'slayer': ['reslay', 'slayer'], 'sleave': ['leaves', 'sleave'], 'sledger': ['redlegs', 'sledger'], 'slee': ['else', 'lees', 'seel', 'sele', 'slee'], 'sleech': ['lesche', 'sleech'], 'sleek': ['skeel', 'sleek'], 'sleeking': ['skeeling', 'sleeking'], 'sleeky': ['skeely', 'sleeky'], 'sleep': ['sleep', 'speel'], 'sleepless': ['sleepless', 'speelless'], 'sleepry': ['presley', 'sleepry'], 'sleet': ['sleet', 'slete', 'steel', 'stele'], 'sleetiness': ['sleetiness', 'steeliness'], 'sleeting': ['sleeting', 'steeling'], 'sleetproof': ['sleetproof', 'steelproof'], 'sleety': ['sleety', 'steely'], 'slept': ['slept', 'spelt', 'splet'], 'slete': ['sleet', 'slete', 'steel', 'stele'], 'sleuth': ['hustle', 'sleuth'], 'slew': ['slew', 'wels'], 'slewing': ['slewing', 'swingle'], 'sley': ['lyse', 'sley'], 'slice': ['sicel', 'slice'], 'slicht': ['slicht', 'slitch'], 'slicken': ['slicken', 'snickle'], 'slicker': ['sickler', 'slicker'], 'slickery': ['sickerly', 'slickery'], 'slicking': ['sickling', 'slicking'], 'slidable': ['sabellid', 'slidable'], 'slidden': ['slidden', 'sniddle'], 'slide': ['sidle', 'slide'], 'slider': ['sidler', 'slider'], 'sliding': ['sidling', 'sliding'], 'slidingly': ['sidlingly', 'slidingly'], 'slifter': ['slifter', 'stifler'], 'slightily': ['sightlily', 'slightily'], 'slightiness': ['sightliness', 'slightiness'], 'slighty': ['sightly', 'slighty'], 'slime': ['limes', 'miles', 'slime', 'smile'], 'slimeman': ['melanism', 'slimeman'], 'slimer': ['slimer', 'smiler'], 'slimy': ['limsy', 'slimy', 'smily'], 'sline': ['elsin', 'lenis', 'niels', 'silen', 'sline'], 'slinge': ['single', 'slinge'], 'slinger': ['singler', 'slinger'], 'slink': ['links', 'slink'], 'slip': ['lisp', 'slip'], 'slipcoat': ['postical', 'slipcoat'], 'slipe': ['piles', 'plies', 'slipe', 'spiel', 'spile'], 'slipover': ['overslip', 'slipover'], 'slipway': ['slipway', 'waspily'], 'slit': ['list', 'silt', 'slit'], 'slitch': ['slicht', 'slitch'], 'slite': ['islet', 'istle', 'slite', 'stile'], 'slithy': ['hylist', 'slithy'], 'slitless': ['listless', 'slitless'], 'slitlike': ['siltlike', 'slitlike'], 'slitted': ['slitted', 'stilted'], 'slitter': ['litster', 'slitter', 'stilter', 'testril'], 'slitty': ['slitty', 'stilty'], 'slive': ['elvis', 'levis', 'slive'], 'sliver': ['silver', 'sliver'], 'sliverer': ['resilver', 'silverer', 'sliverer'], 'sliverlike': ['silverlike', 'sliverlike'], 'slivery': ['silvery', 'slivery'], 'sloan': ['salon', 'sloan', 'solan'], 'slod': ['slod', 'sold'], 'sloe': ['lose', 'sloe', 'sole'], 'sloka': ['skoal', 'sloka'], 'slone': ['slone', 'solen'], 'sloo': ['sloo', 'solo', 'sool'], 'sloom': ['mools', 'sloom'], 'sloop': ['polos', 'sloop', 'spool'], 'slope': ['elops', 'slope', 'spole'], 'sloper': ['sloper', 'splore'], 'slot': ['lost', 'lots', 'slot'], 'slote': ['slote', 'stole'], 'sloted': ['sloted', 'stoled'], 'slotter': ['settlor', 'slotter'], 'slouch': ['holcus', 'lochus', 'slouch'], 'slouchiness': ['cushionless', 'slouchiness'], 'slouchy': ['chylous', 'slouchy'], 'slovenian': ['slovenian', 'venosinal'], 'slow': ['slow', 'sowl'], 'slud': ['slud', 'suld'], 'slue': ['lues', 'slue'], 'sluit': ['litus', 'sluit', 'tulsi'], 'slunge': ['gunsel', 'selung', 'slunge'], 'slurp': ['slurp', 'spurl'], 'slut': ['lust', 'slut'], 'sluther': ['hulster', 'hustler', 'sluther'], 'slutter': ['slutter', 'trustle'], 'sly': ['lys', 'sly'], 'sma': ['mas', 'sam', 'sma'], 'smachrie': ['semiarch', 'smachrie'], 'smallen': ['ensmall', 'smallen'], 'smalltime': ['metallism', 'smalltime'], 'smaltine': ['mentalis', 'smaltine', 'stileman'], 'smaltite': ['metalist', 'smaltite'], 'smart': ['smart', 'stram'], 'smarten': ['sarment', 'smarten'], 'smashage': ['gamashes', 'smashage'], 'smeary': ['ramsey', 'smeary'], 'smectis': ['sectism', 'smectis'], 'smee': ['mese', 'seem', 'seme', 'smee'], 'smeech': ['scheme', 'smeech'], 'smeek': ['meeks', 'smeek'], 'smeer': ['merse', 'smeer'], 'smeeth': ['smeeth', 'smethe'], 'smeller': ['resmell', 'smeller'], 'smelly': ['mysell', 'smelly'], 'smelter': ['melters', 'resmelt', 'smelter'], 'smethe': ['smeeth', 'smethe'], 'smilax': ['laxism', 'smilax'], 'smile': ['limes', 'miles', 'slime', 'smile'], 'smiler': ['slimer', 'smiler'], 'smilet': ['mistle', 'smilet'], 'smiling': ['simling', 'smiling'], 'smily': ['limsy', 'slimy', 'smily'], 'sminthian': ['mitannish', 'sminthian'], 'smirch': ['chrism', 'smirch'], 'smirkish': ['skirmish', 'smirkish'], 'smit': ['mist', 'smit', 'stim'], 'smite': ['metis', 'smite', 'stime', 'times'], 'smiter': ['merist', 'mister', 'smiter'], 'smither': ['rhemist', 'smither'], 'smithian': ['isthmian', 'smithian'], 'smoker': ['mosker', 'smoker'], 'smoot': ['moost', 'smoot'], 'smoother': ['resmooth', 'romeshot', 'smoother'], 'smoothingly': ['hymnologist', 'smoothingly'], 'smore': ['meros', 'mores', 'morse', 'sermo', 'smore'], 'smote': ['moste', 'smote'], 'smother': ['smother', 'thermos'], 'smouse': ['mousse', 'smouse'], 'smouser': ['osmerus', 'smouser'], 'smuggle': ['muggles', 'smuggle'], 'smut': ['must', 'smut', 'stum'], 'smyrniot': ['smyrniot', 'tyronism'], 'smyrniote': ['myristone', 'smyrniote'], 'snab': ['nabs', 'snab'], 'snackle': ['slacken', 'snackle'], 'snag': ['sang', 'snag'], 'snagrel': ['sangrel', 'snagrel'], 'snail': ['sinal', 'slain', 'snail'], 'snaillike': ['silkaline', 'snaillike'], 'snaily': ['anisyl', 'snaily'], 'snaith': ['snaith', 'tahsin'], 'snake': ['skean', 'snake', 'sneak'], 'snap': ['snap', 'span'], 'snape': ['aspen', 'panse', 'snape', 'sneap', 'spane', 'spean'], 'snaper': ['resnap', 'respan', 'snaper'], 'snapless': ['snapless', 'spanless'], 'snapy': ['pansy', 'snapy'], 'snare': ['anser', 'nares', 'rasen', 'snare'], 'snarer': ['serran', 'snarer'], 'snaste': ['assent', 'snaste'], 'snatch': ['chanst', 'snatch', 'stanch'], 'snatchable': ['snatchable', 'stanchable'], 'snatcher': ['resnatch', 'snatcher', 'stancher'], 'snath': ['shant', 'snath'], 'snathe': ['athens', 'hasten', 'snathe', 'sneath'], 'snaw': ['sawn', 'snaw', 'swan'], 'snead': ['sedan', 'snead'], 'sneak': ['skean', 'snake', 'sneak'], 'sneaker': ['keresan', 'sneaker'], 'sneaksman': ['masskanne', 'sneaksman'], 'sneap': ['aspen', 'panse', 'snape', 'sneap', 'spane', 'spean'], 'sneath': ['athens', 'hasten', 'snathe', 'sneath'], 'sneathe': ['sneathe', 'thesean'], 'sned': ['send', 'sned'], 'snee': ['ense', 'esne', 'nese', 'seen', 'snee'], 'sneer': ['renes', 'sneer'], 'snew': ['news', 'sewn', 'snew'], 'snib': ['nibs', 'snib'], 'snickle': ['slicken', 'snickle'], 'sniddle': ['slidden', 'sniddle'], 'snide': ['denis', 'snide'], 'snig': ['sign', 'sing', 'snig'], 'snigger': ['serging', 'snigger'], 'snip': ['snip', 'spin'], 'snipe': ['penis', 'snipe', 'spine'], 'snipebill': ['snipebill', 'spinebill'], 'snipelike': ['snipelike', 'spinelike'], 'sniper': ['pernis', 'respin', 'sniper'], 'snipocracy': ['conspiracy', 'snipocracy'], 'snipper': ['nippers', 'snipper'], 'snippet': ['snippet', 'stippen'], 'snipy': ['snipy', 'spiny'], 'snitcher': ['christen', 'snitcher'], 'snite': ['inset', 'neist', 'snite', 'stein', 'stine', 'tsine'], 'snithy': ['shinty', 'snithy'], 'sniveler': ['ensilver', 'sniveler'], 'snively': ['snively', 'sylvine'], 'snob': ['bosn', 'nobs', 'snob'], 'snocker': ['conkers', 'snocker'], 'snod': ['snod', 'sond'], 'snoek': ['snoek', 'snoke', 'soken'], 'snog': ['snog', 'song'], 'snoke': ['snoek', 'snoke', 'soken'], 'snook': ['onkos', 'snook'], 'snoop': ['snoop', 'spoon'], 'snooper': ['snooper', 'spooner'], 'snoopy': ['snoopy', 'spoony'], 'snoot': ['snoot', 'stoon'], 'snore': ['norse', 'noser', 'seron', 'snore'], 'snorer': ['snorer', 'sorner'], 'snoring': ['snoring', 'sorning'], 'snork': ['norsk', 'snork'], 'snotter': ['snotter', 'stentor', 'torsten'], 'snout': ['notus', 'snout', 'stoun', 'tonus'], 'snouter': ['snouter', 'tonsure', 'unstore'], 'snow': ['snow', 'sown'], 'snowie': ['nowise', 'snowie'], 'snowish': ['snowish', 'whisson'], 'snowy': ['snowy', 'wyson'], 'snug': ['snug', 'sung'], 'snup': ['snup', 'spun'], 'snurp': ['snurp', 'spurn'], 'snurt': ['snurt', 'turns'], 'so': ['os', 'so'], 'soak': ['asok', 'soak', 'soka'], 'soaker': ['arkose', 'resoak', 'soaker'], 'soally': ['soally', 'sollya'], 'soam': ['amos', 'soam', 'soma'], 'soap': ['asop', 'sapo', 'soap'], 'soaper': ['resoap', 'soaper'], 'soar': ['asor', 'rosa', 'soar', 'sora'], 'sob': ['bos', 'sob'], 'sobeit': ['setibo', 'sobeit'], 'sober': ['boser', 'brose', 'sober'], 'sobralite': ['sobralite', 'strobilae'], 'soc': ['cos', 'osc', 'soc'], 'socager': ['corsage', 'socager'], 'social': ['colias', 'scolia', 'social'], 'socialite': ['aeolistic', 'socialite'], 'societal': ['cosalite', 'societal'], 'societism': ['seismotic', 'societism'], 'socinian': ['oscinian', 'socinian'], 'sociobiological': ['biosociological', 'sociobiological'], 'sociolegal': ['oligoclase', 'sociolegal'], 'socius': ['scious', 'socius'], 'socle': ['close', 'socle'], 'soco': ['coos', 'soco'], 'socotran': ['ostracon', 'socotran'], 'socotrine': ['certosino', 'cortisone', 'socotrine'], 'socratean': ['ostracean', 'socratean'], 'socratic': ['acrostic', 'sarcotic', 'socratic'], 'socratical': ['acrostical', 'socratical'], 'socratically': ['acrostically', 'socratically'], 'socraticism': ['acrosticism', 'socraticism'], 'socratism': ['ostracism', 'socratism'], 'socratize': ['ostracize', 'socratize'], 'sod': ['dos', 'ods', 'sod'], 'soda': ['dosa', 'sado', 'soda'], 'sodalite': ['diastole', 'isolated', 'sodalite', 'solidate'], 'sodium': ['modius', 'sodium'], 'sodom': ['dooms', 'sodom'], 'sodomitic': ['diosmotic', 'sodomitic'], 'soe': ['oes', 'ose', 'soe'], 'soft': ['soft', 'stof'], 'soften': ['oftens', 'soften'], 'softener': ['resoften', 'softener'], 'sog': ['gos', 'sog'], 'soga': ['sago', 'soga'], 'soger': ['gorse', 'soger'], 'soh': ['sho', 'soh'], 'soho': ['shoo', 'soho'], 'soil': ['lois', 'silo', 'siol', 'soil', 'soli'], 'soiled': ['isolde', 'soiled'], 'sojourner': ['resojourn', 'sojourner'], 'sok': ['kos', 'sok'], 'soka': ['asok', 'soak', 'soka'], 'soke': ['skeo', 'soke'], 'soken': ['snoek', 'snoke', 'soken'], 'sola': ['also', 'sola'], 'solacer': ['escolar', 'solacer'], 'solan': ['salon', 'sloan', 'solan'], 'solar': ['rosal', 'solar', 'soral'], 'solaristics': ['scissortail', 'solaristics'], 'solate': ['lotase', 'osteal', 'solate', 'stolae', 'talose'], 'sold': ['slod', 'sold'], 'solder': ['dorsel', 'seldor', 'solder'], 'solderer': ['resolder', 'solderer'], 'soldi': ['soldi', 'solid'], 'soldo': ['soldo', 'solod'], 'sole': ['lose', 'sloe', 'sole'], 'solea': ['alose', 'osela', 'solea'], 'solecist': ['solecist', 'solstice'], 'solen': ['slone', 'solen'], 'soleness': ['noseless', 'soleness'], 'solenial': ['lesional', 'solenial'], 'solenite': ['noselite', 'solenite'], 'solenium': ['emulsion', 'solenium'], 'solenopsis': ['poisonless', 'solenopsis'], 'solent': ['solent', 'stolen', 'telson'], 'solentine': ['nelsonite', 'solentine'], 'soler': ['loser', 'orsel', 'rosel', 'soler'], 'solera': ['roseal', 'solera'], 'soles': ['loess', 'soles'], 'soli': ['lois', 'silo', 'siol', 'soil', 'soli'], 'soliative': ['isolative', 'soliative'], 'solicit': ['colitis', 'solicit'], 'solicitation': ['coalitionist', 'solicitation'], 'soliciter': ['resolicit', 'soliciter'], 'soliciting': ['ignicolist', 'soliciting'], 'solicitude': ['isodulcite', 'solicitude'], 'solid': ['soldi', 'solid'], 'solidate': ['diastole', 'isolated', 'sodalite', 'solidate'], 'solidus': ['dissoul', 'dulosis', 'solidus'], 'solilunar': ['lunisolar', 'solilunar'], 'soliped': ['despoil', 'soliped', 'spoiled'], 'solitarian': ['sinoatrial', 'solitarian'], 'solitary': ['royalist', 'solitary'], 'soliterraneous': ['salinoterreous', 'soliterraneous'], 'solitude': ['outslide', 'solitude'], 'sollya': ['soally', 'sollya'], 'solmizate': ['solmizate', 'zealotism'], 'solo': ['sloo', 'solo', 'sool'], 'solod': ['soldo', 'solod'], 'solon': ['olson', 'solon'], 'solonic': ['scolion', 'solonic'], 'soloth': ['soloth', 'tholos'], 'solotink': ['solotink', 'solotnik'], 'solotnik': ['solotink', 'solotnik'], 'solstice': ['solecist', 'solstice'], 'solum': ['mosul', 'mouls', 'solum'], 'solute': ['lutose', 'solute', 'tousle'], 'solutioner': ['resolution', 'solutioner'], 'soma': ['amos', 'soam', 'soma'], 'somacule': ['maculose', 'somacule'], 'somal': ['salmo', 'somal'], 'somali': ['limosa', 'somali'], 'somasthenia': ['anhematosis', 'somasthenia'], 'somatic': ['atomics', 'catoism', 'cosmati', 'osmatic', 'somatic'], 'somatics': ['acosmist', 'massicot', 'somatics'], 'somatism': ['osmatism', 'somatism'], 'somatophyte': ['hepatostomy', 'somatophyte'], 'somatophytic': ['hypostomatic', 'somatophytic'], 'somatopleuric': ['micropetalous', 'somatopleuric'], 'somatopsychic': ['psychosomatic', 'somatopsychic'], 'somatosplanchnic': ['somatosplanchnic', 'splanchnosomatic'], 'somatous': ['astomous', 'somatous'], 'somber': ['somber', 'sombre'], 'sombre': ['somber', 'sombre'], 'some': ['meso', 'mose', 'some'], 'someday': ['samoyed', 'someday'], 'somers': ['messor', 'mosser', 'somers'], 'somnambule': ['somnambule', 'summonable'], 'somnial': ['malison', 'manolis', 'osmanli', 'somnial'], 'somnopathy': ['phytomonas', 'somnopathy'], 'somnorific': ['onisciform', 'somnorific'], 'son': ['ons', 'son'], 'sonant': ['santon', 'sonant', 'stanno'], 'sonantic': ['canonist', 'sanction', 'sonantic'], 'sonar': ['arson', 'saron', 'sonar'], 'sonatina': ['ansation', 'sonatina'], 'sond': ['snod', 'sond'], 'sondation': ['anisodont', 'sondation'], 'sondeli': ['indoles', 'sondeli'], 'soneri': ['rosine', 'senior', 'soneri'], 'song': ['snog', 'song'], 'songoi': ['isogon', 'songoi'], 'songy': ['gonys', 'songy'], 'sonic': ['oscin', 'scion', 'sonic'], 'sonja': ['janos', 'jason', 'jonas', 'sonja'], 'sonneratia': ['arsenation', 'senatorian', 'sonneratia'], 'sonnet': ['sonnet', 'stonen', 'tenson'], 'sonnetwise': ['sonnetwise', 'swinestone'], 'sonrai': ['arsino', 'rasion', 'sonrai'], 'sontag': ['sontag', 'tongas'], 'soodle': ['dolose', 'oodles', 'soodle'], 'sook': ['koso', 'skoo', 'sook'], 'sool': ['sloo', 'solo', 'sool'], 'soon': ['oons', 'soon'], 'sooner': ['nooser', 'seroon', 'sooner'], 'sooter': ['seroot', 'sooter', 'torose'], 'sooth': ['shoot', 'sooth', 'sotho', 'toosh'], 'soother': ['orthose', 'reshoot', 'shooter', 'soother'], 'soothing': ['shooting', 'soothing'], 'sootiness': ['enostosis', 'sootiness'], 'sooty': ['sooty', 'soyot'], 'sope': ['epos', 'peso', 'pose', 'sope'], 'soph': ['phos', 'posh', 'shop', 'soph'], 'sophister': ['posterish', 'prothesis', 'sophister', 'storeship', 'tephrosis'], 'sophistical': ['postischial', 'sophistical'], 'sophomore': ['osmophore', 'sophomore'], 'sopition': ['position', 'sopition'], 'sopor': ['poros', 'proso', 'sopor', 'spoor'], 'soprani': ['parison', 'soprani'], 'sopranist': ['postnaris', 'sopranist'], 'soprano': ['pronaos', 'soprano'], 'sora': ['asor', 'rosa', 'soar', 'sora'], 'sorabian': ['abrasion', 'sorabian'], 'soral': ['rosal', 'solar', 'soral'], 'sorbate': ['barotse', 'boaster', 'reboast', 'sorbate'], 'sorbin': ['insorb', 'sorbin'], 'sorcer': ['scorer', 'sorcer'], 'sorchin': ['cornish', 'cronish', 'sorchin'], 'sorda': ['sarod', 'sorda'], 'sordes': ['dosser', 'sordes'], 'sordine': ['indorse', 'ordines', 'siredon', 'sordine'], 'sordino': ['indoors', 'sordino'], 'sore': ['eros', 'rose', 'sero', 'sore'], 'soredia': ['ardoise', 'aroides', 'soredia'], 'sorediate': ['oestridae', 'ostreidae', 'sorediate'], 'soredium': ['dimerous', 'soredium'], 'soree': ['erose', 'soree'], 'sorefoot': ['footsore', 'sorefoot'], 'sorehead': ['rosehead', 'sorehead'], 'sorehon': ['onshore', 'sorehon'], 'sorema': ['amores', 'ramose', 'sorema'], 'soricid': ['cirsoid', 'soricid'], 'soricident': ['discretion', 'soricident'], 'soricine': ['recision', 'soricine'], 'sorite': ['restio', 'sorite', 'sortie', 'triose'], 'sorites': ['rossite', 'sorites'], 'sornare': ['serrano', 'sornare'], 'sorner': ['snorer', 'sorner'], 'sorning': ['snoring', 'sorning'], 'sororial': ['rosorial', 'sororial'], 'sorption': ['notropis', 'positron', 'sorption'], 'sortable': ['sortable', 'storable'], 'sorted': ['sorted', 'strode'], 'sorter': ['resort', 'roster', 'sorter', 'storer'], 'sortie': ['restio', 'sorite', 'sortie', 'triose'], 'sortilegus': ['sortilegus', 'strigulose'], 'sortiment': ['sortiment', 'trimstone'], 'sortly': ['sortly', 'styrol'], 'sorty': ['sorty', 'story', 'stroy'], 'sorva': ['savor', 'sorva'], 'sory': ['rosy', 'sory'], 'sosia': ['oasis', 'sosia'], 'sostenuto': ['ostentous', 'sostenuto'], 'soter': ['roset', 'rotse', 'soter', 'stero', 'store', 'torse'], 'soterial': ['soterial', 'striolae'], 'sotho': ['shoot', 'sooth', 'sotho', 'toosh'], 'sotie': ['sotie', 'toise'], 'sotnia': ['sotnia', 'tinosa'], 'sotol': ['sotol', 'stool'], 'sots': ['sots', 'toss'], 'sotter': ['sotter', 'testor'], 'soucar': ['acorus', 'soucar'], 'souchet': ['souchet', 'techous', 'tousche'], 'souly': ['lousy', 'souly'], 'soum': ['soum', 'sumo'], 'soumansite': ['soumansite', 'stamineous'], 'sound': ['nodus', 'ounds', 'sound'], 'sounder': ['resound', 'sounder', 'unrosed'], 'soup': ['opus', 'soup'], 'souper': ['poseur', 'pouser', 'souper', 'uprose'], 'sour': ['ours', 'sour'], 'source': ['cerous', 'course', 'crouse', 'source'], 'soured': ['douser', 'soured'], 'souredness': ['rousedness', 'souredness'], 'souren': ['souren', 'unsore', 'ursone'], 'sourer': ['rouser', 'sourer'], 'souring': ['nigrous', 'rousing', 'souring'], 'sourly': ['lusory', 'sourly'], 'soursop': ['psorous', 'soursop', 'sporous'], 'soury': ['soury', 'yours'], 'souser': ['serous', 'souser'], 'souter': ['ouster', 'souter', 'touser', 'trouse'], 'souterrain': ['souterrain', 'ternarious', 'trouserian'], 'south': ['shout', 'south'], 'souther': ['shouter', 'souther'], 'southerland': ['southerland', 'southlander'], 'southing': ['shouting', 'southing'], 'southlander': ['southerland', 'southlander'], 'soviet': ['soviet', 'sovite'], 'sovite': ['soviet', 'sovite'], 'sowdones': ['sowdones', 'woodness'], 'sowel': ['sowel', 'sowle'], 'sower': ['owser', 'resow', 'serow', 'sower', 'swore', 'worse'], 'sowl': ['slow', 'sowl'], 'sowle': ['sowel', 'sowle'], 'sown': ['snow', 'sown'], 'sowt': ['sowt', 'stow', 'swot', 'wots'], 'soyot': ['sooty', 'soyot'], 'spa': ['asp', 'sap', 'spa'], 'space': ['capes', 'scape', 'space'], 'spaceless': ['scapeless', 'spaceless'], 'spacer': ['casper', 'escarp', 'parsec', 'scrape', 'secpar', 'spacer'], 'spade': ['depas', 'sepad', 'spade'], 'spader': ['rasped', 'spader', 'spread'], 'spadiceous': ['dipsaceous', 'spadiceous'], 'spadone': ['espadon', 'spadone'], 'spadonic': ['spadonic', 'spondaic', 'spondiac'], 'spadrone': ['parsoned', 'spadrone'], 'spae': ['apse', 'pesa', 'spae'], 'spaer': ['asper', 'parse', 'prase', 'spaer', 'spare', 'spear'], 'spahi': ['aphis', 'apish', 'hispa', 'saiph', 'spahi'], 'spaid': ['sapid', 'spaid'], 'spaik': ['askip', 'spaik'], 'spairge': ['prisage', 'spairge'], 'spalacine': ['asclepian', 'spalacine'], 'spale': ['elaps', 'lapse', 'lepas', 'pales', 'salep', 'saple', 'sepal', 'slape', 'spale', 'speal'], 'spalt': ['spalt', 'splat'], 'span': ['snap', 'span'], 'spancel': ['enclasp', 'spancel'], 'spane': ['aspen', 'panse', 'snape', 'sneap', 'spane', 'spean'], 'spanemia': ['paeanism', 'spanemia'], 'spangler': ['spangler', 'sprangle'], 'spangolite': ['postgenial', 'spangolite'], 'spaniel': ['espinal', 'pinales', 'spaniel'], 'spaniol': ['sanpoil', 'spaniol'], 'spanless': ['snapless', 'spanless'], 'spar': ['rasp', 'spar'], 'sparable': ['parsable', 'prebasal', 'sparable'], 'spare': ['asper', 'parse', 'prase', 'spaer', 'spare', 'spear'], 'spareable': ['separable', 'spareable'], 'sparely': ['parsley', 'pyrales', 'sparely', 'splayer'], 'sparer': ['parser', 'rasper', 'sparer'], 'sparerib': ['ribspare', 'sparerib'], 'sparge': ['gasper', 'sparge'], 'sparger': ['grasper', 'regrasp', 'sparger'], 'sparidae': ['paradise', 'sparidae'], 'sparing': ['aspring', 'rasping', 'sparing'], 'sparingly': ['raspingly', 'sparingly'], 'sparingness': ['raspingness', 'sparingness'], 'sparling': ['laspring', 'sparling', 'springal'], 'sparoid': ['prasoid', 'sparoid'], 'sparse': ['passer', 'repass', 'sparse'], 'spart': ['spart', 'sprat', 'strap', 'traps'], 'spartanic': ['sacripant', 'spartanic'], 'sparteine': ['pistareen', 'sparteine'], 'sparterie': ['periaster', 'sparterie'], 'spartina': ['aspirant', 'partisan', 'spartina'], 'spartle': ['palster', 'persalt', 'plaster', 'psalter', 'spartle', 'stapler'], 'spary': ['raspy', 'spary', 'spray'], 'spat': ['past', 'spat', 'stap', 'taps'], 'spate': ['paste', 'septa', 'spate'], 'spathal': ['asphalt', 'spathal', 'taplash'], 'spathe': ['spathe', 'thapes'], 'spathic': ['haptics', 'spathic'], 'spatling': ['spatling', 'stapling'], 'spatter': ['spatter', 'tapster'], 'spattering': ['spattering', 'tapestring'], 'spattle': ['peltast', 'spattle'], 'spatular': ['pastural', 'spatular'], 'spatule': ['pulsate', 'spatule', 'upsteal'], 'spave': ['spave', 'vespa'], 'speak': ['sapek', 'speak'], 'speaker': ['respeak', 'speaker'], 'speal': ['elaps', 'lapse', 'lepas', 'pales', 'salep', 'saple', 'sepal', 'slape', 'spale', 'speal'], 'spean': ['aspen', 'panse', 'snape', 'sneap', 'spane', 'spean'], 'spear': ['asper', 'parse', 'prase', 'spaer', 'spare', 'spear'], 'spearman': ['parmesan', 'spearman'], 'spearmint': ['spearmint', 'spermatin'], 'speary': ['presay', 'speary'], 'spec': ['ceps', 'spec'], 'spectatorial': ['poetastrical', 'spectatorial'], 'specter': ['respect', 'scepter', 'specter'], 'spectered': ['sceptered', 'spectered'], 'spectra': ['precast', 'spectra'], 'spectral': ['sceptral', 'scraplet', 'spectral'], 'spectromicroscope': ['microspectroscope', 'spectromicroscope'], 'spectrotelescope': ['spectrotelescope', 'telespectroscope'], 'spectrous': ['spectrous', 'susceptor', 'suspector'], 'spectry': ['precyst', 'sceptry', 'spectry'], 'specula': ['capsule', 'specula', 'upscale'], 'specular': ['capsuler', 'specular'], 'speed': ['pedes', 'speed'], 'speel': ['sleep', 'speel'], 'speelless': ['sleepless', 'speelless'], 'speer': ['peres', 'perse', 'speer', 'spree'], 'speerity': ['perseity', 'speerity'], 'speiss': ['sepsis', 'speiss'], 'spelaean': ['seaplane', 'spelaean'], 'spelk': ['skelp', 'spelk'], 'speller': ['presell', 'respell', 'speller'], 'spelt': ['slept', 'spelt', 'splet'], 'spenerism': ['primeness', 'spenerism'], 'speos': ['posse', 'speos'], 'sperate': ['perates', 'repaste', 'sperate'], 'sperity': ['pyrites', 'sperity'], 'sperling': ['sperling', 'springle'], 'spermalist': ['psalmister', 'spermalist'], 'spermathecal': ['chapelmaster', 'spermathecal'], 'spermatid': ['predatism', 'spermatid'], 'spermatin': ['spearmint', 'spermatin'], 'spermatogonium': ['protomagnesium', 'spermatogonium'], 'spermatozoic': ['spermatozoic', 'zoospermatic'], 'spermiogenesis': ['geissospermine', 'spermiogenesis'], 'spermocarp': ['carposperm', 'spermocarp'], 'spet': ['pest', 'sept', 'spet', 'step'], 'spew': ['spew', 'swep'], 'sphacelation': ['lipsanotheca', 'sphacelation'], 'sphecidae': ['cheapside', 'sphecidae'], 'sphene': ['sephen', 'sphene'], 'sphenoethmoid': ['ethmosphenoid', 'sphenoethmoid'], 'sphenoethmoidal': ['ethmosphenoidal', 'sphenoethmoidal'], 'sphenotic': ['phonetics', 'sphenotic'], 'spheral': ['plasher', 'spheral'], 'spheration': ['opisthenar', 'spheration'], 'sphere': ['herpes', 'hesper', 'sphere'], 'sphery': ['sphery', 'sypher'], 'sphyraenid': ['dysphrenia', 'sphyraenid', 'sphyrnidae'], 'sphyrnidae': ['dysphrenia', 'sphyraenid', 'sphyrnidae'], 'spica': ['aspic', 'spica'], 'spicate': ['aseptic', 'spicate'], 'spice': ['sepic', 'spice'], 'spicer': ['crepis', 'cripes', 'persic', 'precis', 'spicer'], 'spiciferous': ['pisciferous', 'spiciferous'], 'spiciform': ['pisciform', 'spiciform'], 'spicket': ['skeptic', 'spicket'], 'spicular': ['scripula', 'spicular'], 'spiculate': ['euplastic', 'spiculate'], 'spiculated': ['disculpate', 'spiculated'], 'spicule': ['clipeus', 'spicule'], 'spider': ['spider', 'spired', 'spried'], 'spiderish': ['sidership', 'spiderish'], 'spiderlike': ['predislike', 'spiderlike'], 'spiel': ['piles', 'plies', 'slipe', 'spiel', 'spile'], 'spier': ['siper', 'spier', 'spire'], 'spikelet': ['spikelet', 'steplike'], 'spiking': ['pigskin', 'spiking'], 'spiky': ['pisky', 'spiky'], 'spile': ['piles', 'plies', 'slipe', 'spiel', 'spile'], 'spiler': ['lisper', 'pliers', 'sirple', 'spiler'], 'spiling': ['sipling', 'spiling'], 'spiloma': ['imposal', 'spiloma'], 'spilt': ['spilt', 'split'], 'spin': ['snip', 'spin'], 'spina': ['pisan', 'sapin', 'spina'], 'spinae': ['sepian', 'spinae'], 'spinales': ['painless', 'spinales'], 'spinate': ['panties', 'sapient', 'spinate'], 'spindled': ['spindled', 'splendid'], 'spindler': ['spindler', 'splinder'], 'spine': ['penis', 'snipe', 'spine'], 'spinebill': ['snipebill', 'spinebill'], 'spinel': ['spinel', 'spline'], 'spinelike': ['snipelike', 'spinelike'], 'spinet': ['instep', 'spinet'], 'spinigerous': ['serpiginous', 'spinigerous'], 'spinigrade': ['despairing', 'spinigrade'], 'spinoid': ['spinoid', 'spionid'], 'spinoneural': ['spinoneural', 'unipersonal'], 'spinotectal': ['entoplastic', 'spinotectal', 'tectospinal', 'tenoplastic'], 'spiny': ['snipy', 'spiny'], 'spionid': ['spinoid', 'spionid'], 'spiracle': ['calipers', 'spiracle'], 'spiracula': ['auriscalp', 'spiracula'], 'spiral': ['prisal', 'spiral'], 'spiralism': ['misprisal', 'spiralism'], 'spiraloid': ['spiraloid', 'sporidial'], 'spiran': ['spiran', 'sprain'], 'spirant': ['spirant', 'spraint'], 'spirate': ['piaster', 'piastre', 'raspite', 'spirate', 'traipse'], 'spire': ['siper', 'spier', 'spire'], 'spirea': ['aspire', 'paries', 'praise', 'sirpea', 'spirea'], 'spired': ['spider', 'spired', 'spried'], 'spirelet': ['epistler', 'spirelet'], 'spireme': ['emprise', 'imprese', 'premise', 'spireme'], 'spiritally': ['pistillary', 'spiritally'], 'spiriter': ['respirit', 'spiriter'], 'spirometer': ['prisometer', 'spirometer'], 'spironema': ['mesropian', 'promnesia', 'spironema'], 'spirt': ['spirt', 'sprit', 'stirp', 'strip'], 'spirula': ['parulis', 'spirula', 'uprisal'], 'spit': ['pist', 'spit'], 'spital': ['alpist', 'pastil', 'spital'], 'spite': ['septi', 'spite', 'stipe'], 'spithame': ['aphetism', 'mateship', 'shipmate', 'spithame'], 'spitter': ['spitter', 'tipster'], 'splairge': ['aspergil', 'splairge'], 'splanchnosomatic': ['somatosplanchnic', 'splanchnosomatic'], 'splasher': ['harpless', 'splasher'], 'splat': ['spalt', 'splat'], 'splay': ['palsy', 'splay'], 'splayed': ['pylades', 'splayed'], 'splayer': ['parsley', 'pyrales', 'sparely', 'splayer'], 'spleet': ['pestle', 'spleet'], 'splender': ['resplend', 'splender'], 'splendid': ['spindled', 'splendid'], 'splenium': ['splenium', 'unsimple'], 'splenolaparotomy': ['laparosplenotomy', 'splenolaparotomy'], 'splenoma': ['neoplasm', 'pleonasm', 'polesman', 'splenoma'], 'splenomegalia': ['megalosplenia', 'splenomegalia'], 'splenonephric': ['phrenosplenic', 'splenonephric', 'splenophrenic'], 'splenophrenic': ['phrenosplenic', 'splenonephric', 'splenophrenic'], 'splet': ['slept', 'spelt', 'splet'], 'splice': ['clipse', 'splice'], 'spliceable': ['eclipsable', 'spliceable'], 'splinder': ['spindler', 'splinder'], 'spline': ['spinel', 'spline'], 'split': ['spilt', 'split'], 'splitter': ['splitter', 'striplet'], 'splore': ['sloper', 'splore'], 'spogel': ['gospel', 'spogel'], 'spoil': ['polis', 'spoil'], 'spoilage': ['pelasgoi', 'spoilage'], 'spoilation': ['positional', 'spoilation', 'spoliation'], 'spoiled': ['despoil', 'soliped', 'spoiled'], 'spoiler': ['leporis', 'spoiler'], 'spoilment': ['simpleton', 'spoilment'], 'spoilt': ['pistol', 'postil', 'spoilt'], 'spole': ['elops', 'slope', 'spole'], 'spoliation': ['positional', 'spoilation', 'spoliation'], 'spondaic': ['spadonic', 'spondaic', 'spondiac'], 'spondiac': ['spadonic', 'spondaic', 'spondiac'], 'spongily': ['posingly', 'spongily'], 'sponsal': ['plasson', 'sponsal'], 'sponsalia': ['passional', 'sponsalia'], 'spool': ['polos', 'sloop', 'spool'], 'spoon': ['snoop', 'spoon'], 'spooner': ['snooper', 'spooner'], 'spoony': ['snoopy', 'spoony'], 'spoonyism': ['spoonyism', 'symposion'], 'spoor': ['poros', 'proso', 'sopor', 'spoor'], 'spoot': ['spoot', 'stoop'], 'sporangia': ['agapornis', 'sporangia'], 'spore': ['poser', 'prose', 'ropes', 'spore'], 'sporidial': ['spiraloid', 'sporidial'], 'sporification': ['antisoporific', 'prosification', 'sporification'], 'sporogeny': ['gynospore', 'sporogeny'], 'sporoid': ['psoroid', 'sporoid'], 'sporotrichum': ['sporotrichum', 'trichosporum'], 'sporous': ['psorous', 'soursop', 'sporous'], 'sporozoic': ['sporozoic', 'zoosporic'], 'sport': ['sport', 'strop'], 'sporter': ['sporter', 'strepor'], 'sportula': ['postural', 'pulsator', 'sportula'], 'sportulae': ['opulaster', 'sportulae', 'sporulate'], 'sporulate': ['opulaster', 'sportulae', 'sporulate'], 'sporule': ['leprous', 'pelorus', 'sporule'], 'sposhy': ['hyssop', 'phossy', 'sposhy'], 'spot': ['post', 'spot', 'stop', 'tops'], 'spotless': ['postless', 'spotless', 'stopless'], 'spotlessness': ['spotlessness', 'stoplessness'], 'spotlike': ['postlike', 'spotlike'], 'spottedly': ['spottedly', 'spotteldy'], 'spotteldy': ['spottedly', 'spotteldy'], 'spotter': ['protest', 'spotter'], 'spouse': ['esopus', 'spouse'], 'spout': ['spout', 'stoup'], 'spouter': ['petrous', 'posture', 'proetus', 'proteus', 'septuor', 'spouter'], 'sprag': ['grasp', 'sprag'], 'sprain': ['spiran', 'sprain'], 'spraint': ['spirant', 'spraint'], 'sprangle': ['spangler', 'sprangle'], 'sprat': ['spart', 'sprat', 'strap', 'traps'], 'spray': ['raspy', 'spary', 'spray'], 'sprayer': ['respray', 'sprayer'], 'spread': ['rasped', 'spader', 'spread'], 'spreadboard': ['broadspread', 'spreadboard'], 'spreader': ['respread', 'spreader'], 'spreadover': ['overspread', 'spreadover'], 'spree': ['peres', 'perse', 'speer', 'spree'], 'spret': ['prest', 'spret'], 'spried': ['spider', 'spired', 'spried'], 'sprier': ['risper', 'sprier'], 'spriest': ['persist', 'spriest'], 'springal': ['laspring', 'sparling', 'springal'], 'springe': ['presign', 'springe'], 'springer': ['respring', 'springer'], 'springhead': ['headspring', 'springhead'], 'springhouse': ['springhouse', 'surgeonship'], 'springle': ['sperling', 'springle'], 'sprit': ['spirt', 'sprit', 'stirp', 'strip'], 'sprite': ['priest', 'pteris', 'sprite', 'stripe'], 'spritehood': ['priesthood', 'spritehood'], 'sproat': ['asport', 'pastor', 'sproat'], 'sprocket': ['prestock', 'sprocket'], 'sprout': ['sprout', 'stroup', 'stupor'], 'sprouter': ['posturer', 'resprout', 'sprouter'], 'sprouting': ['outspring', 'sprouting'], 'sprue': ['purse', 'resup', 'sprue', 'super'], 'spruer': ['purser', 'spruer'], 'spruit': ['purist', 'spruit', 'uprist', 'upstir'], 'spun': ['snup', 'spun'], 'spunkie': ['spunkie', 'unspike'], 'spuriae': ['spuriae', 'uparise', 'upraise'], 'spurl': ['slurp', 'spurl'], 'spurlet': ['purslet', 'spurlet', 'spurtle'], 'spurn': ['snurp', 'spurn'], 'spurt': ['spurt', 'turps'], 'spurtive': ['spurtive', 'upstrive'], 'spurtle': ['purslet', 'spurlet', 'spurtle'], 'sputa': ['sputa', 'staup', 'stupa'], 'sputumary': ['sputumary', 'sumptuary'], 'sputumous': ['sputumous', 'sumptuous'], 'spyer': ['pryse', 'spyer'], 'spyros': ['prossy', 'spyros'], 'squail': ['squail', 'squali'], 'squali': ['squail', 'squali'], 'squamatine': ['antimasque', 'squamatine'], 'squame': ['masque', 'squame', 'squeam'], 'squameous': ['squameous', 'squeamous'], 'squamopetrosal': ['petrosquamosal', 'squamopetrosal'], 'squamosoparietal': ['parietosquamosal', 'squamosoparietal'], 'squareman': ['marquesan', 'squareman'], 'squeaker': ['resqueak', 'squeaker'], 'squeal': ['lasque', 'squeal'], 'squeam': ['masque', 'squame', 'squeam'], 'squeamous': ['squameous', 'squeamous'], 'squillian': ['nisqualli', 'squillian'], 'squire': ['risque', 'squire'], 'squiret': ['querist', 'squiret'], 'squit': ['quits', 'squit'], 'sramana': ['ramanas', 'sramana'], 'sri': ['sir', 'sri'], 'srivatsan': ['ravissant', 'srivatsan'], 'ssi': ['sis', 'ssi'], 'ssu': ['ssu', 'sus'], 'staab': ['basta', 'staab'], 'stab': ['bast', 'bats', 'stab'], 'stabile': ['astilbe', 'bestial', 'blastie', 'stabile'], 'stable': ['ablest', 'stable', 'tables'], 'stableful': ['bullfeast', 'stableful'], 'stabler': ['blaster', 'reblast', 'stabler'], 'stabling': ['blasting', 'stabling'], 'stably': ['blasty', 'stably'], 'staccato': ['staccato', 'stoccata'], 'stacey': ['cytase', 'stacey'], 'stacher': ['stacher', 'thraces'], 'stacker': ['restack', 'stacker'], 'stackman': ['stackman', 'tacksman'], 'stacy': ['stacy', 'styca'], 'stade': ['sedat', 'stade', 'stead'], 'stadic': ['dicast', 'stadic'], 'stadium': ['dumaist', 'stadium'], 'staffer': ['restaff', 'staffer'], 'stag': ['gast', 'stag'], 'stager': ['gaster', 'stager'], 'stagily': ['stagily', 'stygial'], 'stagnation': ['antagonist', 'stagnation'], 'stagnum': ['mustang', 'stagnum'], 'stain': ['saint', 'satin', 'stain'], 'stainable': ['balanites', 'basaltine', 'stainable'], 'stainer': ['asterin', 'eranist', 'restain', 'stainer', 'starnie', 'stearin'], 'stainful': ['inflatus', 'stainful'], 'stainless': ['saintless', 'saltiness', 'slatiness', 'stainless'], 'staio': ['sitao', 'staio'], 'stair': ['arist', 'astir', 'sitar', 'stair', 'stria', 'tarsi', 'tisar', 'trias'], 'staircase': ['caesarist', 'staircase'], 'staired': ['astride', 'diaster', 'disrate', 'restiad', 'staired'], 'staithman': ['staithman', 'thanatism'], 'staiver': ['staiver', 'taivers'], 'stake': ['skate', 'stake', 'steak'], 'staker': ['skater', 'staker', 'strake', 'streak', 'tasker'], 'stalagmitic': ['stalagmitic', 'stigmatical'], 'stale': ['least', 'setal', 'slate', 'stale', 'steal', 'stela', 'tales'], 'staling': ['anglist', 'lasting', 'salting', 'slating', 'staling'], 'stalker': ['sklater', 'stalker'], 'staller': ['staller', 'stellar'], 'stam': ['mast', 'mats', 'stam'], 'stamen': ['mantes', 'stamen'], 'stamin': ['manist', 'mantis', 'matins', 'stamin'], 'stamina': ['amanist', 'stamina'], 'staminal': ['staminal', 'tailsman', 'talisman'], 'staminate': ['emanatist', 'staminate', 'tasmanite'], 'stamineous': ['soumansite', 'stamineous'], 'staminode': ['ademonist', 'demoniast', 'staminode'], 'stammer': ['stammer', 'stremma'], 'stampede': ['stampede', 'stepdame'], 'stamper': ['restamp', 'stamper'], 'stampian': ['mainpast', 'mantispa', 'panamist', 'stampian'], 'stan': ['nast', 'sant', 'stan'], 'stance': ['ascent', 'secant', 'stance'], 'stanch': ['chanst', 'snatch', 'stanch'], 'stanchable': ['snatchable', 'stanchable'], 'stancher': ['resnatch', 'snatcher', 'stancher'], 'stand': ['dasnt', 'stand'], 'standage': ['dagestan', 'standage'], 'standee': ['edestan', 'standee'], 'stander': ['stander', 'sternad'], 'standout': ['outstand', 'standout'], 'standstill': ['standstill', 'stillstand'], 'stane': ['antes', 'nates', 'stane', 'stean'], 'stang': ['angst', 'stang', 'tangs'], 'stangeria': ['agrestian', 'gerastian', 'stangeria'], 'stanine': ['ensaint', 'stanine'], 'stanly': ['nylast', 'stanly'], 'stanno': ['santon', 'sonant', 'stanno'], 'stap': ['past', 'spat', 'stap', 'taps'], 'staple': ['pastel', 'septal', 'staple'], 'stapler': ['palster', 'persalt', 'plaster', 'psalter', 'spartle', 'stapler'], 'stapling': ['spatling', 'stapling'], 'star': ['sart', 'star', 'stra', 'tars', 'tsar'], 'starch': ['scarth', 'scrath', 'starch'], 'stardom': ['stardom', 'tsardom'], 'stare': ['aster', 'serta', 'stare', 'strae', 'tarse', 'teras'], 'staree': ['asteer', 'easter', 'eastre', 'reseat', 'saeter', 'seater', 'staree', 'teaser', 'teresa'], 'starer': ['arrest', 'astrer', 'raster', 'starer'], 'starful': ['flustra', 'starful'], 'staring': ['gastrin', 'staring'], 'staringly': ['staringly', 'strayling'], 'stark': ['karst', 'skart', 'stark'], 'starky': ['starky', 'straky'], 'starlet': ['rattles', 'slatter', 'starlet', 'startle'], 'starlit': ['starlit', 'trisalt'], 'starlite': ['starlite', 'taistrel'], 'starnel': ['saltern', 'starnel', 'sternal'], 'starnie': ['asterin', 'eranist', 'restain', 'stainer', 'starnie', 'stearin'], 'starnose': ['assentor', 'essorant', 'starnose'], 'starship': ['starship', 'tsarship'], 'starshot': ['shotstar', 'starshot'], 'starter': ['restart', 'starter'], 'startle': ['rattles', 'slatter', 'starlet', 'startle'], 'starve': ['starve', 'staver', 'strave', 'tavers', 'versta'], 'starwise': ['starwise', 'waitress'], 'stary': ['satyr', 'stary', 'stray', 'trasy'], 'stases': ['assets', 'stases'], 'stasis': ['assist', 'stasis'], 'statable': ['statable', 'tastable'], 'state': ['state', 'taste', 'tates', 'testa'], 'stated': ['stated', 'tasted'], 'stateful': ['stateful', 'tasteful'], 'statefully': ['statefully', 'tastefully'], 'statefulness': ['statefulness', 'tastefulness'], 'stateless': ['stateless', 'tasteless'], 'statelich': ['athletics', 'statelich'], 'stately': ['stately', 'stylate'], 'statement': ['statement', 'testament'], 'stater': ['stater', 'taster', 'testar'], 'statesider': ['dissertate', 'statesider'], 'static': ['static', 'sticta'], 'statice': ['etacist', 'statice'], 'stational': ['saltation', 'stational'], 'stationarily': ['antiroyalist', 'stationarily'], 'stationer': ['nitrosate', 'stationer'], 'statoscope': ['septocosta', 'statoscope'], 'statue': ['astute', 'statue'], 'stature': ['stature', 'stauter'], 'staumer': ['staumer', 'strumae'], 'staun': ['staun', 'suant'], 'staunch': ['canthus', 'staunch'], 'staup': ['sputa', 'staup', 'stupa'], 'staurion': ['staurion', 'sutorian'], 'stauter': ['stature', 'stauter'], 'stave': ['stave', 'vesta'], 'staver': ['starve', 'staver', 'strave', 'tavers', 'versta'], 'staw': ['sawt', 'staw', 'swat', 'taws', 'twas', 'wast'], 'stawn': ['stawn', 'wasnt'], 'stayable': ['stayable', 'teasably'], 'stayed': ['stayed', 'steady'], 'stayer': ['atresy', 'estray', 'reasty', 'stayer'], 'staynil': ['nastily', 'saintly', 'staynil'], 'stchi': ['sitch', 'stchi', 'stich'], 'stead': ['sedat', 'stade', 'stead'], 'steady': ['stayed', 'steady'], 'steak': ['skate', 'stake', 'steak'], 'steal': ['least', 'setal', 'slate', 'stale', 'steal', 'stela', 'tales'], 'stealer': ['realest', 'reslate', 'resteal', 'stealer', 'teasler'], 'stealing': ['galenist', 'genitals', 'stealing'], 'stealy': ['alytes', 'astely', 'lysate', 'stealy'], 'steam': ['steam', 'stema'], 'steaming': ['misagent', 'steaming'], 'stean': ['antes', 'nates', 'stane', 'stean'], 'stearic': ['atresic', 'stearic'], 'stearin': ['asterin', 'eranist', 'restain', 'stainer', 'starnie', 'stearin'], 'stearone': ['orestean', 'resonate', 'stearone'], 'stearyl': ['saltery', 'stearyl'], 'steatin': ['atenist', 'instate', 'satient', 'steatin'], 'steatoma': ['atmostea', 'steatoma'], 'steatornis': ['steatornis', 'treasonist'], 'stech': ['chest', 'stech'], 'steek': ['keest', 'skeet', 'skete', 'steek'], 'steel': ['sleet', 'slete', 'steel', 'stele'], 'steeler': ['reestle', 'resteel', 'steeler'], 'steeliness': ['sleetiness', 'steeliness'], 'steeling': ['sleeting', 'steeling'], 'steelproof': ['sleetproof', 'steelproof'], 'steely': ['sleety', 'steely'], 'steen': ['steen', 'teens', 'tense'], 'steep': ['peste', 'steep'], 'steeper': ['estrepe', 'resteep', 'steeper'], 'steepy': ['steepy', 'typees'], 'steer': ['ester', 'estre', 'reest', 'reset', 'steer', 'stere', 'stree', 'terse', 'tsere'], 'steerer': ['reester', 'steerer'], 'steering': ['energist', 'steering'], 'steerling': ['esterling', 'steerling'], 'steeve': ['steeve', 'vestee'], 'stefan': ['fasten', 'nefast', 'stefan'], 'steg': ['gest', 'steg'], 'stegodon': ['dogstone', 'stegodon'], 'steid': ['deist', 'steid'], 'steigh': ['gesith', 'steigh'], 'stein': ['inset', 'neist', 'snite', 'stein', 'stine', 'tsine'], 'stela': ['least', 'setal', 'slate', 'stale', 'steal', 'stela', 'tales'], 'stelae': ['ateles', 'saltee', 'sealet', 'stelae', 'teasel'], 'stelai': ['isleta', 'litsea', 'salite', 'stelai'], 'stelar': ['laster', 'lastre', 'rastle', 'relast', 'resalt', 'salter', 'slater', 'stelar'], 'stele': ['sleet', 'slete', 'steel', 'stele'], 'stella': ['sallet', 'stella', 'talles'], 'stellar': ['staller', 'stellar'], 'stellaria': ['lateralis', 'stellaria'], 'stema': ['steam', 'stema'], 'stemlike': ['meletski', 'stemlike'], 'sten': ['nest', 'sent', 'sten'], 'stenar': ['astern', 'enstar', 'stenar', 'sterna'], 'stencil': ['lentisc', 'scintle', 'stencil'], 'stenciler': ['crestline', 'stenciler'], 'stenion': ['stenion', 'tension'], 'steno': ['onset', 'seton', 'steno', 'stone'], 'stenopaic': ['aspection', 'stenopaic'], 'stenosis': ['sisseton', 'stenosis'], 'stenotic': ['stenotic', 'tonetics'], 'stentor': ['snotter', 'stentor', 'torsten'], 'step': ['pest', 'sept', 'spet', 'step'], 'stepaunt': ['nettapus', 'stepaunt'], 'stepbairn': ['breastpin', 'stepbairn'], 'stepdame': ['stampede', 'stepdame'], 'stephana': ['pheasant', 'stephana'], 'stephanic': ['cathepsin', 'stephanic'], 'steplike': ['spikelet', 'steplike'], 'sterculia': ['sterculia', 'urticales'], 'stere': ['ester', 'estre', 'reest', 'reset', 'steer', 'stere', 'stree', 'terse', 'tsere'], 'stereograph': ['preshortage', 'stereograph'], 'stereometric': ['crestmoreite', 'stereometric'], 'stereophotograph': ['photostereograph', 'stereophotograph'], 'stereotelescope': ['stereotelescope', 'telestereoscope'], 'stereotomic': ['osteometric', 'stereotomic'], 'stereotomical': ['osteometrical', 'stereotomical'], 'stereotomy': ['osteometry', 'stereotomy'], 'steric': ['certis', 'steric'], 'sterigma': ['gemarist', 'magister', 'sterigma'], 'sterigmata': ['magistrate', 'sterigmata'], 'sterile': ['leister', 'sterile'], 'sterilize': ['listerize', 'sterilize'], 'sterin': ['estrin', 'insert', 'sinter', 'sterin', 'triens'], 'sterlet': ['settler', 'sterlet', 'trestle'], 'stern': ['ernst', 'stern'], 'sterna': ['astern', 'enstar', 'stenar', 'sterna'], 'sternad': ['stander', 'sternad'], 'sternage': ['estrange', 'segreant', 'sergeant', 'sternage'], 'sternal': ['saltern', 'starnel', 'sternal'], 'sternalis': ['sternalis', 'trainless'], 'sternite': ['insetter', 'interest', 'interset', 'sternite'], 'sterno': ['nestor', 'sterno', 'stoner', 'strone', 'tensor'], 'sternocostal': ['costosternal', 'sternocostal'], 'sternovertebral': ['sternovertebral', 'vertebrosternal'], 'stero': ['roset', 'rotse', 'soter', 'stero', 'store', 'torse'], 'steroid': ['oestrid', 'steroid', 'storied'], 'sterol': ['relost', 'reslot', 'rostel', 'sterol', 'torsel'], 'stert': ['stert', 'stret', 'trest'], 'sterve': ['revest', 'servet', 'sterve', 'verset', 'vester'], 'stet': ['sett', 'stet', 'test'], 'stevan': ['stevan', 'svante'], 'stevel': ['stevel', 'svelte'], 'stevia': ['itaves', 'stevia'], 'stew': ['stew', 'west'], 'stewart': ['stewart', 'swatter'], 'stewed': ['stewed', 'wedset'], 'stewy': ['stewy', 'westy'], 'stey': ['stey', 'yest'], 'sthenia': ['sethian', 'sthenia'], 'stich': ['sitch', 'stchi', 'stich'], 'stichid': ['distich', 'stichid'], 'sticker': ['rickets', 'sticker'], 'stickler': ['stickler', 'strickle'], 'sticta': ['static', 'sticta'], 'stife': ['feist', 'stife'], 'stiffener': ['restiffen', 'stiffener'], 'stifle': ['itself', 'stifle'], 'stifler': ['slifter', 'stifler'], 'stigmai': ['imagist', 'stigmai'], 'stigmatical': ['stalagmitic', 'stigmatical'], 'stilbene': ['nebelist', 'stilbene', 'tensible'], 'stile': ['islet', 'istle', 'slite', 'stile'], 'stileman': ['mentalis', 'smaltine', 'stileman'], 'stillage': ['legalist', 'stillage'], 'stiller': ['stiller', 'trellis'], 'stillstand': ['standstill', 'stillstand'], 'stilted': ['slitted', 'stilted'], 'stilter': ['litster', 'slitter', 'stilter', 'testril'], 'stilty': ['slitty', 'stilty'], 'stim': ['mist', 'smit', 'stim'], 'stime': ['metis', 'smite', 'stime', 'times'], 'stimulancy': ['stimulancy', 'unmystical'], 'stimy': ['misty', 'stimy'], 'stine': ['inset', 'neist', 'snite', 'stein', 'stine', 'tsine'], 'stinge': ['ingest', 'signet', 'stinge'], 'stinger': ['resting', 'stinger'], 'stinker': ['kirsten', 'kristen', 'stinker'], 'stinkstone': ['knottiness', 'stinkstone'], 'stinted': ['dentist', 'distent', 'stinted'], 'stion': ['sinto', 'stion'], 'stipa': ['piast', 'stipa', 'tapis'], 'stipe': ['septi', 'spite', 'stipe'], 'stipel': ['pistle', 'stipel'], 'stippen': ['snippet', 'stippen'], 'stipula': ['paulist', 'stipula'], 'stir': ['rist', 'stir'], 'stirk': ['skirt', 'stirk'], 'stirp': ['spirt', 'sprit', 'stirp', 'strip'], 'stitcher': ['restitch', 'stitcher'], 'stiver': ['stiver', 'strive', 'verist'], 'stoa': ['oast', 'stoa', 'taos'], 'stoach': ['stoach', 'stocah'], 'stoat': ['stoat', 'toast'], 'stoater': ['retoast', 'rosetta', 'stoater', 'toaster'], 'stocah': ['stoach', 'stocah'], 'stoccata': ['staccato', 'stoccata'], 'stocker': ['restock', 'stocker'], 'stoep': ['estop', 'stoep', 'stope'], 'stof': ['soft', 'stof'], 'stog': ['stog', 'togs'], 'stogie': ['egoist', 'stogie'], 'stoic': ['ostic', 'sciot', 'stoic'], 'stoically': ['callosity', 'stoically'], 'stoker': ['stoker', 'stroke'], 'stolae': ['lotase', 'osteal', 'solate', 'stolae', 'talose'], 'stole': ['slote', 'stole'], 'stoled': ['sloted', 'stoled'], 'stolen': ['solent', 'stolen', 'telson'], 'stoma': ['atmos', 'stoma', 'tomas'], 'stomatode': ['mootstead', 'stomatode'], 'stomatomy': ['mastotomy', 'stomatomy'], 'stomatopoda': ['podostomata', 'stomatopoda'], 'stomatopodous': ['podostomatous', 'stomatopodous'], 'stomper': ['pomster', 'stomper'], 'stone': ['onset', 'seton', 'steno', 'stone'], 'stonebird': ['birdstone', 'stonebird'], 'stonebreak': ['breakstone', 'stonebreak'], 'stoned': ['doesnt', 'stoned'], 'stonegall': ['gallstone', 'stonegall'], 'stonehand': ['handstone', 'stonehand'], 'stonehead': ['headstone', 'stonehead'], 'stonen': ['sonnet', 'stonen', 'tenson'], 'stoner': ['nestor', 'sterno', 'stoner', 'strone', 'tensor'], 'stonewood': ['stonewood', 'woodstone'], 'stong': ['stong', 'tongs'], 'stonker': ['stonker', 'storken'], 'stoof': ['foots', 'sfoot', 'stoof'], 'stool': ['sotol', 'stool'], 'stoon': ['snoot', 'stoon'], 'stoop': ['spoot', 'stoop'], 'stop': ['post', 'spot', 'stop', 'tops'], 'stopback': ['backstop', 'stopback'], 'stope': ['estop', 'stoep', 'stope'], 'stoper': ['poster', 'presto', 'repost', 'respot', 'stoper'], 'stoping': ['posting', 'stoping'], 'stopless': ['postless', 'spotless', 'stopless'], 'stoplessness': ['spotlessness', 'stoplessness'], 'stoppeur': ['pteropus', 'stoppeur'], 'storable': ['sortable', 'storable'], 'storage': ['storage', 'tagsore'], 'store': ['roset', 'rotse', 'soter', 'stero', 'store', 'torse'], 'storeen': ['enstore', 'estrone', 'storeen', 'tornese'], 'storeman': ['monaster', 'monstera', 'nearmost', 'storeman'], 'storer': ['resort', 'roster', 'sorter', 'storer'], 'storeship': ['posterish', 'prothesis', 'sophister', 'storeship', 'tephrosis'], 'storesman': ['nosesmart', 'storesman'], 'storge': ['groset', 'storge'], 'storiate': ['astroite', 'ostraite', 'storiate'], 'storied': ['oestrid', 'steroid', 'storied'], 'storier': ['roister', 'storier'], 'stork': ['stork', 'torsk'], 'storken': ['stonker', 'storken'], 'storm': ['storm', 'strom'], 'stormwind': ['stormwind', 'windstorm'], 'story': ['sorty', 'story', 'stroy'], 'stot': ['stot', 'tost'], 'stotter': ['stotter', 'stretto'], 'stoun': ['notus', 'snout', 'stoun', 'tonus'], 'stoup': ['spout', 'stoup'], 'stour': ['roust', 'rusot', 'stour', 'sutor', 'torus'], 'stouring': ['rousting', 'stouring'], 'stoutly': ['stoutly', 'tylotus'], 'stove': ['ovest', 'stove'], 'stover': ['stover', 'strove'], 'stow': ['sowt', 'stow', 'swot', 'wots'], 'stowable': ['bestowal', 'stowable'], 'stower': ['restow', 'stower', 'towser', 'worset'], 'stra': ['sart', 'star', 'stra', 'tars', 'tsar'], 'strad': ['darst', 'darts', 'strad'], 'stradine': ['stradine', 'strained', 'tarnside'], 'strae': ['aster', 'serta', 'stare', 'strae', 'tarse', 'teras'], 'strafe': ['farset', 'faster', 'strafe'], 'stragular': ['gastrular', 'stragular'], 'straighten': ['shattering', 'straighten'], 'straightener': ['restraighten', 'straightener'], 'straightup': ['straightup', 'upstraight'], 'straik': ['rastik', 'sarkit', 'straik'], 'strain': ['instar', 'santir', 'strain'], 'strained': ['stradine', 'strained', 'tarnside'], 'strainer': ['restrain', 'strainer', 'transire'], 'strainerman': ['strainerman', 'transmarine'], 'straint': ['straint', 'transit', 'tristan'], 'strait': ['artist', 'strait', 'strati'], 'strake': ['skater', 'staker', 'strake', 'streak', 'tasker'], 'straky': ['starky', 'straky'], 'stram': ['smart', 'stram'], 'strange': ['angster', 'garnets', 'nagster', 'strange'], 'strangles': ['slangster', 'strangles'], 'strap': ['spart', 'sprat', 'strap', 'traps'], 'strapless': ['psaltress', 'strapless'], 'strata': ['astart', 'strata'], 'strategi': ['strategi', 'strigate'], 'strath': ['strath', 'thrast'], 'strati': ['artist', 'strait', 'strati'], 'stratic': ['astrict', 'cartist', 'stratic'], 'stratonic': ['narcotist', 'stratonic'], 'stratonical': ['intracostal', 'stratonical'], 'strave': ['starve', 'staver', 'strave', 'tavers', 'versta'], 'straw': ['straw', 'swart', 'warst'], 'strawy': ['strawy', 'swarty'], 'stray': ['satyr', 'stary', 'stray', 'trasy'], 'strayling': ['staringly', 'strayling'], 'stre': ['rest', 'sert', 'stre'], 'streak': ['skater', 'staker', 'strake', 'streak', 'tasker'], 'streakily': ['satyrlike', 'streakily'], 'stream': ['martes', 'master', 'remast', 'stream'], 'streamer': ['masterer', 'restream', 'streamer'], 'streamful': ['masterful', 'streamful'], 'streamhead': ['headmaster', 'headstream', 'streamhead'], 'streaming': ['germanist', 'streaming'], 'streamless': ['masterless', 'streamless'], 'streamlike': ['masterlike', 'streamlike'], 'streamline': ['eternalism', 'streamline'], 'streamling': ['masterling', 'streamling'], 'streamside': ['mediatress', 'streamside'], 'streamwort': ['masterwort', 'streamwort'], 'streamy': ['mastery', 'streamy'], 'stree': ['ester', 'estre', 'reest', 'reset', 'steer', 'stere', 'stree', 'terse', 'tsere'], 'streek': ['streek', 'streke'], 'streel': ['lester', 'selter', 'streel'], 'streen': ['ernest', 'nester', 'resent', 'streen'], 'streep': ['pester', 'preset', 'restep', 'streep'], 'street': ['retest', 'setter', 'street', 'tester'], 'streetcar': ['scatterer', 'streetcar'], 'streke': ['streek', 'streke'], 'strelitz': ['strelitz', 'streltzi'], 'streltzi': ['strelitz', 'streltzi'], 'stremma': ['stammer', 'stremma'], 'strengthener': ['restrengthen', 'strengthener'], 'strepen': ['penster', 'present', 'serpent', 'strepen'], 'strepera': ['pasterer', 'strepera'], 'strepor': ['sporter', 'strepor'], 'strepsinema': ['esperantism', 'strepsinema'], 'streptothricosis': ['streptothricosis', 'streptotrichosis'], 'streptotrichosis': ['streptothricosis', 'streptotrichosis'], 'stresser': ['restress', 'stresser'], 'stret': ['stert', 'stret', 'trest'], 'stretcher': ['restretch', 'stretcher'], 'stretcherman': ['stretcherman', 'trenchmaster'], 'stretto': ['stotter', 'stretto'], 'strew': ['strew', 'trews', 'wrest'], 'strewer': ['strewer', 'wrester'], 'strey': ['resty', 'strey'], 'streyne': ['streyne', 'styrene', 'yestern'], 'stria': ['arist', 'astir', 'sitar', 'stair', 'stria', 'tarsi', 'tisar', 'trias'], 'striae': ['satire', 'striae'], 'strial': ['latris', 'strial'], 'striatal': ['altarist', 'striatal'], 'striate': ['artiste', 'striate'], 'striated': ['distater', 'striated'], 'strich': ['christ', 'strich'], 'strickle': ['stickler', 'strickle'], 'stride': ['driest', 'stride'], 'strife': ['fister', 'resift', 'sifter', 'strife'], 'strig': ['grist', 'grits', 'strig'], 'striga': ['gratis', 'striga'], 'strigae': ['seagirt', 'strigae'], 'strigate': ['strategi', 'strigate'], 'striges': ['striges', 'tigress'], 'strigulose': ['sortilegus', 'strigulose'], 'strike': ['skiter', 'strike'], 'striker': ['skirret', 'skirter', 'striker'], 'striking': ['skirting', 'striking'], 'strikingly': ['skirtingly', 'strikingly'], 'stringer': ['restring', 'ringster', 'stringer'], 'strinkle': ['sklinter', 'strinkle'], 'striola': ['aristol', 'oralist', 'ortalis', 'striola'], 'striolae': ['soterial', 'striolae'], 'strip': ['spirt', 'sprit', 'stirp', 'strip'], 'stripe': ['priest', 'pteris', 'sprite', 'stripe'], 'stripeless': ['priestless', 'stripeless'], 'striper': ['restrip', 'striper'], 'striplet': ['splitter', 'striplet'], 'strippit': ['strippit', 'trippist'], 'strit': ['strit', 'trist'], 'strive': ['stiver', 'strive', 'verist'], 'stroam': ['stroam', 'stroma'], 'strobila': ['laborist', 'strobila'], 'strobilae': ['sobralite', 'strobilae'], 'strobilate': ['brasiletto', 'strobilate'], 'strode': ['sorted', 'strode'], 'stroke': ['stoker', 'stroke'], 'strom': ['storm', 'strom'], 'stroma': ['stroam', 'stroma'], 'stromatic': ['microstat', 'stromatic'], 'strone': ['nestor', 'sterno', 'stoner', 'strone', 'tensor'], 'stronghead': ['headstrong', 'stronghead'], 'strontian': ['strontian', 'trisonant'], 'strontianite': ['interstation', 'strontianite'], 'strop': ['sport', 'strop'], 'strophaic': ['actorship', 'strophaic'], 'strophiolate': ['strophiolate', 'theatropolis'], 'strophomena': ['nephrostoma', 'strophomena'], 'strounge': ['strounge', 'sturgeon'], 'stroup': ['sprout', 'stroup', 'stupor'], 'strove': ['stover', 'strove'], 'strow': ['strow', 'worst'], 'stroy': ['sorty', 'story', 'stroy'], 'strub': ['burst', 'strub'], 'struck': ['struck', 'trucks'], 'strue': ['serut', 'strue', 'turse', 'uster'], 'strumae': ['staumer', 'strumae'], 'strut': ['strut', 'sturt', 'trust'], 'struth': ['struth', 'thrust'], 'struthian': ['struthian', 'unathirst'], 'stu': ['stu', 'ust'], 'stuart': ['astrut', 'rattus', 'stuart'], 'stub': ['bust', 'stub'], 'stuber': ['berust', 'buster', 'stuber'], 'stud': ['dust', 'stud'], 'studdie': ['studdie', 'studied'], 'student': ['student', 'stunted'], 'studia': ['aditus', 'studia'], 'studied': ['studdie', 'studied'], 'study': ['dusty', 'study'], 'stue': ['stue', 'suet'], 'stuffer': ['restuff', 'stuffer'], 'stug': ['gust', 'stug'], 'stuiver': ['revuist', 'stuiver'], 'stum': ['must', 'smut', 'stum'], 'stumer': ['muster', 'sertum', 'stumer'], 'stumper': ['stumper', 'sumpter'], 'stun': ['stun', 'sunt', 'tsun'], 'stunner': ['stunner', 'unstern'], 'stunted': ['student', 'stunted'], 'stunter': ['entrust', 'stunter', 'trusten'], 'stupa': ['sputa', 'staup', 'stupa'], 'stupe': ['setup', 'stupe', 'upset'], 'stupor': ['sprout', 'stroup', 'stupor'], 'stuprate': ['stuprate', 'upstater'], 'stupulose': ['pustulose', 'stupulose'], 'sturdiness': ['sturdiness', 'undistress'], 'sturgeon': ['strounge', 'sturgeon'], 'sturine': ['intruse', 'sturine'], 'sturionine': ['reunionist', 'sturionine'], 'sturmian': ['naturism', 'sturmian', 'turanism'], 'sturnidae': ['disnature', 'sturnidae', 'truandise'], 'sturninae': ['neustrian', 'saturnine', 'sturninae'], 'sturnus': ['sturnus', 'untruss'], 'sturt': ['strut', 'sturt', 'trust'], 'sturtin': ['intrust', 'sturtin'], 'stut': ['stut', 'tuts'], 'stutter': ['stutter', 'tutster'], 'styan': ['nasty', 'styan', 'tansy'], 'styca': ['stacy', 'styca'], 'stycerin': ['nycteris', 'stycerin'], 'stygial': ['stagily', 'stygial'], 'stylate': ['stately', 'stylate'], 'styledom': ['modestly', 'styledom'], 'stylite': ['stylite', 'testily'], 'styloid': ['odylist', 'styloid'], 'stylometer': ['metrostyle', 'stylometer'], 'stylopidae': ['ideoplasty', 'stylopidae'], 'styphelia': ['physalite', 'styphelia'], 'styrene': ['streyne', 'styrene', 'yestern'], 'styrol': ['sortly', 'styrol'], 'stythe': ['stythe', 'tethys'], 'styx': ['styx', 'xyst'], 'suability': ['suability', 'usability'], 'suable': ['suable', 'usable'], 'sualocin': ['sualocin', 'unsocial'], 'suant': ['staun', 'suant'], 'suasible': ['basileus', 'issuable', 'suasible'], 'suasion': ['sanious', 'suasion'], 'suasory': ['ossuary', 'suasory'], 'suave': ['sauve', 'suave'], 'sub': ['bus', 'sub'], 'subah': ['shuba', 'subah'], 'subalpine': ['subalpine', 'unspiable'], 'subanal': ['balanus', 'nabalus', 'subanal'], 'subcaecal': ['accusable', 'subcaecal'], 'subcantor': ['obscurant', 'subcantor'], 'subcapsular': ['subcapsular', 'subscapular'], 'subcenter': ['rubescent', 'subcenter'], 'subchela': ['chasuble', 'subchela'], 'subcool': ['colobus', 'subcool'], 'subcortical': ['scorbutical', 'subcortical'], 'subcortically': ['scorbutically', 'subcortically'], 'subdealer': ['subdealer', 'subleader'], 'subdean': ['subdean', 'unbased'], 'subdeltaic': ['discutable', 'subdeltaic', 'subdialect'], 'subdialect': ['discutable', 'subdeltaic', 'subdialect'], 'subdie': ['busied', 'subdie'], 'suber': ['burse', 'rebus', 'suber'], 'subessential': ['subessential', 'suitableness'], 'subherd': ['brushed', 'subherd'], 'subhero': ['herbous', 'subhero'], 'subhuman': ['subhuman', 'unambush'], 'subimago': ['bigamous', 'subimago'], 'sublanate': ['sublanate', 'unsatable'], 'sublate': ['balteus', 'sublate'], 'sublative': ['sublative', 'vestibula'], 'subleader': ['subdealer', 'subleader'], 'sublet': ['bustle', 'sublet', 'subtle'], 'sublinear': ['insurable', 'sublinear'], 'sublumbar': ['sublumbar', 'subumbral'], 'submaid': ['misdaub', 'submaid'], 'subman': ['busman', 'subman'], 'submarine': ['semiurban', 'submarine'], 'subnarcotic': ['obscurantic', 'subnarcotic'], 'subnitrate': ['subnitrate', 'subtertian'], 'subnote': ['subnote', 'subtone', 'unbesot'], 'suboval': ['suboval', 'subvola'], 'subpeltate': ['subpeltate', 'upsettable'], 'subplat': ['subplat', 'upblast'], 'subra': ['abrus', 'bursa', 'subra'], 'subscapular': ['subcapsular', 'subscapular'], 'subserve': ['subserve', 'subverse'], 'subsider': ['disburse', 'subsider'], 'substernal': ['substernal', 'turbanless'], 'substraction': ['obscurantist', 'substraction'], 'subtack': ['sackbut', 'subtack'], 'subterraneal': ['subterraneal', 'unarrestable'], 'subtertian': ['subnitrate', 'subtertian'], 'subtle': ['bustle', 'sublet', 'subtle'], 'subtone': ['subnote', 'subtone', 'unbesot'], 'subtread': ['daubster', 'subtread'], 'subtutor': ['outburst', 'subtutor'], 'subulate': ['baetulus', 'subulate'], 'subumbral': ['sublumbar', 'subumbral'], 'subverse': ['subserve', 'subverse'], 'subvola': ['suboval', 'subvola'], 'succade': ['accused', 'succade'], 'succeeder': ['resucceed', 'succeeder'], 'succin': ['cnicus', 'succin'], 'succinate': ['encaustic', 'succinate'], 'succor': ['crocus', 'succor'], 'such': ['cush', 'such'], 'suck': ['cusk', 'suck'], 'sucker': ['resuck', 'sucker'], 'suckling': ['lungsick', 'suckling'], 'suclat': ['scutal', 'suclat'], 'sucramine': ['muscarine', 'sucramine'], 'sucre': ['cruse', 'curse', 'sucre'], 'suction': ['cotinus', 'suction', 'unstoic'], 'suctional': ['suctional', 'sulcation', 'unstoical'], 'suctoria': ['cotarius', 'octarius', 'suctoria'], 'suctorial': ['ocularist', 'suctorial'], 'sud': ['sud', 'uds'], 'sudamen': ['medusan', 'sudamen'], 'sudan': ['sudan', 'unsad'], 'sudanese': ['danseuse', 'sudanese'], 'sudani': ['sudani', 'unsaid'], 'sudation': ['adustion', 'sudation'], 'sudic': ['scudi', 'sudic'], 'sudra': ['rudas', 'sudra'], 'sue': ['sue', 'use'], 'suer': ['ruse', 'suer', 'sure', 'user'], 'suet': ['stue', 'suet'], 'sufferer': ['resuffer', 'sufferer'], 'sufflate': ['feastful', 'sufflate'], 'suffocate': ['offuscate', 'suffocate'], 'suffocation': ['offuscation', 'suffocation'], 'sugamo': ['amusgo', 'sugamo'], 'sugan': ['agnus', 'angus', 'sugan'], 'sugar': ['argus', 'sugar'], 'sugared': ['desugar', 'sugared'], 'sugarlike': ['arguslike', 'sugarlike'], 'suggester': ['resuggest', 'suggester'], 'suggestionism': ['missuggestion', 'suggestionism'], 'sugh': ['gush', 'shug', 'sugh'], 'suidae': ['asideu', 'suidae'], 'suimate': ['metusia', 'suimate', 'timaeus'], 'suina': ['ianus', 'suina'], 'suint': ['sintu', 'suint'], 'suiones': ['sinuose', 'suiones'], 'suist': ['situs', 'suist'], 'suitable': ['sabulite', 'suitable'], 'suitableness': ['subessential', 'suitableness'], 'suitor': ['suitor', 'tursio'], 'sula': ['saul', 'sula'], 'sulcal': ['callus', 'sulcal'], 'sulcar': ['cursal', 'sulcar'], 'sulcation': ['suctional', 'sulcation', 'unstoical'], 'suld': ['slud', 'suld'], 'sulfamide': ['feudalism', 'sulfamide'], 'sulfonium': ['fulminous', 'sulfonium'], 'sulfuret': ['frustule', 'sulfuret'], 'sulk': ['lusk', 'sulk'], 'sulka': ['klaus', 'lukas', 'sulka'], 'sulky': ['lusky', 'sulky'], 'sulphinide': ['delphinius', 'sulphinide'], 'sulphohydrate': ['hydrosulphate', 'sulphohydrate'], 'sulphoproteid': ['protosulphide', 'sulphoproteid'], 'sulphurea': ['elaphurus', 'sulphurea'], 'sultan': ['sultan', 'unsalt'], 'sultane': ['sultane', 'unslate'], 'sultanian': ['annualist', 'sultanian'], 'sultanin': ['insulant', 'sultanin'], 'sultone': ['lentous', 'sultone'], 'sultry': ['rustly', 'sultry'], 'sum': ['mus', 'sum'], 'sumac': ['camus', 'musca', 'scaum', 'sumac'], 'sumak': ['kusam', 'sumak'], 'sumatra': ['artamus', 'sumatra'], 'sumerian': ['aneurism', 'arsenium', 'sumerian'], 'sumitro': ['sumitro', 'tourism'], 'summit': ['mutism', 'summit'], 'summonable': ['somnambule', 'summonable'], 'summoner': ['resummon', 'summoner'], 'sumo': ['soum', 'sumo'], 'sumpit': ['misput', 'sumpit'], 'sumpitan': ['putanism', 'sumpitan'], 'sumpter': ['stumper', 'sumpter'], 'sumptuary': ['sputumary', 'sumptuary'], 'sumptuous': ['sputumous', 'sumptuous'], 'sunbeamed': ['sunbeamed', 'unembased'], 'sundar': ['nardus', 'sundar', 'sundra'], 'sundek': ['dusken', 'sundek'], 'sundra': ['nardus', 'sundar', 'sundra'], 'sung': ['snug', 'sung'], 'sunil': ['linus', 'sunil'], 'sunk': ['skun', 'sunk'], 'sunlighted': ['sunlighted', 'unslighted'], 'sunlit': ['insult', 'sunlit', 'unlist', 'unslit'], 'sunni': ['sunni', 'unsin'], 'sunray': ['sunray', 'surnay', 'synura'], 'sunrise': ['russine', 'serinus', 'sunrise'], 'sunshade': ['sunshade', 'unsashed'], 'sunt': ['stun', 'sunt', 'tsun'], 'sunup': ['sunup', 'upsun'], 'sunweed': ['sunweed', 'unsewed'], 'suomic': ['musico', 'suomic'], 'sup': ['pus', 'sup'], 'supa': ['apus', 'supa', 'upas'], 'super': ['purse', 'resup', 'sprue', 'super'], 'superable': ['perusable', 'superable'], 'supercarpal': ['prescapular', 'supercarpal'], 'superclaim': ['premusical', 'superclaim'], 'supercontrol': ['preconsultor', 'supercontrol'], 'supercool': ['escropulo', 'supercool'], 'superheater': ['resuperheat', 'superheater'], 'superideal': ['serpulidae', 'superideal'], 'superintender': ['superintender', 'unenterprised'], 'superline': ['serpuline', 'superline'], 'supermoisten': ['sempiternous', 'supermoisten'], 'supernacular': ['supernacular', 'supranuclear'], 'supernal': ['purslane', 'serpulan', 'supernal'], 'superoanterior': ['anterosuperior', 'superoanterior'], 'superoposterior': ['posterosuperior', 'superoposterior'], 'superpose': ['resuppose', 'superpose'], 'superposition': ['resupposition', 'superposition'], 'supersaint': ['presustain', 'puritaness', 'supersaint'], 'supersalt': ['pertussal', 'supersalt'], 'superservice': ['repercussive', 'superservice'], 'supersonic': ['croupiness', 'percussion', 'supersonic'], 'supertare': ['repasture', 'supertare'], 'supertension': ['serpentinous', 'supertension'], 'supertotal': ['supertotal', 'tetraplous'], 'supertrain': ['rupestrian', 'supertrain'], 'supinator': ['rainspout', 'supinator'], 'supine': ['puisne', 'supine'], 'supper': ['supper', 'uppers'], 'supple': ['peplus', 'supple'], 'suppletory': ['polypterus', 'suppletory'], 'supplier': ['periplus', 'supplier'], 'supporter': ['resupport', 'supporter'], 'suppresser': ['resuppress', 'suppresser'], 'suprahyoid': ['hyporadius', 'suprahyoid'], 'supranuclear': ['supernacular', 'supranuclear'], 'supreme': ['presume', 'supreme'], 'sur': ['rus', 'sur', 'urs'], 'sura': ['rusa', 'saur', 'sura', 'ursa', 'usar'], 'surah': ['ashur', 'surah'], 'surahi': ['shauri', 'surahi'], 'sural': ['larus', 'sural', 'ursal'], 'surat': ['astur', 'surat', 'sutra'], 'surbase': ['rubasse', 'surbase'], 'surbate': ['bursate', 'surbate'], 'surcrue': ['crureus', 'surcrue'], 'sure': ['ruse', 'suer', 'sure', 'user'], 'suresh': ['rhesus', 'suresh'], 'surette': ['surette', 'trustee'], 'surge': ['grues', 'surge'], 'surgent': ['gunster', 'surgent'], 'surgeonship': ['springhouse', 'surgeonship'], 'surgy': ['gyrus', 'surgy'], 'suriana': ['saurian', 'suriana'], 'surinam': ['surinam', 'uranism'], 'surma': ['musar', 'ramus', 'rusma', 'surma'], 'surmisant': ['saturnism', 'surmisant'], 'surmise': ['misuser', 'surmise'], 'surnap': ['surnap', 'unspar'], 'surnay': ['sunray', 'surnay', 'synura'], 'surprisement': ['surprisement', 'trumperiness'], 'surrenderer': ['resurrender', 'surrenderer'], 'surrogate': ['surrogate', 'urogaster'], 'surrounder': ['resurround', 'surrounder'], 'surya': ['saury', 'surya'], 'sus': ['ssu', 'sus'], 'susan': ['nasus', 'susan'], 'suscept': ['suscept', 'suspect'], 'susceptible': ['susceptible', 'suspectible'], 'susceptor': ['spectrous', 'susceptor', 'suspector'], 'susie': ['issue', 'susie'], 'suspect': ['suscept', 'suspect'], 'suspecter': ['resuspect', 'suspecter'], 'suspectible': ['susceptible', 'suspectible'], 'suspector': ['spectrous', 'susceptor', 'suspector'], 'suspender': ['resuspend', 'suspender', 'unpressed'], 'sustain': ['issuant', 'sustain'], 'suther': ['reshut', 'suther', 'thurse', 'tusher'], 'sutler': ['luster', 'result', 'rustle', 'sutler', 'ulster'], 'suto': ['otus', 'oust', 'suto'], 'sutor': ['roust', 'rusot', 'stour', 'sutor', 'torus'], 'sutorian': ['staurion', 'sutorian'], 'sutorious': ['sutorious', 'ustorious'], 'sutra': ['astur', 'surat', 'sutra'], 'suttin': ['suttin', 'tunist'], 'suture': ['suture', 'uterus'], 'svante': ['stevan', 'svante'], 'svelte': ['stevel', 'svelte'], 'swa': ['saw', 'swa', 'was'], 'swage': ['swage', 'wages'], 'swain': ['siwan', 'swain'], 'swale': ['swale', 'sweal', 'wasel'], 'swaler': ['swaler', 'warsel', 'warsle'], 'swallet': ['setwall', 'swallet'], 'swallo': ['sallow', 'swallo'], 'swallower': ['reswallow', 'swallower'], 'swami': ['aswim', 'swami'], 'swan': ['sawn', 'snaw', 'swan'], 'swap': ['swap', 'wasp'], 'swarbie': ['barwise', 'swarbie'], 'sware': ['resaw', 'sawer', 'seraw', 'sware', 'swear', 'warse'], 'swarmer': ['reswarm', 'swarmer'], 'swart': ['straw', 'swart', 'warst'], 'swarty': ['strawy', 'swarty'], 'swarve': ['swarve', 'swaver'], 'swat': ['sawt', 'staw', 'swat', 'taws', 'twas', 'wast'], 'swath': ['swath', 'whats'], 'swathe': ['swathe', 'sweath'], 'swati': ['swati', 'waist'], 'swatter': ['stewart', 'swatter'], 'swaver': ['swarve', 'swaver'], 'sway': ['sway', 'ways', 'yaws'], 'swayer': ['sawyer', 'swayer'], 'sweal': ['swale', 'sweal', 'wasel'], 'swear': ['resaw', 'sawer', 'seraw', 'sware', 'swear', 'warse'], 'swearer': ['resawer', 'reswear', 'swearer'], 'sweat': ['awest', 'sweat', 'tawse', 'waste'], 'sweater': ['resweat', 'sweater'], 'sweatful': ['sweatful', 'wasteful'], 'sweath': ['swathe', 'sweath'], 'sweatily': ['sweatily', 'tileways'], 'sweatless': ['sweatless', 'wasteless'], 'sweatproof': ['sweatproof', 'wasteproof'], 'swede': ['sewed', 'swede'], 'sweep': ['sweep', 'weeps'], 'sweeper': ['resweep', 'sweeper'], 'sweer': ['resew', 'sewer', 'sweer'], 'sweered': ['sewered', 'sweered'], 'sweet': ['sweet', 'weste'], 'sweetbread': ['breastweed', 'sweetbread'], 'sweller': ['reswell', 'sweller'], 'swelter': ['swelter', 'wrestle'], 'swep': ['spew', 'swep'], 'swertia': ['swertia', 'waister'], 'swile': ['lewis', 'swile'], 'swiller': ['reswill', 'swiller'], 'swindle': ['swindle', 'windles'], 'swine': ['sinew', 'swine', 'wisen'], 'swinestone': ['sonnetwise', 'swinestone'], 'swiney': ['sinewy', 'swiney'], 'swingback': ['backswing', 'swingback'], 'swinge': ['sewing', 'swinge'], 'swingle': ['slewing', 'swingle'], 'swingtree': ['swingtree', 'westering'], 'swipy': ['swipy', 'wispy'], 'swire': ['swire', 'wiser'], 'swith': ['swith', 'whist', 'whits', 'wisht'], 'swithe': ['swithe', 'whites'], 'swither': ['swither', 'whister', 'withers'], 'swoon': ['swoon', 'woons'], 'swordman': ['sandworm', 'swordman', 'wordsman'], 'swordmanship': ['swordmanship', 'wordsmanship'], 'swore': ['owser', 'resow', 'serow', 'sower', 'swore', 'worse'], 'swot': ['sowt', 'stow', 'swot', 'wots'], 'sybarite': ['bestiary', 'sybarite'], 'sybil': ['sibyl', 'sybil'], 'syce': ['scye', 'syce'], 'sycones': ['coyness', 'sycones'], 'syconoid': ['syconoid', 'syodicon'], 'sye': ['sey', 'sye', 'yes'], 'syenitic': ['cytisine', 'syenitic'], 'syllabi': ['sibylla', 'syllabi'], 'syllable': ['sellably', 'syllable'], 'sylva': ['salvy', 'sylva'], 'sylvae': ['slavey', 'sylvae'], 'sylvine': ['snively', 'sylvine'], 'sylvite': ['levyist', 'sylvite'], 'symbol': ['blosmy', 'symbol'], 'symmetric': ['mycterism', 'symmetric'], 'sympathy': ['sympathy', 'symphyta'], 'symphonic': ['cyphonism', 'symphonic'], 'symphyta': ['sympathy', 'symphyta'], 'symposion': ['spoonyism', 'symposion'], 'synapse': ['synapse', 'yapness'], 'synaptera': ['peasantry', 'synaptera'], 'syncopator': ['antroscopy', 'syncopator'], 'syndicate': ['asyndetic', 'cystidean', 'syndicate'], 'synedral': ['lysander', 'synedral'], 'syngamic': ['gymnasic', 'syngamic'], 'syngenic': ['ensigncy', 'syngenic'], 'synura': ['sunray', 'surnay', 'synura'], 'syodicon': ['syconoid', 'syodicon'], 'sypher': ['sphery', 'sypher'], 'syphiloid': ['hypsiloid', 'syphiloid'], 'syrian': ['siryan', 'syrian'], 'syringa': ['signary', 'syringa'], 'syringeful': ['refusingly', 'syringeful'], 'syrup': ['pursy', 'pyrus', 'syrup'], 'system': ['mystes', 'system'], 'systole': ['systole', 'toyless'], 'ta': ['at', 'ta'], 'taa': ['ata', 'taa'], 'taal': ['lata', 'taal', 'tala'], 'taar': ['rata', 'taar', 'tara'], 'tab': ['bat', 'tab'], 'tabanus': ['sabanut', 'sabutan', 'tabanus'], 'tabaret': ['baretta', 'rabatte', 'tabaret'], 'tabber': ['barbet', 'rabbet', 'tabber'], 'tabella': ['ballate', 'tabella'], 'tabes': ['baste', 'beast', 'tabes'], 'tabet': ['betta', 'tabet'], 'tabinet': ['bettina', 'tabinet', 'tibetan'], 'tabira': ['arabit', 'tabira'], 'tabitha': ['habitat', 'tabitha'], 'tabitude': ['dubitate', 'tabitude'], 'table': ['batel', 'blate', 'bleat', 'table'], 'tabled': ['dablet', 'tabled'], 'tablemaker': ['marketable', 'tablemaker'], 'tabler': ['albert', 'balter', 'labret', 'tabler'], 'tables': ['ablest', 'stable', 'tables'], 'tablet': ['battel', 'battle', 'tablet'], 'tabletary': ['tabletary', 'treatably'], 'tabling': ['batling', 'tabling'], 'tabophobia': ['batophobia', 'tabophobia'], 'tabor': ['abort', 'tabor'], 'taborer': ['arboret', 'roberta', 'taborer'], 'taboret': ['abettor', 'taboret'], 'taborin': ['abortin', 'taborin'], 'tabour': ['outbar', 'rubato', 'tabour'], 'tabouret': ['obturate', 'tabouret'], 'tabret': ['batter', 'bertat', 'tabret', 'tarbet'], 'tabu': ['abut', 'tabu', 'tuba'], 'tabula': ['ablaut', 'tabula'], 'tabulare': ['bataleur', 'tabulare'], 'tabule': ['batule', 'betula', 'tabule'], 'taccaceae': ['cactaceae', 'taccaceae'], 'taccaceous': ['cactaceous', 'taccaceous'], 'tach': ['chat', 'tach'], 'tache': ['cheat', 'tache', 'teach', 'theca'], 'tacheless': ['tacheless', 'teachless'], 'tachina': ['ithacan', 'tachina'], 'tachinidae': ['anthicidae', 'tachinidae'], 'tachograph': ['cathograph', 'tachograph'], 'tacit': ['attic', 'catti', 'tacit'], 'tacitly': ['cattily', 'tacitly'], 'tacitness': ['cattiness', 'tacitness'], 'taciturn': ['taciturn', 'urticant'], 'tacker': ['racket', 'retack', 'tacker'], 'tacksman': ['stackman', 'tacksman'], 'taconian': ['catonian', 'taconian'], 'taconic': ['cantico', 'catonic', 'taconic'], 'tacso': ['ascot', 'coast', 'costa', 'tacso', 'tasco'], 'tacsonia': ['acontias', 'tacsonia'], 'tactile': ['lattice', 'tactile'], 'tade': ['adet', 'date', 'tade', 'tead', 'teda'], 'tadpole': ['platode', 'tadpole'], 'tae': ['ate', 'eat', 'eta', 'tae', 'tea'], 'tael': ['atle', 'laet', 'late', 'leat', 'tael', 'tale', 'teal'], 'taen': ['ante', 'aten', 'etna', 'nate', 'neat', 'taen', 'tane', 'tean'], 'taenia': ['aetian', 'antiae', 'taenia'], 'taeniada': ['anatidae', 'taeniada'], 'taenial': ['laniate', 'natalie', 'taenial'], 'taenian': ['ananite', 'anatine', 'taenian'], 'taenicide': ['deciatine', 'diacetine', 'taenicide', 'teniacide'], 'taeniform': ['forminate', 'fremontia', 'taeniform'], 'taenioid': ['ideation', 'iodinate', 'taenioid'], 'taetsia': ['isatate', 'satiate', 'taetsia'], 'tag': ['gat', 'tag'], 'tagetes': ['gestate', 'tagetes'], 'tagetol': ['lagetto', 'tagetol'], 'tagged': ['gadget', 'tagged'], 'tagger': ['garget', 'tagger'], 'tagilite': ['litigate', 'tagilite'], 'tagish': ['ghaist', 'tagish'], 'taglike': ['glaiket', 'taglike'], 'tagrag': ['ragtag', 'tagrag'], 'tagsore': ['storage', 'tagsore'], 'taheen': ['ethane', 'taheen'], 'tahil': ['ihlat', 'tahil'], 'tahin': ['ahint', 'hiant', 'tahin'], 'tahr': ['hart', 'rath', 'tahr', 'thar', 'trah'], 'tahsil': ['latish', 'tahsil'], 'tahsin': ['snaith', 'tahsin'], 'tai': ['ait', 'ati', 'ita', 'tai'], 'taich': ['aitch', 'chait', 'chati', 'chita', 'taich', 'tchai'], 'taigle': ['aiglet', 'ligate', 'taigle', 'tailge'], 'tail': ['alit', 'tail', 'tali'], 'tailage': ['agalite', 'tailage', 'taliage'], 'tailboard': ['broadtail', 'tailboard'], 'tailed': ['detail', 'dietal', 'dilate', 'edital', 'tailed'], 'tailer': ['lirate', 'retail', 'retial', 'tailer'], 'tailet': ['latite', 'tailet', 'tailte', 'talite'], 'tailge': ['aiglet', 'ligate', 'taigle', 'tailge'], 'tailing': ['gitalin', 'tailing'], 'taille': ['taille', 'telial'], 'tailoring': ['gratiolin', 'largition', 'tailoring'], 'tailorman': ['antimoral', 'tailorman'], 'tailory': ['orality', 'tailory'], 'tailpin': ['pintail', 'tailpin'], 'tailsman': ['staminal', 'tailsman', 'talisman'], 'tailte': ['latite', 'tailet', 'tailte', 'talite'], 'taily': ['laity', 'taily'], 'taimen': ['etamin', 'inmate', 'taimen', 'tamein'], 'tain': ['aint', 'anti', 'tain', 'tina'], 'tainan': ['naiant', 'tainan'], 'taino': ['niota', 'taino'], 'taint': ['taint', 'tanti', 'tinta', 'titan'], 'tainture': ['tainture', 'unattire'], 'taipan': ['aptian', 'patina', 'taipan'], 'taipo': ['patio', 'taipo', 'topia'], 'tairge': ['gaiter', 'tairge', 'triage'], 'tairn': ['riant', 'tairn', 'tarin', 'train'], 'taise': ['saite', 'taise'], 'taistrel': ['starlite', 'taistrel'], 'taistril': ['taistril', 'trialist'], 'taivers': ['staiver', 'taivers'], 'taj': ['jat', 'taj'], 'tajik': ['jatki', 'tajik'], 'takar': ['katar', 'takar'], 'take': ['kate', 'keta', 'take', 'teak'], 'takedown': ['downtake', 'takedown'], 'taker': ['kerat', 'taker'], 'takin': ['kitan', 'takin'], 'takings': ['gitksan', 'skating', 'takings'], 'taky': ['katy', 'kyat', 'taky'], 'tal': ['alt', 'lat', 'tal'], 'tala': ['lata', 'taal', 'tala'], 'talapoin': ['palation', 'talapoin'], 'talar': ['altar', 'artal', 'ratal', 'talar'], 'talari': ['altair', 'atrail', 'atrial', 'lariat', 'latria', 'talari'], 'talc': ['clat', 'talc'], 'talcer': ['carlet', 'cartel', 'claret', 'rectal', 'talcer'], 'talcher': ['clethra', 'latcher', 'ratchel', 'relatch', 'talcher', 'trachle'], 'talcoid': ['cotidal', 'lactoid', 'talcoid'], 'talcose': ['alecost', 'lactose', 'scotale', 'talcose'], 'talcous': ['costula', 'locusta', 'talcous'], 'tald': ['dalt', 'tald'], 'tale': ['atle', 'laet', 'late', 'leat', 'tael', 'tale', 'teal'], 'taled': ['adlet', 'dealt', 'delta', 'lated', 'taled'], 'talent': ['latent', 'latten', 'nattle', 'talent', 'tantle'], 'taler': ['alert', 'alter', 'artel', 'later', 'ratel', 'taler', 'telar'], 'tales': ['least', 'setal', 'slate', 'stale', 'steal', 'stela', 'tales'], 'tali': ['alit', 'tail', 'tali'], 'taliage': ['agalite', 'tailage', 'taliage'], 'taligrade': ['taligrade', 'tragedial'], 'talinum': ['multani', 'talinum'], 'talion': ['italon', 'lation', 'talion'], 'taliped': ['plaited', 'taliped'], 'talipedic': ['talipedic', 'talpicide'], 'talipes': ['aliptes', 'pastile', 'talipes'], 'talipot': ['ptilota', 'talipot', 'toptail'], 'talis': ['alist', 'litas', 'slait', 'talis'], 'talisman': ['staminal', 'tailsman', 'talisman'], 'talite': ['latite', 'tailet', 'tailte', 'talite'], 'talker': ['kartel', 'retalk', 'talker'], 'tallage': ['gallate', 'tallage'], 'tallero': ['reallot', 'rotella', 'tallero'], 'talles': ['sallet', 'stella', 'talles'], 'talliage': ['allagite', 'alligate', 'talliage'], 'tallier': ['literal', 'tallier'], 'tallyho': ['loathly', 'tallyho'], 'talon': ['notal', 'ontal', 'talon', 'tolan', 'tonal'], 'taloned': ['taloned', 'toledan'], 'talonid': ['itoland', 'talonid', 'tindalo'], 'talose': ['lotase', 'osteal', 'solate', 'stolae', 'talose'], 'talpa': ['aptal', 'palta', 'talpa'], 'talpicide': ['talipedic', 'talpicide'], 'talpidae': ['lapidate', 'talpidae'], 'talpine': ['pantile', 'pentail', 'platine', 'talpine'], 'talpoid': ['platoid', 'talpoid'], 'taluche': ['auchlet', 'cutheal', 'taluche'], 'taluka': ['latuka', 'taluka'], 'talus': ['latus', 'sault', 'talus'], 'tam': ['amt', 'mat', 'tam'], 'tama': ['atma', 'tama'], 'tamale': ['malate', 'meatal', 'tamale'], 'tamanac': ['matacan', 'tamanac'], 'tamanaca': ['atacaman', 'tamanaca'], 'tamanoir': ['animator', 'tamanoir'], 'tamanu': ['anatum', 'mantua', 'tamanu'], 'tamara': ['armata', 'matara', 'tamara'], 'tamarao': ['tamarao', 'tamaroa'], 'tamarin': ['martian', 'tamarin'], 'tamaroa': ['tamarao', 'tamaroa'], 'tambor': ['tambor', 'tromba'], 'tamboura': ['marabout', 'marabuto', 'tamboura'], 'tambourer': ['arboretum', 'tambourer'], 'tambreet': ['ambrette', 'tambreet'], 'tamburan': ['rambutan', 'tamburan'], 'tame': ['mate', 'meat', 'meta', 'tame', 'team', 'tema'], 'tamein': ['etamin', 'inmate', 'taimen', 'tamein'], 'tameless': ['mateless', 'meatless', 'tameless', 'teamless'], 'tamelessness': ['matelessness', 'tamelessness'], 'tamely': ['mately', 'tamely'], 'tamer': ['armet', 'mater', 'merat', 'metra', 'ramet', 'tamer', 'terma', 'trame', 'trema'], 'tamise': ['samite', 'semita', 'tamise', 'teaism'], 'tampin': ['pitman', 'tampin', 'tipman'], 'tampion': ['maintop', 'ptomain', 'tampion', 'timpano'], 'tampioned': ['ademption', 'tampioned'], 'tampon': ['potman', 'tampon', 'topman'], 'tamul': ['lamut', 'tamul'], 'tamus': ['matsu', 'tamus', 'tsuma'], 'tan': ['ant', 'nat', 'tan'], 'tana': ['anat', 'anta', 'tana'], 'tanach': ['acanth', 'anchat', 'tanach'], 'tanager': ['argante', 'granate', 'tanager'], 'tanagridae': ['tanagridae', 'tangaridae'], 'tanagrine': ['argentina', 'tanagrine'], 'tanagroid': ['gradation', 'indagator', 'tanagroid'], 'tanak': ['kanat', 'tanak', 'tanka'], 'tanaka': ['nataka', 'tanaka'], 'tanala': ['atalan', 'tanala'], 'tanan': ['annat', 'tanan'], 'tanbur': ['tanbur', 'turban'], 'tancel': ['cantle', 'cental', 'lancet', 'tancel'], 'tanchoir': ['anorthic', 'anthroic', 'tanchoir'], 'tandemist': ['misattend', 'tandemist'], 'tandle': ['dental', 'tandle'], 'tandour': ['rotunda', 'tandour'], 'tane': ['ante', 'aten', 'etna', 'nate', 'neat', 'taen', 'tane', 'tean'], 'tang': ['gant', 'gnat', 'tang'], 'tanga': ['ganta', 'tanga'], 'tangaridae': ['tanagridae', 'tangaridae'], 'tangelo': ['angelot', 'tangelo'], 'tanger': ['argent', 'garnet', 'garten', 'tanger'], 'tangerine': ['argentine', 'tangerine'], 'tangfish': ['shafting', 'tangfish'], 'tangi': ['giant', 'tangi', 'tiang'], 'tangibile': ['bigential', 'tangibile'], 'tangible': ['bleating', 'tangible'], 'tangie': ['eating', 'ingate', 'tangie'], 'tangier': ['angrite', 'granite', 'ingrate', 'tangier', 'tearing', 'tigrean'], 'tangle': ['tangle', 'telang'], 'tangling': ['gnatling', 'tangling'], 'tango': ['tango', 'tonga'], 'tangs': ['angst', 'stang', 'tangs'], 'tangue': ['gunate', 'tangue'], 'tangum': ['tangum', 'tugman'], 'tangun': ['tangun', 'tungan'], 'tanh': ['hant', 'tanh', 'than'], 'tanha': ['atnah', 'tanha', 'thana'], 'tania': ['anita', 'niata', 'tania'], 'tanica': ['actian', 'natica', 'tanica'], 'tanier': ['nerita', 'ratine', 'retain', 'retina', 'tanier'], 'tanist': ['astint', 'tanist'], 'tanitic': ['tanitic', 'titanic'], 'tanka': ['kanat', 'tanak', 'tanka'], 'tankle': ['anklet', 'lanket', 'tankle'], 'tanling': ['antling', 'tanling'], 'tannaic': ['cantina', 'tannaic'], 'tannase': ['annates', 'tannase'], 'tannogallate': ['gallotannate', 'tannogallate'], 'tannogallic': ['gallotannic', 'tannogallic'], 'tannogen': ['nonagent', 'tannogen'], 'tanproof': ['antproof', 'tanproof'], 'tanquen': ['quannet', 'tanquen'], 'tanrec': ['canter', 'creant', 'cretan', 'nectar', 'recant', 'tanrec', 'trance'], 'tansy': ['nasty', 'styan', 'tansy'], 'tantalean': ['antenatal', 'atlantean', 'tantalean'], 'tantalic': ['atlantic', 'tantalic'], 'tantalite': ['atlantite', 'tantalite'], 'tantara': ['tantara', 'tartana'], 'tantarara': ['tantarara', 'tarantara'], 'tanti': ['taint', 'tanti', 'tinta', 'titan'], 'tantle': ['latent', 'latten', 'nattle', 'talent', 'tantle'], 'tantra': ['rattan', 'tantra', 'tartan'], 'tantrism': ['tantrism', 'transmit'], 'tantum': ['mutant', 'tantum', 'tutman'], 'tanzeb': ['batzen', 'bezant', 'tanzeb'], 'tao': ['oat', 'tao', 'toa'], 'taoistic': ['iotacist', 'taoistic'], 'taos': ['oast', 'stoa', 'taos'], 'tap': ['apt', 'pat', 'tap'], 'tapa': ['atap', 'pata', 'tapa'], 'tapalo': ['patola', 'tapalo'], 'tapas': ['patas', 'tapas'], 'tape': ['pate', 'peat', 'tape', 'teap'], 'tapeline': ['petaline', 'tapeline'], 'tapeman': ['peatman', 'tapeman'], 'tapen': ['enapt', 'paten', 'penta', 'tapen'], 'taper': ['apert', 'pater', 'peart', 'prate', 'taper', 'terap'], 'tapered': ['padtree', 'predate', 'tapered'], 'tapering': ['partigen', 'tapering'], 'taperly': ['apertly', 'peartly', 'platery', 'pteryla', 'taperly'], 'taperness': ['apertness', 'peartness', 'taperness'], 'tapestring': ['spattering', 'tapestring'], 'tapestry': ['tapestry', 'tryptase'], 'tapet': ['patte', 'tapet'], 'tapete': ['pattee', 'tapete'], 'taphouse': ['outshape', 'taphouse'], 'taphria': ['pitarah', 'taphria'], 'taphrina': ['parthian', 'taphrina'], 'tapir': ['atrip', 'tapir'], 'tapiro': ['portia', 'tapiro'], 'tapirus': ['tapirus', 'upstair'], 'tapis': ['piast', 'stipa', 'tapis'], 'taplash': ['asphalt', 'spathal', 'taplash'], 'tapmost': ['tapmost', 'topmast'], 'tapnet': ['patent', 'patten', 'tapnet'], 'tapoa': ['opata', 'patao', 'tapoa'], 'taposa': ['sapota', 'taposa'], 'taproom': ['protoma', 'taproom'], 'taproot': ['potator', 'taproot'], 'taps': ['past', 'spat', 'stap', 'taps'], 'tapster': ['spatter', 'tapster'], 'tapu': ['patu', 'paut', 'tapu'], 'tapuyo': ['outpay', 'tapuyo'], 'taqua': ['quata', 'taqua'], 'tar': ['art', 'rat', 'tar', 'tra'], 'tara': ['rata', 'taar', 'tara'], 'taraf': ['taraf', 'tarfa'], 'tarai': ['arati', 'atria', 'riata', 'tarai', 'tiara'], 'taranchi': ['taranchi', 'thracian'], 'tarantara': ['tantarara', 'tarantara'], 'tarapin': ['patarin', 'tarapin'], 'tarasc': ['castra', 'tarasc'], 'tarbet': ['batter', 'bertat', 'tabret', 'tarbet'], 'tardle': ['dartle', 'tardle'], 'tardy': ['tardy', 'trady'], 'tare': ['rate', 'tare', 'tear', 'tera'], 'tarente': ['entreat', 'ratteen', 'tarente', 'ternate', 'tetrane'], 'tarentine': ['entertain', 'tarentine', 'terentian'], 'tarfa': ['taraf', 'tarfa'], 'targe': ['gater', 'grate', 'great', 'greta', 'retag', 'targe'], 'targeman': ['grateman', 'mangrate', 'mentagra', 'targeman'], 'targer': ['garret', 'garter', 'grater', 'targer'], 'target': ['gatter', 'target'], 'targetman': ['targetman', 'termagant'], 'targum': ['artgum', 'targum'], 'tarheel': ['leather', 'tarheel'], 'tarheeler': ['leatherer', 'releather', 'tarheeler'], 'tari': ['airt', 'rita', 'tari', 'tiar'], 'tarie': ['arite', 'artie', 'irate', 'retia', 'tarie'], 'tarin': ['riant', 'tairn', 'tarin', 'train'], 'tarish': ['rashti', 'tarish'], 'tarletan': ['alterant', 'tarletan'], 'tarlike': ['artlike', 'ratlike', 'tarlike'], 'tarmac': ['mactra', 'tarmac'], 'tarman': ['mantra', 'tarman'], 'tarmi': ['mitra', 'tarmi', 'timar', 'tirma'], 'tarn': ['natr', 'rant', 'tarn', 'tran'], 'tarnal': ['antral', 'tarnal'], 'tarnish': ['tarnish', 'trishna'], 'tarnside': ['stradine', 'strained', 'tarnside'], 'taro': ['rota', 'taro', 'tora'], 'taroc': ['actor', 'corta', 'croat', 'rocta', 'taroc', 'troca'], 'tarocco': ['coactor', 'tarocco'], 'tarok': ['kotar', 'tarok'], 'tarot': ['ottar', 'tarot', 'torta', 'troat'], 'tarp': ['part', 'prat', 'rapt', 'tarp', 'trap'], 'tarpan': ['partan', 'tarpan'], 'tarpaulin': ['tarpaulin', 'unpartial'], 'tarpeian': ['patarine', 'tarpeian'], 'tarpon': ['patron', 'tarpon'], 'tarquin': ['quatrin', 'tarquin'], 'tarragon': ['arrogant', 'tarragon'], 'tarred': ['darter', 'dartre', 'redart', 'retard', 'retrad', 'tarred', 'trader'], 'tarrer': ['tarrer', 'terrar'], 'tarriance': ['antiracer', 'tarriance'], 'tarrie': ['arriet', 'tarrie'], 'tars': ['sart', 'star', 'stra', 'tars', 'tsar'], 'tarsal': ['astral', 'tarsal'], 'tarsale': ['alaster', 'tarsale'], 'tarsalgia': ['astragali', 'tarsalgia'], 'tarse': ['aster', 'serta', 'stare', 'strae', 'tarse', 'teras'], 'tarsi': ['arist', 'astir', 'sitar', 'stair', 'stria', 'tarsi', 'tisar', 'trias'], 'tarsia': ['arista', 'tarsia'], 'tarsier': ['astrier', 'tarsier'], 'tarsipes': ['piratess', 'serapist', 'tarsipes'], 'tarsitis': ['satirist', 'tarsitis'], 'tarsome': ['maestro', 'tarsome'], 'tarsonemid': ['mosandrite', 'tarsonemid'], 'tarsonemus': ['sarmentous', 'tarsonemus'], 'tarsus': ['rastus', 'tarsus'], 'tartan': ['rattan', 'tantra', 'tartan'], 'tartana': ['tantara', 'tartana'], 'tartaret': ['tartaret', 'tartrate'], 'tartarin': ['tartarin', 'triratna'], 'tartarous': ['saturator', 'tartarous'], 'tarten': ['attern', 'natter', 'ratten', 'tarten'], 'tartish': ['athirst', 'rattish', 'tartish'], 'tartle': ['artlet', 'latter', 'rattle', 'tartle', 'tatler'], 'tartlet': ['tartlet', 'tattler'], 'tartly': ['rattly', 'tartly'], 'tartrate': ['tartaret', 'tartrate'], 'taruma': ['taruma', 'trauma'], 'tarve': ['avert', 'tarve', 'taver', 'trave'], 'tarweed': ['dewater', 'tarweed', 'watered'], 'tarwood': ['ratwood', 'tarwood'], 'taryba': ['baryta', 'taryba'], 'tasco': ['ascot', 'coast', 'costa', 'tacso', 'tasco'], 'tash': ['shat', 'tash'], 'tasheriff': ['fireshaft', 'tasheriff'], 'tashie': ['saithe', 'tashie', 'teaish'], 'tashrif': ['ratfish', 'tashrif'], 'tasian': ['astian', 'tasian'], 'tasimetry': ['myristate', 'tasimetry'], 'task': ['skat', 'task'], 'tasker': ['skater', 'staker', 'strake', 'streak', 'tasker'], 'taslet': ['latest', 'sattle', 'taslet'], 'tasmanite': ['emanatist', 'staminate', 'tasmanite'], 'tassah': ['shasta', 'tassah'], 'tasse': ['asset', 'tasse'], 'tassel': ['lasset', 'tassel'], 'tasseler': ['rateless', 'tasseler', 'tearless', 'tesseral'], 'tasser': ['assert', 'tasser'], 'tassie': ['siesta', 'tassie'], 'tastable': ['statable', 'tastable'], 'taste': ['state', 'taste', 'tates', 'testa'], 'tasted': ['stated', 'tasted'], 'tasteful': ['stateful', 'tasteful'], 'tastefully': ['statefully', 'tastefully'], 'tastefulness': ['statefulness', 'tastefulness'], 'tasteless': ['stateless', 'tasteless'], 'taster': ['stater', 'taster', 'testar'], 'tasu': ['saut', 'tasu', 'utas'], 'tatar': ['attar', 'tatar'], 'tatarize': ['tatarize', 'zaratite'], 'tatchy': ['chatty', 'tatchy'], 'tate': ['etta', 'tate', 'teat'], 'tater': ['atter', 'tater', 'teart', 'tetra', 'treat'], 'tates': ['state', 'taste', 'tates', 'testa'], 'tath': ['hatt', 'tath', 'that'], 'tatian': ['attain', 'tatian'], 'tatler': ['artlet', 'latter', 'rattle', 'tartle', 'tatler'], 'tatterly': ['tatterly', 'tattlery'], 'tattler': ['tartlet', 'tattler'], 'tattlery': ['tatterly', 'tattlery'], 'tatu': ['tatu', 'taut'], 'tau': ['tau', 'tua', 'uta'], 'taube': ['butea', 'taube', 'tubae'], 'taula': ['aluta', 'taula'], 'taum': ['muta', 'taum'], 'taun': ['antu', 'aunt', 'naut', 'taun', 'tuan', 'tuna'], 'taungthu': ['taungthu', 'untaught'], 'taupe': ['taupe', 'upeat'], 'taupo': ['apout', 'taupo'], 'taur': ['ruta', 'taur'], 'taurean': ['taurean', 'uranate'], 'tauric': ['tauric', 'uratic', 'urtica'], 'taurine': ['ruinate', 'taurine', 'uranite', 'urinate'], 'taurocol': ['outcarol', 'taurocol'], 'taut': ['tatu', 'taut'], 'tauten': ['attune', 'nutate', 'tauten'], 'tautomeric': ['autometric', 'tautomeric'], 'tautomery': ['autometry', 'tautomery'], 'tav': ['tav', 'vat'], 'tavast': ['sattva', 'tavast'], 'tave': ['tave', 'veta'], 'taver': ['avert', 'tarve', 'taver', 'trave'], 'tavers': ['starve', 'staver', 'strave', 'tavers', 'versta'], 'tavert': ['tavert', 'vatter'], 'tavola': ['tavola', 'volata'], 'taw': ['taw', 'twa', 'wat'], 'tawa': ['awat', 'tawa'], 'tawer': ['tawer', 'water', 'wreat'], 'tawery': ['tawery', 'watery'], 'tawite': ['tawite', 'tawtie', 'twaite'], 'tawn': ['nawt', 'tawn', 'want'], 'tawny': ['tawny', 'wanty'], 'taws': ['sawt', 'staw', 'swat', 'taws', 'twas', 'wast'], 'tawse': ['awest', 'sweat', 'tawse', 'waste'], 'tawtie': ['tawite', 'tawtie', 'twaite'], 'taxed': ['detax', 'taxed'], 'taxer': ['extra', 'retax', 'taxer'], 'tay': ['tay', 'yat'], 'tayer': ['tayer', 'teary'], 'tchai': ['aitch', 'chait', 'chati', 'chita', 'taich', 'tchai'], 'tche': ['chet', 'etch', 'tche', 'tech'], 'tchi': ['chit', 'itch', 'tchi'], 'tchu': ['chut', 'tchu', 'utch'], 'tchwi': ['tchwi', 'wicht', 'witch'], 'tea': ['ate', 'eat', 'eta', 'tae', 'tea'], 'teaberry': ['betrayer', 'eatberry', 'rebetray', 'teaberry'], 'teaboy': ['betoya', 'teaboy'], 'teacart': ['caretta', 'teacart', 'tearcat'], 'teach': ['cheat', 'tache', 'teach', 'theca'], 'teachable': ['cheatable', 'teachable'], 'teachableness': ['cheatableness', 'teachableness'], 'teache': ['achete', 'hecate', 'teache', 'thecae'], 'teacher': ['cheater', 'hectare', 'recheat', 'reteach', 'teacher'], 'teachery': ['cheatery', 'cytherea', 'teachery'], 'teaching': ['cheating', 'teaching'], 'teachingly': ['cheatingly', 'teachingly'], 'teachless': ['tacheless', 'teachless'], 'tead': ['adet', 'date', 'tade', 'tead', 'teda'], 'teaer': ['arete', 'eater', 'teaer'], 'teagle': ['eaglet', 'legate', 'teagle', 'telega'], 'teaish': ['saithe', 'tashie', 'teaish'], 'teaism': ['samite', 'semita', 'tamise', 'teaism'], 'teak': ['kate', 'keta', 'take', 'teak'], 'teal': ['atle', 'laet', 'late', 'leat', 'tael', 'tale', 'teal'], 'team': ['mate', 'meat', 'meta', 'tame', 'team', 'tema'], 'teamer': ['reetam', 'retame', 'teamer'], 'teaming': ['mintage', 'teaming', 'tegmina'], 'teamless': ['mateless', 'meatless', 'tameless', 'teamless'], 'teamman': ['meatman', 'teamman'], 'teamster': ['teamster', 'trametes'], 'tean': ['ante', 'aten', 'etna', 'nate', 'neat', 'taen', 'tane', 'tean'], 'teanal': ['anteal', 'lanate', 'teanal'], 'teap': ['pate', 'peat', 'tape', 'teap'], 'teapot': ['aptote', 'optate', 'potate', 'teapot'], 'tear': ['rate', 'tare', 'tear', 'tera'], 'tearable': ['elabrate', 'tearable'], 'tearably': ['betrayal', 'tearably'], 'tearcat': ['caretta', 'teacart', 'tearcat'], 'teardown': ['danewort', 'teardown'], 'teardrop': ['predator', 'protrade', 'teardrop'], 'tearer': ['rerate', 'retare', 'tearer'], 'tearful': ['faulter', 'refutal', 'tearful'], 'tearing': ['angrite', 'granite', 'ingrate', 'tangier', 'tearing', 'tigrean'], 'tearless': ['rateless', 'tasseler', 'tearless', 'tesseral'], 'tearlike': ['keralite', 'tearlike'], 'tearpit': ['partite', 'tearpit'], 'teart': ['atter', 'tater', 'teart', 'tetra', 'treat'], 'teary': ['tayer', 'teary'], 'teasably': ['stayable', 'teasably'], 'tease': ['setae', 'tease'], 'teasel': ['ateles', 'saltee', 'sealet', 'stelae', 'teasel'], 'teaser': ['asteer', 'easter', 'eastre', 'reseat', 'saeter', 'seater', 'staree', 'teaser', 'teresa'], 'teasing': ['easting', 'gainset', 'genista', 'ingesta', 'seating', 'signate', 'teasing'], 'teasler': ['realest', 'reslate', 'resteal', 'stealer', 'teasler'], 'teasy': ['teasy', 'yeast'], 'teat': ['etta', 'tate', 'teat'], 'teather': ['teather', 'theater', 'thereat'], 'tebu': ['bute', 'tebu', 'tube'], 'teca': ['cate', 'teca'], 'tecali': ['calite', 'laetic', 'tecali'], 'tech': ['chet', 'etch', 'tche', 'tech'], 'techily': ['ethylic', 'techily'], 'technica': ['atechnic', 'catechin', 'technica'], 'technocracy': ['conycatcher', 'technocracy'], 'technopsychology': ['psychotechnology', 'technopsychology'], 'techous': ['souchet', 'techous', 'tousche'], 'techy': ['techy', 'tyche'], 'tecla': ['cleat', 'eclat', 'ectal', 'lacet', 'tecla'], 'teco': ['cote', 'teco'], 'tecoma': ['comate', 'metoac', 'tecoma'], 'tecomin': ['centimo', 'entomic', 'tecomin'], 'tecon': ['cento', 'conte', 'tecon'], 'tectal': ['cattle', 'tectal'], 'tectology': ['ctetology', 'tectology'], 'tectona': ['oncetta', 'tectona'], 'tectospinal': ['entoplastic', 'spinotectal', 'tectospinal', 'tenoplastic'], 'tecuma': ['acetum', 'tecuma'], 'tecuna': ['tecuna', 'uncate'], 'teda': ['adet', 'date', 'tade', 'tead', 'teda'], 'tedious': ['outside', 'tedious'], 'tediousness': ['outsideness', 'tediousness'], 'teedle': ['delete', 'teedle'], 'teel': ['leet', 'lete', 'teel', 'tele'], 'teem': ['meet', 'mete', 'teem'], 'teemer': ['meeter', 'remeet', 'teemer'], 'teeming': ['meeting', 'teeming', 'tegmine'], 'teems': ['teems', 'temse'], 'teen': ['neet', 'nete', 'teen'], 'teens': ['steen', 'teens', 'tense'], 'teer': ['reet', 'teer', 'tree'], 'teerer': ['retree', 'teerer'], 'teest': ['teest', 'teste'], 'teet': ['teet', 'tete'], 'teeter': ['teeter', 'terete'], 'teeth': ['teeth', 'theet'], 'teething': ['genthite', 'teething'], 'teg': ['get', 'teg'], 'tegean': ['geneat', 'negate', 'tegean'], 'tegmina': ['mintage', 'teaming', 'tegmina'], 'tegminal': ['ligament', 'metaling', 'tegminal'], 'tegmine': ['meeting', 'teeming', 'tegmine'], 'tegular': ['gaulter', 'tegular'], 'teheran': ['earthen', 'enheart', 'hearten', 'naether', 'teheran', 'traheen'], 'tehsildar': ['heraldist', 'tehsildar'], 'teian': ['entia', 'teian', 'tenai', 'tinea'], 'teicher': ['erethic', 'etheric', 'heretic', 'heteric', 'teicher'], 'teil': ['lite', 'teil', 'teli', 'tile'], 'teind': ['detin', 'teind', 'tined'], 'teinder': ['nitered', 'redient', 'teinder'], 'teinland': ['dentinal', 'teinland', 'tendinal'], 'teioid': ['iodite', 'teioid'], 'teju': ['jute', 'teju'], 'telamon': ['omental', 'telamon'], 'telang': ['tangle', 'telang'], 'telar': ['alert', 'alter', 'artel', 'later', 'ratel', 'taler', 'telar'], 'telarian': ['retainal', 'telarian'], 'telary': ['lyrate', 'raylet', 'realty', 'telary'], 'tele': ['leet', 'lete', 'teel', 'tele'], 'telecast': ['castelet', 'telecast'], 'telega': ['eaglet', 'legate', 'teagle', 'telega'], 'telegn': ['gentle', 'telegn'], 'telegrapher': ['retelegraph', 'telegrapher'], 'telei': ['elite', 'telei'], 'telephone': ['phenetole', 'telephone'], 'telephony': ['polythene', 'telephony'], 'telephotograph': ['phototelegraph', 'telephotograph'], 'telephotographic': ['phototelegraphic', 'telephotographic'], 'telephotography': ['phototelegraphy', 'telephotography'], 'teleradiophone': ['radiotelephone', 'teleradiophone'], 'teleran': ['alterne', 'enteral', 'eternal', 'teleran', 'teneral'], 'teleseism': ['messelite', 'semisteel', 'teleseism'], 'telespectroscope': ['spectrotelescope', 'telespectroscope'], 'telestereoscope': ['stereotelescope', 'telestereoscope'], 'telestial': ['satellite', 'telestial'], 'telestic': ['telestic', 'testicle'], 'telfer': ['felter', 'telfer', 'trefle'], 'teli': ['lite', 'teil', 'teli', 'tile'], 'telial': ['taille', 'telial'], 'telic': ['clite', 'telic'], 'telinga': ['atingle', 'gelatin', 'genital', 'langite', 'telinga'], 'tellach': ['hellcat', 'tellach'], 'teller': ['retell', 'teller'], 'tellima': ['mitella', 'tellima'], 'tellina': ['nitella', 'tellina'], 'tellurian': ['tellurian', 'unliteral'], 'telome': ['omelet', 'telome'], 'telonism': ['melonist', 'telonism'], 'telopsis': ['polistes', 'telopsis'], 'telpath': ['pathlet', 'telpath'], 'telson': ['solent', 'stolen', 'telson'], 'telsonic': ['lentisco', 'telsonic'], 'telt': ['lett', 'telt'], 'tema': ['mate', 'meat', 'meta', 'tame', 'team', 'tema'], 'teman': ['ament', 'meant', 'teman'], 'temin': ['metin', 'temin', 'timne'], 'temp': ['empt', 'temp'], 'tempean': ['peteman', 'tempean'], 'temper': ['temper', 'tempre'], 'tempera': ['premate', 'tempera'], 'temperer': ['retemper', 'temperer'], 'temperish': ['herpetism', 'metership', 'metreship', 'temperish'], 'templar': ['templar', 'trample'], 'template': ['palmette', 'template'], 'temple': ['pelmet', 'temple'], 'tempora': ['pteroma', 'tempora'], 'temporarily': ['polarimetry', 'premorality', 'temporarily'], 'temporofrontal': ['frontotemporal', 'temporofrontal'], 'temporooccipital': ['occipitotemporal', 'temporooccipital'], 'temporoparietal': ['parietotemporal', 'temporoparietal'], 'tempre': ['temper', 'tempre'], 'tempter': ['retempt', 'tempter'], 'temse': ['teems', 'temse'], 'temser': ['mester', 'restem', 'temser', 'termes'], 'temulent': ['temulent', 'unmettle'], 'ten': ['net', 'ten'], 'tenable': ['beltane', 'tenable'], 'tenace': ['cetane', 'tenace'], 'tenai': ['entia', 'teian', 'tenai', 'tinea'], 'tenanter': ['retenant', 'tenanter'], 'tenantless': ['latentness', 'tenantless'], 'tencteri': ['reticent', 'tencteri'], 'tend': ['dent', 'tend'], 'tender': ['denter', 'rented', 'tender'], 'tenderer': ['retender', 'tenderer'], 'tenderish': ['disherent', 'hinderest', 'tenderish'], 'tendinal': ['dentinal', 'teinland', 'tendinal'], 'tendinitis': ['dentinitis', 'tendinitis'], 'tendour': ['tendour', 'unroted'], 'tendril': ['tendril', 'trindle'], 'tendron': ['donnert', 'tendron'], 'teneral': ['alterne', 'enteral', 'eternal', 'teleran', 'teneral'], 'teneriffe': ['fifteener', 'teneriffe'], 'tenesmus': ['muteness', 'tenesmus'], 'teng': ['gent', 'teng'], 'tengu': ['tengu', 'unget'], 'teniacidal': ['acetanilid', 'laciniated', 'teniacidal'], 'teniacide': ['deciatine', 'diacetine', 'taenicide', 'teniacide'], 'tenible': ['beltine', 'tenible'], 'tenino': ['intone', 'tenino'], 'tenline': ['lenient', 'tenline'], 'tenner': ['rennet', 'tenner'], 'tennis': ['innest', 'sennit', 'sinnet', 'tennis'], 'tenomyotomy': ['myotenotomy', 'tenomyotomy'], 'tenon': ['nonet', 'tenon'], 'tenoner': ['enteron', 'tenoner'], 'tenonian': ['annotine', 'tenonian'], 'tenonitis': ['sentition', 'tenonitis'], 'tenontophyma': ['nematophyton', 'tenontophyma'], 'tenophyte': ['entophyte', 'tenophyte'], 'tenoplastic': ['entoplastic', 'spinotectal', 'tectospinal', 'tenoplastic'], 'tenor': ['noter', 'tenor', 'toner', 'trone'], 'tenorist': ['ortstein', 'tenorist'], 'tenovaginitis': ['investigation', 'tenovaginitis'], 'tenpin': ['pinnet', 'tenpin'], 'tenrec': ['center', 'recent', 'tenrec'], 'tense': ['steen', 'teens', 'tense'], 'tensible': ['nebelist', 'stilbene', 'tensible'], 'tensile': ['leisten', 'setline', 'tensile'], 'tension': ['stenion', 'tension'], 'tensional': ['alstonine', 'tensional'], 'tensive': ['estevin', 'tensive'], 'tenson': ['sonnet', 'stonen', 'tenson'], 'tensor': ['nestor', 'sterno', 'stoner', 'strone', 'tensor'], 'tentable': ['nettable', 'tentable'], 'tentacle': ['ectental', 'tentacle'], 'tentage': ['genetta', 'tentage'], 'tentation': ['attention', 'tentation'], 'tentative': ['attentive', 'tentative'], 'tentatively': ['attentively', 'tentatively'], 'tentativeness': ['attentiveness', 'tentativeness'], 'tented': ['detent', 'netted', 'tented'], 'tenter': ['netter', 'retent', 'tenter'], 'tention': ['nettion', 'tention', 'tontine'], 'tentorial': ['natrolite', 'tentorial'], 'tenty': ['netty', 'tenty'], 'tenuiroster': ['tenuiroster', 'urosternite'], 'tenuistriate': ['intersituate', 'tenuistriate'], 'tenure': ['neuter', 'retune', 'runtee', 'tenure', 'tureen'], 'tenurial': ['lutrinae', 'retinula', 'rutelian', 'tenurial'], 'teocalli': ['colletia', 'teocalli'], 'teosinte': ['noisette', 'teosinte'], 'tepache': ['heptace', 'tepache'], 'tepal': ['leapt', 'palet', 'patel', 'pelta', 'petal', 'plate', 'pleat', 'tepal'], 'tepanec': ['pentace', 'tepanec'], 'tepecano': ['conepate', 'tepecano'], 'tephrite': ['perthite', 'tephrite'], 'tephritic': ['perthitic', 'tephritic'], 'tephroite': ['heptorite', 'tephroite'], 'tephrosis': ['posterish', 'prothesis', 'sophister', 'storeship', 'tephrosis'], 'tepor': ['poter', 'prote', 'repot', 'tepor', 'toper', 'trope'], 'tequila': ['liquate', 'tequila'], 'tera': ['rate', 'tare', 'tear', 'tera'], 'teraglin': ['integral', 'teraglin', 'triangle'], 'terap': ['apert', 'pater', 'peart', 'prate', 'taper', 'terap'], 'teras': ['aster', 'serta', 'stare', 'strae', 'tarse', 'teras'], 'teratism': ['mistreat', 'teratism'], 'terbia': ['baiter', 'barite', 'rebait', 'terbia'], 'terbium': ['burmite', 'imbrute', 'terbium'], 'tercelet': ['electret', 'tercelet'], 'terceron': ['corrente', 'terceron'], 'tercia': ['acrite', 'arcite', 'tercia', 'triace', 'tricae'], 'tercine': ['citrene', 'enteric', 'enticer', 'tercine'], 'tercio': ['erotic', 'tercio'], 'terebilic': ['celtiberi', 'terebilic'], 'terebinthian': ['terebinthian', 'terebinthina'], 'terebinthina': ['terebinthian', 'terebinthina'], 'terebra': ['rebater', 'terebra'], 'terebral': ['barrelet', 'terebral'], 'terentian': ['entertain', 'tarentine', 'terentian'], 'teresa': ['asteer', 'easter', 'eastre', 'reseat', 'saeter', 'seater', 'staree', 'teaser', 'teresa'], 'teresian': ['arsenite', 'resinate', 'teresian', 'teresina'], 'teresina': ['arsenite', 'resinate', 'teresian', 'teresina'], 'terete': ['teeter', 'terete'], 'teretial': ['laterite', 'literate', 'teretial'], 'tereus': ['retuse', 'tereus'], 'tergal': ['raglet', 'tergal'], 'tergant': ['garnett', 'gnatter', 'gratten', 'tergant'], 'tergeminous': ['mentigerous', 'tergeminous'], 'teri': ['iter', 'reit', 'rite', 'teri', 'tier', 'tire'], 'teriann': ['entrain', 'teriann'], 'terma': ['armet', 'mater', 'merat', 'metra', 'ramet', 'tamer', 'terma', 'trame', 'trema'], 'termagant': ['targetman', 'termagant'], 'termes': ['mester', 'restem', 'temser', 'termes'], 'termin': ['minter', 'remint', 'termin'], 'terminal': ['terminal', 'tramline'], 'terminalia': ['laminarite', 'terminalia'], 'terminate': ['antimeter', 'attermine', 'interteam', 'terminate', 'tetramine'], 'termini': ['interim', 'termini'], 'terminine': ['intermine', 'nemertini', 'terminine'], 'terminus': ['numerist', 'terminus'], 'termital': ['remittal', 'termital'], 'termite': ['emitter', 'termite'], 'termly': ['myrtle', 'termly'], 'termon': ['mentor', 'merton', 'termon', 'tormen'], 'termor': ['termor', 'tremor'], 'tern': ['rent', 'tern'], 'terna': ['antre', 'arent', 'retan', 'terna'], 'ternal': ['altern', 'antler', 'learnt', 'rental', 'ternal'], 'ternar': ['arrent', 'errant', 'ranter', 'ternar'], 'ternarious': ['souterrain', 'ternarious', 'trouserian'], 'ternate': ['entreat', 'ratteen', 'tarente', 'ternate', 'tetrane'], 'terne': ['enter', 'neter', 'renet', 'terne', 'treen'], 'ternion': ['intoner', 'ternion'], 'ternlet': ['nettler', 'ternlet'], 'terp': ['pert', 'petr', 'terp'], 'terpane': ['patener', 'pearten', 'petrean', 'terpane'], 'terpeneless': ['repleteness', 'terpeneless'], 'terpin': ['nipter', 'terpin'], 'terpine': ['petrine', 'terpine'], 'terpineol': ['interlope', 'interpole', 'repletion', 'terpineol'], 'terpinol': ['pointrel', 'terpinol'], 'terrace': ['caterer', 'recrate', 'retrace', 'terrace'], 'terraciform': ['crateriform', 'terraciform'], 'terrage': ['greater', 'regrate', 'terrage'], 'terrain': ['arterin', 'retrain', 'terrain', 'trainer'], 'terral': ['retral', 'terral'], 'terrance': ['canterer', 'recanter', 'recreant', 'terrance'], 'terrapin': ['pretrain', 'terrapin'], 'terrar': ['tarrer', 'terrar'], 'terrence': ['centerer', 'recenter', 'recentre', 'terrence'], 'terrene': ['enterer', 'terrene'], 'terret': ['retter', 'terret'], 'terri': ['terri', 'tirer', 'trier'], 'terrier': ['retirer', 'terrier'], 'terrine': ['reinter', 'terrine'], 'terron': ['terron', 'treron', 'troner'], 'terry': ['retry', 'terry'], 'terse': ['ester', 'estre', 'reest', 'reset', 'steer', 'stere', 'stree', 'terse', 'tsere'], 'tersely': ['restyle', 'tersely'], 'tersion': ['oestrin', 'tersion'], 'tertia': ['attire', 'ratite', 'tertia'], 'tertian': ['intreat', 'iterant', 'nitrate', 'tertian'], 'tertiana': ['attainer', 'reattain', 'tertiana'], 'terton': ['rotten', 'terton'], 'tervee': ['revete', 'tervee'], 'terzina': ['retzian', 'terzina'], 'terzo': ['terzo', 'tozer'], 'tesack': ['casket', 'tesack'], 'teskere': ['skeeter', 'teskere'], 'tessella': ['satelles', 'tessella'], 'tesseral': ['rateless', 'tasseler', 'tearless', 'tesseral'], 'test': ['sett', 'stet', 'test'], 'testa': ['state', 'taste', 'tates', 'testa'], 'testable': ['settable', 'testable'], 'testament': ['statement', 'testament'], 'testar': ['stater', 'taster', 'testar'], 'teste': ['teest', 'teste'], 'tested': ['detest', 'tested'], 'testee': ['settee', 'testee'], 'tester': ['retest', 'setter', 'street', 'tester'], 'testes': ['sestet', 'testes', 'tsetse'], 'testicle': ['telestic', 'testicle'], 'testicular': ['testicular', 'trisulcate'], 'testily': ['stylite', 'testily'], 'testing': ['setting', 'testing'], 'teston': ['ostent', 'teston'], 'testor': ['sotter', 'testor'], 'testril': ['litster', 'slitter', 'stilter', 'testril'], 'testy': ['testy', 'tyste'], 'tetanic': ['nictate', 'tetanic'], 'tetanical': ['cantalite', 'lactinate', 'tetanical'], 'tetanoid': ['antidote', 'tetanoid'], 'tetanus': ['tetanus', 'unstate', 'untaste'], 'tetarconid': ['detraction', 'doctrinate', 'tetarconid'], 'tetard': ['tetard', 'tetrad'], 'tetchy': ['chetty', 'tetchy'], 'tete': ['teet', 'tete'], 'tetel': ['ettle', 'tetel'], 'tether': ['hetter', 'tether'], 'tethys': ['stythe', 'tethys'], 'tetra': ['atter', 'tater', 'teart', 'tetra', 'treat'], 'tetracid': ['citrated', 'tetracid', 'tetradic'], 'tetrad': ['tetard', 'tetrad'], 'tetradic': ['citrated', 'tetracid', 'tetradic'], 'tetragonia': ['giornatate', 'tetragonia'], 'tetrahexahedron': ['hexatetrahedron', 'tetrahexahedron'], 'tetrakishexahedron': ['hexakistetrahedron', 'tetrakishexahedron'], 'tetralin': ['tetralin', 'triental'], 'tetramin': ['intermat', 'martinet', 'tetramin'], 'tetramine': ['antimeter', 'attermine', 'interteam', 'terminate', 'tetramine'], 'tetrander': ['retardent', 'tetrander'], 'tetrandrous': ['tetrandrous', 'unrostrated'], 'tetrane': ['entreat', 'ratteen', 'tarente', 'ternate', 'tetrane'], 'tetrao': ['rotate', 'tetrao'], 'tetraodon': ['detonator', 'tetraodon'], 'tetraonine': ['entoretina', 'tetraonine'], 'tetraplous': ['supertotal', 'tetraplous'], 'tetrasporic': ['tetrasporic', 'triceratops'], 'tetraxonia': ['retaxation', 'tetraxonia'], 'tetrical': ['tetrical', 'tractile'], 'tetricous': ['tetricous', 'toreutics'], 'tetronic': ['contrite', 'tetronic'], 'tetrose': ['rosette', 'tetrose'], 'tetterous': ['outstreet', 'tetterous'], 'teucri': ['curite', 'teucri', 'uretic'], 'teucrian': ['anuretic', 'centauri', 'centuria', 'teucrian'], 'teucrin': ['nutrice', 'teucrin'], 'teuk': ['ketu', 'teuk', 'tuke'], 'tew': ['tew', 'wet'], 'tewa': ['tewa', 'twae', 'weta'], 'tewel': ['tewel', 'tweel'], 'tewer': ['rewet', 'tewer', 'twere'], 'tewit': ['tewit', 'twite'], 'tewly': ['tewly', 'wetly'], 'tha': ['aht', 'hat', 'tha'], 'thai': ['hati', 'thai'], 'thais': ['shita', 'thais'], 'thalami': ['hamital', 'thalami'], 'thaler': ['arthel', 'halter', 'lather', 'thaler'], 'thalia': ['hiatal', 'thalia'], 'thaliard': ['hardtail', 'thaliard'], 'thamesis': ['mathesis', 'thamesis'], 'than': ['hant', 'tanh', 'than'], 'thana': ['atnah', 'tanha', 'thana'], 'thanan': ['nathan', 'thanan'], 'thanatism': ['staithman', 'thanatism'], 'thanatotic': ['chattation', 'thanatotic'], 'thane': ['enhat', 'ethan', 'nathe', 'neath', 'thane'], 'thanker': ['rethank', 'thanker'], 'thapes': ['spathe', 'thapes'], 'thar': ['hart', 'rath', 'tahr', 'thar', 'trah'], 'tharen': ['anther', 'nather', 'tharen', 'thenar'], 'tharm': ['tharm', 'thram'], 'thasian': ['ashanti', 'sanhita', 'shaitan', 'thasian'], 'that': ['hatt', 'tath', 'that'], 'thatcher': ['rethatch', 'thatcher'], 'thaw': ['thaw', 'wath', 'what'], 'thawer': ['rethaw', 'thawer', 'wreath'], 'the': ['het', 'the'], 'thea': ['ahet', 'haet', 'hate', 'heat', 'thea'], 'theah': ['heath', 'theah'], 'thearchy': ['hatchery', 'thearchy'], 'theat': ['theat', 'theta'], 'theater': ['teather', 'theater', 'thereat'], 'theatricism': ['chemiatrist', 'chrismatite', 'theatricism'], 'theatropolis': ['strophiolate', 'theatropolis'], 'theatry': ['hattery', 'theatry'], 'theb': ['beth', 'theb'], 'thebaid': ['habited', 'thebaid'], 'theca': ['cheat', 'tache', 'teach', 'theca'], 'thecae': ['achete', 'hecate', 'teache', 'thecae'], 'thecal': ['achtel', 'chalet', 'thecal', 'thecla'], 'thecasporal': ['archapostle', 'thecasporal'], 'thecata': ['attache', 'thecata'], 'thecitis': ['ethicist', 'thecitis', 'theistic'], 'thecla': ['achtel', 'chalet', 'thecal', 'thecla'], 'theer': ['ether', 'rethe', 'theer', 'there', 'three'], 'theet': ['teeth', 'theet'], 'thegn': ['ghent', 'thegn'], 'thegnly': ['lengthy', 'thegnly'], 'theine': ['ethine', 'theine'], 'their': ['ither', 'their'], 'theirn': ['hinter', 'nither', 'theirn'], 'theirs': ['shrite', 'theirs'], 'theism': ['theism', 'themis'], 'theist': ['theist', 'thetis'], 'theistic': ['ethicist', 'thecitis', 'theistic'], 'thema': ['ahmet', 'thema'], 'thematic': ['mathetic', 'thematic'], 'thematist': ['hattemist', 'thematist'], 'themer': ['mether', 'themer'], 'themis': ['theism', 'themis'], 'themistian': ['antitheism', 'themistian'], 'then': ['hent', 'neth', 'then'], 'thenal': ['ethnal', 'hantle', 'lathen', 'thenal'], 'thenar': ['anther', 'nather', 'tharen', 'thenar'], 'theobald': ['bolthead', 'theobald'], 'theocrasia': ['oireachtas', 'theocrasia'], 'theocrat': ['theocrat', 'trochate'], 'theocratic': ['rheotactic', 'theocratic'], 'theodora': ['dorothea', 'theodora'], 'theodore': ['theodore', 'treehood'], 'theogonal': ['halogeton', 'theogonal'], 'theologic': ['ethologic', 'theologic'], 'theological': ['ethological', 'lethologica', 'theological'], 'theologism': ['hemologist', 'theologism'], 'theology': ['ethology', 'theology'], 'theophanic': ['phaethonic', 'theophanic'], 'theophilist': ['philotheist', 'theophilist'], 'theopsychism': ['psychotheism', 'theopsychism'], 'theorbo': ['boother', 'theorbo'], 'theorematic': ['heteratomic', 'theorematic'], 'theoretic': ['heterotic', 'theoretic'], 'theoretician': ['heretication', 'theoretician'], 'theorician': ['antiheroic', 'theorician'], 'theorics': ['chirotes', 'theorics'], 'theorism': ['homerist', 'isotherm', 'otherism', 'theorism'], 'theorist': ['otherist', 'theorist'], 'theorizer': ['rhetorize', 'theorizer'], 'theorum': ['mouther', 'theorum'], 'theotherapy': ['heteropathy', 'theotherapy'], 'therblig': ['blighter', 'therblig'], 'there': ['ether', 'rethe', 'theer', 'there', 'three'], 'thereas': ['thereas', 'theresa'], 'thereat': ['teather', 'theater', 'thereat'], 'therein': ['enherit', 'etherin', 'neither', 'therein'], 'thereness': ['retheness', 'thereness', 'threeness'], 'thereology': ['heterology', 'thereology'], 'theres': ['esther', 'hester', 'theres'], 'theresa': ['thereas', 'theresa'], 'therese': ['sheeter', 'therese'], 'therewithal': ['therewithal', 'whitleather'], 'theriac': ['certhia', 'rhaetic', 'theriac'], 'therial': ['hairlet', 'therial'], 'theriodic': ['dichroite', 'erichtoid', 'theriodic'], 'theriodonta': ['dehortation', 'theriodonta'], 'thermantic': ['intermatch', 'thermantic'], 'thermo': ['mother', 'thermo'], 'thermobarograph': ['barothermograph', 'thermobarograph'], 'thermoelectric': ['electrothermic', 'thermoelectric'], 'thermoelectrometer': ['electrothermometer', 'thermoelectrometer'], 'thermogalvanometer': ['galvanothermometer', 'thermogalvanometer'], 'thermogeny': ['mythogreen', 'thermogeny'], 'thermography': ['mythographer', 'thermography'], 'thermology': ['mythologer', 'thermology'], 'thermos': ['smother', 'thermos'], 'thermotype': ['phytometer', 'thermotype'], 'thermotypic': ['phytometric', 'thermotypic'], 'thermotypy': ['phytometry', 'thermotypy'], 'theroid': ['rhodite', 'theroid'], 'theron': ['hornet', 'nother', 'theron', 'throne'], 'thersitical': ['thersitical', 'trachelitis'], 'these': ['sheet', 'these'], 'thesean': ['sneathe', 'thesean'], 'thesial': ['heliast', 'thesial'], 'thesis': ['shiest', 'thesis'], 'theta': ['theat', 'theta'], 'thetical': ['athletic', 'thetical'], 'thetis': ['theist', 'thetis'], 'thew': ['hewt', 'thew', 'whet'], 'they': ['they', 'yeth'], 'theyre': ['theyre', 'yether'], 'thicken': ['kitchen', 'thicken'], 'thickener': ['kitchener', 'rethicken', 'thickener'], 'thicket': ['chettik', 'thicket'], 'thienyl': ['ethylin', 'thienyl'], 'thig': ['gith', 'thig'], 'thigh': ['hight', 'thigh'], 'thill': ['illth', 'thill'], 'thin': ['hint', 'thin'], 'thing': ['night', 'thing'], 'thingal': ['halting', 'lathing', 'thingal'], 'thingless': ['lightness', 'nightless', 'thingless'], 'thinglet': ['thinglet', 'thlinget'], 'thinglike': ['nightlike', 'thinglike'], 'thingly': ['nightly', 'thingly'], 'thingman': ['nightman', 'thingman'], 'thinker': ['rethink', 'thinker'], 'thio': ['hoit', 'hoti', 'thio'], 'thiocresol': ['holosteric', 'thiocresol'], 'thiol': ['litho', 'thiol', 'tholi'], 'thiolacetic': ['heliotactic', 'thiolacetic'], 'thiophenol': ['lithophone', 'thiophenol'], 'thiopyran': ['phoniatry', 'thiopyran'], 'thirlage': ['litharge', 'thirlage'], 'this': ['hist', 'sith', 'this', 'tshi'], 'thissen': ['sithens', 'thissen'], 'thistle': ['lettish', 'thistle'], 'thlinget': ['thinglet', 'thlinget'], 'tho': ['hot', 'tho'], 'thob': ['both', 'thob'], 'thole': ['helot', 'hotel', 'thole'], 'tholi': ['litho', 'thiol', 'tholi'], 'tholos': ['soloth', 'tholos'], 'thomaean': ['amaethon', 'thomaean'], 'thomasine': ['hematosin', 'thomasine'], 'thomisid': ['isthmoid', 'thomisid'], 'thomsonite': ['monotheist', 'thomsonite'], 'thonder': ['thonder', 'thorned'], 'thonga': ['gnatho', 'thonga'], 'thoo': ['hoot', 'thoo', 'toho'], 'thoom': ['mooth', 'thoom'], 'thoracectomy': ['chromatocyte', 'thoracectomy'], 'thoracic': ['thoracic', 'tocharic', 'trochaic'], 'thoral': ['harlot', 'orthal', 'thoral'], 'thore': ['other', 'thore', 'throe', 'toher'], 'thoric': ['chorti', 'orthic', 'thoric', 'trochi'], 'thorina': ['orthian', 'thorina'], 'thorite': ['hortite', 'orthite', 'thorite'], 'thorn': ['north', 'thorn'], 'thorned': ['thonder', 'thorned'], 'thornhead': ['rhodanthe', 'thornhead'], 'thorny': ['rhyton', 'thorny'], 'thoro': ['ortho', 'thoro'], 'thort': ['thort', 'troth'], 'thos': ['host', 'shot', 'thos', 'tosh'], 'those': ['ethos', 'shote', 'those'], 'thowel': ['howlet', 'thowel'], 'thraces': ['stacher', 'thraces'], 'thracian': ['taranchi', 'thracian'], 'thraep': ['thraep', 'threap'], 'thrain': ['hartin', 'thrain'], 'thram': ['tharm', 'thram'], 'thrang': ['granth', 'thrang'], 'thrasher': ['rethrash', 'thrasher'], 'thrast': ['strath', 'thrast'], 'thraw': ['thraw', 'warth', 'whart', 'wrath'], 'thread': ['dearth', 'hatred', 'rathed', 'thread'], 'threaden': ['adherent', 'headrent', 'neatherd', 'threaden'], 'threader': ['rethread', 'threader'], 'threadworm': ['motherward', 'threadworm'], 'thready': ['hydrate', 'thready'], 'threap': ['thraep', 'threap'], 'threat': ['hatter', 'threat'], 'threatener': ['rethreaten', 'threatener'], 'three': ['ether', 'rethe', 'theer', 'there', 'three'], 'threeling': ['lightener', 'relighten', 'threeling'], 'threeness': ['retheness', 'thereness', 'threeness'], 'threne': ['erthen', 'henter', 'nether', 'threne'], 'threnode': ['dethrone', 'threnode'], 'threnodic': ['chondrite', 'threnodic'], 'threnos': ['shorten', 'threnos'], 'thresher': ['rethresh', 'thresher'], 'thrice': ['cither', 'thrice'], 'thriller': ['rethrill', 'thriller'], 'thripel': ['philter', 'thripel'], 'thripidae': ['rhipidate', 'thripidae'], 'throat': ['athort', 'throat'], 'throb': ['broth', 'throb'], 'throe': ['other', 'thore', 'throe', 'toher'], 'thronal': ['althorn', 'anthrol', 'thronal'], 'throne': ['hornet', 'nother', 'theron', 'throne'], 'throu': ['routh', 'throu'], 'throughout': ['outthrough', 'throughout'], 'throw': ['throw', 'whort', 'worth', 'wroth'], 'throwdown': ['downthrow', 'throwdown'], 'thrower': ['rethrow', 'thrower'], 'throwing': ['ingrowth', 'throwing'], 'throwout': ['outthrow', 'outworth', 'throwout'], 'thrum': ['thrum', 'thurm'], 'thrust': ['struth', 'thrust'], 'thruster': ['rethrust', 'thruster'], 'thuan': ['ahunt', 'haunt', 'thuan', 'unhat'], 'thulr': ['thulr', 'thurl'], 'thunderbearing': ['thunderbearing', 'underbreathing'], 'thunderer': ['rethunder', 'thunderer'], 'thundering': ['thundering', 'underthing'], 'thuoc': ['couth', 'thuoc', 'touch'], 'thurl': ['thulr', 'thurl'], 'thurm': ['thrum', 'thurm'], 'thurse': ['reshut', 'suther', 'thurse', 'tusher'], 'thurt': ['thurt', 'truth'], 'thus': ['shut', 'thus', 'tush'], 'thusness': ['shutness', 'thusness'], 'thwacker': ['thwacker', 'whatreck'], 'thwartover': ['overthwart', 'thwartover'], 'thymelic': ['methylic', 'thymelic'], 'thymetic': ['hymettic', 'thymetic'], 'thymus': ['mythus', 'thymus'], 'thyreogenous': ['heterogynous', 'thyreogenous'], 'thyreohyoid': ['hyothyreoid', 'thyreohyoid'], 'thyreoid': ['hydriote', 'thyreoid'], 'thyreoidal': ['thyreoidal', 'thyroideal'], 'thyreosis': ['oysterish', 'thyreosis'], 'thyris': ['shirty', 'thyris'], 'thyrocricoid': ['cricothyroid', 'thyrocricoid'], 'thyrogenic': ['thyrogenic', 'trichogyne'], 'thyrohyoid': ['hyothyroid', 'thyrohyoid'], 'thyroideal': ['thyreoidal', 'thyroideal'], 'thyroiodin': ['iodothyrin', 'thyroiodin'], 'thyroprivic': ['thyroprivic', 'vitrophyric'], 'thysanopteran': ['parasyntheton', 'thysanopteran'], 'thysel': ['shelty', 'thysel'], 'ti': ['it', 'ti'], 'tiang': ['giant', 'tangi', 'tiang'], 'tiao': ['iota', 'tiao'], 'tiar': ['airt', 'rita', 'tari', 'tiar'], 'tiara': ['arati', 'atria', 'riata', 'tarai', 'tiara'], 'tiarella': ['arillate', 'tiarella'], 'tib': ['bit', 'tib'], 'tibetan': ['bettina', 'tabinet', 'tibetan'], 'tibial': ['bilati', 'tibial'], 'tibiale': ['biliate', 'tibiale'], 'tibiofemoral': ['femorotibial', 'tibiofemoral'], 'tic': ['cit', 'tic'], 'ticca': ['cacti', 'ticca'], 'tice': ['ceti', 'cite', 'tice'], 'ticer': ['citer', 'recti', 'ticer', 'trice'], 'tichodroma': ['chromatoid', 'tichodroma'], 'ticketer': ['reticket', 'ticketer'], 'tickler': ['tickler', 'trickle'], 'tickproof': ['prickfoot', 'tickproof'], 'ticuna': ['anicut', 'nautic', 'ticuna', 'tunica'], 'ticunan': ['ticunan', 'tunican'], 'tid': ['dit', 'tid'], 'tidal': ['datil', 'dital', 'tidal', 'tilda'], 'tiddley': ['lyddite', 'tiddley'], 'tide': ['diet', 'dite', 'edit', 'tide', 'tied'], 'tidely': ['idlety', 'lydite', 'tidely', 'tidley'], 'tiding': ['tiding', 'tingid'], 'tidley': ['idlety', 'lydite', 'tidely', 'tidley'], 'tied': ['diet', 'dite', 'edit', 'tide', 'tied'], 'tien': ['iten', 'neti', 'tien', 'tine'], 'tiepin': ['pinite', 'tiepin'], 'tier': ['iter', 'reit', 'rite', 'teri', 'tier', 'tire'], 'tierce': ['cerite', 'certie', 'recite', 'tierce'], 'tiered': ['dieter', 'tiered'], 'tierer': ['errite', 'reiter', 'retier', 'retire', 'tierer'], 'tiffy': ['fifty', 'tiffy'], 'tifter': ['fitter', 'tifter'], 'tig': ['git', 'tig'], 'tigella': ['tigella', 'tillage'], 'tiger': ['tiger', 'tigre'], 'tigereye': ['geyerite', 'tigereye'], 'tightener': ['retighten', 'tightener'], 'tiglinic': ['lignitic', 'tiglinic'], 'tigre': ['tiger', 'tigre'], 'tigrean': ['angrite', 'granite', 'ingrate', 'tangier', 'tearing', 'tigrean'], 'tigress': ['striges', 'tigress'], 'tigrine': ['igniter', 'ringite', 'tigrine'], 'tigurine': ['intrigue', 'tigurine'], 'tikka': ['katik', 'tikka'], 'tikur': ['tikur', 'turki'], 'til': ['lit', 'til'], 'tilaite': ['italite', 'letitia', 'tilaite'], 'tilda': ['datil', 'dital', 'tidal', 'tilda'], 'tilde': ['tilde', 'tiled'], 'tile': ['lite', 'teil', 'teli', 'tile'], 'tiled': ['tilde', 'tiled'], 'tiler': ['liter', 'tiler'], 'tilery': ['tilery', 'tilyer'], 'tileways': ['sweatily', 'tileways'], 'tileyard': ['dielytra', 'tileyard'], 'tilia': ['itali', 'tilia'], 'tilikum': ['kulimit', 'tilikum'], 'till': ['lilt', 'till'], 'tillable': ['belltail', 'bletilla', 'tillable'], 'tillaea': ['alalite', 'tillaea'], 'tillage': ['tigella', 'tillage'], 'tiller': ['retill', 'rillet', 'tiller'], 'tilmus': ['litmus', 'tilmus'], 'tilpah': ['lapith', 'tilpah'], 'tilter': ['litter', 'tilter', 'titler'], 'tilting': ['tilting', 'titling', 'tlingit'], 'tiltup': ['tiltup', 'uptilt'], 'tilyer': ['tilery', 'tilyer'], 'timable': ['limbate', 'timable', 'timbale'], 'timaeus': ['metusia', 'suimate', 'timaeus'], 'timaline': ['meliatin', 'timaline'], 'timani': ['intima', 'timani'], 'timar': ['mitra', 'tarmi', 'timar', 'tirma'], 'timbal': ['limbat', 'timbal'], 'timbale': ['limbate', 'timable', 'timbale'], 'timber': ['betrim', 'timber', 'timbre'], 'timbered': ['bemitred', 'timbered'], 'timberer': ['retimber', 'timberer'], 'timberlike': ['kimberlite', 'timberlike'], 'timbre': ['betrim', 'timber', 'timbre'], 'time': ['emit', 'item', 'mite', 'time'], 'timecard': ['dermatic', 'timecard'], 'timed': ['demit', 'timed'], 'timeproof': ['miteproof', 'timeproof'], 'timer': ['merit', 'miter', 'mitre', 'remit', 'timer'], 'times': ['metis', 'smite', 'stime', 'times'], 'timesaving': ['negativism', 'timesaving'], 'timework': ['timework', 'worktime'], 'timid': ['dimit', 'timid'], 'timidly': ['mytilid', 'timidly'], 'timidness': ['destinism', 'timidness'], 'timish': ['isthmi', 'timish'], 'timne': ['metin', 'temin', 'timne'], 'timo': ['itmo', 'moit', 'omit', 'timo'], 'timon': ['minot', 'timon', 'tomin'], 'timorese': ['rosetime', 'timorese', 'tiresome'], 'timpani': ['impaint', 'timpani'], 'timpano': ['maintop', 'ptomain', 'tampion', 'timpano'], 'tin': ['nit', 'tin'], 'tina': ['aint', 'anti', 'tain', 'tina'], 'tincal': ['catlin', 'tincal'], 'tinchel': ['linchet', 'tinchel'], 'tinctorial': ['tinctorial', 'trinoctial'], 'tind': ['dint', 'tind'], 'tindal': ['antlid', 'tindal'], 'tindalo': ['itoland', 'talonid', 'tindalo'], 'tinder': ['dirten', 'rident', 'tinder'], 'tindered': ['dendrite', 'tindered'], 'tinderous': ['detrusion', 'tinderous', 'unstoried'], 'tine': ['iten', 'neti', 'tien', 'tine'], 'tinea': ['entia', 'teian', 'tenai', 'tinea'], 'tineal': ['entail', 'tineal'], 'tinean': ['annite', 'innate', 'tinean'], 'tined': ['detin', 'teind', 'tined'], 'tineid': ['indite', 'tineid'], 'tineman': ['mannite', 'tineman'], 'tineoid': ['edition', 'odinite', 'otidine', 'tineoid'], 'tinetare': ['intereat', 'tinetare'], 'tinety': ['entity', 'tinety'], 'tinged': ['nidget', 'tinged'], 'tinger': ['engirt', 'tinger'], 'tingid': ['tiding', 'tingid'], 'tingitidae': ['indigitate', 'tingitidae'], 'tingler': ['ringlet', 'tingler', 'tringle'], 'tinhouse': ['outshine', 'tinhouse'], 'tink': ['knit', 'tink'], 'tinker': ['reknit', 'tinker'], 'tinkerer': ['retinker', 'tinkerer'], 'tinkler': ['tinkler', 'trinkle'], 'tinlet': ['litten', 'tinlet'], 'tinne': ['innet', 'tinne'], 'tinned': ['dentin', 'indent', 'intend', 'tinned'], 'tinner': ['intern', 'tinner'], 'tinnet': ['intent', 'tinnet'], 'tino': ['into', 'nito', 'oint', 'tino'], 'tinoceras': ['atroscine', 'certosina', 'ostracine', 'tinoceras', 'tricosane'], 'tinosa': ['sotnia', 'tinosa'], 'tinsel': ['enlist', 'listen', 'silent', 'tinsel'], 'tinselly': ['silently', 'tinselly'], 'tinta': ['taint', 'tanti', 'tinta', 'titan'], 'tintage': ['attinge', 'tintage'], 'tinter': ['nitter', 'tinter'], 'tintie': ['tintie', 'titien'], 'tintiness': ['insistent', 'tintiness'], 'tinty': ['nitty', 'tinty'], 'tinworker': ['interwork', 'tinworker'], 'tionontates': ['ostentation', 'tionontates'], 'tip': ['pit', 'tip'], 'tipe': ['piet', 'tipe'], 'tipful': ['tipful', 'uplift'], 'tipless': ['pitless', 'tipless'], 'tipman': ['pitman', 'tampin', 'tipman'], 'tipper': ['rippet', 'tipper'], 'tippler': ['ripplet', 'tippler', 'tripple'], 'tipster': ['spitter', 'tipster'], 'tipstock': ['potstick', 'tipstock'], 'tipula': ['tipula', 'tulipa'], 'tiralee': ['atelier', 'tiralee'], 'tire': ['iter', 'reit', 'rite', 'teri', 'tier', 'tire'], 'tired': ['diter', 'tired', 'tried'], 'tiredly': ['tiredly', 'triedly'], 'tiredness': ['dissenter', 'tiredness'], 'tireless': ['riteless', 'tireless'], 'tirelessness': ['ritelessness', 'tirelessness'], 'tiremaid': ['dimetria', 'mitridae', 'tiremaid', 'triamide'], 'tireman': ['minaret', 'raiment', 'tireman'], 'tirer': ['terri', 'tirer', 'trier'], 'tiresmith': ['tiresmith', 'tritheism'], 'tiresome': ['rosetime', 'timorese', 'tiresome'], 'tirma': ['mitra', 'tarmi', 'timar', 'tirma'], 'tirolean': ['oriental', 'relation', 'tirolean'], 'tirolese': ['literose', 'roselite', 'tirolese'], 'tirve': ['rivet', 'tirve', 'tiver'], 'tisane': ['satine', 'tisane'], 'tisar': ['arist', 'astir', 'sitar', 'stair', 'stria', 'tarsi', 'tisar', 'trias'], 'titan': ['taint', 'tanti', 'tinta', 'titan'], 'titaness': ['antistes', 'titaness'], 'titanic': ['tanitic', 'titanic'], 'titano': ['otiant', 'titano'], 'titanocolumbate': ['columbotitanate', 'titanocolumbate'], 'titanofluoride': ['rotundifoliate', 'titanofluoride'], 'titanosaur': ['saturation', 'titanosaur'], 'titanosilicate': ['silicotitanate', 'titanosilicate'], 'titanous': ['outsaint', 'titanous'], 'titanyl': ['nattily', 'titanyl'], 'titar': ['ratti', 'titar', 'trait'], 'titer': ['titer', 'titre', 'trite'], 'tithable': ['hittable', 'tithable'], 'tither': ['hitter', 'tither'], 'tithonic': ['chinotti', 'tithonic'], 'titien': ['tintie', 'titien'], 'titleboard': ['titleboard', 'trilobated'], 'titler': ['litter', 'tilter', 'titler'], 'titling': ['tilting', 'titling', 'tlingit'], 'titrate': ['attrite', 'titrate'], 'titration': ['attrition', 'titration'], 'titre': ['titer', 'titre', 'trite'], 'tiver': ['rivet', 'tirve', 'tiver'], 'tiza': ['itza', 'tiza', 'zati'], 'tlaco': ['lacto', 'tlaco'], 'tlingit': ['tilting', 'titling', 'tlingit'], 'tmesis': ['misset', 'tmesis'], 'toa': ['oat', 'tao', 'toa'], 'toad': ['doat', 'toad', 'toda'], 'toader': ['doater', 'toader'], 'toadflower': ['floodwater', 'toadflower', 'waterflood'], 'toadier': ['roadite', 'toadier'], 'toadish': ['doatish', 'toadish'], 'toady': ['toady', 'today'], 'toadyish': ['toadyish', 'todayish'], 'toag': ['goat', 'toag', 'toga'], 'toast': ['stoat', 'toast'], 'toaster': ['retoast', 'rosetta', 'stoater', 'toaster'], 'toba': ['boat', 'bota', 'toba'], 'tobe': ['bote', 'tobe'], 'tobiah': ['bhotia', 'tobiah'], 'tobine': ['botein', 'tobine'], 'toccata': ['attacco', 'toccata'], 'tocharese': ['escheator', 'tocharese'], 'tocharian': ['archontia', 'tocharian'], 'tocharic': ['thoracic', 'tocharic', 'trochaic'], 'tocher': ['hector', 'rochet', 'tocher', 'troche'], 'toco': ['coot', 'coto', 'toco'], 'tocogenetic': ['geotectonic', 'tocogenetic'], 'tocometer': ['octometer', 'rectotome', 'tocometer'], 'tocsin': ['nostic', 'sintoc', 'tocsin'], 'tod': ['dot', 'tod'], 'toda': ['doat', 'toad', 'toda'], 'today': ['toady', 'today'], 'todayish': ['toadyish', 'todayish'], 'toddle': ['dodlet', 'toddle'], 'tode': ['dote', 'tode', 'toed'], 'todea': ['deota', 'todea'], 'tody': ['doty', 'tody'], 'toecap': ['capote', 'toecap'], 'toed': ['dote', 'tode', 'toed'], 'toeless': ['osselet', 'sestole', 'toeless'], 'toenail': ['alnoite', 'elation', 'toenail'], 'tog': ['got', 'tog'], 'toga': ['goat', 'toag', 'toga'], 'togaed': ['dogate', 'dotage', 'togaed'], 'togalike': ['goatlike', 'togalike'], 'toggel': ['goglet', 'toggel', 'toggle'], 'toggle': ['goglet', 'toggel', 'toggle'], 'togs': ['stog', 'togs'], 'toher': ['other', 'thore', 'throe', 'toher'], 'toho': ['hoot', 'thoo', 'toho'], 'tohunga': ['hangout', 'tohunga'], 'toi': ['ito', 'toi'], 'toil': ['ilot', 'toil'], 'toiler': ['loiter', 'toiler', 'triole'], 'toilet': ['lottie', 'toilet', 'tolite'], 'toiletry': ['toiletry', 'tyrolite'], 'toise': ['sotie', 'toise'], 'tokay': ['otyak', 'tokay'], 'toke': ['keto', 'oket', 'toke'], 'toko': ['koto', 'toko', 'took'], 'tol': ['lot', 'tol'], 'tolamine': ['lomatine', 'tolamine'], 'tolan': ['notal', 'ontal', 'talon', 'tolan', 'tonal'], 'tolane': ['etalon', 'tolane'], 'told': ['dolt', 'told'], 'tole': ['leto', 'lote', 'tole'], 'toledan': ['taloned', 'toledan'], 'toledo': ['toledo', 'toodle'], 'tolerance': ['antrocele', 'coeternal', 'tolerance'], 'tolerancy': ['alectryon', 'tolerancy'], 'tolidine': ['lindoite', 'tolidine'], 'tolite': ['lottie', 'toilet', 'tolite'], 'tollery': ['tollery', 'trolley'], 'tolly': ['tolly', 'tolyl'], 'tolpatch': ['potlatch', 'tolpatch'], 'tolsey': ['tolsey', 'tylose'], 'tolter': ['lotter', 'rottle', 'tolter'], 'tolu': ['lout', 'tolu'], 'toluic': ['coutil', 'toluic'], 'toluifera': ['foliature', 'toluifera'], 'tolyl': ['tolly', 'tolyl'], 'tom': ['mot', 'tom'], 'toma': ['atmo', 'atom', 'moat', 'toma'], 'toman': ['manto', 'toman'], 'tomas': ['atmos', 'stoma', 'tomas'], 'tombac': ['combat', 'tombac'], 'tome': ['mote', 'tome'], 'tomentose': ['metosteon', 'tomentose'], 'tomial': ['lomita', 'tomial'], 'tomin': ['minot', 'timon', 'tomin'], 'tomographic': ['motographic', 'tomographic'], 'tomorn': ['morton', 'tomorn'], 'tomorrow': ['moorwort', 'rootworm', 'tomorrow', 'wormroot'], 'ton': ['not', 'ton'], 'tonal': ['notal', 'ontal', 'talon', 'tolan', 'tonal'], 'tonalitive': ['levitation', 'tonalitive', 'velitation'], 'tonation': ['notation', 'tonation'], 'tone': ['note', 'tone'], 'toned': ['donet', 'noted', 'toned'], 'toneless': ['noteless', 'toneless'], 'tonelessly': ['notelessly', 'tonelessly'], 'tonelessness': ['notelessness', 'tonelessness'], 'toner': ['noter', 'tenor', 'toner', 'trone'], 'tonetic': ['entotic', 'tonetic'], 'tonetics': ['stenotic', 'tonetics'], 'tonga': ['tango', 'tonga'], 'tongan': ['ganton', 'tongan'], 'tongas': ['sontag', 'tongas'], 'tonger': ['geront', 'tonger'], 'tongrian': ['ignorant', 'tongrian'], 'tongs': ['stong', 'tongs'], 'tonicize': ['nicotize', 'tonicize'], 'tonicoclonic': ['clonicotonic', 'tonicoclonic'], 'tonify': ['notify', 'tonify'], 'tonish': ['histon', 'shinto', 'tonish'], 'tonk': ['knot', 'tonk'], 'tonkin': ['inknot', 'tonkin'], 'tonna': ['anton', 'notan', 'tonna'], 'tonological': ['ontological', 'tonological'], 'tonology': ['ontology', 'tonology'], 'tonsorial': ['tonsorial', 'torsional'], 'tonsure': ['snouter', 'tonsure', 'unstore'], 'tonsured': ['tonsured', 'unsorted', 'unstored'], 'tontine': ['nettion', 'tention', 'tontine'], 'tonus': ['notus', 'snout', 'stoun', 'tonus'], 'tony': ['tony', 'yont'], 'too': ['oto', 'too'], 'toodle': ['toledo', 'toodle'], 'took': ['koto', 'toko', 'took'], 'tool': ['loot', 'tool'], 'tooler': ['looter', 'retool', 'rootle', 'tooler'], 'tooling': ['ilongot', 'tooling'], 'toom': ['moot', 'toom'], 'toon': ['onto', 'oont', 'toon'], 'toona': ['naoto', 'toona'], 'toop': ['poot', 'toop', 'topo'], 'toosh': ['shoot', 'sooth', 'sotho', 'toosh'], 'toot': ['otto', 'toot', 'toto'], 'toother': ['retooth', 'toother'], 'toothpick': ['picktooth', 'toothpick'], 'tootler': ['rootlet', 'tootler'], 'top': ['opt', 'pot', 'top'], 'toparch': ['caphtor', 'toparch'], 'topass': ['potass', 'topass'], 'topchrome': ['ectomorph', 'topchrome'], 'tope': ['peto', 'poet', 'pote', 'tope'], 'toper': ['poter', 'prote', 'repot', 'tepor', 'toper', 'trope'], 'topfull': ['plotful', 'topfull'], 'toph': ['phot', 'toph'], 'tophus': ['tophus', 'upshot'], 'topia': ['patio', 'taipo', 'topia'], 'topiarist': ['parotitis', 'topiarist'], 'topic': ['optic', 'picot', 'topic'], 'topical': ['capitol', 'coalpit', 'optical', 'topical'], 'topically': ['optically', 'topically'], 'toplike': ['kitlope', 'potlike', 'toplike'], 'topline': ['pointel', 'pontile', 'topline'], 'topmaker': ['potmaker', 'topmaker'], 'topmaking': ['potmaking', 'topmaking'], 'topman': ['potman', 'tampon', 'topman'], 'topmast': ['tapmost', 'topmast'], 'topo': ['poot', 'toop', 'topo'], 'topographics': ['coprophagist', 'topographics'], 'topography': ['optography', 'topography'], 'topological': ['optological', 'topological'], 'topologist': ['optologist', 'topologist'], 'topology': ['optology', 'topology'], 'toponymal': ['monotypal', 'toponymal'], 'toponymic': ['monotypic', 'toponymic'], 'toponymical': ['monotypical', 'toponymical'], 'topophone': ['optophone', 'topophone'], 'topotype': ['optotype', 'topotype'], 'topple': ['loppet', 'topple'], 'toppler': ['preplot', 'toppler'], 'toprail': ['portail', 'toprail'], 'tops': ['post', 'spot', 'stop', 'tops'], 'topsail': ['apostil', 'topsail'], 'topside': ['deposit', 'topside'], 'topsman': ['postman', 'topsman'], 'topsoil': ['loopist', 'poloist', 'topsoil'], 'topstone': ['potstone', 'topstone'], 'toptail': ['ptilota', 'talipot', 'toptail'], 'toque': ['quote', 'toque'], 'tor': ['ort', 'rot', 'tor'], 'tora': ['rota', 'taro', 'tora'], 'toral': ['latro', 'rotal', 'toral'], 'toran': ['orant', 'rotan', 'toran', 'trona'], 'torbanite': ['abortient', 'torbanite'], 'torcel': ['colter', 'lector', 'torcel'], 'torch': ['chort', 'rotch', 'torch'], 'tore': ['rote', 'tore'], 'tored': ['doter', 'tored', 'trode'], 'torenia': ['otarine', 'torenia'], 'torero': ['reroot', 'rooter', 'torero'], 'toreutics': ['tetricous', 'toreutics'], 'torfel': ['floret', 'forlet', 'lofter', 'torfel'], 'torgot': ['grotto', 'torgot'], 'toric': ['toric', 'troic'], 'torinese': ['serotine', 'torinese'], 'torma': ['amort', 'morat', 'torma'], 'tormen': ['mentor', 'merton', 'termon', 'tormen'], 'tormina': ['amintor', 'tormina'], 'torn': ['torn', 'tron'], 'tornachile': ['chlorinate', 'ectorhinal', 'tornachile'], 'tornado': ['donator', 'odorant', 'tornado'], 'tornal': ['latron', 'lontar', 'tornal'], 'tornaria': ['rotarian', 'tornaria'], 'tornarian': ['narration', 'tornarian'], 'tornese': ['enstore', 'estrone', 'storeen', 'tornese'], 'torney': ['torney', 'tyrone'], 'tornit': ['intort', 'tornit', 'triton'], 'tornus': ['tornus', 'unsort'], 'toro': ['root', 'roto', 'toro'], 'torose': ['seroot', 'sooter', 'torose'], 'torpent': ['portent', 'torpent'], 'torpescent': ['precontest', 'torpescent'], 'torpid': ['torpid', 'tripod'], 'torpify': ['portify', 'torpify'], 'torpor': ['portor', 'torpor'], 'torque': ['quoter', 'roquet', 'torque'], 'torques': ['questor', 'torques'], 'torrubia': ['rubiator', 'torrubia'], 'torsade': ['rosated', 'torsade'], 'torse': ['roset', 'rotse', 'soter', 'stero', 'store', 'torse'], 'torsel': ['relost', 'reslot', 'rostel', 'sterol', 'torsel'], 'torsile': ['estriol', 'torsile'], 'torsion': ['isotron', 'torsion'], 'torsional': ['tonsorial', 'torsional'], 'torsk': ['stork', 'torsk'], 'torso': ['roost', 'torso'], 'torsten': ['snotter', 'stentor', 'torsten'], 'tort': ['tort', 'trot'], 'torta': ['ottar', 'tarot', 'torta', 'troat'], 'torteau': ['outrate', 'outtear', 'torteau'], 'torticone': ['torticone', 'tritocone'], 'tortile': ['lotrite', 'tortile', 'triolet'], 'tortilla': ['littoral', 'tortilla'], 'tortonian': ['intonator', 'tortonian'], 'tortrices': ['tortrices', 'trisector'], 'torture': ['torture', 'trouter', 'tutorer'], 'toru': ['rout', 'toru', 'tour'], 'torula': ['rotula', 'torula'], 'torulaform': ['formulator', 'torulaform'], 'toruliform': ['rotuliform', 'toruliform'], 'torulose': ['outsoler', 'torulose'], 'torulus': ['rotulus', 'torulus'], 'torus': ['roust', 'rusot', 'stour', 'sutor', 'torus'], 'torve': ['overt', 'rovet', 'torve', 'trove', 'voter'], 'tory': ['royt', 'ryot', 'tory', 'troy', 'tyro'], 'toryish': ['history', 'toryish'], 'toryism': ['toryism', 'trisomy'], 'tosephtas': ['posthaste', 'tosephtas'], 'tosh': ['host', 'shot', 'thos', 'tosh'], 'tosher': ['hoster', 'tosher'], 'toshly': ['hostly', 'toshly'], 'toshnail': ['histonal', 'toshnail'], 'toss': ['sots', 'toss'], 'tosser': ['retoss', 'tosser'], 'tossily': ['tossily', 'tylosis'], 'tossup': ['tossup', 'uptoss'], 'tost': ['stot', 'tost'], 'total': ['lotta', 'total'], 'totanine': ['intonate', 'totanine'], 'totaquin': ['quintato', 'totaquin'], 'totchka': ['hattock', 'totchka'], 'totem': ['motet', 'motte', 'totem'], 'toter': ['ortet', 'otter', 'toter'], 'tother': ['hotter', 'tother'], 'toto': ['otto', 'toot', 'toto'], 'toty': ['toty', 'tyto'], 'tou': ['out', 'tou'], 'toucan': ['toucan', 'tucano', 'uncoat'], 'touch': ['couth', 'thuoc', 'touch'], 'toucher': ['retouch', 'toucher'], 'touchily': ['couthily', 'touchily'], 'touchiness': ['couthiness', 'touchiness'], 'touching': ['touching', 'ungothic'], 'touchless': ['couthless', 'touchless'], 'toug': ['gout', 'toug'], 'tough': ['ought', 'tough'], 'toughness': ['oughtness', 'toughness'], 'toup': ['pout', 'toup'], 'tour': ['rout', 'toru', 'tour'], 'tourer': ['retour', 'router', 'tourer'], 'touring': ['outgrin', 'outring', 'routing', 'touring'], 'tourism': ['sumitro', 'tourism'], 'touristy': ['touristy', 'yttrious'], 'tourmalinic': ['latrocinium', 'tourmalinic'], 'tournamental': ['tournamental', 'ultramontane'], 'tourte': ['tourte', 'touter'], 'tousche': ['souchet', 'techous', 'tousche'], 'touser': ['ouster', 'souter', 'touser', 'trouse'], 'tousle': ['lutose', 'solute', 'tousle'], 'touter': ['tourte', 'touter'], 'tovaria': ['aviator', 'tovaria'], 'tow': ['tow', 'two', 'wot'], 'towel': ['owlet', 'towel'], 'tower': ['rowet', 'tower', 'wrote'], 'town': ['nowt', 'town', 'wont'], 'towned': ['towned', 'wonted'], 'towser': ['restow', 'stower', 'towser', 'worset'], 'towy': ['towy', 'yowt'], 'toxemia': ['oximate', 'toxemia'], 'toy': ['toy', 'yot'], 'toyer': ['royet', 'toyer'], 'toyful': ['outfly', 'toyful'], 'toyless': ['systole', 'toyless'], 'toysome': ['myosote', 'toysome'], 'tozer': ['terzo', 'tozer'], 'tra': ['art', 'rat', 'tar', 'tra'], 'trabea': ['abater', 'artabe', 'eartab', 'trabea'], 'trace': ['caret', 'carte', 'cater', 'crate', 'creat', 'creta', 'react', 'recta', 'trace'], 'traceable': ['creatable', 'traceable'], 'tracer': ['arrect', 'carter', 'crater', 'recart', 'tracer'], 'tracheata': ['cathartae', 'tracheata'], 'trachelitis': ['thersitical', 'trachelitis'], 'tracheolaryngotomy': ['laryngotracheotomy', 'tracheolaryngotomy'], 'trachinoid': ['anhidrotic', 'trachinoid'], 'trachitis': ['citharist', 'trachitis'], 'trachle': ['clethra', 'latcher', 'ratchel', 'relatch', 'talcher', 'trachle'], 'trachoma': ['achromat', 'trachoma'], 'trachylinae': ['chatelainry', 'trachylinae'], 'trachyte': ['chattery', 'ratchety', 'trachyte'], 'tracker': ['retrack', 'tracker'], 'trackside': ['sidetrack', 'trackside'], 'tractator': ['attractor', 'tractator'], 'tractile': ['tetrical', 'tractile'], 'tracy': ['carty', 'tracy'], 'trade': ['dater', 'derat', 'detar', 'drate', 'rated', 'trade', 'tread'], 'trader': ['darter', 'dartre', 'redart', 'retard', 'retrad', 'tarred', 'trader'], 'trading': ['darting', 'trading'], 'tradite': ['attired', 'tradite'], 'traditioner': ['retradition', 'traditioner'], 'traditionism': ['mistradition', 'traditionism'], 'traditorship': ['podarthritis', 'traditorship'], 'traducent': ['reductant', 'traducent', 'truncated'], 'trady': ['tardy', 'trady'], 'trag': ['grat', 'trag'], 'tragedial': ['taligrade', 'tragedial'], 'tragicomedy': ['comitragedy', 'tragicomedy'], 'tragulina': ['tragulina', 'triangula'], 'traguline': ['granulite', 'traguline'], 'trah': ['hart', 'rath', 'tahr', 'thar', 'trah'], 'traheen': ['earthen', 'enheart', 'hearten', 'naether', 'teheran', 'traheen'], 'traik': ['kitar', 'krait', 'rakit', 'traik'], 'trail': ['litra', 'trail', 'trial'], 'trailer': ['retiral', 'retrial', 'trailer'], 'trailery': ['literary', 'trailery'], 'trailing': ['ringtail', 'trailing'], 'trailside': ['dialister', 'trailside'], 'train': ['riant', 'tairn', 'tarin', 'train'], 'trainable': ['albertina', 'trainable'], 'trainage': ['antiager', 'trainage'], 'trainboy': ['bonitary', 'trainboy'], 'trained': ['antired', 'detrain', 'randite', 'trained'], 'trainee': ['enteria', 'trainee', 'triaene'], 'trainer': ['arterin', 'retrain', 'terrain', 'trainer'], 'trainless': ['sternalis', 'trainless'], 'trainster': ['restraint', 'retransit', 'trainster', 'transiter'], 'traintime': ['intimater', 'traintime'], 'trainy': ['rytina', 'trainy', 'tyrian'], 'traipse': ['piaster', 'piastre', 'raspite', 'spirate', 'traipse'], 'trait': ['ratti', 'titar', 'trait'], 'tram': ['mart', 'tram'], 'trama': ['matar', 'matra', 'trama'], 'tramal': ['matral', 'tramal'], 'trame': ['armet', 'mater', 'merat', 'metra', 'ramet', 'tamer', 'terma', 'trame', 'trema'], 'trametes': ['teamster', 'trametes'], 'tramline': ['terminal', 'tramline'], 'tramper': ['retramp', 'tramper'], 'trample': ['templar', 'trample'], 'trampoline': ['intemporal', 'trampoline'], 'tran': ['natr', 'rant', 'tarn', 'tran'], 'trance': ['canter', 'creant', 'cretan', 'nectar', 'recant', 'tanrec', 'trance'], 'tranced': ['cantred', 'centrad', 'tranced'], 'trancelike': ['nectarlike', 'trancelike'], 'trankum': ['trankum', 'turkman'], 'transamination': ['transamination', 'transanimation'], 'transanimation': ['transamination', 'transanimation'], 'transept': ['prestant', 'transept'], 'transeptally': ['platysternal', 'transeptally'], 'transformer': ['retransform', 'transformer'], 'transfuge': ['afterguns', 'transfuge'], 'transient': ['instanter', 'transient'], 'transigent': ['astringent', 'transigent'], 'transimpression': ['pretransmission', 'transimpression'], 'transire': ['restrain', 'strainer', 'transire'], 'transit': ['straint', 'transit', 'tristan'], 'transiter': ['restraint', 'retransit', 'trainster', 'transiter'], 'transitive': ['revisitant', 'transitive'], 'transmarine': ['strainerman', 'transmarine'], 'transmit': ['tantrism', 'transmit'], 'transmold': ['landstorm', 'transmold'], 'transoceanic': ['narcaciontes', 'transoceanic'], 'transonic': ['constrain', 'transonic'], 'transpire': ['prestrain', 'transpire'], 'transplanter': ['retransplant', 'transplanter'], 'transportee': ['paternoster', 'prosternate', 'transportee'], 'transporter': ['retransport', 'transporter'], 'transpose': ['patroness', 'transpose'], 'transposer': ['transposer', 'transprose'], 'transprose': ['transposer', 'transprose'], 'trap': ['part', 'prat', 'rapt', 'tarp', 'trap'], 'trapa': ['apart', 'trapa'], 'trapes': ['paster', 'repast', 'trapes'], 'trapfall': ['pratfall', 'trapfall'], 'traphole': ['plethora', 'traphole'], 'trappean': ['apparent', 'trappean'], 'traps': ['spart', 'sprat', 'strap', 'traps'], 'traship': ['harpist', 'traship'], 'trasy': ['satyr', 'stary', 'stray', 'trasy'], 'traulism': ['altruism', 'muralist', 'traulism', 'ultraism'], 'trauma': ['taruma', 'trauma'], 'travale': ['larvate', 'lavaret', 'travale'], 'trave': ['avert', 'tarve', 'taver', 'trave'], 'travel': ['travel', 'varlet'], 'traveler': ['retravel', 'revertal', 'traveler'], 'traversion': ['overstrain', 'traversion'], 'travertine': ['travertine', 'trinervate'], 'travoy': ['travoy', 'votary'], 'tray': ['arty', 'atry', 'tray'], 'treacle': ['electra', 'treacle'], 'tread': ['dater', 'derat', 'detar', 'drate', 'rated', 'trade', 'tread'], 'treader': ['derater', 'retrade', 'retread', 'treader'], 'treading': ['gradient', 'treading'], 'treadle': ['delater', 'related', 'treadle'], 'treason': ['noreast', 'rosetan', 'seatron', 'senator', 'treason'], 'treasonish': ['astonisher', 'reastonish', 'treasonish'], 'treasonist': ['steatornis', 'treasonist'], 'treasonous': ['anoestrous', 'treasonous'], 'treasurer': ['serrature', 'treasurer'], 'treat': ['atter', 'tater', 'teart', 'tetra', 'treat'], 'treatably': ['tabletary', 'treatably'], 'treatee': ['ateeter', 'treatee'], 'treater': ['ettarre', 'retreat', 'treater'], 'treatise': ['estriate', 'treatise'], 'treaty': ['attery', 'treaty', 'yatter'], 'treble': ['belter', 'elbert', 'treble'], 'treculia': ['arculite', 'cutleria', 'lucretia', 'reticula', 'treculia'], 'tree': ['reet', 'teer', 'tree'], 'treed': ['deter', 'treed'], 'treeful': ['fleuret', 'treeful'], 'treehood': ['theodore', 'treehood'], 'treemaker': ['marketeer', 'treemaker'], 'treeman': ['remanet', 'remeant', 'treeman'], 'treen': ['enter', 'neter', 'renet', 'terne', 'treen'], 'treenail': ['elaterin', 'entailer', 'treenail'], 'treeship': ['hepteris', 'treeship'], 'tref': ['fret', 'reft', 'tref'], 'trefle': ['felter', 'telfer', 'trefle'], 'trellis': ['stiller', 'trellis'], 'trema': ['armet', 'mater', 'merat', 'metra', 'ramet', 'tamer', 'terma', 'trame', 'trema'], 'trematoid': ['meditator', 'trematoid'], 'tremella': ['realmlet', 'tremella'], 'tremie': ['metier', 'retime', 'tremie'], 'tremolo': ['roomlet', 'tremolo'], 'tremor': ['termor', 'tremor'], 'trenail': ['entrail', 'latiner', 'latrine', 'ratline', 'reliant', 'retinal', 'trenail'], 'trenchant': ['centranth', 'trenchant'], 'trencher': ['retrench', 'trencher'], 'trenchmaster': ['stretcherman', 'trenchmaster'], 'trenchwise': ['trenchwise', 'winchester'], 'trentine': ['renitent', 'trentine'], 'trepan': ['arpent', 'enrapt', 'entrap', 'panter', 'parent', 'pretan', 'trepan'], 'trephine': ['nephrite', 'prehnite', 'trephine'], 'trepid': ['dipter', 'trepid'], 'trepidation': ['departition', 'partitioned', 'trepidation'], 'treron': ['terron', 'treron', 'troner'], 'treronidae': ['reordinate', 'treronidae'], 'tressed': ['dessert', 'tressed'], 'tressful': ['tressful', 'turfless'], 'tressour': ['tressour', 'trousers'], 'trest': ['stert', 'stret', 'trest'], 'trestle': ['settler', 'sterlet', 'trestle'], 'trevor': ['trevor', 'trover'], 'trews': ['strew', 'trews', 'wrest'], 'trey': ['trey', 'tyre'], 'tri': ['rit', 'tri'], 'triable': ['betrail', 'librate', 'triable', 'trilabe'], 'triace': ['acrite', 'arcite', 'tercia', 'triace', 'tricae'], 'triacid': ['arctiid', 'triacid', 'triadic'], 'triacontane': ['recantation', 'triacontane'], 'triaconter': ['retraction', 'triaconter'], 'triactine': ['intricate', 'triactine'], 'triadic': ['arctiid', 'triacid', 'triadic'], 'triadical': ['raticidal', 'triadical'], 'triadist': ['distrait', 'triadist'], 'triaene': ['enteria', 'trainee', 'triaene'], 'triage': ['gaiter', 'tairge', 'triage'], 'trial': ['litra', 'trail', 'trial'], 'trialism': ['mistrial', 'trialism'], 'trialist': ['taistril', 'trialist'], 'triamide': ['dimetria', 'mitridae', 'tiremaid', 'triamide'], 'triamino': ['miniator', 'triamino'], 'triandria': ['irradiant', 'triandria'], 'triangle': ['integral', 'teraglin', 'triangle'], 'triangula': ['tragulina', 'triangula'], 'triannual': ['innatural', 'triannual'], 'triannulate': ['antineutral', 'triannulate'], 'triantelope': ['interpolate', 'triantelope'], 'triapsidal': ['lapidarist', 'triapsidal'], 'triareal': ['arterial', 'triareal'], 'trias': ['arist', 'astir', 'sitar', 'stair', 'stria', 'tarsi', 'tisar', 'trias'], 'triassic': ['sarcitis', 'triassic'], 'triazane': ['nazarite', 'nazirate', 'triazane'], 'triazine': ['nazirite', 'triazine'], 'tribade': ['redbait', 'tribade'], 'tribase': ['baister', 'tribase'], 'tribe': ['biter', 'tribe'], 'tribelet': ['belitter', 'tribelet'], 'triblet': ['blitter', 'brittle', 'triblet'], 'tribonema': ['brominate', 'tribonema'], 'tribuna': ['arbutin', 'tribuna'], 'tribunal': ['tribunal', 'turbinal', 'untribal'], 'tribunate': ['tribunate', 'turbinate'], 'tribune': ['tribune', 'tuberin', 'turbine'], 'tricae': ['acrite', 'arcite', 'tercia', 'triace', 'tricae'], 'trice': ['citer', 'recti', 'ticer', 'trice'], 'tricennial': ['encrinital', 'tricennial'], 'triceratops': ['tetrasporic', 'triceratops'], 'triceria': ['criteria', 'triceria'], 'tricerion': ['criterion', 'tricerion'], 'tricerium': ['criterium', 'tricerium'], 'trichinous': ['trichinous', 'unhistoric'], 'trichogyne': ['thyrogenic', 'trichogyne'], 'trichoid': ['hidrotic', 'trichoid'], 'trichomanes': ['anchoretism', 'trichomanes'], 'trichome': ['chromite', 'trichome'], 'trichopore': ['horopteric', 'rheotropic', 'trichopore'], 'trichosis': ['historics', 'trichosis'], 'trichosporum': ['sporotrichum', 'trichosporum'], 'trichroic': ['cirrhotic', 'trichroic'], 'trichroism': ['trichroism', 'triorchism'], 'trichromic': ['microcrith', 'trichromic'], 'tricia': ['iatric', 'tricia'], 'trickle': ['tickler', 'trickle'], 'triclinate': ['intractile', 'triclinate'], 'tricolumnar': ['tricolumnar', 'ultramicron'], 'tricosane': ['atroscine', 'certosina', 'ostracine', 'tinoceras', 'tricosane'], 'tridacna': ['antacrid', 'cardiant', 'radicant', 'tridacna'], 'tridecane': ['nectaried', 'tridecane'], 'tridecene': ['intercede', 'tridecene'], 'tridecyl': ['directly', 'tridecyl'], 'tridiapason': ['disparation', 'tridiapason'], 'tried': ['diter', 'tired', 'tried'], 'triedly': ['tiredly', 'triedly'], 'triene': ['entire', 'triene'], 'triens': ['estrin', 'insert', 'sinter', 'sterin', 'triens'], 'triental': ['tetralin', 'triental'], 'triequal': ['quartile', 'requital', 'triequal'], 'trier': ['terri', 'tirer', 'trier'], 'trifle': ['fertil', 'filter', 'lifter', 'relift', 'trifle'], 'trifler': ['flirter', 'trifler'], 'triflet': ['flitter', 'triflet'], 'trifling': ['flirting', 'trifling'], 'triflingly': ['flirtingly', 'triflingly'], 'trifolium': ['lituiform', 'trifolium'], 'trig': ['girt', 'grit', 'trig'], 'trigona': ['grotian', 'trigona'], 'trigone': ['ergotin', 'genitor', 'negrito', 'ogtiern', 'trigone'], 'trigonia': ['rigation', 'trigonia'], 'trigonid': ['trigonid', 'tringoid'], 'trigyn': ['trigyn', 'trying'], 'trilabe': ['betrail', 'librate', 'triable', 'trilabe'], 'trilineate': ['retinalite', 'trilineate'], 'trilisa': ['liatris', 'trilisa'], 'trillet': ['rillett', 'trillet'], 'trilobate': ['latrobite', 'trilobate'], 'trilobated': ['titleboard', 'trilobated'], 'trimacular': ['matricular', 'trimacular'], 'trimensual': ['neutralism', 'trimensual'], 'trimer': ['mitrer', 'retrim', 'trimer'], 'trimesic': ['meristic', 'trimesic', 'trisemic'], 'trimesitinic': ['interimistic', 'trimesitinic'], 'trimesyl': ['trimesyl', 'tylerism'], 'trimeter': ['remitter', 'trimeter'], 'trimstone': ['sortiment', 'trimstone'], 'trinalize': ['latinizer', 'trinalize'], 'trindle': ['tendril', 'trindle'], 'trine': ['inert', 'inter', 'niter', 'retin', 'trine'], 'trinely': ['elytrin', 'inertly', 'trinely'], 'trinervate': ['travertine', 'trinervate'], 'trinerve': ['inverter', 'reinvert', 'trinerve'], 'trineural': ['retinular', 'trineural'], 'tringa': ['rating', 'tringa'], 'tringle': ['ringlet', 'tingler', 'tringle'], 'tringoid': ['trigonid', 'tringoid'], 'trinket': ['knitter', 'trinket'], 'trinkle': ['tinkler', 'trinkle'], 'trinoctial': ['tinctorial', 'trinoctial'], 'trinodine': ['rendition', 'trinodine'], 'trintle': ['lettrin', 'trintle'], 'trio': ['riot', 'roit', 'trio'], 'triode': ['editor', 'triode'], 'trioecism': ['eroticism', 'isometric', 'meroistic', 'trioecism'], 'triole': ['loiter', 'toiler', 'triole'], 'trioleic': ['elicitor', 'trioleic'], 'triolet': ['lotrite', 'tortile', 'triolet'], 'trionymal': ['normality', 'trionymal'], 'triopidae': ['poritidae', 'triopidae'], 'triops': ['ripost', 'triops', 'tripos'], 'triorchism': ['trichroism', 'triorchism'], 'triose': ['restio', 'sorite', 'sortie', 'triose'], 'tripe': ['perit', 'retip', 'tripe'], 'tripedal': ['dipteral', 'tripedal'], 'tripel': ['tripel', 'triple'], 'tripeman': ['imperant', 'pairment', 'partimen', 'premiant', 'tripeman'], 'tripersonal': ['intersporal', 'tripersonal'], 'tripestone': ['septentrio', 'tripestone'], 'triphane': ['perianth', 'triphane'], 'triplane': ['interlap', 'repliant', 'triplane'], 'triplasian': ['airplanist', 'triplasian'], 'triplasic': ['pilastric', 'triplasic'], 'triple': ['tripel', 'triple'], 'triplice': ['perlitic', 'triplice'], 'triplopia': ['propitial', 'triplopia'], 'tripod': ['torpid', 'tripod'], 'tripodal': ['dioptral', 'tripodal'], 'tripodic': ['dioptric', 'tripodic'], 'tripodical': ['dioptrical', 'tripodical'], 'tripody': ['dioptry', 'tripody'], 'tripos': ['ripost', 'triops', 'tripos'], 'trippist': ['strippit', 'trippist'], 'tripple': ['ripplet', 'tippler', 'tripple'], 'tripsis': ['pristis', 'tripsis'], 'tripsome': ['imposter', 'tripsome'], 'tripudiant': ['antiputrid', 'tripudiant'], 'tripyrenous': ['neurotripsy', 'tripyrenous'], 'triratna': ['tartarin', 'triratna'], 'trireme': ['meriter', 'miterer', 'trireme'], 'trisalt': ['starlit', 'trisalt'], 'trisected': ['decretist', 'trisected'], 'trisector': ['tortrices', 'trisector'], 'trisemic': ['meristic', 'trimesic', 'trisemic'], 'trisetose': ['esoterist', 'trisetose'], 'trishna': ['tarnish', 'trishna'], 'trisilane': ['listerian', 'trisilane'], 'triskele': ['kreistle', 'triskele'], 'trismus': ['sistrum', 'trismus'], 'trisome': ['erotism', 'mortise', 'trisome'], 'trisomy': ['toryism', 'trisomy'], 'trisonant': ['strontian', 'trisonant'], 'trispinose': ['pirssonite', 'trispinose'], 'trist': ['strit', 'trist'], 'tristan': ['straint', 'transit', 'tristan'], 'trisula': ['latirus', 'trisula'], 'trisulcate': ['testicular', 'trisulcate'], 'tritanope': ['antitrope', 'patronite', 'tritanope'], 'tritanopic': ['antitropic', 'tritanopic'], 'trite': ['titer', 'titre', 'trite'], 'tritely': ['littery', 'tritely'], 'triterpene': ['preterient', 'triterpene'], 'tritheism': ['tiresmith', 'tritheism'], 'trithionate': ['anorthitite', 'trithionate'], 'tritocone': ['torticone', 'tritocone'], 'tritoma': ['mattoir', 'tritoma'], 'triton': ['intort', 'tornit', 'triton'], 'triune': ['runite', 'triune', 'uniter', 'untire'], 'trivalence': ['cantilever', 'trivalence'], 'trivial': ['trivial', 'vitrail'], 'trivialist': ['trivialist', 'vitrailist'], 'troat': ['ottar', 'tarot', 'torta', 'troat'], 'troca': ['actor', 'corta', 'croat', 'rocta', 'taroc', 'troca'], 'trocar': ['carrot', 'trocar'], 'trochaic': ['thoracic', 'tocharic', 'trochaic'], 'trochate': ['theocrat', 'trochate'], 'troche': ['hector', 'rochet', 'tocher', 'troche'], 'trochi': ['chorti', 'orthic', 'thoric', 'trochi'], 'trochidae': ['charioted', 'trochidae'], 'trochila': ['acrolith', 'trochila'], 'trochilic': ['chloritic', 'trochilic'], 'trochlea': ['chlorate', 'trochlea'], 'trochlearis': ['rhetoricals', 'trochlearis'], 'trode': ['doter', 'tored', 'trode'], 'trog': ['grot', 'trog'], 'trogonidae': ['derogation', 'trogonidae'], 'troiades': ['asteroid', 'troiades'], 'troic': ['toric', 'troic'], 'troika': ['korait', 'troika'], 'trolley': ['tollery', 'trolley'], 'tromba': ['tambor', 'tromba'], 'trombe': ['retomb', 'trombe'], 'trompe': ['emptor', 'trompe'], 'tron': ['torn', 'tron'], 'trona': ['orant', 'rotan', 'toran', 'trona'], 'tronage': ['negator', 'tronage'], 'trone': ['noter', 'tenor', 'toner', 'trone'], 'troner': ['terron', 'treron', 'troner'], 'troop': ['porto', 'proto', 'troop'], 'trooper': ['protore', 'trooper'], 'tropaeolum': ['pleurotoma', 'tropaeolum'], 'tropaion': ['opinator', 'tropaion'], 'tropal': ['patrol', 'portal', 'tropal'], 'troparion': ['proration', 'troparion'], 'tropary': ['parroty', 'portray', 'tropary'], 'trope': ['poter', 'prote', 'repot', 'tepor', 'toper', 'trope'], 'tropeic': ['perotic', 'proteic', 'tropeic'], 'tropeine': ['ereption', 'tropeine'], 'troper': ['porret', 'porter', 'report', 'troper'], 'trophema': ['metaphor', 'trophema'], 'trophesial': ['hospitaler', 'trophesial'], 'trophical': ['carpolith', 'politarch', 'trophical'], 'trophodisc': ['doctorship', 'trophodisc'], 'trophonema': ['homopteran', 'trophonema'], 'trophotropic': ['prototrophic', 'trophotropic'], 'tropical': ['plicator', 'tropical'], 'tropically': ['polycitral', 'tropically'], 'tropidine': ['direption', 'perdition', 'tropidine'], 'tropine': ['pointer', 'protein', 'pterion', 'repoint', 'tropine'], 'tropism': ['primost', 'tropism'], 'tropist': ['protist', 'tropist'], 'tropistic': ['proctitis', 'protistic', 'tropistic'], 'tropophyte': ['protophyte', 'tropophyte'], 'tropophytic': ['protophytic', 'tropophytic'], 'tropyl': ['portly', 'protyl', 'tropyl'], 'trostera': ['rostrate', 'trostera'], 'trot': ['tort', 'trot'], 'troth': ['thort', 'troth'], 'trotline': ['interlot', 'trotline'], 'trouble': ['boulter', 'trouble'], 'troughy': ['troughy', 'yoghurt'], 'trounce': ['cornute', 'counter', 'recount', 'trounce'], 'troupe': ['pouter', 'roupet', 'troupe'], 'trouse': ['ouster', 'souter', 'touser', 'trouse'], 'trouser': ['rouster', 'trouser'], 'trouserian': ['souterrain', 'ternarious', 'trouserian'], 'trousers': ['tressour', 'trousers'], 'trout': ['trout', 'tutor'], 'trouter': ['torture', 'trouter', 'tutorer'], 'troutless': ['troutless', 'tutorless'], 'trouty': ['trouty', 'tryout', 'tutory'], 'trouvere': ['overtrue', 'overture', 'trouvere'], 'trove': ['overt', 'rovet', 'torve', 'trove', 'voter'], 'trover': ['trevor', 'trover'], 'trow': ['trow', 'wort'], 'trowel': ['rowlet', 'trowel', 'wolter'], 'troy': ['royt', 'ryot', 'tory', 'troy', 'tyro'], 'truandise': ['disnature', 'sturnidae', 'truandise'], 'truant': ['truant', 'turtan'], 'trub': ['brut', 'burt', 'trub', 'turb'], 'trubu': ['burut', 'trubu'], 'truce': ['cruet', 'eruct', 'recut', 'truce'], 'truceless': ['cutleress', 'lecturess', 'truceless'], 'trucial': ['curtail', 'trucial'], 'trucks': ['struck', 'trucks'], 'truculent': ['truculent', 'unclutter'], 'truelove': ['revolute', 'truelove'], 'truffle': ['fretful', 'truffle'], 'trug': ['gurt', 'trug'], 'truistical': ['altruistic', 'truistical', 'ultraistic'], 'truly': ['rutyl', 'truly'], 'trumperiness': ['surprisement', 'trumperiness'], 'trumpie': ['imputer', 'trumpie'], 'trun': ['runt', 'trun', 'turn'], 'truncated': ['reductant', 'traducent', 'truncated'], 'trundle': ['rundlet', 'trundle'], 'trush': ['hurst', 'trush'], 'trusion': ['nitrous', 'trusion'], 'trust': ['strut', 'sturt', 'trust'], 'trustee': ['surette', 'trustee'], 'trusteeism': ['sestertium', 'trusteeism'], 'trusten': ['entrust', 'stunter', 'trusten'], 'truster': ['retrust', 'truster'], 'trustle': ['slutter', 'trustle'], 'truth': ['thurt', 'truth'], 'trying': ['trigyn', 'trying'], 'tryma': ['marty', 'tryma'], 'tryout': ['trouty', 'tryout', 'tutory'], 'trypa': ['party', 'trypa'], 'trypan': ['pantry', 'trypan'], 'tryptase': ['tapestry', 'tryptase'], 'tsar': ['sart', 'star', 'stra', 'tars', 'tsar'], 'tsardom': ['stardom', 'tsardom'], 'tsarina': ['artisan', 'astrain', 'sartain', 'tsarina'], 'tsarship': ['starship', 'tsarship'], 'tsatlee': ['atelets', 'tsatlee'], 'tsere': ['ester', 'estre', 'reest', 'reset', 'steer', 'stere', 'stree', 'terse', 'tsere'], 'tsetse': ['sestet', 'testes', 'tsetse'], 'tshi': ['hist', 'sith', 'this', 'tshi'], 'tsia': ['atis', 'sita', 'tsia'], 'tsine': ['inset', 'neist', 'snite', 'stein', 'stine', 'tsine'], 'tsiology': ['sitology', 'tsiology'], 'tsoneca': ['costean', 'tsoneca'], 'tsonecan': ['noncaste', 'tsonecan'], 'tsuga': ['agust', 'tsuga'], 'tsuma': ['matsu', 'tamus', 'tsuma'], 'tsun': ['stun', 'sunt', 'tsun'], 'tu': ['tu', 'ut'], 'tua': ['tau', 'tua', 'uta'], 'tuan': ['antu', 'aunt', 'naut', 'taun', 'tuan', 'tuna'], 'tuareg': ['argute', 'guetar', 'rugate', 'tuareg'], 'tuarn': ['arnut', 'tuarn', 'untar'], 'tub': ['but', 'tub'], 'tuba': ['abut', 'tabu', 'tuba'], 'tubae': ['butea', 'taube', 'tubae'], 'tubal': ['balut', 'tubal'], 'tubar': ['bruta', 'tubar'], 'tubate': ['battue', 'tubate'], 'tube': ['bute', 'tebu', 'tube'], 'tuber': ['brute', 'buret', 'rebut', 'tuber'], 'tubercula': ['lucubrate', 'tubercula'], 'tuberin': ['tribune', 'tuberin', 'turbine'], 'tuberless': ['butleress', 'tuberless'], 'tublet': ['buttle', 'tublet'], 'tuboovarial': ['ovariotubal', 'tuboovarial'], 'tucana': ['canaut', 'tucana'], 'tucano': ['toucan', 'tucano', 'uncoat'], 'tuchun': ['tuchun', 'uncuth'], 'tucker': ['retuck', 'tucker'], 'tue': ['tue', 'ute'], 'tueiron': ['routine', 'tueiron'], 'tug': ['gut', 'tug'], 'tughra': ['raught', 'tughra'], 'tugless': ['gutless', 'tugless'], 'tuglike': ['gutlike', 'tuglike'], 'tugman': ['tangum', 'tugman'], 'tuism': ['muist', 'tuism'], 'tuke': ['ketu', 'teuk', 'tuke'], 'tukra': ['kraut', 'tukra'], 'tulare': ['tulare', 'uretal'], 'tulasi': ['situal', 'situla', 'tulasi'], 'tulchan': ['tulchan', 'unlatch'], 'tule': ['lute', 'tule'], 'tulipa': ['tipula', 'tulipa'], 'tulisan': ['latinus', 'tulisan', 'unalist'], 'tulsi': ['litus', 'sluit', 'tulsi'], 'tumbler': ['tumbler', 'tumbrel'], 'tumbrel': ['tumbler', 'tumbrel'], 'tume': ['mute', 'tume'], 'tumescence': ['mutescence', 'tumescence'], 'tumorous': ['mortuous', 'tumorous'], 'tumulary': ['mutulary', 'tumulary'], 'tun': ['nut', 'tun'], 'tuna': ['antu', 'aunt', 'naut', 'taun', 'tuan', 'tuna'], 'tunable': ['abluent', 'tunable'], 'tunbellied': ['tunbellied', 'unbilleted'], 'tunca': ['tunca', 'unact'], 'tund': ['dunt', 'tund'], 'tunder': ['runted', 'tunder', 'turned'], 'tundra': ['durant', 'tundra'], 'tuner': ['enrut', 'tuner', 'urent'], 'tunga': ['gaunt', 'tunga'], 'tungan': ['tangun', 'tungan'], 'tungate': ['tungate', 'tutenag'], 'tungo': ['tungo', 'ungot'], 'tungstosilicate': ['silicotungstate', 'tungstosilicate'], 'tungstosilicic': ['silicotungstic', 'tungstosilicic'], 'tunic': ['cutin', 'incut', 'tunic'], 'tunica': ['anicut', 'nautic', 'ticuna', 'tunica'], 'tunican': ['ticunan', 'tunican'], 'tunicary': ['nycturia', 'tunicary'], 'tunicle': ['linecut', 'tunicle'], 'tunicless': ['lentiscus', 'tunicless'], 'tunist': ['suttin', 'tunist'], 'tunk': ['knut', 'tunk'], 'tunker': ['tunker', 'turken'], 'tunlike': ['nutlike', 'tunlike'], 'tunna': ['naunt', 'tunna'], 'tunnel': ['nunlet', 'tunnel', 'unlent'], 'tunnelman': ['annulment', 'tunnelman'], 'tunner': ['runnet', 'tunner', 'unrent'], 'tunnor': ['tunnor', 'untorn'], 'tuno': ['tuno', 'unto'], 'tup': ['put', 'tup'], 'tur': ['rut', 'tur'], 'turacin': ['curtain', 'turacin', 'turcian'], 'turanian': ['nutarian', 'turanian'], 'turanism': ['naturism', 'sturmian', 'turanism'], 'turb': ['brut', 'burt', 'trub', 'turb'], 'turban': ['tanbur', 'turban'], 'turbaned': ['breadnut', 'turbaned'], 'turbanless': ['substernal', 'turbanless'], 'turbeh': ['hubert', 'turbeh'], 'turbinal': ['tribunal', 'turbinal', 'untribal'], 'turbinate': ['tribunate', 'turbinate'], 'turbine': ['tribune', 'tuberin', 'turbine'], 'turbined': ['turbined', 'underbit'], 'turcian': ['curtain', 'turacin', 'turcian'], 'turco': ['court', 'crout', 'turco'], 'turcoman': ['courtman', 'turcoman'], 'turdinae': ['indurate', 'turdinae'], 'turdine': ['intrude', 'turdine', 'untired', 'untried'], 'tureen': ['neuter', 'retune', 'runtee', 'tenure', 'tureen'], 'turfed': ['dufter', 'turfed'], 'turfen': ['turfen', 'unfret'], 'turfless': ['tressful', 'turfless'], 'turgent': ['grutten', 'turgent'], 'turk': ['kurt', 'turk'], 'turken': ['tunker', 'turken'], 'turki': ['tikur', 'turki'], 'turkman': ['trankum', 'turkman'], 'turma': ['martu', 'murat', 'turma'], 'turn': ['runt', 'trun', 'turn'], 'turndown': ['downturn', 'turndown'], 'turned': ['runted', 'tunder', 'turned'], 'turnel': ['runlet', 'turnel'], 'turner': ['return', 'turner'], 'turnhall': ['turnhall', 'unthrall'], 'turnout': ['outturn', 'turnout'], 'turnover': ['overturn', 'turnover'], 'turnpin': ['turnpin', 'unprint'], 'turns': ['snurt', 'turns'], 'turntail': ['rutilant', 'turntail'], 'turnup': ['turnup', 'upturn'], 'turp': ['prut', 'turp'], 'turpid': ['putrid', 'turpid'], 'turpidly': ['putridly', 'turpidly'], 'turps': ['spurt', 'turps'], 'turret': ['rutter', 'turret'], 'turricula': ['turricula', 'utricular'], 'turse': ['serut', 'strue', 'turse', 'uster'], 'tursenoi': ['rutinose', 'tursenoi'], 'tursio': ['suitor', 'tursio'], 'turtan': ['truant', 'turtan'], 'tuscan': ['cantus', 'tuscan', 'uncast'], 'tusche': ['schute', 'tusche'], 'tush': ['shut', 'thus', 'tush'], 'tusher': ['reshut', 'suther', 'thurse', 'tusher'], 'tussal': ['saltus', 'tussal'], 'tusser': ['russet', 'tusser'], 'tussore': ['estrous', 'oestrus', 'sestuor', 'tussore'], 'tutelo': ['outlet', 'tutelo'], 'tutenag': ['tungate', 'tutenag'], 'tutman': ['mutant', 'tantum', 'tutman'], 'tutor': ['trout', 'tutor'], 'tutorer': ['torture', 'trouter', 'tutorer'], 'tutorial': ['outtrail', 'tutorial'], 'tutorism': ['mistutor', 'tutorism'], 'tutorless': ['troutless', 'tutorless'], 'tutory': ['trouty', 'tryout', 'tutory'], 'tuts': ['stut', 'tuts'], 'tutster': ['stutter', 'tutster'], 'twa': ['taw', 'twa', 'wat'], 'twae': ['tewa', 'twae', 'weta'], 'twain': ['atwin', 'twain', 'witan'], 'twaite': ['tawite', 'tawtie', 'twaite'], 'twal': ['twal', 'walt'], 'twas': ['sawt', 'staw', 'swat', 'taws', 'twas', 'wast'], 'twat': ['twat', 'watt'], 'twee': ['twee', 'weet'], 'tweel': ['tewel', 'tweel'], 'twere': ['rewet', 'tewer', 'twere'], 'twi': ['twi', 'wit'], 'twigsome': ['twigsome', 'wegotism'], 'twin': ['twin', 'wint'], 'twiner': ['twiner', 'winter'], 'twingle': ['twingle', 'welting', 'winglet'], 'twinkle': ['twinkle', 'winklet'], 'twinkler': ['twinkler', 'wrinklet'], 'twinter': ['twinter', 'written'], 'twire': ['twire', 'write'], 'twister': ['retwist', 'twister'], 'twitchety': ['twitchety', 'witchetty'], 'twite': ['tewit', 'twite'], 'two': ['tow', 'two', 'wot'], 'twoling': ['lingtow', 'twoling'], 'tyche': ['techy', 'tyche'], 'tydie': ['deity', 'tydie'], 'tye': ['tye', 'yet'], 'tyke': ['kyte', 'tyke'], 'tylerism': ['trimesyl', 'tylerism'], 'tyloma': ['latomy', 'tyloma'], 'tylose': ['tolsey', 'tylose'], 'tylosis': ['tossily', 'tylosis'], 'tylotus': ['stoutly', 'tylotus'], 'tylus': ['lusty', 'tylus'], 'typal': ['aptly', 'patly', 'platy', 'typal'], 'typees': ['steepy', 'typees'], 'typer': ['perty', 'typer'], 'typha': ['pathy', 'typha'], 'typhia': ['pythia', 'typhia'], 'typhic': ['phytic', 'pitchy', 'pythic', 'typhic'], 'typhlopidae': ['heptaploidy', 'typhlopidae'], 'typhoean': ['anophyte', 'typhoean'], 'typhogenic': ['phytogenic', 'pythogenic', 'typhogenic'], 'typhoid': ['phytoid', 'typhoid'], 'typhonian': ['antiphony', 'typhonian'], 'typhonic': ['hypnotic', 'phytonic', 'pythonic', 'typhonic'], 'typhosis': ['phytosis', 'typhosis'], 'typica': ['atypic', 'typica'], 'typographer': ['petrography', 'pterography', 'typographer'], 'typographic': ['graphotypic', 'pictography', 'typographic'], 'typology': ['logotypy', 'typology'], 'typophile': ['hippolyte', 'typophile'], 'tyre': ['trey', 'tyre'], 'tyrian': ['rytina', 'trainy', 'tyrian'], 'tyro': ['royt', 'ryot', 'tory', 'troy', 'tyro'], 'tyrocidin': ['nordicity', 'tyrocidin'], 'tyrolean': ['neolatry', 'ornately', 'tyrolean'], 'tyrolite': ['toiletry', 'tyrolite'], 'tyrone': ['torney', 'tyrone'], 'tyronism': ['smyrniot', 'tyronism'], 'tyrosine': ['tyrosine', 'tyrsenoi'], 'tyrrheni': ['erythrin', 'tyrrheni'], 'tyrsenoi': ['tyrosine', 'tyrsenoi'], 'tyste': ['testy', 'tyste'], 'tyto': ['toty', 'tyto'], 'uang': ['gaun', 'guan', 'guna', 'uang'], 'ucal': ['caul', 'ucal'], 'udal': ['auld', 'dual', 'laud', 'udal'], 'udaler': ['lauder', 'udaler'], 'udalman': ['ladanum', 'udalman'], 'udo': ['duo', 'udo'], 'uds': ['sud', 'uds'], 'ugh': ['hug', 'ugh'], 'uglisome': ['eulogism', 'uglisome'], 'ugrian': ['gurian', 'ugrian'], 'ugric': ['guric', 'ugric'], 'uhtsong': ['gunshot', 'shotgun', 'uhtsong'], 'uinal': ['inula', 'luian', 'uinal'], 'uinta': ['uinta', 'uniat'], 'ulcer': ['cruel', 'lucre', 'ulcer'], 'ulcerate': ['celature', 'ulcerate'], 'ulcerous': ['ulcerous', 'urceolus'], 'ule': ['leu', 'lue', 'ule'], 'ulema': ['amelu', 'leuma', 'ulema'], 'uletic': ['lucite', 'luetic', 'uletic'], 'ulex': ['luxe', 'ulex'], 'ulla': ['lula', 'ulla'], 'ulling': ['ulling', 'ungill'], 'ulmin': ['linum', 'ulmin'], 'ulminic': ['clinium', 'ulminic'], 'ulmo': ['moul', 'ulmo'], 'ulna': ['laun', 'luna', 'ulna', 'unal'], 'ulnad': ['dunal', 'laund', 'lunda', 'ulnad'], 'ulnar': ['lunar', 'ulnar', 'urnal'], 'ulnare': ['lunare', 'neural', 'ulnare', 'unreal'], 'ulnaria': ['lunaria', 'ulnaria', 'uralian'], 'ulotrichi': ['ulotrichi', 'urolithic'], 'ulster': ['luster', 'result', 'rustle', 'sutler', 'ulster'], 'ulstered': ['deluster', 'ulstered'], 'ulsterian': ['neuralist', 'ulsterian', 'unrealist'], 'ulstering': ['resulting', 'ulstering'], 'ulsterman': ['menstrual', 'ulsterman'], 'ultima': ['mulita', 'ultima'], 'ultimate': ['mutilate', 'ultimate'], 'ultimation': ['mutilation', 'ultimation'], 'ultonian': ['lunation', 'ultonian'], 'ultra': ['lutra', 'ultra'], 'ultrabasic': ['arcubalist', 'ultrabasic'], 'ultraism': ['altruism', 'muralist', 'traulism', 'ultraism'], 'ultraist': ['altruist', 'ultraist'], 'ultraistic': ['altruistic', 'truistical', 'ultraistic'], 'ultramicron': ['tricolumnar', 'ultramicron'], 'ultraminute': ['intermutual', 'ultraminute'], 'ultramontane': ['tournamental', 'ultramontane'], 'ultranice': ['centurial', 'lucretian', 'ultranice'], 'ultrasterile': ['reillustrate', 'ultrasterile'], 'ulua': ['aulu', 'ulua'], 'ulva': ['ulva', 'uval'], 'um': ['mu', 'um'], 'umbel': ['umbel', 'umble'], 'umbellar': ['umbellar', 'umbrella'], 'umber': ['brume', 'umber'], 'umbilic': ['bulimic', 'umbilic'], 'umbiliform': ['bulimiform', 'umbiliform'], 'umble': ['umbel', 'umble'], 'umbonial': ['olibanum', 'umbonial'], 'umbral': ['brumal', 'labrum', 'lumbar', 'umbral'], 'umbrel': ['lumber', 'rumble', 'umbrel'], 'umbrella': ['umbellar', 'umbrella'], 'umbrous': ['brumous', 'umbrous'], 'ume': ['emu', 'ume'], 'umlaut': ['mutual', 'umlaut'], 'umph': ['hump', 'umph'], 'umpire': ['impure', 'umpire'], 'un': ['nu', 'un'], 'unabetted': ['debutante', 'unabetted'], 'unabhorred': ['unabhorred', 'unharbored'], 'unable': ['nebula', 'unable', 'unbale'], 'unaccumulate': ['acutenaculum', 'unaccumulate'], 'unact': ['tunca', 'unact'], 'unadherent': ['unadherent', 'underneath', 'underthane'], 'unadmire': ['unadmire', 'underaim'], 'unadmired': ['unadmired', 'undermaid'], 'unadored': ['unadored', 'unroaded'], 'unadvertised': ['disadventure', 'unadvertised'], 'unafire': ['fuirena', 'unafire'], 'unaged': ['augend', 'engaud', 'unaged'], 'unagreed': ['dungaree', 'guardeen', 'unagreed', 'underage', 'ungeared'], 'unailing': ['inguinal', 'unailing'], 'unaimed': ['numidae', 'unaimed'], 'unaisled': ['unaisled', 'unsailed'], 'unakite': ['kutenai', 'unakite'], 'unal': ['laun', 'luna', 'ulna', 'unal'], 'unalarming': ['unalarming', 'unmarginal'], 'unalert': ['laurent', 'neutral', 'unalert'], 'unalertly': ['neutrally', 'unalertly'], 'unalertness': ['neutralness', 'unalertness'], 'unalimentary': ['anteluminary', 'unalimentary'], 'unalist': ['latinus', 'tulisan', 'unalist'], 'unallotted': ['unallotted', 'untotalled'], 'unalmsed': ['dulseman', 'unalmsed'], 'unaltered': ['unaltered', 'unrelated'], 'unaltering': ['unaltering', 'unrelating'], 'unamassed': ['mussaenda', 'unamassed'], 'unambush': ['subhuman', 'unambush'], 'unamenability': ['unamenability', 'unnameability'], 'unamenable': ['unamenable', 'unnameable'], 'unamenableness': ['unamenableness', 'unnameableness'], 'unamenably': ['unamenably', 'unnameably'], 'unamend': ['mundane', 'unamend', 'unmaned', 'unnamed'], 'unami': ['maniu', 'munia', 'unami'], 'unapt': ['punta', 'unapt', 'untap'], 'unarising': ['grusinian', 'unarising'], 'unarm': ['muran', 'ruman', 'unarm', 'unram', 'urman'], 'unarmed': ['duramen', 'maunder', 'unarmed'], 'unarray': ['unarray', 'yaruran'], 'unarrestable': ['subterraneal', 'unarrestable'], 'unarrested': ['unarrested', 'unserrated'], 'unarted': ['daunter', 'unarted', 'unrated', 'untread'], 'unarticled': ['denticular', 'unarticled'], 'unartistic': ['naturistic', 'unartistic'], 'unartistical': ['naturalistic', 'unartistical'], 'unartistically': ['naturistically', 'unartistically'], 'unary': ['anury', 'unary', 'unray'], 'unastray': ['auntsary', 'unastray'], 'unathirst': ['struthian', 'unathirst'], 'unattire': ['tainture', 'unattire'], 'unattuned': ['unattuned', 'untaunted'], 'unaverted': ['adventure', 'unaverted'], 'unavertible': ['unavertible', 'unveritable'], 'unbag': ['bugan', 'bunga', 'unbag'], 'unbain': ['nubian', 'unbain'], 'unbale': ['nebula', 'unable', 'unbale'], 'unbar': ['buran', 'unbar', 'urban'], 'unbare': ['eburna', 'unbare', 'unbear', 'urbane'], 'unbarred': ['errabund', 'unbarred'], 'unbased': ['subdean', 'unbased'], 'unbaste': ['unbaste', 'unbeast'], 'unbatted': ['debutant', 'unbatted'], 'unbay': ['bunya', 'unbay'], 'unbe': ['benu', 'unbe'], 'unbear': ['eburna', 'unbare', 'unbear', 'urbane'], 'unbearded': ['unbearded', 'unbreaded'], 'unbeast': ['unbaste', 'unbeast'], 'unbeavered': ['unbeavered', 'unbereaved'], 'unbelied': ['unbelied', 'unedible'], 'unbereaved': ['unbeavered', 'unbereaved'], 'unbesot': ['subnote', 'subtone', 'unbesot'], 'unbias': ['anubis', 'unbias'], 'unbillet': ['bulletin', 'unbillet'], 'unbilleted': ['tunbellied', 'unbilleted'], 'unblasted': ['dunstable', 'unblasted', 'unstabled'], 'unbled': ['bundle', 'unbled'], 'unboasted': ['eastbound', 'unboasted'], 'unboat': ['outban', 'unboat'], 'unboding': ['bounding', 'unboding'], 'unbog': ['bungo', 'unbog'], 'unboiled': ['unboiled', 'unilobed'], 'unboned': ['bounden', 'unboned'], 'unborder': ['unborder', 'underorb'], 'unbored': ['beround', 'bounder', 'rebound', 'unbored', 'unorbed', 'unrobed'], 'unboweled': ['unboweled', 'unelbowed'], 'unbrace': ['bucrane', 'unbrace'], 'unbraceleted': ['unbraceleted', 'uncelebrated'], 'unbraid': ['barundi', 'unbraid'], 'unbrailed': ['indurable', 'unbrailed', 'unridable'], 'unbreaded': ['unbearded', 'unbreaded'], 'unbred': ['bunder', 'burden', 'burned', 'unbred'], 'unbribed': ['unbribed', 'unribbed'], 'unbrief': ['unbrief', 'unfiber'], 'unbriefed': ['unbriefed', 'unfibered'], 'unbroiled': ['unbroiled', 'underboil'], 'unbrushed': ['unbrushed', 'underbush'], 'unbud': ['bundu', 'unbud', 'undub'], 'unburden': ['unburden', 'unburned'], 'unburned': ['unburden', 'unburned'], 'unbuttered': ['unbuttered', 'unrebutted'], 'unca': ['cuna', 'unca'], 'uncage': ['cangue', 'uncage'], 'uncambered': ['uncambered', 'unembraced'], 'uncamerated': ['uncamerated', 'unmacerated'], 'uncapable': ['uncapable', 'unpacable'], 'uncaptious': ['uncaptious', 'usucaption'], 'uncarted': ['uncarted', 'uncrated', 'underact', 'untraced'], 'uncartooned': ['uncartooned', 'uncoronated'], 'uncase': ['uncase', 'usance'], 'uncask': ['uncask', 'unsack'], 'uncasked': ['uncasked', 'unsacked'], 'uncast': ['cantus', 'tuscan', 'uncast'], 'uncatalogued': ['uncatalogued', 'uncoagulated'], 'uncate': ['tecuna', 'uncate'], 'uncaused': ['uncaused', 'unsauced'], 'uncavalier': ['naviculare', 'uncavalier'], 'uncelebrated': ['unbraceleted', 'uncelebrated'], 'uncellar': ['lucernal', 'nucellar', 'uncellar'], 'uncenter': ['uncenter', 'unrecent'], 'uncertain': ['encurtain', 'runcinate', 'uncertain'], 'uncertifiable': ['uncertifiable', 'unrectifiable'], 'uncertified': ['uncertified', 'unrectified'], 'unchain': ['chunnia', 'unchain'], 'unchair': ['chunari', 'unchair'], 'unchalked': ['unchalked', 'unhackled'], 'uncharge': ['gunreach', 'uncharge'], 'uncharm': ['uncharm', 'unmarch'], 'uncharming': ['uncharming', 'unmarching'], 'uncharred': ['uncharred', 'underarch'], 'uncheat': ['uncheat', 'unteach'], 'uncheating': ['uncheating', 'unteaching'], 'unchoked': ['unchoked', 'unhocked'], 'unchoosable': ['chaenolobus', 'unchoosable'], 'unchosen': ['nonesuch', 'unchosen'], 'uncial': ['cunila', 'lucian', 'lucina', 'uncial'], 'unciferous': ['nuciferous', 'unciferous'], 'unciform': ['nuciform', 'unciform'], 'uncinate': ['nunciate', 'uncinate'], 'unclaimed': ['unclaimed', 'undecimal', 'unmedical'], 'unclay': ['lunacy', 'unclay'], 'unclead': ['unclead', 'unlaced'], 'unclear': ['crenula', 'lucarne', 'nuclear', 'unclear'], 'uncleared': ['uncleared', 'undeclare'], 'uncledom': ['columned', 'uncledom'], 'uncleship': ['siphuncle', 'uncleship'], 'uncloister': ['cornulites', 'uncloister'], 'unclose': ['counsel', 'unclose'], 'unclutter': ['truculent', 'unclutter'], 'unco': ['cuon', 'unco'], 'uncoagulated': ['uncatalogued', 'uncoagulated'], 'uncoat': ['toucan', 'tucano', 'uncoat'], 'uncoated': ['outdance', 'uncoated'], 'uncoiled': ['nucleoid', 'uncoiled'], 'uncoin': ['nuncio', 'uncoin'], 'uncollapsed': ['uncollapsed', 'unscalloped'], 'uncolored': ['uncolored', 'undercool'], 'uncomic': ['muconic', 'uncomic'], 'uncompatible': ['incomputable', 'uncompatible'], 'uncomplaint': ['uncomplaint', 'uncompliant'], 'uncomplete': ['couplement', 'uncomplete'], 'uncompliant': ['uncomplaint', 'uncompliant'], 'unconcerted': ['unconcerted', 'unconcreted'], 'unconcreted': ['unconcerted', 'unconcreted'], 'unconservable': ['unconservable', 'unconversable'], 'unconstraint': ['noncurantist', 'unconstraint'], 'uncontrasted': ['counterstand', 'uncontrasted'], 'unconversable': ['unconservable', 'unconversable'], 'uncoop': ['coupon', 'uncoop'], 'uncooped': ['couponed', 'uncooped'], 'uncope': ['pounce', 'uncope'], 'uncopied': ['cupidone', 'uncopied'], 'uncore': ['conure', 'rounce', 'uncore'], 'uncored': ['crunode', 'uncored'], 'uncorked': ['uncorked', 'unrocked'], 'uncoronated': ['uncartooned', 'uncoronated'], 'uncorrect': ['cocurrent', 'occurrent', 'uncorrect'], 'uncorrugated': ['counterguard', 'uncorrugated'], 'uncorseted': ['uncorseted', 'unescorted'], 'uncostumed': ['uncostumed', 'uncustomed'], 'uncoursed': ['uncoursed', 'unscoured'], 'uncouth': ['uncouth', 'untouch'], 'uncoverable': ['uncoverable', 'unrevocable'], 'uncradled': ['uncradled', 'underclad'], 'uncrated': ['uncarted', 'uncrated', 'underact', 'untraced'], 'uncreased': ['uncreased', 'undercase'], 'uncreatable': ['uncreatable', 'untraceable'], 'uncreatableness': ['uncreatableness', 'untraceableness'], 'uncreation': ['enunciator', 'uncreation'], 'uncreative': ['uncreative', 'unreactive'], 'uncredited': ['uncredited', 'undirected'], 'uncrest': ['encrust', 'uncrest'], 'uncrested': ['uncrested', 'undersect'], 'uncried': ['inducer', 'uncried'], 'uncrooked': ['uncrooked', 'undercook'], 'uncrude': ['uncrude', 'uncured'], 'unctional': ['continual', 'inoculant', 'unctional'], 'unctioneer': ['recontinue', 'unctioneer'], 'uncured': ['uncrude', 'uncured'], 'uncustomed': ['uncostumed', 'uncustomed'], 'uncuth': ['tuchun', 'uncuth'], 'undam': ['maund', 'munda', 'numda', 'undam', 'unmad'], 'undangered': ['undangered', 'underanged', 'ungardened'], 'undarken': ['undarken', 'unranked'], 'undashed': ['undashed', 'unshaded'], 'undate': ['nudate', 'undate'], 'unde': ['dune', 'nude', 'unde'], 'undean': ['duenna', 'undean'], 'undear': ['endura', 'neurad', 'undear', 'unread'], 'undeceiver': ['undeceiver', 'unreceived'], 'undecimal': ['unclaimed', 'undecimal', 'unmedical'], 'undeclare': ['uncleared', 'undeclare'], 'undecolic': ['coinclude', 'undecolic'], 'undecorated': ['undecorated', 'undercoated'], 'undefiled': ['undefiled', 'unfielded'], 'undeified': ['undeified', 'unedified'], 'undelible': ['undelible', 'unlibeled'], 'undelight': ['undelight', 'unlighted'], 'undelude': ['undelude', 'uneluded'], 'undeluding': ['undeluding', 'unindulged'], 'undemanded': ['undemanded', 'unmaddened'], 'unden': ['dunne', 'unden'], 'undeparted': ['dunderpate', 'undeparted'], 'undepraved': ['undepraved', 'unpervaded'], 'under': ['runed', 'under', 'unred'], 'underact': ['uncarted', 'uncrated', 'underact', 'untraced'], 'underacted': ['underacted', 'unredacted'], 'underaction': ['denunciator', 'underaction'], 'underage': ['dungaree', 'guardeen', 'unagreed', 'underage', 'ungeared'], 'underaid': ['underaid', 'unraided'], 'underaim': ['unadmire', 'underaim'], 'underanged': ['undangered', 'underanged', 'ungardened'], 'underarch': ['uncharred', 'underarch'], 'underarm': ['underarm', 'unmarred'], 'underbake': ['underbake', 'underbeak'], 'underbeak': ['underbake', 'underbeak'], 'underbeat': ['eburnated', 'underbeat', 'unrebated'], 'underbit': ['turbined', 'underbit'], 'underboil': ['unbroiled', 'underboil'], 'underbreathing': ['thunderbearing', 'underbreathing'], 'underbrush': ['underbrush', 'undershrub'], 'underbush': ['unbrushed', 'underbush'], 'undercase': ['uncreased', 'undercase'], 'underchap': ['underchap', 'unparched'], 'underclad': ['uncradled', 'underclad'], 'undercoat': ['cornuated', 'undercoat'], 'undercoated': ['undecorated', 'undercoated'], 'undercook': ['uncrooked', 'undercook'], 'undercool': ['uncolored', 'undercool'], 'undercut': ['undercut', 'unreduct'], 'underdead': ['underdead', 'undreaded'], 'underdig': ['underdig', 'ungirded', 'unridged'], 'underdive': ['underdive', 'underived'], 'underdo': ['redound', 'rounded', 'underdo'], 'underdoer': ['underdoer', 'unordered'], 'underdog': ['grounded', 'underdog', 'undergod'], 'underdown': ['underdown', 'undrowned'], 'underdrag': ['underdrag', 'undergrad'], 'underdraw': ['underdraw', 'underward'], 'undereat': ['denature', 'undereat'], 'underer': ['endurer', 'underer'], 'underfiend': ['underfiend', 'unfriended'], 'underfill': ['underfill', 'unfrilled'], 'underfire': ['underfire', 'unferried'], 'underflow': ['underflow', 'wonderful'], 'underfur': ['underfur', 'unfurred'], 'undergo': ['guerdon', 'undergo', 'ungored'], 'undergod': ['grounded', 'underdog', 'undergod'], 'undergoer': ['guerdoner', 'reundergo', 'undergoer', 'undergore'], 'undergore': ['guerdoner', 'reundergo', 'undergoer', 'undergore'], 'undergown': ['undergown', 'unwronged'], 'undergrad': ['underdrag', 'undergrad'], 'undergrade': ['undergrade', 'unregarded'], 'underheat': ['underheat', 'unearthed'], 'underhonest': ['underhonest', 'unshortened'], 'underhorse': ['underhorse', 'undershore'], 'underived': ['underdive', 'underived'], 'underkind': ['underkind', 'unkindred'], 'underlap': ['pendular', 'underlap', 'uplander'], 'underleaf': ['underleaf', 'unfederal'], 'underlease': ['underlease', 'unreleased'], 'underlegate': ['underlegate', 'unrelegated'], 'underlid': ['underlid', 'unriddle'], 'underlive': ['underlive', 'unreviled'], 'underlying': ['enduringly', 'underlying'], 'undermade': ['undermade', 'undreamed'], 'undermaid': ['unadmired', 'undermaid'], 'undermaker': ['undermaker', 'unremarked'], 'undermaster': ['undermaster', 'understream'], 'undermeal': ['denumeral', 'undermeal', 'unrealmed'], 'undermine': ['undermine', 'unermined'], 'undermost': ['undermost', 'unstormed'], 'undermotion': ['undermotion', 'unmonitored'], 'undern': ['dunner', 'undern'], 'underneath': ['unadherent', 'underneath', 'underthane'], 'undernote': ['undernote', 'undertone'], 'undernoted': ['undernoted', 'undertoned'], 'underntide': ['indentured', 'underntide'], 'underorb': ['unborder', 'underorb'], 'underpay': ['underpay', 'unprayed'], 'underpeer': ['perendure', 'underpeer'], 'underpick': ['underpick', 'unpricked'], 'underpier': ['underpier', 'underripe'], 'underpile': ['underpile', 'unreplied'], 'underpose': ['underpose', 'unreposed'], 'underpuke': ['underpuke', 'unperuked'], 'underream': ['maunderer', 'underream'], 'underripe': ['underpier', 'underripe'], 'underrobe': ['rebounder', 'underrobe'], 'undersap': ['undersap', 'unparsed', 'unrasped', 'unspared', 'unspread'], 'undersea': ['undersea', 'unerased', 'unseared'], 'underseam': ['underseam', 'unsmeared'], 'undersect': ['uncrested', 'undersect'], 'underserve': ['underserve', 'underverse', 'undeserver', 'unreserved', 'unreversed'], 'underset': ['sederunt', 'underset', 'undesert', 'unrested'], 'undershapen': ['undershapen', 'unsharpened'], 'undershore': ['underhorse', 'undershore'], 'undershrub': ['underbrush', 'undershrub'], 'underside': ['underside', 'undesired'], 'undersoil': ['undersoil', 'unsoldier'], 'undersow': ['sewround', 'undersow'], 'underspar': ['underspar', 'unsparred'], 'understain': ['understain', 'unstrained'], 'understand': ['understand', 'unstranded'], 'understream': ['undermaster', 'understream'], 'underthane': ['unadherent', 'underneath', 'underthane'], 'underthing': ['thundering', 'underthing'], 'undertide': ['durdenite', 'undertide'], 'undertime': ['undertime', 'unmerited'], 'undertimed': ['demiturned', 'undertimed'], 'undertitle': ['undertitle', 'unlittered'], 'undertone': ['undernote', 'undertone'], 'undertoned': ['undernoted', 'undertoned'], 'undertow': ['undertow', 'untrowed'], 'undertread': ['undertread', 'unretarded'], 'undertutor': ['undertutor', 'untortured'], 'underverse': ['underserve', 'underverse', 'undeserver', 'unreserved', 'unreversed'], 'underwage': ['underwage', 'unwagered'], 'underward': ['underdraw', 'underward'], 'underwarp': ['underwarp', 'underwrap'], 'underwave': ['underwave', 'unwavered'], 'underwrap': ['underwarp', 'underwrap'], 'undesert': ['sederunt', 'underset', 'undesert', 'unrested'], 'undeserve': ['undeserve', 'unsevered'], 'undeserver': ['underserve', 'underverse', 'undeserver', 'unreserved', 'unreversed'], 'undesign': ['undesign', 'unsigned', 'unsinged'], 'undesired': ['underside', 'undesired'], 'undeviated': ['denudative', 'undeviated'], 'undieted': ['undieted', 'unedited'], 'undig': ['gundi', 'undig'], 'undirect': ['undirect', 'untriced'], 'undirected': ['uncredited', 'undirected'], 'undiscerned': ['undiscerned', 'unrescinded'], 'undiscretion': ['discontinuer', 'undiscretion'], 'undistress': ['sturdiness', 'undistress'], 'undiverse': ['undiverse', 'unrevised'], 'undog': ['undog', 'ungod'], 'undrab': ['durban', 'undrab'], 'undrag': ['durgan', 'undrag'], 'undrape': ['undrape', 'unpared', 'unraped'], 'undreaded': ['underdead', 'undreaded'], 'undreamed': ['undermade', 'undreamed'], 'undrowned': ['underdown', 'undrowned'], 'undrugged': ['undrugged', 'ungrudged'], 'undryable': ['endurably', 'undryable'], 'undub': ['bundu', 'unbud', 'undub'], 'undumped': ['pudendum', 'undumped'], 'undy': ['duny', 'undy'], 'uneager': ['geneura', 'uneager'], 'unearned': ['unearned', 'unneared'], 'unearnest': ['unearnest', 'uneastern'], 'unearth': ['haunter', 'nauther', 'unearth', 'unheart', 'urethan'], 'unearthed': ['underheat', 'unearthed'], 'unearthly': ['unearthly', 'urethylan'], 'uneastern': ['unearnest', 'uneastern'], 'uneath': ['uneath', 'unhate'], 'unebriate': ['beraunite', 'unebriate'], 'unedge': ['dengue', 'unedge'], 'unedible': ['unbelied', 'unedible'], 'unedified': ['undeified', 'unedified'], 'unedited': ['undieted', 'unedited'], 'unelapsed': ['unelapsed', 'unpleased'], 'unelated': ['antelude', 'unelated'], 'unelbowed': ['unboweled', 'unelbowed'], 'unelidible': ['ineludible', 'unelidible'], 'uneluded': ['undelude', 'uneluded'], 'unembased': ['sunbeamed', 'unembased'], 'unembraced': ['uncambered', 'unembraced'], 'unenabled': ['unenabled', 'unendable'], 'unencored': ['denouncer', 'unencored'], 'unendable': ['unenabled', 'unendable'], 'unending': ['unending', 'unginned'], 'unenervated': ['unenervated', 'unvenerated'], 'unenlisted': ['unenlisted', 'unlistened', 'untinseled'], 'unenterprised': ['superintender', 'unenterprised'], 'unenviable': ['unenviable', 'unveniable'], 'unenvied': ['unenvied', 'unveined'], 'unequitable': ['unequitable', 'unquietable'], 'unerased': ['undersea', 'unerased', 'unseared'], 'unermined': ['undermine', 'unermined'], 'unerratic': ['recurtain', 'unerratic'], 'unerupted': ['unerupted', 'unreputed'], 'unescorted': ['uncorseted', 'unescorted'], 'unevil': ['unevil', 'unlive', 'unveil'], 'unexactly': ['exultancy', 'unexactly'], 'unexceptable': ['unexceptable', 'unexpectable'], 'unexcepted': ['unexcepted', 'unexpected'], 'unexcepting': ['unexcepting', 'unexpecting'], 'unexpectable': ['unexceptable', 'unexpectable'], 'unexpected': ['unexcepted', 'unexpected'], 'unexpecting': ['unexcepting', 'unexpecting'], 'unfabled': ['fundable', 'unfabled'], 'unfaceted': ['fecundate', 'unfaceted'], 'unfactional': ['afunctional', 'unfactional'], 'unfactored': ['fecundator', 'unfactored'], 'unfainting': ['antifungin', 'unfainting'], 'unfallible': ['unfallible', 'unfillable'], 'unfar': ['furan', 'unfar'], 'unfarmed': ['unfarmed', 'unframed'], 'unfederal': ['underleaf', 'unfederal'], 'unfeeding': ['unfeeding', 'unfeigned'], 'unfeeling': ['unfeeling', 'unfleeing'], 'unfeigned': ['unfeeding', 'unfeigned'], 'unfelt': ['fluent', 'netful', 'unfelt', 'unleft'], 'unfelted': ['defluent', 'unfelted'], 'unferried': ['underfire', 'unferried'], 'unfiber': ['unbrief', 'unfiber'], 'unfibered': ['unbriefed', 'unfibered'], 'unfielded': ['undefiled', 'unfielded'], 'unfiend': ['unfiend', 'unfined'], 'unfiery': ['reunify', 'unfiery'], 'unfillable': ['unfallible', 'unfillable'], 'unfined': ['unfiend', 'unfined'], 'unfired': ['unfired', 'unfried'], 'unflag': ['fungal', 'unflag'], 'unflat': ['flaunt', 'unflat'], 'unfleeing': ['unfeeling', 'unfleeing'], 'unfloured': ['unfloured', 'unfoldure'], 'unfolder': ['flounder', 'reunfold', 'unfolder'], 'unfolding': ['foundling', 'unfolding'], 'unfoldure': ['unfloured', 'unfoldure'], 'unforest': ['furstone', 'unforest'], 'unforested': ['unforested', 'unfostered'], 'unformality': ['fulminatory', 'unformality'], 'unforward': ['unforward', 'unfroward'], 'unfostered': ['unforested', 'unfostered'], 'unfrail': ['rainful', 'unfrail'], 'unframed': ['unfarmed', 'unframed'], 'unfret': ['turfen', 'unfret'], 'unfriable': ['funebrial', 'unfriable'], 'unfried': ['unfired', 'unfried'], 'unfriended': ['underfiend', 'unfriended'], 'unfriending': ['unfriending', 'uninfringed'], 'unfrilled': ['underfill', 'unfrilled'], 'unfroward': ['unforward', 'unfroward'], 'unfurl': ['unfurl', 'urnful'], 'unfurred': ['underfur', 'unfurred'], 'ungaite': ['ungaite', 'unitage'], 'unganged': ['unganged', 'unnagged'], 'ungardened': ['undangered', 'underanged', 'ungardened'], 'ungarnish': ['ungarnish', 'unsharing'], 'ungear': ['nauger', 'raunge', 'ungear'], 'ungeared': ['dungaree', 'guardeen', 'unagreed', 'underage', 'ungeared'], 'ungelt': ['englut', 'gluten', 'ungelt'], 'ungenerable': ['ungenerable', 'ungreenable'], 'unget': ['tengu', 'unget'], 'ungilded': ['deluding', 'ungilded'], 'ungill': ['ulling', 'ungill'], 'ungilt': ['glutin', 'luting', 'ungilt'], 'unginned': ['unending', 'unginned'], 'ungird': ['during', 'ungird'], 'ungirded': ['underdig', 'ungirded', 'unridged'], 'ungirdle': ['indulger', 'ungirdle'], 'ungirt': ['ungirt', 'untrig'], 'ungirth': ['hurting', 'ungirth', 'unright'], 'ungirthed': ['ungirthed', 'unrighted'], 'unglad': ['gandul', 'unglad'], 'unglued': ['unglued', 'unguled'], 'ungod': ['undog', 'ungod'], 'ungold': ['dungol', 'ungold'], 'ungone': ['guenon', 'ungone'], 'ungored': ['guerdon', 'undergo', 'ungored'], 'ungorge': ['gurgeon', 'ungorge'], 'ungot': ['tungo', 'ungot'], 'ungothic': ['touching', 'ungothic'], 'ungraphic': ['ungraphic', 'uparching'], 'ungreenable': ['ungenerable', 'ungreenable'], 'ungrieved': ['gerundive', 'ungrieved'], 'ungroined': ['ungroined', 'unignored'], 'ungrudged': ['undrugged', 'ungrudged'], 'ungual': ['ungual', 'ungula'], 'ungueal': ['ungueal', 'ungulae'], 'ungula': ['ungual', 'ungula'], 'ungulae': ['ungueal', 'ungulae'], 'unguled': ['unglued', 'unguled'], 'ungulp': ['ungulp', 'unplug'], 'unhabit': ['bhutani', 'unhabit'], 'unhackled': ['unchalked', 'unhackled'], 'unhairer': ['rhineura', 'unhairer'], 'unhalsed': ['unhalsed', 'unlashed', 'unshaled'], 'unhalted': ['unhalted', 'unlathed'], 'unhalter': ['lutheran', 'unhalter'], 'unhaltered': ['unhaltered', 'unlathered'], 'unhamper': ['prehuman', 'unhamper'], 'unharbored': ['unabhorred', 'unharbored'], 'unhasped': ['unhasped', 'unphased', 'unshaped'], 'unhat': ['ahunt', 'haunt', 'thuan', 'unhat'], 'unhate': ['uneath', 'unhate'], 'unhatingly': ['hauntingly', 'unhatingly'], 'unhayed': ['unhayed', 'unheady'], 'unheady': ['unhayed', 'unheady'], 'unhearsed': ['unhearsed', 'unsheared'], 'unheart': ['haunter', 'nauther', 'unearth', 'unheart', 'urethan'], 'unhid': ['hindu', 'hundi', 'unhid'], 'unhistoric': ['trichinous', 'unhistoric'], 'unhittable': ['unhittable', 'untithable'], 'unhoarded': ['roundhead', 'unhoarded'], 'unhocked': ['unchoked', 'unhocked'], 'unhoisted': ['hudsonite', 'unhoisted'], 'unhorse': ['unhorse', 'unshore'], 'unhose': ['unhose', 'unshoe'], 'unhosed': ['unhosed', 'unshoed'], 'unhurt': ['unhurt', 'unruth'], 'uniat': ['uinta', 'uniat'], 'uniate': ['auntie', 'uniate'], 'unible': ['nubile', 'unible'], 'uniced': ['induce', 'uniced'], 'unicentral': ['incruental', 'unicentral'], 'unideal': ['aliunde', 'unideal'], 'unidentified': ['indefinitude', 'unidentified'], 'unidly': ['unidly', 'yildun'], 'unie': ['niue', 'unie'], 'unifilar': ['friulian', 'unifilar'], 'uniflorate': ['antifouler', 'fluorinate', 'uniflorate'], 'unigenous': ['ingenuous', 'unigenous'], 'unignored': ['ungroined', 'unignored'], 'unilobar': ['orbulina', 'unilobar'], 'unilobed': ['unboiled', 'unilobed'], 'unimedial': ['aluminide', 'unimedial'], 'unimpair': ['manipuri', 'unimpair'], 'unimparted': ['diparentum', 'unimparted'], 'unimportance': ['importunance', 'unimportance'], 'unimpressible': ['unimpressible', 'unpermissible'], 'unimpressive': ['unimpressive', 'unpermissive'], 'unindented': ['unindented', 'unintended'], 'unindulged': ['undeluding', 'unindulged'], 'uninervate': ['aventurine', 'uninervate'], 'uninfringed': ['unfriending', 'uninfringed'], 'uningested': ['uningested', 'unsigneted'], 'uninn': ['nunni', 'uninn'], 'uninnate': ['eutannin', 'uninnate'], 'uninodal': ['annuloid', 'uninodal'], 'unintended': ['unindented', 'unintended'], 'unintoned': ['nonunited', 'unintoned'], 'uninured': ['uninured', 'unruined'], 'unionist': ['inustion', 'unionist'], 'unipersonal': ['spinoneural', 'unipersonal'], 'unipod': ['dupion', 'unipod'], 'uniradial': ['nidularia', 'uniradial'], 'unireme': ['erineum', 'unireme'], 'uniserrate': ['arseniuret', 'uniserrate'], 'unison': ['nonius', 'unison'], 'unitage': ['ungaite', 'unitage'], 'unital': ['inlaut', 'unital'], 'unite': ['intue', 'unite', 'untie'], 'united': ['dunite', 'united', 'untied'], 'uniter': ['runite', 'triune', 'uniter', 'untire'], 'unitiveness': ['unitiveness', 'unsensitive'], 'unitrope': ['eruption', 'unitrope'], 'univied': ['univied', 'viduine'], 'unket': ['knute', 'unket'], 'unkilned': ['unkilned', 'unlinked'], 'unkin': ['nunki', 'unkin'], 'unkindred': ['underkind', 'unkindred'], 'unlabiate': ['laubanite', 'unlabiate'], 'unlabored': ['burdalone', 'unlabored'], 'unlace': ['auncel', 'cuneal', 'lacune', 'launce', 'unlace'], 'unlaced': ['unclead', 'unlaced'], 'unlade': ['unlade', 'unlead'], 'unlaid': ['dualin', 'ludian', 'unlaid'], 'unlame': ['manuel', 'unlame'], 'unlapped': ['unlapped', 'unpalped'], 'unlarge': ['granule', 'unlarge', 'unregal'], 'unlashed': ['unhalsed', 'unlashed', 'unshaled'], 'unlasting': ['unlasting', 'unslating'], 'unlatch': ['tulchan', 'unlatch'], 'unlathed': ['unhalted', 'unlathed'], 'unlathered': ['unhaltered', 'unlathered'], 'unlay': ['unlay', 'yulan'], 'unlead': ['unlade', 'unlead'], 'unleasable': ['unleasable', 'unsealable'], 'unleased': ['unleased', 'unsealed'], 'unleash': ['hulsean', 'unleash'], 'unled': ['lendu', 'unled'], 'unleft': ['fluent', 'netful', 'unfelt', 'unleft'], 'unlent': ['nunlet', 'tunnel', 'unlent'], 'unlevied': ['unlevied', 'unveiled'], 'unlibeled': ['undelible', 'unlibeled'], 'unliberal': ['brunellia', 'unliberal'], 'unlicensed': ['unlicensed', 'unsilenced'], 'unlighted': ['undelight', 'unlighted'], 'unliken': ['nunlike', 'unliken'], 'unlime': ['lumine', 'unlime'], 'unlinked': ['unkilned', 'unlinked'], 'unlist': ['insult', 'sunlit', 'unlist', 'unslit'], 'unlistened': ['unenlisted', 'unlistened', 'untinseled'], 'unlit': ['unlit', 'until'], 'unliteral': ['tellurian', 'unliteral'], 'unlittered': ['undertitle', 'unlittered'], 'unlive': ['unevil', 'unlive', 'unveil'], 'unloaded': ['duodenal', 'unloaded'], 'unloaden': ['unloaden', 'unloaned'], 'unloader': ['unloader', 'urodelan'], 'unloaned': ['unloaden', 'unloaned'], 'unlodge': ['unlodge', 'unogled'], 'unlogic': ['gulonic', 'unlogic'], 'unlooped': ['unlooped', 'unpooled'], 'unlooted': ['unlooted', 'untooled'], 'unlost': ['unlost', 'unslot'], 'unlowered': ['unlowered', 'unroweled'], 'unlucid': ['nuculid', 'unlucid'], 'unlumped': ['pendulum', 'unlumped', 'unplumed'], 'unlured': ['unlured', 'unruled'], 'unlyrical': ['runically', 'unlyrical'], 'unmacerated': ['uncamerated', 'unmacerated'], 'unmad': ['maund', 'munda', 'numda', 'undam', 'unmad'], 'unmadded': ['addendum', 'unmadded'], 'unmaddened': ['undemanded', 'unmaddened'], 'unmaid': ['numida', 'unmaid'], 'unmail': ['alumni', 'unmail'], 'unmailed': ['adlumine', 'unmailed'], 'unmaned': ['mundane', 'unamend', 'unmaned', 'unnamed'], 'unmantle': ['unmantle', 'unmental'], 'unmarch': ['uncharm', 'unmarch'], 'unmarching': ['uncharming', 'unmarching'], 'unmarginal': ['unalarming', 'unmarginal'], 'unmarred': ['underarm', 'unmarred'], 'unmashed': ['unmashed', 'unshamed'], 'unmate': ['unmate', 'untame', 'unteam'], 'unmated': ['unmated', 'untamed'], 'unmaterial': ['manualiter', 'unmaterial'], 'unmeated': ['unmeated', 'unteamed'], 'unmedical': ['unclaimed', 'undecimal', 'unmedical'], 'unmeet': ['unmeet', 'unteem'], 'unmemoired': ['unmemoired', 'unmemoried'], 'unmemoried': ['unmemoired', 'unmemoried'], 'unmental': ['unmantle', 'unmental'], 'unmerged': ['gerendum', 'unmerged'], 'unmerited': ['undertime', 'unmerited'], 'unmettle': ['temulent', 'unmettle'], 'unminable': ['nelumbian', 'unminable'], 'unmined': ['minuend', 'unmined'], 'unminted': ['indument', 'unminted'], 'unmisled': ['muslined', 'unmisled', 'unsmiled'], 'unmiter': ['minuter', 'unmiter'], 'unmodest': ['mudstone', 'unmodest'], 'unmodish': ['muishond', 'unmodish'], 'unmomentary': ['monumentary', 'unmomentary'], 'unmonitored': ['undermotion', 'unmonitored'], 'unmorbid': ['moribund', 'unmorbid'], 'unmorose': ['enormous', 'unmorose'], 'unmortised': ['semirotund', 'unmortised'], 'unmotived': ['unmotived', 'unvomited'], 'unmystical': ['stimulancy', 'unmystical'], 'unnagged': ['unganged', 'unnagged'], 'unnail': ['alnuin', 'unnail'], 'unnameability': ['unamenability', 'unnameability'], 'unnameable': ['unamenable', 'unnameable'], 'unnameableness': ['unamenableness', 'unnameableness'], 'unnameably': ['unamenably', 'unnameably'], 'unnamed': ['mundane', 'unamend', 'unmaned', 'unnamed'], 'unnational': ['annulation', 'unnational'], 'unnative': ['unnative', 'venutian'], 'unneared': ['unearned', 'unneared'], 'unnest': ['unnest', 'unsent'], 'unnetted': ['unnetted', 'untented'], 'unnose': ['nonuse', 'unnose'], 'unnoted': ['unnoted', 'untoned'], 'unnoticed': ['continued', 'unnoticed'], 'unoared': ['rondeau', 'unoared'], 'unogled': ['unlodge', 'unogled'], 'unomitted': ['dumontite', 'unomitted'], 'unoperatic': ['precaution', 'unoperatic'], 'unorbed': ['beround', 'bounder', 'rebound', 'unbored', 'unorbed', 'unrobed'], 'unorder': ['rondure', 'rounder', 'unorder'], 'unordered': ['underdoer', 'unordered'], 'unoriented': ['nonerudite', 'unoriented'], 'unown': ['unown', 'unwon'], 'unowned': ['enwound', 'unowned'], 'unpacable': ['uncapable', 'unpacable'], 'unpacker': ['reunpack', 'unpacker'], 'unpaired': ['unpaired', 'unrepaid'], 'unpale': ['unpale', 'uplane'], 'unpalped': ['unlapped', 'unpalped'], 'unpanel': ['unpanel', 'unpenal'], 'unparceled': ['unparceled', 'unreplaced'], 'unparched': ['underchap', 'unparched'], 'unpared': ['undrape', 'unpared', 'unraped'], 'unparsed': ['undersap', 'unparsed', 'unrasped', 'unspared', 'unspread'], 'unparted': ['depurant', 'unparted'], 'unpartial': ['tarpaulin', 'unpartial'], 'unpenal': ['unpanel', 'unpenal'], 'unpenetrable': ['unpenetrable', 'unrepentable'], 'unpent': ['punnet', 'unpent'], 'unperch': ['puncher', 'unperch'], 'unpercolated': ['counterpaled', 'counterplead', 'unpercolated'], 'unpermissible': ['unimpressible', 'unpermissible'], 'unpermissive': ['unimpressive', 'unpermissive'], 'unperuked': ['underpuke', 'unperuked'], 'unpervaded': ['undepraved', 'unpervaded'], 'unpetal': ['plutean', 'unpetal', 'unpleat'], 'unpharasaic': ['parasuchian', 'unpharasaic'], 'unphased': ['unhasped', 'unphased', 'unshaped'], 'unphrased': ['unphrased', 'unsharped'], 'unpickled': ['dunpickle', 'unpickled'], 'unpierced': ['preinduce', 'unpierced'], 'unpile': ['lupine', 'unpile', 'upline'], 'unpiled': ['unpiled', 'unplied'], 'unplace': ['cleanup', 'unplace'], 'unplain': ['pinnula', 'unplain'], 'unplait': ['nuptial', 'unplait'], 'unplanted': ['pendulant', 'unplanted'], 'unplat': ['puntal', 'unplat'], 'unpleased': ['unelapsed', 'unpleased'], 'unpleat': ['plutean', 'unpetal', 'unpleat'], 'unpleated': ['pendulate', 'unpleated'], 'unplied': ['unpiled', 'unplied'], 'unplug': ['ungulp', 'unplug'], 'unplumed': ['pendulum', 'unlumped', 'unplumed'], 'unpoled': ['duplone', 'unpoled'], 'unpolished': ['disulphone', 'unpolished'], 'unpolitic': ['punctilio', 'unpolitic'], 'unpooled': ['unlooped', 'unpooled'], 'unposted': ['outspend', 'unposted'], 'unpot': ['punto', 'unpot', 'untop'], 'unprayed': ['underpay', 'unprayed'], 'unprelatic': ['periculant', 'unprelatic'], 'unpressed': ['resuspend', 'suspender', 'unpressed'], 'unpricked': ['underpick', 'unpricked'], 'unprint': ['turnpin', 'unprint'], 'unprosaic': ['inocarpus', 'unprosaic'], 'unproselyted': ['pseudelytron', 'unproselyted'], 'unproud': ['roundup', 'unproud'], 'unpursued': ['unpursued', 'unusurped'], 'unpursuing': ['unpursuing', 'unusurping'], 'unquietable': ['unequitable', 'unquietable'], 'unrabbeted': ['beturbaned', 'unrabbeted'], 'unraced': ['durance', 'redunca', 'unraced'], 'unraided': ['underaid', 'unraided'], 'unraised': ['denarius', 'desaurin', 'unraised'], 'unram': ['muran', 'ruman', 'unarm', 'unram', 'urman'], 'unranked': ['undarken', 'unranked'], 'unraped': ['undrape', 'unpared', 'unraped'], 'unrasped': ['undersap', 'unparsed', 'unrasped', 'unspared', 'unspread'], 'unrated': ['daunter', 'unarted', 'unrated', 'untread'], 'unravel': ['unravel', 'venular'], 'unray': ['anury', 'unary', 'unray'], 'unrayed': ['unrayed', 'unready'], 'unreactive': ['uncreative', 'unreactive'], 'unread': ['endura', 'neurad', 'undear', 'unread'], 'unready': ['unrayed', 'unready'], 'unreal': ['lunare', 'neural', 'ulnare', 'unreal'], 'unrealism': ['semilunar', 'unrealism'], 'unrealist': ['neuralist', 'ulsterian', 'unrealist'], 'unrealmed': ['denumeral', 'undermeal', 'unrealmed'], 'unrebated': ['eburnated', 'underbeat', 'unrebated'], 'unrebutted': ['unbuttered', 'unrebutted'], 'unreceived': ['undeceiver', 'unreceived'], 'unrecent': ['uncenter', 'unrecent'], 'unrecited': ['centuried', 'unrecited'], 'unrectifiable': ['uncertifiable', 'unrectifiable'], 'unrectified': ['uncertified', 'unrectified'], 'unred': ['runed', 'under', 'unred'], 'unredacted': ['underacted', 'unredacted'], 'unreduct': ['undercut', 'unreduct'], 'unreeve': ['revenue', 'unreeve'], 'unreeving': ['unreeving', 'unveering'], 'unregal': ['granule', 'unlarge', 'unregal'], 'unregard': ['grandeur', 'unregard'], 'unregarded': ['undergrade', 'unregarded'], 'unrein': ['enruin', 'neurin', 'unrein'], 'unreinstated': ['unreinstated', 'unstraitened'], 'unrelated': ['unaltered', 'unrelated'], 'unrelating': ['unaltering', 'unrelating'], 'unreleased': ['underlease', 'unreleased'], 'unrelegated': ['underlegate', 'unrelegated'], 'unremarked': ['undermaker', 'unremarked'], 'unrent': ['runnet', 'tunner', 'unrent'], 'unrented': ['unrented', 'untender'], 'unrepaid': ['unpaired', 'unrepaid'], 'unrepentable': ['unpenetrable', 'unrepentable'], 'unrepined': ['unrepined', 'unripened'], 'unrepining': ['unrepining', 'unripening'], 'unreplaced': ['unparceled', 'unreplaced'], 'unreplied': ['underpile', 'unreplied'], 'unreposed': ['underpose', 'unreposed'], 'unreputed': ['unerupted', 'unreputed'], 'unrescinded': ['undiscerned', 'unrescinded'], 'unrescued': ['unrescued', 'unsecured'], 'unreserved': ['underserve', 'underverse', 'undeserver', 'unreserved', 'unreversed'], 'unresisted': ['unresisted', 'unsistered'], 'unresolve': ['nervulose', 'unresolve', 'vulnerose'], 'unrespect': ['unrespect', 'unscepter', 'unsceptre'], 'unrespected': ['unrespected', 'unsceptered'], 'unrested': ['sederunt', 'underset', 'undesert', 'unrested'], 'unresting': ['insurgent', 'unresting'], 'unretarded': ['undertread', 'unretarded'], 'unreticent': ['entincture', 'unreticent'], 'unretired': ['reintrude', 'unretired'], 'unrevered': ['enverdure', 'unrevered'], 'unreversed': ['underserve', 'underverse', 'undeserver', 'unreserved', 'unreversed'], 'unreviled': ['underlive', 'unreviled'], 'unrevised': ['undiverse', 'unrevised'], 'unrevocable': ['uncoverable', 'unrevocable'], 'unribbed': ['unbribed', 'unribbed'], 'unrich': ['unrich', 'urchin'], 'unrid': ['rundi', 'unrid'], 'unridable': ['indurable', 'unbrailed', 'unridable'], 'unriddle': ['underlid', 'unriddle'], 'unride': ['diurne', 'inured', 'ruined', 'unride'], 'unridged': ['underdig', 'ungirded', 'unridged'], 'unrig': ['irgun', 'ruing', 'unrig'], 'unright': ['hurting', 'ungirth', 'unright'], 'unrighted': ['ungirthed', 'unrighted'], 'unring': ['unring', 'urning'], 'unringed': ['enduring', 'unringed'], 'unripe': ['purine', 'unripe', 'uprein'], 'unripely': ['pyruline', 'unripely'], 'unripened': ['unrepined', 'unripened'], 'unripening': ['unrepining', 'unripening'], 'unroaded': ['unadored', 'unroaded'], 'unrobed': ['beround', 'bounder', 'rebound', 'unbored', 'unorbed', 'unrobed'], 'unrocked': ['uncorked', 'unrocked'], 'unroot': ['notour', 'unroot'], 'unroped': ['pounder', 'repound', 'unroped'], 'unrosed': ['resound', 'sounder', 'unrosed'], 'unrostrated': ['tetrandrous', 'unrostrated'], 'unrotated': ['rotundate', 'unrotated'], 'unroted': ['tendour', 'unroted'], 'unroused': ['unroused', 'unsoured'], 'unrouted': ['unrouted', 'untoured'], 'unrowed': ['rewound', 'unrowed', 'wounder'], 'unroweled': ['unlowered', 'unroweled'], 'unroyalist': ['unroyalist', 'unsolitary'], 'unruined': ['uninured', 'unruined'], 'unruled': ['unlured', 'unruled'], 'unrun': ['unrun', 'unurn'], 'unruth': ['unhurt', 'unruth'], 'unsack': ['uncask', 'unsack'], 'unsacked': ['uncasked', 'unsacked'], 'unsacred': ['unsacred', 'unscared'], 'unsad': ['sudan', 'unsad'], 'unsadden': ['unsadden', 'unsanded'], 'unsage': ['gnaeus', 'unsage'], 'unsaid': ['sudani', 'unsaid'], 'unsailed': ['unaisled', 'unsailed'], 'unsaint': ['antisun', 'unsaint', 'unsatin', 'unstain'], 'unsainted': ['unsainted', 'unstained'], 'unsalt': ['sultan', 'unsalt'], 'unsalted': ['unsalted', 'unslated', 'unstaled'], 'unsanded': ['unsadden', 'unsanded'], 'unsardonic': ['andronicus', 'unsardonic'], 'unsashed': ['sunshade', 'unsashed'], 'unsatable': ['sublanate', 'unsatable'], 'unsatiable': ['balaustine', 'unsatiable'], 'unsatin': ['antisun', 'unsaint', 'unsatin', 'unstain'], 'unsauced': ['uncaused', 'unsauced'], 'unscale': ['censual', 'unscale'], 'unscalloped': ['uncollapsed', 'unscalloped'], 'unscaly': ['ancylus', 'unscaly'], 'unscared': ['unsacred', 'unscared'], 'unscepter': ['unrespect', 'unscepter', 'unsceptre'], 'unsceptered': ['unrespected', 'unsceptered'], 'unsceptre': ['unrespect', 'unscepter', 'unsceptre'], 'unscoured': ['uncoursed', 'unscoured'], 'unseal': ['elanus', 'unseal'], 'unsealable': ['unleasable', 'unsealable'], 'unsealed': ['unleased', 'unsealed'], 'unseared': ['undersea', 'unerased', 'unseared'], 'unseat': ['nasute', 'nauset', 'unseat'], 'unseated': ['unseated', 'unsedate', 'unteased'], 'unsecured': ['unrescued', 'unsecured'], 'unsedate': ['unseated', 'unsedate', 'unteased'], 'unsee': ['ensue', 'seenu', 'unsee'], 'unseethed': ['unseethed', 'unsheeted'], 'unseizable': ['unseizable', 'unsizeable'], 'unselect': ['esculent', 'unselect'], 'unsensed': ['nudeness', 'unsensed'], 'unsensitive': ['unitiveness', 'unsensitive'], 'unsent': ['unnest', 'unsent'], 'unsepulcher': ['unsepulcher', 'unsepulchre'], 'unsepulchre': ['unsepulcher', 'unsepulchre'], 'unserrated': ['unarrested', 'unserrated'], 'unserved': ['unserved', 'unversed'], 'unset': ['unset', 'usent'], 'unsevered': ['undeserve', 'unsevered'], 'unsewed': ['sunweed', 'unsewed'], 'unsex': ['nexus', 'unsex'], 'unshaded': ['undashed', 'unshaded'], 'unshaled': ['unhalsed', 'unlashed', 'unshaled'], 'unshamed': ['unmashed', 'unshamed'], 'unshaped': ['unhasped', 'unphased', 'unshaped'], 'unsharing': ['ungarnish', 'unsharing'], 'unsharped': ['unphrased', 'unsharped'], 'unsharpened': ['undershapen', 'unsharpened'], 'unsheared': ['unhearsed', 'unsheared'], 'unsheet': ['enthuse', 'unsheet'], 'unsheeted': ['unseethed', 'unsheeted'], 'unship': ['inpush', 'punish', 'unship'], 'unshipment': ['punishment', 'unshipment'], 'unshoe': ['unhose', 'unshoe'], 'unshoed': ['unhosed', 'unshoed'], 'unshore': ['unhorse', 'unshore'], 'unshored': ['enshroud', 'unshored'], 'unshortened': ['underhonest', 'unshortened'], 'unsicker': ['cruisken', 'unsicker'], 'unsickled': ['klendusic', 'unsickled'], 'unsight': ['gutnish', 'husting', 'unsight'], 'unsignable': ['unsignable', 'unsingable'], 'unsigned': ['undesign', 'unsigned', 'unsinged'], 'unsigneted': ['uningested', 'unsigneted'], 'unsilenced': ['unlicensed', 'unsilenced'], 'unsimple': ['splenium', 'unsimple'], 'unsin': ['sunni', 'unsin'], 'unsingable': ['unsignable', 'unsingable'], 'unsinged': ['undesign', 'unsigned', 'unsinged'], 'unsistered': ['unresisted', 'unsistered'], 'unsizeable': ['unseizable', 'unsizeable'], 'unskin': ['insunk', 'unskin'], 'unslate': ['sultane', 'unslate'], 'unslated': ['unsalted', 'unslated', 'unstaled'], 'unslating': ['unlasting', 'unslating'], 'unslept': ['unslept', 'unspelt'], 'unslighted': ['sunlighted', 'unslighted'], 'unslit': ['insult', 'sunlit', 'unlist', 'unslit'], 'unslot': ['unlost', 'unslot'], 'unsmeared': ['underseam', 'unsmeared'], 'unsmiled': ['muslined', 'unmisled', 'unsmiled'], 'unsnap': ['pannus', 'sannup', 'unsnap', 'unspan'], 'unsnatch': ['unsnatch', 'unstanch'], 'unsnow': ['unsnow', 'unsown'], 'unsocial': ['sualocin', 'unsocial'], 'unsoil': ['insoul', 'linous', 'nilous', 'unsoil'], 'unsoiled': ['delusion', 'unsoiled'], 'unsoldier': ['undersoil', 'unsoldier'], 'unsole': ['ensoul', 'olenus', 'unsole'], 'unsolitary': ['unroyalist', 'unsolitary'], 'unsomber': ['unsomber', 'unsombre'], 'unsombre': ['unsomber', 'unsombre'], 'unsome': ['nomeus', 'unsome'], 'unsore': ['souren', 'unsore', 'ursone'], 'unsort': ['tornus', 'unsort'], 'unsortable': ['neuroblast', 'unsortable'], 'unsorted': ['tonsured', 'unsorted', 'unstored'], 'unsoured': ['unroused', 'unsoured'], 'unsown': ['unsnow', 'unsown'], 'unspan': ['pannus', 'sannup', 'unsnap', 'unspan'], 'unspar': ['surnap', 'unspar'], 'unspared': ['undersap', 'unparsed', 'unrasped', 'unspared', 'unspread'], 'unsparred': ['underspar', 'unsparred'], 'unspecterlike': ['unspecterlike', 'unspectrelike'], 'unspectrelike': ['unspecterlike', 'unspectrelike'], 'unsped': ['unsped', 'upsend'], 'unspelt': ['unslept', 'unspelt'], 'unsphering': ['gunnership', 'unsphering'], 'unspiable': ['subalpine', 'unspiable'], 'unspike': ['spunkie', 'unspike'], 'unspit': ['ptinus', 'unspit'], 'unspoil': ['pulsion', 'unspoil', 'upsilon'], 'unspot': ['pontus', 'unspot', 'unstop'], 'unspread': ['undersap', 'unparsed', 'unrasped', 'unspared', 'unspread'], 'unstabled': ['dunstable', 'unblasted', 'unstabled'], 'unstain': ['antisun', 'unsaint', 'unsatin', 'unstain'], 'unstained': ['unsainted', 'unstained'], 'unstaled': ['unsalted', 'unslated', 'unstaled'], 'unstanch': ['unsnatch', 'unstanch'], 'unstar': ['saturn', 'unstar'], 'unstatable': ['unstatable', 'untastable'], 'unstate': ['tetanus', 'unstate', 'untaste'], 'unstateable': ['unstateable', 'untasteable'], 'unstated': ['unstated', 'untasted'], 'unstating': ['unstating', 'untasting'], 'unstayed': ['unstayed', 'unsteady'], 'unsteady': ['unstayed', 'unsteady'], 'unstercorated': ['countertrades', 'unstercorated'], 'unstern': ['stunner', 'unstern'], 'unstocked': ['duckstone', 'unstocked'], 'unstoic': ['cotinus', 'suction', 'unstoic'], 'unstoical': ['suctional', 'sulcation', 'unstoical'], 'unstop': ['pontus', 'unspot', 'unstop'], 'unstopple': ['pulpstone', 'unstopple'], 'unstore': ['snouter', 'tonsure', 'unstore'], 'unstored': ['tonsured', 'unsorted', 'unstored'], 'unstoried': ['detrusion', 'tinderous', 'unstoried'], 'unstormed': ['undermost', 'unstormed'], 'unstrain': ['insurant', 'unstrain'], 'unstrained': ['understain', 'unstrained'], 'unstraitened': ['unreinstated', 'unstraitened'], 'unstranded': ['understand', 'unstranded'], 'unstrewed': ['unstrewed', 'unwrested'], 'unsucculent': ['centunculus', 'unsucculent'], 'unsued': ['unsued', 'unused'], 'unsusceptible': ['unsusceptible', 'unsuspectible'], 'unsusceptive': ['unsusceptive', 'unsuspective'], 'unsuspectible': ['unsusceptible', 'unsuspectible'], 'unsuspective': ['unsusceptive', 'unsuspective'], 'untactful': ['fluctuant', 'untactful'], 'untailed': ['nidulate', 'untailed'], 'untame': ['unmate', 'untame', 'unteam'], 'untamed': ['unmated', 'untamed'], 'untanned': ['nunnated', 'untanned'], 'untap': ['punta', 'unapt', 'untap'], 'untar': ['arnut', 'tuarn', 'untar'], 'untastable': ['unstatable', 'untastable'], 'untaste': ['tetanus', 'unstate', 'untaste'], 'untasteable': ['unstateable', 'untasteable'], 'untasted': ['unstated', 'untasted'], 'untasting': ['unstating', 'untasting'], 'untaught': ['taungthu', 'untaught'], 'untaunted': ['unattuned', 'untaunted'], 'unteach': ['uncheat', 'unteach'], 'unteaching': ['uncheating', 'unteaching'], 'unteam': ['unmate', 'untame', 'unteam'], 'unteamed': ['unmeated', 'unteamed'], 'unteased': ['unseated', 'unsedate', 'unteased'], 'unteem': ['unmeet', 'unteem'], 'untemper': ['erumpent', 'untemper'], 'untender': ['unrented', 'untender'], 'untented': ['unnetted', 'untented'], 'unthatch': ['nuthatch', 'unthatch'], 'unthick': ['kutchin', 'unthick'], 'unthrall': ['turnhall', 'unthrall'], 'untiaraed': ['diuranate', 'untiaraed'], 'untidy': ['nudity', 'untidy'], 'untie': ['intue', 'unite', 'untie'], 'untied': ['dunite', 'united', 'untied'], 'until': ['unlit', 'until'], 'untile': ['lutein', 'untile'], 'untiled': ['diluent', 'untiled'], 'untilted': ['dilutent', 'untilted', 'untitled'], 'untimely': ['minutely', 'untimely'], 'untin': ['nintu', 'ninut', 'untin'], 'untine': ['ineunt', 'untine'], 'untinseled': ['unenlisted', 'unlistened', 'untinseled'], 'untirable': ['untirable', 'untriable'], 'untire': ['runite', 'triune', 'uniter', 'untire'], 'untired': ['intrude', 'turdine', 'untired', 'untried'], 'untithable': ['unhittable', 'untithable'], 'untitled': ['dilutent', 'untilted', 'untitled'], 'unto': ['tuno', 'unto'], 'untoiled': ['outlined', 'untoiled'], 'untoned': ['unnoted', 'untoned'], 'untooled': ['unlooted', 'untooled'], 'untop': ['punto', 'unpot', 'untop'], 'untorn': ['tunnor', 'untorn'], 'untortured': ['undertutor', 'untortured'], 'untotalled': ['unallotted', 'untotalled'], 'untouch': ['uncouth', 'untouch'], 'untoured': ['unrouted', 'untoured'], 'untrace': ['centaur', 'untrace'], 'untraceable': ['uncreatable', 'untraceable'], 'untraceableness': ['uncreatableness', 'untraceableness'], 'untraced': ['uncarted', 'uncrated', 'underact', 'untraced'], 'untraceried': ['antireducer', 'reincrudate', 'untraceried'], 'untradeable': ['untradeable', 'untreadable'], 'untrain': ['antirun', 'untrain', 'urinant'], 'untread': ['daunter', 'unarted', 'unrated', 'untread'], 'untreadable': ['untradeable', 'untreadable'], 'untreatable': ['entablature', 'untreatable'], 'untreed': ['denture', 'untreed'], 'untriable': ['untirable', 'untriable'], 'untribal': ['tribunal', 'turbinal', 'untribal'], 'untriced': ['undirect', 'untriced'], 'untried': ['intrude', 'turdine', 'untired', 'untried'], 'untrig': ['ungirt', 'untrig'], 'untrod': ['rotund', 'untrod'], 'untropical': ['ponticular', 'untropical'], 'untroubled': ['outblunder', 'untroubled'], 'untrowed': ['undertow', 'untrowed'], 'untruss': ['sturnus', 'untruss'], 'untutored': ['outturned', 'untutored'], 'unurn': ['unrun', 'unurn'], 'unused': ['unsued', 'unused'], 'unusurped': ['unpursued', 'unusurped'], 'unusurping': ['unpursuing', 'unusurping'], 'unvailable': ['invaluable', 'unvailable'], 'unveering': ['unreeving', 'unveering'], 'unveil': ['unevil', 'unlive', 'unveil'], 'unveiled': ['unlevied', 'unveiled'], 'unveined': ['unenvied', 'unveined'], 'unvenerated': ['unenervated', 'unvenerated'], 'unveniable': ['unenviable', 'unveniable'], 'unveritable': ['unavertible', 'unveritable'], 'unversed': ['unserved', 'unversed'], 'unvessel': ['unvessel', 'usselven'], 'unvest': ['unvest', 'venust'], 'unvomited': ['unmotived', 'unvomited'], 'unwagered': ['underwage', 'unwagered'], 'unwan': ['unwan', 'wunna'], 'unware': ['unware', 'wauner'], 'unwarp': ['unwarp', 'unwrap'], 'unwary': ['runway', 'unwary'], 'unwavered': ['underwave', 'unwavered'], 'unwept': ['unwept', 'upwent'], 'unwon': ['unown', 'unwon'], 'unwrap': ['unwarp', 'unwrap'], 'unwrested': ['unstrewed', 'unwrested'], 'unwronged': ['undergown', 'unwronged'], 'unyoung': ['unyoung', 'youngun'], 'unze': ['unze', 'zenu'], 'up': ['pu', 'up'], 'uparching': ['ungraphic', 'uparching'], 'uparise': ['spuriae', 'uparise', 'upraise'], 'uparna': ['purana', 'uparna'], 'upas': ['apus', 'supa', 'upas'], 'upblast': ['subplat', 'upblast'], 'upblow': ['blowup', 'upblow'], 'upbreak': ['breakup', 'upbreak'], 'upbuild': ['buildup', 'upbuild'], 'upcast': ['catsup', 'upcast'], 'upcatch': ['catchup', 'upcatch'], 'upclimb': ['plumbic', 'upclimb'], 'upclose': ['culpose', 'ploceus', 'upclose'], 'upcock': ['cockup', 'upcock'], 'upcoil': ['oilcup', 'upcoil'], 'upcourse': ['cupreous', 'upcourse'], 'upcover': ['overcup', 'upcover'], 'upcreep': ['prepuce', 'upcreep'], 'upcurrent': ['puncturer', 'upcurrent'], 'upcut': ['cutup', 'upcut'], 'updo': ['doup', 'updo'], 'updraw': ['updraw', 'upward'], 'updry': ['prudy', 'purdy', 'updry'], 'upeat': ['taupe', 'upeat'], 'upflare': ['rapeful', 'upflare'], 'upflower': ['powerful', 'upflower'], 'upgale': ['plague', 'upgale'], 'upget': ['getup', 'upget'], 'upgirt': ['ripgut', 'upgirt'], 'upgo': ['goup', 'ogpu', 'upgo'], 'upgrade': ['guepard', 'upgrade'], 'uphelm': ['phleum', 'uphelm'], 'uphold': ['holdup', 'uphold'], 'upholder': ['reuphold', 'upholder'], 'upholsterer': ['reupholster', 'upholsterer'], 'upla': ['paul', 'upla'], 'upland': ['dunlap', 'upland'], 'uplander': ['pendular', 'underlap', 'uplander'], 'uplane': ['unpale', 'uplane'], 'upleap': ['papule', 'upleap'], 'uplift': ['tipful', 'uplift'], 'uplifter': ['reuplift', 'uplifter'], 'upline': ['lupine', 'unpile', 'upline'], 'uplock': ['lockup', 'uplock'], 'upon': ['noup', 'puno', 'upon'], 'uppers': ['supper', 'uppers'], 'uppish': ['hippus', 'uppish'], 'upraise': ['spuriae', 'uparise', 'upraise'], 'uprear': ['parure', 'uprear'], 'uprein': ['purine', 'unripe', 'uprein'], 'uprip': ['ripup', 'uprip'], 'uprisal': ['parulis', 'spirula', 'uprisal'], 'uprisement': ['episternum', 'uprisement'], 'upriser': ['siruper', 'upriser'], 'uprist': ['purist', 'spruit', 'uprist', 'upstir'], 'uproad': ['podura', 'uproad'], 'uproom': ['moorup', 'uproom'], 'uprose': ['poseur', 'pouser', 'souper', 'uprose'], 'upscale': ['capsule', 'specula', 'upscale'], 'upseal': ['apulse', 'upseal'], 'upsend': ['unsped', 'upsend'], 'upset': ['setup', 'stupe', 'upset'], 'upsettable': ['subpeltate', 'upsettable'], 'upsetter': ['upsetter', 'upstreet'], 'upshore': ['ephorus', 'orpheus', 'upshore'], 'upshot': ['tophus', 'upshot'], 'upshut': ['pushtu', 'upshut'], 'upsilon': ['pulsion', 'unspoil', 'upsilon'], 'upsit': ['puist', 'upsit'], 'upslant': ['pulsant', 'upslant'], 'upsmite': ['impetus', 'upsmite'], 'upsoar': ['parous', 'upsoar'], 'upstair': ['tapirus', 'upstair'], 'upstand': ['dustpan', 'upstand'], 'upstare': ['pasteur', 'pasture', 'upstare'], 'upstater': ['stuprate', 'upstater'], 'upsteal': ['pulsate', 'spatule', 'upsteal'], 'upstem': ['septum', 'upstem'], 'upstir': ['purist', 'spruit', 'uprist', 'upstir'], 'upstraight': ['straightup', 'upstraight'], 'upstreet': ['upsetter', 'upstreet'], 'upstrive': ['spurtive', 'upstrive'], 'upsun': ['sunup', 'upsun'], 'upsway': ['upsway', 'upways'], 'uptake': ['ketupa', 'uptake'], 'uptend': ['pudent', 'uptend'], 'uptilt': ['tiltup', 'uptilt'], 'uptoss': ['tossup', 'uptoss'], 'uptrace': ['capture', 'uptrace'], 'uptrain': ['pintura', 'puritan', 'uptrain'], 'uptree': ['repute', 'uptree'], 'uptrend': ['prudent', 'prunted', 'uptrend'], 'upturn': ['turnup', 'upturn'], 'upward': ['updraw', 'upward'], 'upwarp': ['upwarp', 'upwrap'], 'upways': ['upsway', 'upways'], 'upwent': ['unwept', 'upwent'], 'upwind': ['upwind', 'windup'], 'upwrap': ['upwarp', 'upwrap'], 'ura': ['aru', 'rua', 'ura'], 'uracil': ['curial', 'lauric', 'uracil', 'uralic'], 'uraemic': ['maurice', 'uraemic'], 'uraeus': ['aureus', 'uraeus'], 'ural': ['alur', 'laur', 'lura', 'raul', 'ural'], 'urali': ['rauli', 'urali', 'urial'], 'uralian': ['lunaria', 'ulnaria', 'uralian'], 'uralic': ['curial', 'lauric', 'uracil', 'uralic'], 'uralite': ['laurite', 'uralite'], 'uralitize': ['ritualize', 'uralitize'], 'uramido': ['doarium', 'uramido'], 'uramil': ['rimula', 'uramil'], 'uramino': ['mainour', 'uramino'], 'uran': ['raun', 'uran', 'urna'], 'uranate': ['taurean', 'uranate'], 'urania': ['anuria', 'urania'], 'uranic': ['anuric', 'cinura', 'uranic'], 'uranine': ['aneurin', 'uranine'], 'uranism': ['surinam', 'uranism'], 'uranite': ['ruinate', 'taurine', 'uranite', 'urinate'], 'uranographist': ['guarantorship', 'uranographist'], 'uranolite': ['outlinear', 'uranolite'], 'uranoscope': ['oenocarpus', 'uranoscope'], 'uranospinite': ['resupination', 'uranospinite'], 'uranotil': ['rotulian', 'uranotil'], 'uranous': ['anurous', 'uranous'], 'uranyl': ['lunary', 'uranyl'], 'uranylic': ['culinary', 'uranylic'], 'urari': ['aurir', 'urari'], 'urase': ['serau', 'urase'], 'uratic': ['tauric', 'uratic', 'urtica'], 'urazine': ['azurine', 'urazine'], 'urban': ['buran', 'unbar', 'urban'], 'urbane': ['eburna', 'unbare', 'unbear', 'urbane'], 'urbanite': ['braunite', 'urbanite', 'urbinate'], 'urbian': ['burian', 'urbian'], 'urbification': ['rubification', 'urbification'], 'urbify': ['rubify', 'urbify'], 'urbinate': ['braunite', 'urbanite', 'urbinate'], 'urceiform': ['eruciform', 'urceiform'], 'urceole': ['urceole', 'urocele'], 'urceolina': ['aleuronic', 'urceolina'], 'urceolus': ['ulcerous', 'urceolus'], 'urchin': ['unrich', 'urchin'], 'urd': ['rud', 'urd'], 'urde': ['duer', 'dure', 'rude', 'urde'], 'urdee': ['redue', 'urdee'], 'ure': ['rue', 'ure'], 'ureal': ['alure', 'ureal'], 'uredine': ['reindue', 'uredine'], 'ureic': ['curie', 'ureic'], 'uremia': ['aumrie', 'uremia'], 'uremic': ['cerium', 'uremic'], 'urena': ['urena', 'urnae'], 'urent': ['enrut', 'tuner', 'urent'], 'uresis': ['issuer', 'uresis'], 'uretal': ['tulare', 'uretal'], 'ureter': ['retrue', 'ureter'], 'ureteropyelogram': ['pyeloureterogram', 'ureteropyelogram'], 'urethan': ['haunter', 'nauther', 'unearth', 'unheart', 'urethan'], 'urethrascope': ['heterocarpus', 'urethrascope'], 'urethrocystitis': ['cystourethritis', 'urethrocystitis'], 'urethylan': ['unearthly', 'urethylan'], 'uretic': ['curite', 'teucri', 'uretic'], 'urf': ['fur', 'urf'], 'urge': ['grue', 'urge'], 'urgent': ['gunter', 'gurnet', 'urgent'], 'urger': ['regur', 'urger'], 'uria': ['arui', 'uria'], 'uriah': ['huari', 'uriah'], 'urial': ['rauli', 'urali', 'urial'], 'urian': ['aurin', 'urian'], 'uric': ['cuir', 'uric'], 'urinal': ['laurin', 'urinal'], 'urinant': ['antirun', 'untrain', 'urinant'], 'urinate': ['ruinate', 'taurine', 'uranite', 'urinate'], 'urination': ['ruination', 'urination'], 'urinator': ['ruinator', 'urinator'], 'urine': ['inure', 'urine'], 'urinogenitary': ['genitourinary', 'urinogenitary'], 'urinous': ['ruinous', 'urinous'], 'urinousness': ['ruinousness', 'urinousness'], 'urite': ['urite', 'uteri'], 'urlar': ['rural', 'urlar'], 'urled': ['duler', 'urled'], 'urling': ['ruling', 'urling'], 'urman': ['muran', 'ruman', 'unarm', 'unram', 'urman'], 'urn': ['run', 'urn'], 'urna': ['raun', 'uran', 'urna'], 'urnae': ['urena', 'urnae'], 'urnal': ['lunar', 'ulnar', 'urnal'], 'urnful': ['unfurl', 'urnful'], 'urning': ['unring', 'urning'], 'uro': ['our', 'uro'], 'urocele': ['urceole', 'urocele'], 'urodela': ['roulade', 'urodela'], 'urodelan': ['unloader', 'urodelan'], 'urogaster': ['surrogate', 'urogaster'], 'urogenital': ['regulation', 'urogenital'], 'uroglena': ['lagunero', 'organule', 'uroglena'], 'urolithic': ['ulotrichi', 'urolithic'], 'urometer': ['outremer', 'urometer'], 'uronic': ['cuorin', 'uronic'], 'uropsile': ['perilous', 'uropsile'], 'uroseptic': ['crepitous', 'euproctis', 'uroseptic'], 'urosomatic': ['mortacious', 'urosomatic'], 'urosteon': ['outsnore', 'urosteon'], 'urosternite': ['tenuiroster', 'urosternite'], 'urosthenic': ['cetorhinus', 'urosthenic'], 'urostyle': ['elytrous', 'urostyle'], 'urs': ['rus', 'sur', 'urs'], 'ursa': ['rusa', 'saur', 'sura', 'ursa', 'usar'], 'ursal': ['larus', 'sural', 'ursal'], 'ursidae': ['residua', 'ursidae'], 'ursine': ['insure', 'rusine', 'ursine'], 'ursone': ['souren', 'unsore', 'ursone'], 'ursuk': ['kurus', 'ursuk'], 'ursula': ['laurus', 'ursula'], 'urtica': ['tauric', 'uratic', 'urtica'], 'urticales': ['sterculia', 'urticales'], 'urticant': ['taciturn', 'urticant'], 'urticose': ['citreous', 'urticose'], 'usability': ['suability', 'usability'], 'usable': ['suable', 'usable'], 'usager': ['sauger', 'usager'], 'usance': ['uncase', 'usance'], 'usar': ['rusa', 'saur', 'sura', 'ursa', 'usar'], 'usara': ['arusa', 'saura', 'usara'], 'use': ['sue', 'use'], 'usent': ['unset', 'usent'], 'user': ['ruse', 'suer', 'sure', 'user'], 'ush': ['shu', 'ush'], 'ushabti': ['habitus', 'ushabti'], 'ushak': ['kusha', 'shaku', 'ushak'], 'usher': ['shure', 'usher'], 'usitate': ['situate', 'usitate'], 'usnic': ['incus', 'usnic'], 'usque': ['equus', 'usque'], 'usselven': ['unvessel', 'usselven'], 'ust': ['stu', 'ust'], 'uster': ['serut', 'strue', 'turse', 'uster'], 'ustion': ['outsin', 'ustion'], 'ustorious': ['sutorious', 'ustorious'], 'ustulina': ['lutianus', 'nautilus', 'ustulina'], 'usucaption': ['uncaptious', 'usucaption'], 'usure': ['eurus', 'usure'], 'usurper': ['pursuer', 'usurper'], 'ut': ['tu', 'ut'], 'uta': ['tau', 'tua', 'uta'], 'utas': ['saut', 'tasu', 'utas'], 'utch': ['chut', 'tchu', 'utch'], 'ute': ['tue', 'ute'], 'uteri': ['urite', 'uteri'], 'uterine': ['neurite', 'retinue', 'reunite', 'uterine'], 'uterocervical': ['overcirculate', 'uterocervical'], 'uterus': ['suture', 'uterus'], 'utile': ['luite', 'utile'], 'utilizable': ['latibulize', 'utilizable'], 'utopian': ['opuntia', 'utopian'], 'utopism': ['positum', 'utopism'], 'utopist': ['outspit', 'utopist'], 'utricular': ['turricula', 'utricular'], 'utriculosaccular': ['sacculoutricular', 'utriculosaccular'], 'utrum': ['murut', 'utrum'], 'utterer': ['reutter', 'utterer'], 'uva': ['uva', 'vau'], 'uval': ['ulva', 'uval'], 'uveal': ['uveal', 'value'], 'uviol': ['uviol', 'vouli'], 'vacate': ['cavate', 'caveat', 'vacate'], 'vacation': ['octavian', 'octavina', 'vacation'], 'vacationer': ['acervation', 'vacationer'], 'vaccinal': ['clavacin', 'vaccinal'], 'vacillate': ['laticlave', 'vacillate'], 'vacillation': ['cavillation', 'vacillation'], 'vacuolate': ['autoclave', 'vacuolate'], 'vade': ['dave', 'deva', 'vade', 'veda'], 'vady': ['davy', 'vady'], 'vage': ['gave', 'vage', 'vega'], 'vagile': ['glaive', 'vagile'], 'vaginant': ['navigant', 'vaginant'], 'vaginate': ['navigate', 'vaginate'], 'vaginoabdominal': ['abdominovaginal', 'vaginoabdominal'], 'vaginoperineal': ['perineovaginal', 'vaginoperineal'], 'vaginovesical': ['vaginovesical', 'vesicovaginal'], 'vaguity': ['gavyuti', 'vaguity'], 'vai': ['iva', 'vai', 'via'], 'vail': ['vail', 'vali', 'vial', 'vila'], 'vain': ['ivan', 'vain', 'vina'], 'vair': ['ravi', 'riva', 'vair', 'vari', 'vira'], 'vakass': ['kavass', 'vakass'], 'vale': ['lave', 'vale', 'veal', 'vela'], 'valence': ['enclave', 'levance', 'valence'], 'valencia': ['valencia', 'valiance'], 'valent': ['levant', 'valent'], 'valentine': ['levantine', 'valentine'], 'valeria': ['reavail', 'valeria'], 'valeriana': ['laverania', 'valeriana'], 'valeric': ['caliver', 'caviler', 'claiver', 'clavier', 'valeric', 'velaric'], 'valerie': ['realive', 'valerie'], 'valerin': ['elinvar', 'ravelin', 'reanvil', 'valerin'], 'valerone': ['overlean', 'valerone'], 'valeryl': ['ravelly', 'valeryl'], 'valeur': ['valeur', 'valuer'], 'vali': ['vail', 'vali', 'vial', 'vila'], 'valiance': ['valencia', 'valiance'], 'valiant': ['latvian', 'valiant'], 'valine': ['alevin', 'alvine', 'valine', 'veinal', 'venial', 'vineal'], 'vallar': ['larval', 'vallar'], 'vallidom': ['vallidom', 'villadom'], 'vallota': ['lavolta', 'vallota'], 'valonia': ['novalia', 'valonia'], 'valor': ['valor', 'volar'], 'valsa': ['salva', 'valsa', 'vasal'], 'valse': ['salve', 'selva', 'slave', 'valse'], 'value': ['uveal', 'value'], 'valuer': ['valeur', 'valuer'], 'vamper': ['revamp', 'vamper'], 'vane': ['evan', 'nave', 'vane'], 'vaned': ['daven', 'vaned'], 'vangee': ['avenge', 'geneva', 'vangee'], 'vangeli': ['leaving', 'vangeli'], 'vanir': ['invar', 'ravin', 'vanir'], 'vanisher': ['enravish', 'ravenish', 'vanisher'], 'vansire': ['servian', 'vansire'], 'vapid': ['pavid', 'vapid'], 'vapidity': ['pavidity', 'vapidity'], 'vaporarium': ['parovarium', 'vaporarium'], 'vara': ['avar', 'vara'], 'varan': ['navar', 'varan', 'varna'], 'vare': ['aver', 'rave', 'vare', 'vera'], 'varec': ['carve', 'crave', 'varec'], 'vari': ['ravi', 'riva', 'vair', 'vari', 'vira'], 'variate': ['variate', 'vateria'], 'varices': ['varices', 'viscera'], 'varicula': ['avicular', 'varicula'], 'variegator': ['arrogative', 'variegator'], 'varier': ['arrive', 'varier'], 'varietal': ['lievaart', 'varietal'], 'variola': ['ovarial', 'variola'], 'various': ['saviour', 'various'], 'varlet': ['travel', 'varlet'], 'varletry': ['varletry', 'veratryl'], 'varna': ['navar', 'varan', 'varna'], 'varnish': ['shirvan', 'varnish'], 'varnisher': ['revarnish', 'varnisher'], 'varsha': ['avshar', 'varsha'], 'vasal': ['salva', 'valsa', 'vasal'], 'vase': ['aves', 'save', 'vase'], 'vasoepididymostomy': ['epididymovasostomy', 'vasoepididymostomy'], 'vat': ['tav', 'vat'], 'vateria': ['variate', 'vateria'], 'vaticide': ['cavitied', 'vaticide'], 'vaticinate': ['inactivate', 'vaticinate'], 'vaticination': ['inactivation', 'vaticination'], 'vatter': ['tavert', 'vatter'], 'vau': ['uva', 'vau'], 'vaudois': ['avidous', 'vaudois'], 'veal': ['lave', 'vale', 'veal', 'vela'], 'vealer': ['laveer', 'leaver', 'reveal', 'vealer'], 'vealiness': ['aliveness', 'vealiness'], 'vealy': ['leavy', 'vealy'], 'vector': ['covert', 'vector'], 'veda': ['dave', 'deva', 'vade', 'veda'], 'vedaic': ['advice', 'vedaic'], 'vedaism': ['adevism', 'vedaism'], 'vedana': ['nevada', 'vedana', 'venada'], 'vedanta': ['vedanta', 'vetanda'], 'vedantism': ['adventism', 'vedantism'], 'vedantist': ['adventist', 'vedantist'], 'vedist': ['divest', 'vedist'], 'vedro': ['dover', 'drove', 'vedro'], 'vee': ['eve', 'vee'], 'veen': ['even', 'neve', 'veen'], 'veer': ['ever', 'reve', 'veer'], 'veery': ['every', 'veery'], 'vega': ['gave', 'vage', 'vega'], 'vegasite': ['estivage', 'vegasite'], 'vegetarian': ['renavigate', 'vegetarian'], 'vei': ['vei', 'vie'], 'veil': ['evil', 'levi', 'live', 'veil', 'vile', 'vlei'], 'veiler': ['levier', 'relive', 'reveil', 'revile', 'veiler'], 'veiltail': ['illative', 'veiltail'], 'vein': ['vein', 'vine'], 'veinal': ['alevin', 'alvine', 'valine', 'veinal', 'venial', 'vineal'], 'veined': ['endive', 'envied', 'veined'], 'veiner': ['enrive', 'envier', 'veiner', 'verine'], 'veinless': ['evilness', 'liveness', 'veinless', 'vileness', 'vineless'], 'veinlet': ['veinlet', 'vinelet'], 'veinous': ['envious', 'niveous', 'veinous'], 'veinstone': ['veinstone', 'vonsenite'], 'veinwise': ['veinwise', 'vinewise'], 'vela': ['lave', 'vale', 'veal', 'vela'], 'velar': ['arvel', 'larve', 'laver', 'ravel', 'velar'], 'velaric': ['caliver', 'caviler', 'claiver', 'clavier', 'valeric', 'velaric'], 'velation': ['olivetan', 'velation'], 'velic': ['clive', 'velic'], 'veliform': ['overfilm', 'veliform'], 'velitation': ['levitation', 'tonalitive', 'velitation'], 'velo': ['levo', 'love', 'velo', 'vole'], 'velte': ['elvet', 'velte'], 'venada': ['nevada', 'vedana', 'venada'], 'venal': ['elvan', 'navel', 'venal'], 'venality': ['natively', 'venality'], 'venatic': ['catvine', 'venatic'], 'venation': ['innovate', 'venation'], 'venator': ['rotanev', 'venator'], 'venatorial': ['venatorial', 'venoatrial'], 'vendace': ['devance', 'vendace'], 'vender': ['revend', 'vender'], 'veneer': ['evener', 'veneer'], 'veneerer': ['reveneer', 'veneerer'], 'veneralia': ['ravenelia', 'veneralia'], 'venerant': ['revenant', 'venerant'], 'venerate': ['enervate', 'venerate'], 'veneration': ['enervation', 'veneration'], 'venerative': ['enervative', 'venerative'], 'venerator': ['enervator', 'renovater', 'venerator'], 'venerer': ['renerve', 'venerer'], 'veneres': ['sevener', 'veneres'], 'veneti': ['veneti', 'venite'], 'venetian': ['aventine', 'venetian'], 'venial': ['alevin', 'alvine', 'valine', 'veinal', 'venial', 'vineal'], 'venice': ['cevine', 'evince', 'venice'], 'venie': ['nieve', 'venie'], 'venite': ['veneti', 'venite'], 'venoatrial': ['venatorial', 'venoatrial'], 'venom': ['novem', 'venom'], 'venosinal': ['slovenian', 'venosinal'], 'venter': ['revent', 'venter'], 'ventrad': ['ventrad', 'verdant'], 'ventricose': ['convertise', 'ventricose'], 'ventrine': ['inventer', 'reinvent', 'ventrine', 'vintener'], 'ventrodorsad': ['dorsoventrad', 'ventrodorsad'], 'ventrodorsal': ['dorsoventral', 'ventrodorsal'], 'ventrodorsally': ['dorsoventrally', 'ventrodorsally'], 'ventrolateral': ['lateroventral', 'ventrolateral'], 'ventromedial': ['medioventral', 'ventromedial'], 'ventromesal': ['mesoventral', 'ventromesal'], 'venular': ['unravel', 'venular'], 'venus': ['nevus', 'venus'], 'venust': ['unvest', 'venust'], 'venutian': ['unnative', 'venutian'], 'vera': ['aver', 'rave', 'vare', 'vera'], 'veraciousness': ['oversauciness', 'veraciousness'], 'veratroidine': ['rederivation', 'veratroidine'], 'veratrole': ['relevator', 'revelator', 'veratrole'], 'veratryl': ['varletry', 'veratryl'], 'verbal': ['barvel', 'blaver', 'verbal'], 'verbality': ['verbality', 'veritably'], 'verbatim': ['ambivert', 'verbatim'], 'verbena': ['enbrave', 'verbena'], 'verberate': ['verberate', 'vertebrae'], 'verbose': ['observe', 'obverse', 'verbose'], 'verbosely': ['obversely', 'verbosely'], 'verdant': ['ventrad', 'verdant'], 'verdea': ['evader', 'verdea'], 'verdelho': ['overheld', 'verdelho'], 'verdin': ['driven', 'nervid', 'verdin'], 'verditer': ['diverter', 'redivert', 'verditer'], 'vergi': ['giver', 'vergi'], 'veri': ['rive', 'veri', 'vier', 'vire'], 'veridical': ['larvicide', 'veridical'], 'veridicous': ['recidivous', 'veridicous'], 'verily': ['livery', 'verily'], 'verine': ['enrive', 'envier', 'veiner', 'verine'], 'verism': ['verism', 'vermis'], 'verist': ['stiver', 'strive', 'verist'], 'veritable': ['avertible', 'veritable'], 'veritably': ['verbality', 'veritably'], 'vermian': ['minerva', 'vermian'], 'verminal': ['minerval', 'verminal'], 'vermis': ['verism', 'vermis'], 'vernacularist': ['intervascular', 'vernacularist'], 'vernal': ['nerval', 'vernal'], 'vernation': ['nervation', 'vernation'], 'vernicose': ['coversine', 'vernicose'], 'vernine': ['innerve', 'nervine', 'vernine'], 'veronese': ['overseen', 'veronese'], 'veronica': ['corvinae', 'veronica'], 'verpa': ['paver', 'verpa'], 'verre': ['rever', 'verre'], 'verrucous': ['recurvous', 'verrucous'], 'verruga': ['gravure', 'verruga'], 'versable': ['beslaver', 'servable', 'versable'], 'versal': ['salver', 'serval', 'slaver', 'versal'], 'versant': ['servant', 'versant'], 'versate': ['evestar', 'versate'], 'versation': ['overstain', 'servation', 'versation'], 'verse': ['serve', 'sever', 'verse'], 'verser': ['revers', 'server', 'verser'], 'verset': ['revest', 'servet', 'sterve', 'verset', 'vester'], 'versicule': ['reclusive', 'versicule'], 'versine': ['inverse', 'versine'], 'versioner': ['reversion', 'versioner'], 'versionist': ['overinsist', 'versionist'], 'verso': ['servo', 'verso'], 'versta': ['starve', 'staver', 'strave', 'tavers', 'versta'], 'vertebrae': ['verberate', 'vertebrae'], 'vertebrocostal': ['costovertebral', 'vertebrocostal'], 'vertebrosacral': ['sacrovertebral', 'vertebrosacral'], 'vertebrosternal': ['sternovertebral', 'vertebrosternal'], 'vertiginate': ['integrative', 'vertiginate', 'vinaigrette'], 'vesicant': ['cistvaen', 'vesicant'], 'vesicoabdominal': ['abdominovesical', 'vesicoabdominal'], 'vesicocervical': ['cervicovesical', 'vesicocervical'], 'vesicointestinal': ['intestinovesical', 'vesicointestinal'], 'vesicorectal': ['rectovesical', 'vesicorectal'], 'vesicovaginal': ['vaginovesical', 'vesicovaginal'], 'vespa': ['spave', 'vespa'], 'vespertine': ['presentive', 'pretensive', 'vespertine'], 'vespine': ['pensive', 'vespine'], 'vesta': ['stave', 'vesta'], 'vestalia': ['salivate', 'vestalia'], 'vestee': ['steeve', 'vestee'], 'vester': ['revest', 'servet', 'sterve', 'verset', 'vester'], 'vestibula': ['sublative', 'vestibula'], 'veta': ['tave', 'veta'], 'vetanda': ['vedanta', 'vetanda'], 'veteran': ['nervate', 'veteran'], 'veto': ['veto', 'voet', 'vote'], 'vetoer': ['revote', 'vetoer'], 'via': ['iva', 'vai', 'via'], 'vial': ['vail', 'vali', 'vial', 'vila'], 'vialful': ['fluavil', 'fluvial', 'vialful'], 'viand': ['divan', 'viand'], 'viander': ['invader', 'ravined', 'viander'], 'viatic': ['avitic', 'viatic'], 'viatica': ['aviatic', 'viatica'], 'vibrate': ['vibrate', 'vrbaite'], 'vicar': ['vicar', 'vraic'], 'vice': ['cive', 'vice'], 'vicegeral': ['vicegeral', 'viceregal'], 'viceregal': ['vicegeral', 'viceregal'], 'victoriate': ['recitativo', 'victoriate'], 'victrola': ['victrola', 'vortical'], 'victualer': ['lucrative', 'revictual', 'victualer'], 'vidonia': ['ovidian', 'vidonia'], 'viduinae': ['induviae', 'viduinae'], 'viduine': ['univied', 'viduine'], 'vie': ['vei', 'vie'], 'vienna': ['avenin', 'vienna'], 'vier': ['rive', 'veri', 'vier', 'vire'], 'vierling': ['reviling', 'vierling'], 'view': ['view', 'wive'], 'viewer': ['review', 'viewer'], 'vigilante': ['genitival', 'vigilante'], 'vigor': ['vigor', 'virgo'], 'vila': ['vail', 'vali', 'vial', 'vila'], 'vile': ['evil', 'levi', 'live', 'veil', 'vile', 'vlei'], 'vilehearted': ['evilhearted', 'vilehearted'], 'vilely': ['evilly', 'lively', 'vilely'], 'vileness': ['evilness', 'liveness', 'veinless', 'vileness', 'vineless'], 'villadom': ['vallidom', 'villadom'], 'villeiness': ['liveliness', 'villeiness'], 'villous': ['ovillus', 'villous'], 'vimana': ['maniva', 'vimana'], 'vina': ['ivan', 'vain', 'vina'], 'vinaigrette': ['integrative', 'vertiginate', 'vinaigrette'], 'vinaigrous': ['vinaigrous', 'viraginous'], 'vinal': ['alvin', 'anvil', 'nival', 'vinal'], 'vinalia': ['lavinia', 'vinalia'], 'vinata': ['avanti', 'vinata'], 'vinculate': ['vinculate', 'vulcanite'], 'vine': ['vein', 'vine'], 'vinea': ['avine', 'naive', 'vinea'], 'vineal': ['alevin', 'alvine', 'valine', 'veinal', 'venial', 'vineal'], 'vineatic': ['antivice', 'inactive', 'vineatic'], 'vinegarist': ['gainstrive', 'vinegarist'], 'vineless': ['evilness', 'liveness', 'veinless', 'vileness', 'vineless'], 'vinelet': ['veinlet', 'vinelet'], 'viner': ['riven', 'viner'], 'vinewise': ['veinwise', 'vinewise'], 'vinosity': ['nivosity', 'vinosity'], 'vintener': ['inventer', 'reinvent', 'ventrine', 'vintener'], 'vintneress': ['inventress', 'vintneress'], 'viola': ['oliva', 'viola'], 'violability': ['obliviality', 'violability'], 'violaceous': ['olivaceous', 'violaceous'], 'violanin': ['livonian', 'violanin'], 'violational': ['avolitional', 'violational'], 'violer': ['oliver', 'violer', 'virole'], 'violescent': ['olivescent', 'violescent'], 'violet': ['olivet', 'violet'], 'violette': ['olivette', 'violette'], 'violine': ['olivine', 'violine'], 'vipera': ['pavier', 'vipera'], 'viperess': ['pressive', 'viperess'], 'viperian': ['viperian', 'viperina'], 'viperina': ['viperian', 'viperina'], 'viperous': ['pervious', 'previous', 'viperous'], 'viperously': ['perviously', 'previously', 'viperously'], 'viperousness': ['perviousness', 'previousness', 'viperousness'], 'vira': ['ravi', 'riva', 'vair', 'vari', 'vira'], 'viraginian': ['irvingiana', 'viraginian'], 'viraginous': ['vinaigrous', 'viraginous'], 'viral': ['rival', 'viral'], 'virales': ['revisal', 'virales'], 'vire': ['rive', 'veri', 'vier', 'vire'], 'virent': ['invert', 'virent'], 'virgate': ['virgate', 'vitrage'], 'virgin': ['irving', 'riving', 'virgin'], 'virginly': ['rivingly', 'virginly'], 'virgo': ['vigor', 'virgo'], 'virile': ['livier', 'virile'], 'virole': ['oliver', 'violer', 'virole'], 'virose': ['rivose', 'virose'], 'virtual': ['virtual', 'vitular'], 'virtuose': ['virtuose', 'vitreous'], 'virulence': ['cervuline', 'virulence'], 'visa': ['avis', 'siva', 'visa'], 'viscera': ['varices', 'viscera'], 'visceration': ['insectivora', 'visceration'], 'visceroparietal': ['parietovisceral', 'visceroparietal'], 'visceropleural': ['pleurovisceral', 'visceropleural'], 'viscometer': ['semivector', 'viscometer'], 'viscontal': ['viscontal', 'volcanist'], 'vishal': ['lavish', 'vishal'], 'visioner': ['revision', 'visioner'], 'visit': ['visit', 'vitis'], 'visitant': ['nativist', 'visitant'], 'visitee': ['evisite', 'visitee'], 'visiter': ['revisit', 'visiter'], 'visitor': ['ivorist', 'visitor'], 'vistal': ['vistal', 'vitals'], 'visto': ['ovist', 'visto'], 'vitals': ['vistal', 'vitals'], 'vitis': ['visit', 'vitis'], 'vitochemical': ['chemicovital', 'vitochemical'], 'vitrage': ['virgate', 'vitrage'], 'vitrail': ['trivial', 'vitrail'], 'vitrailist': ['trivialist', 'vitrailist'], 'vitrain': ['vitrain', 'vitrina'], 'vitrean': ['avertin', 'vitrean'], 'vitreous': ['virtuose', 'vitreous'], 'vitrina': ['vitrain', 'vitrina'], 'vitrine': ['inviter', 'vitrine'], 'vitrophyric': ['thyroprivic', 'vitrophyric'], 'vitular': ['virtual', 'vitular'], 'vituperate': ['reputative', 'vituperate'], 'vlei': ['evil', 'levi', 'live', 'veil', 'vile', 'vlei'], 'vocaller': ['overcall', 'vocaller'], 'vocate': ['avocet', 'octave', 'vocate'], 'voet': ['veto', 'voet', 'vote'], 'voeten': ['voeten', 'voteen'], 'vogue': ['vogue', 'vouge'], 'voided': ['devoid', 'voided'], 'voider': ['devoir', 'voider'], 'voidless': ['dissolve', 'voidless'], 'voile': ['olive', 'ovile', 'voile'], 'volable': ['lovable', 'volable'], 'volage': ['lovage', 'volage'], 'volar': ['valor', 'volar'], 'volata': ['tavola', 'volata'], 'volatic': ['volatic', 'voltaic'], 'volcae': ['alcove', 'coeval', 'volcae'], 'volcanist': ['viscontal', 'volcanist'], 'vole': ['levo', 'love', 'velo', 'vole'], 'volery': ['overly', 'volery'], 'volitate': ['volitate', 'voltaite'], 'volley': ['lovely', 'volley'], 'volscian': ['slavonic', 'volscian'], 'volta': ['volta', 'votal'], 'voltaic': ['volatic', 'voltaic'], 'voltaite': ['volitate', 'voltaite'], 'volucrine': ['involucre', 'volucrine'], 'volunteerism': ['multinervose', 'volunteerism'], 'vomer': ['mover', 'vomer'], 'vomiter': ['revomit', 'vomiter'], 'vonsenite': ['veinstone', 'vonsenite'], 'vortical': ['victrola', 'vortical'], 'votal': ['volta', 'votal'], 'votary': ['travoy', 'votary'], 'vote': ['veto', 'voet', 'vote'], 'voteen': ['voeten', 'voteen'], 'voter': ['overt', 'rovet', 'torve', 'trove', 'voter'], 'vouge': ['vogue', 'vouge'], 'vouli': ['uviol', 'vouli'], 'vowed': ['devow', 'vowed'], 'vowel': ['vowel', 'wolve'], 'vraic': ['vicar', 'vraic'], 'vrbaite': ['vibrate', 'vrbaite'], 'vulcanite': ['vinculate', 'vulcanite'], 'vulnerose': ['nervulose', 'unresolve', 'vulnerose'], 'vulpic': ['pulvic', 'vulpic'], 'vulpine': ['pluvine', 'vulpine'], 'wa': ['aw', 'wa'], 'waag': ['awag', 'waag'], 'waasi': ['isawa', 'waasi'], 'wab': ['baw', 'wab'], 'wabi': ['biwa', 'wabi'], 'wabster': ['bestraw', 'wabster'], 'wac': ['caw', 'wac'], 'wachna': ['chawan', 'chwana', 'wachna'], 'wack': ['cawk', 'wack'], 'wacker': ['awreck', 'wacker'], 'wacky': ['cawky', 'wacky'], 'wad': ['awd', 'daw', 'wad'], 'wadder': ['edward', 'wadder', 'warded'], 'waddler': ['dawdler', 'waddler'], 'waddling': ['dawdling', 'waddling'], 'waddlingly': ['dawdlingly', 'waddlingly'], 'waddy': ['dawdy', 'waddy'], 'wadna': ['adawn', 'wadna'], 'wadset': ['wadset', 'wasted'], 'wae': ['awe', 'wae', 'wea'], 'waeg': ['waeg', 'wage', 'wega'], 'waer': ['waer', 'ware', 'wear'], 'waesome': ['awesome', 'waesome'], 'wag': ['gaw', 'wag'], 'wage': ['waeg', 'wage', 'wega'], 'wagerer': ['rewager', 'wagerer'], 'wages': ['swage', 'wages'], 'waggel': ['waggel', 'waggle'], 'waggle': ['waggel', 'waggle'], 'wagnerite': ['wagnerite', 'winterage'], 'wagon': ['gowan', 'wagon', 'wonga'], 'wah': ['haw', 'hwa', 'wah', 'wha'], 'wahehe': ['heehaw', 'wahehe'], 'wail': ['wail', 'wali'], 'wailer': ['lawrie', 'wailer'], 'wain': ['awin', 'wain'], 'wainer': ['newari', 'wainer'], 'wairsh': ['rawish', 'wairsh', 'warish'], 'waist': ['swati', 'waist'], 'waister': ['swertia', 'waister'], 'waiterage': ['garewaite', 'waiterage'], 'waitress': ['starwise', 'waitress'], 'waiwai': ['iwaiwa', 'waiwai'], 'wake': ['wake', 'weak', 'weka'], 'wakener': ['rewaken', 'wakener'], 'waker': ['waker', 'wreak'], 'wakes': ['askew', 'wakes'], 'wale': ['wale', 'weal'], 'waled': ['dwale', 'waled', 'weald'], 'waler': ['lerwa', 'waler'], 'wali': ['wail', 'wali'], 'waling': ['lawing', 'waling'], 'walk': ['lawk', 'walk'], 'walkout': ['outwalk', 'walkout'], 'walkover': ['overwalk', 'walkover'], 'walkside': ['sidewalk', 'walkside'], 'waller': ['rewall', 'waller'], 'wallet': ['wallet', 'wellat'], 'wallhick': ['hickwall', 'wallhick'], 'walloper': ['preallow', 'walloper'], 'wallower': ['rewallow', 'wallower'], 'walsh': ['shawl', 'walsh'], 'walt': ['twal', 'walt'], 'walter': ['lawter', 'walter'], 'wame': ['wame', 'weam'], 'wamp': ['mawp', 'wamp'], 'wan': ['awn', 'naw', 'wan'], 'wand': ['dawn', 'wand'], 'wander': ['andrew', 'redawn', 'wander', 'warden'], 'wandle': ['delawn', 'lawned', 'wandle'], 'wandlike': ['dawnlike', 'wandlike'], 'wandy': ['dawny', 'wandy'], 'wane': ['anew', 'wane', 'wean'], 'waned': ['awned', 'dewan', 'waned'], 'wang': ['gawn', 'gnaw', 'wang'], 'wanghee': ['wanghee', 'whangee'], 'wangler': ['wangler', 'wrangle'], 'waning': ['awning', 'waning'], 'wankle': ['knawel', 'wankle'], 'wanly': ['lawny', 'wanly'], 'want': ['nawt', 'tawn', 'want'], 'wanty': ['tawny', 'wanty'], 'wany': ['awny', 'wany', 'yawn'], 'wap': ['paw', 'wap'], 'war': ['raw', 'war'], 'warble': ['bawler', 'brelaw', 'rebawl', 'warble'], 'warbler': ['brawler', 'warbler'], 'warbling': ['brawling', 'warbling'], 'warblingly': ['brawlingly', 'warblingly'], 'warbly': ['brawly', 'byrlaw', 'warbly'], 'ward': ['draw', 'ward'], 'wardable': ['drawable', 'wardable'], 'warded': ['edward', 'wadder', 'warded'], 'warden': ['andrew', 'redawn', 'wander', 'warden'], 'warder': ['drawer', 'redraw', 'reward', 'warder'], 'warderer': ['redrawer', 'rewarder', 'warderer'], 'warding': ['drawing', 'ginward', 'warding'], 'wardman': ['manward', 'wardman'], 'wardmote': ['damewort', 'wardmote'], 'wardrobe': ['drawbore', 'wardrobe'], 'wardroom': ['roomward', 'wardroom'], 'wardship': ['shipward', 'wardship'], 'wardsman': ['manwards', 'wardsman'], 'ware': ['waer', 'ware', 'wear'], 'warehouse': ['housewear', 'warehouse'], 'warf': ['warf', 'wraf'], 'warish': ['rawish', 'wairsh', 'warish'], 'warlock': ['lacwork', 'warlock'], 'warmed': ['meward', 'warmed'], 'warmer': ['rewarm', 'warmer'], 'warmhouse': ['housewarm', 'warmhouse'], 'warmish': ['warmish', 'wishram'], 'warn': ['warn', 'wran'], 'warnel': ['lawner', 'warnel'], 'warner': ['rewarn', 'warner', 'warren'], 'warp': ['warp', 'wrap'], 'warper': ['prewar', 'rewrap', 'warper'], 'warree': ['rewear', 'warree', 'wearer'], 'warren': ['rewarn', 'warner', 'warren'], 'warri': ['warri', 'wirra'], 'warse': ['resaw', 'sawer', 'seraw', 'sware', 'swear', 'warse'], 'warsel': ['swaler', 'warsel', 'warsle'], 'warsle': ['swaler', 'warsel', 'warsle'], 'warst': ['straw', 'swart', 'warst'], 'warth': ['thraw', 'warth', 'whart', 'wrath'], 'warua': ['warua', 'waura'], 'warve': ['warve', 'waver'], 'wary': ['awry', 'wary'], 'was': ['saw', 'swa', 'was'], 'wasel': ['swale', 'sweal', 'wasel'], 'wash': ['shaw', 'wash'], 'washen': ['washen', 'whenas'], 'washer': ['hawser', 'rewash', 'washer'], 'washington': ['nowanights', 'washington'], 'washland': ['landwash', 'washland'], 'washoan': ['shawano', 'washoan'], 'washout': ['outwash', 'washout'], 'washy': ['shawy', 'washy'], 'wasnt': ['stawn', 'wasnt'], 'wasp': ['swap', 'wasp'], 'waspily': ['slipway', 'waspily'], 'wast': ['sawt', 'staw', 'swat', 'taws', 'twas', 'wast'], 'waste': ['awest', 'sweat', 'tawse', 'waste'], 'wasted': ['wadset', 'wasted'], 'wasteful': ['sweatful', 'wasteful'], 'wasteless': ['sweatless', 'wasteless'], 'wasteproof': ['sweatproof', 'wasteproof'], 'wastrel': ['wastrel', 'wrastle'], 'wat': ['taw', 'twa', 'wat'], 'watchdog': ['dogwatch', 'watchdog'], 'watchout': ['outwatch', 'watchout'], 'water': ['tawer', 'water', 'wreat'], 'waterbrain': ['brainwater', 'waterbrain'], 'watered': ['dewater', 'tarweed', 'watered'], 'waterer': ['rewater', 'waterer'], 'waterflood': ['floodwater', 'toadflower', 'waterflood'], 'waterhead': ['headwater', 'waterhead'], 'wateriness': ['earwitness', 'wateriness'], 'waterlog': ['galewort', 'waterlog'], 'watershed': ['drawsheet', 'watershed'], 'watery': ['tawery', 'watery'], 'wath': ['thaw', 'wath', 'what'], 'watt': ['twat', 'watt'], 'wauf': ['awfu', 'wauf'], 'wauner': ['unware', 'wauner'], 'waura': ['warua', 'waura'], 'waver': ['warve', 'waver'], 'waxer': ['rewax', 'waxer'], 'way': ['way', 'yaw'], 'wayback': ['backway', 'wayback'], 'waygang': ['gangway', 'waygang'], 'waygate': ['gateway', 'getaway', 'waygate'], 'wayman': ['manway', 'wayman'], 'ways': ['sway', 'ways', 'yaws'], 'wayside': ['sideway', 'wayside'], 'wea': ['awe', 'wae', 'wea'], 'weak': ['wake', 'weak', 'weka'], 'weakener': ['reweaken', 'weakener'], 'weakliness': ['weakliness', 'weaselskin'], 'weal': ['wale', 'weal'], 'weald': ['dwale', 'waled', 'weald'], 'weam': ['wame', 'weam'], 'wean': ['anew', 'wane', 'wean'], 'weanel': ['leewan', 'weanel'], 'wear': ['waer', 'ware', 'wear'], 'wearer': ['rewear', 'warree', 'wearer'], 'weasand': ['sandawe', 'weasand'], 'weaselskin': ['weakliness', 'weaselskin'], 'weather': ['weather', 'whereat', 'wreathe'], 'weathered': ['heartweed', 'weathered'], 'weaver': ['rewave', 'weaver'], 'webster': ['bestrew', 'webster'], 'wed': ['dew', 'wed'], 'wede': ['wede', 'weed'], 'wedge': ['gweed', 'wedge'], 'wedger': ['edgrew', 'wedger'], 'wedset': ['stewed', 'wedset'], 'wee': ['ewe', 'wee'], 'weed': ['wede', 'weed'], 'weedhook': ['hookweed', 'weedhook'], 'weedy': ['dewey', 'weedy'], 'ween': ['ween', 'wene'], 'weeps': ['sweep', 'weeps'], 'weet': ['twee', 'weet'], 'wega': ['waeg', 'wage', 'wega'], 'wegotism': ['twigsome', 'wegotism'], 'weigher': ['reweigh', 'weigher'], 'weir': ['weir', 'weri', 'wire'], 'weirangle': ['weirangle', 'wierangle'], 'weird': ['weird', 'wired', 'wride', 'wried'], 'weka': ['wake', 'weak', 'weka'], 'weld': ['lewd', 'weld'], 'weldable': ['ballweed', 'weldable'], 'welder': ['reweld', 'welder'], 'weldor': ['lowder', 'weldor', 'wordle'], 'welf': ['flew', 'welf'], 'welkin': ['welkin', 'winkel', 'winkle'], 'well': ['llew', 'well'], 'wellat': ['wallet', 'wellat'], 'wels': ['slew', 'wels'], 'welshry': ['shrewly', 'welshry'], 'welting': ['twingle', 'welting', 'winglet'], 'wem': ['mew', 'wem'], 'wen': ['new', 'wen'], 'wende': ['endew', 'wende'], 'wendi': ['dwine', 'edwin', 'wendi', 'widen', 'wined'], 'wene': ['ween', 'wene'], 'went': ['newt', 'went'], 'were': ['ewer', 'were'], 'weri': ['weir', 'weri', 'wire'], 'werther': ['werther', 'wherret'], 'wes': ['sew', 'wes'], 'weskit': ['weskit', 'wisket'], 'west': ['stew', 'west'], 'weste': ['sweet', 'weste'], 'westering': ['swingtree', 'westering'], 'westy': ['stewy', 'westy'], 'wet': ['tew', 'wet'], 'weta': ['tewa', 'twae', 'weta'], 'wetly': ['tewly', 'wetly'], 'wey': ['wey', 'wye', 'yew'], 'wha': ['haw', 'hwa', 'wah', 'wha'], 'whack': ['chawk', 'whack'], 'whale': ['whale', 'wheal'], 'wham': ['hawm', 'wham'], 'whame': ['whame', 'wheam'], 'whangee': ['wanghee', 'whangee'], 'whare': ['hawer', 'whare'], 'whart': ['thraw', 'warth', 'whart', 'wrath'], 'whase': ['hawse', 'shewa', 'whase'], 'what': ['thaw', 'wath', 'what'], 'whatreck': ['thwacker', 'whatreck'], 'whats': ['swath', 'whats'], 'wheal': ['whale', 'wheal'], 'wheam': ['whame', 'wheam'], 'wheat': ['awhet', 'wheat'], 'wheatear': ['aweather', 'wheatear'], 'wheedle': ['wheedle', 'wheeled'], 'wheel': ['hewel', 'wheel'], 'wheeled': ['wheedle', 'wheeled'], 'wheelroad': ['rowelhead', 'wheelroad'], 'wheer': ['hewer', 'wheer', 'where'], 'whein': ['whein', 'whine'], 'when': ['hewn', 'when'], 'whenas': ['washen', 'whenas'], 'whenso': ['whenso', 'whosen'], 'where': ['hewer', 'wheer', 'where'], 'whereat': ['weather', 'whereat', 'wreathe'], 'whereon': ['nowhere', 'whereon'], 'wherret': ['werther', 'wherret'], 'wherrit': ['wherrit', 'whirret', 'writher'], 'whet': ['hewt', 'thew', 'whet'], 'whichever': ['everwhich', 'whichever'], 'whicken': ['chewink', 'whicken'], 'whilter': ['whilter', 'whirtle'], 'whine': ['whein', 'whine'], 'whipper': ['prewhip', 'whipper'], 'whirler': ['rewhirl', 'whirler'], 'whirret': ['wherrit', 'whirret', 'writher'], 'whirtle': ['whilter', 'whirtle'], 'whisperer': ['rewhisper', 'whisperer'], 'whisson': ['snowish', 'whisson'], 'whist': ['swith', 'whist', 'whits', 'wisht'], 'whister': ['swither', 'whister', 'withers'], 'whit': ['whit', 'with'], 'white': ['white', 'withe'], 'whiten': ['whiten', 'withen'], 'whitener': ['rewhiten', 'whitener'], 'whitepot': ['whitepot', 'whitetop'], 'whites': ['swithe', 'whites'], 'whitetop': ['whitepot', 'whitetop'], 'whitewood': ['whitewood', 'withewood'], 'whitleather': ['therewithal', 'whitleather'], 'whitmanese': ['anthemwise', 'whitmanese'], 'whits': ['swith', 'whist', 'whits', 'wisht'], 'whity': ['whity', 'withy'], 'who': ['how', 'who'], 'whoever': ['everwho', 'however', 'whoever'], 'whole': ['howel', 'whole'], 'whomsoever': ['howsomever', 'whomsoever', 'whosomever'], 'whoreship': ['horsewhip', 'whoreship'], 'whort': ['throw', 'whort', 'worth', 'wroth'], 'whosen': ['whenso', 'whosen'], 'whosomever': ['howsomever', 'whomsoever', 'whosomever'], 'wicht': ['tchwi', 'wicht', 'witch'], 'widdle': ['widdle', 'wilded'], 'widely': ['dewily', 'widely', 'wieldy'], 'widen': ['dwine', 'edwin', 'wendi', 'widen', 'wined'], 'widener': ['rewiden', 'widener'], 'wideness': ['dewiness', 'wideness'], 'widgeon': ['gowdnie', 'widgeon'], 'wieldy': ['dewily', 'widely', 'wieldy'], 'wierangle': ['weirangle', 'wierangle'], 'wigan': ['awing', 'wigan'], 'wiggler': ['wiggler', 'wriggle'], 'wilded': ['widdle', 'wilded'], 'wildness': ['wildness', 'windless'], 'winchester': ['trenchwise', 'winchester'], 'windbreak': ['breakwind', 'windbreak'], 'winder': ['rewind', 'winder'], 'windgall': ['dingwall', 'windgall'], 'windles': ['swindle', 'windles'], 'windless': ['wildness', 'windless'], 'windstorm': ['stormwind', 'windstorm'], 'windup': ['upwind', 'windup'], 'wined': ['dwine', 'edwin', 'wendi', 'widen', 'wined'], 'winer': ['erwin', 'rewin', 'winer'], 'winglet': ['twingle', 'welting', 'winglet'], 'winkel': ['welkin', 'winkel', 'winkle'], 'winkle': ['welkin', 'winkel', 'winkle'], 'winklet': ['twinkle', 'winklet'], 'winnard': ['indrawn', 'winnard'], 'winnel': ['winnel', 'winnle'], 'winnle': ['winnel', 'winnle'], 'winsome': ['owenism', 'winsome'], 'wint': ['twin', 'wint'], 'winter': ['twiner', 'winter'], 'winterage': ['wagnerite', 'winterage'], 'wintered': ['interwed', 'wintered'], 'winterish': ['interwish', 'winterish'], 'winze': ['winze', 'wizen'], 'wips': ['wips', 'wisp'], 'wire': ['weir', 'weri', 'wire'], 'wired': ['weird', 'wired', 'wride', 'wried'], 'wirer': ['wirer', 'wrier'], 'wirra': ['warri', 'wirra'], 'wiselike': ['likewise', 'wiselike'], 'wiseman': ['manwise', 'wiseman'], 'wisen': ['sinew', 'swine', 'wisen'], 'wiser': ['swire', 'wiser'], 'wisewoman': ['wisewoman', 'womanwise'], 'wisher': ['rewish', 'wisher'], 'wishmay': ['wishmay', 'yahwism'], 'wishram': ['warmish', 'wishram'], 'wisht': ['swith', 'whist', 'whits', 'wisht'], 'wisket': ['weskit', 'wisket'], 'wisp': ['wips', 'wisp'], 'wispy': ['swipy', 'wispy'], 'wit': ['twi', 'wit'], 'witan': ['atwin', 'twain', 'witan'], 'witch': ['tchwi', 'wicht', 'witch'], 'witchetty': ['twitchety', 'witchetty'], 'with': ['whit', 'with'], 'withdrawer': ['rewithdraw', 'withdrawer'], 'withe': ['white', 'withe'], 'withen': ['whiten', 'withen'], 'wither': ['wither', 'writhe'], 'withered': ['redwithe', 'withered'], 'withering': ['withering', 'wrightine'], 'withers': ['swither', 'whister', 'withers'], 'withewood': ['whitewood', 'withewood'], 'within': ['inwith', 'within'], 'without': ['outwith', 'without'], 'withy': ['whity', 'withy'], 'wive': ['view', 'wive'], 'wiver': ['wiver', 'wrive'], 'wizen': ['winze', 'wizen'], 'wo': ['ow', 'wo'], 'woader': ['redowa', 'woader'], 'wob': ['bow', 'wob'], 'wod': ['dow', 'owd', 'wod'], 'woe': ['owe', 'woe'], 'woibe': ['bowie', 'woibe'], 'wold': ['dowl', 'wold'], 'wolf': ['flow', 'fowl', 'wolf'], 'wolfer': ['flower', 'fowler', 'reflow', 'wolfer'], 'wolter': ['rowlet', 'trowel', 'wolter'], 'wolve': ['vowel', 'wolve'], 'womanpost': ['postwoman', 'womanpost'], 'womanwise': ['wisewoman', 'womanwise'], 'won': ['now', 'own', 'won'], 'wonder': ['downer', 'wonder', 'worden'], 'wonderful': ['underflow', 'wonderful'], 'wone': ['enow', 'owen', 'wone'], 'wong': ['gown', 'wong'], 'wonga': ['gowan', 'wagon', 'wonga'], 'wonner': ['renown', 'wonner'], 'wont': ['nowt', 'town', 'wont'], 'wonted': ['towned', 'wonted'], 'woodbark': ['bookward', 'woodbark'], 'woodbind': ['bindwood', 'woodbind'], 'woodbush': ['bushwood', 'woodbush'], 'woodchat': ['chatwood', 'woodchat'], 'wooden': ['enwood', 'wooden'], 'woodfish': ['fishwood', 'woodfish'], 'woodhack': ['hackwood', 'woodhack'], 'woodhorse': ['horsewood', 'woodhorse'], 'woodness': ['sowdones', 'woodness'], 'woodpecker': ['peckerwood', 'woodpecker'], 'woodrock': ['corkwood', 'rockwood', 'woodrock'], 'woodsilver': ['silverwood', 'woodsilver'], 'woodstone': ['stonewood', 'woodstone'], 'woodworm': ['woodworm', 'wormwood'], 'wooled': ['dewool', 'elwood', 'wooled'], 'woons': ['swoon', 'woons'], 'woosh': ['howso', 'woosh'], 'wop': ['pow', 'wop'], 'worble': ['blower', 'bowler', 'reblow', 'worble'], 'word': ['drow', 'word'], 'wordage': ['dowager', 'wordage'], 'worden': ['downer', 'wonder', 'worden'], 'worder': ['reword', 'worder'], 'wordily': ['rowdily', 'wordily'], 'wordiness': ['rowdiness', 'wordiness'], 'wordle': ['lowder', 'weldor', 'wordle'], 'wordsman': ['sandworm', 'swordman', 'wordsman'], 'wordsmanship': ['swordmanship', 'wordsmanship'], 'wordy': ['dowry', 'rowdy', 'wordy'], 'wore': ['ower', 'wore'], 'workbasket': ['basketwork', 'workbasket'], 'workbench': ['benchwork', 'workbench'], 'workbook': ['bookwork', 'workbook'], 'workbox': ['boxwork', 'workbox'], 'workday': ['daywork', 'workday'], 'worker': ['rework', 'worker'], 'workhand': ['handwork', 'workhand'], 'workhouse': ['housework', 'workhouse'], 'working': ['kingrow', 'working'], 'workmaster': ['masterwork', 'workmaster'], 'workout': ['outwork', 'workout'], 'workpiece': ['piecework', 'workpiece'], 'workship': ['shipwork', 'workship'], 'workshop': ['shopwork', 'workshop'], 'worktime': ['timework', 'worktime'], 'wormed': ['deworm', 'wormed'], 'wormer': ['merrow', 'wormer'], 'wormroot': ['moorwort', 'rootworm', 'tomorrow', 'wormroot'], 'wormship': ['shipworm', 'wormship'], 'wormwood': ['woodworm', 'wormwood'], 'worse': ['owser', 'resow', 'serow', 'sower', 'swore', 'worse'], 'worset': ['restow', 'stower', 'towser', 'worset'], 'worst': ['strow', 'worst'], 'wort': ['trow', 'wort'], 'worth': ['throw', 'whort', 'worth', 'wroth'], 'worthful': ['worthful', 'wrothful'], 'worthily': ['worthily', 'wrothily'], 'worthiness': ['worthiness', 'wrothiness'], 'worthy': ['worthy', 'wrothy'], 'wot': ['tow', 'two', 'wot'], 'wots': ['sowt', 'stow', 'swot', 'wots'], 'wounder': ['rewound', 'unrowed', 'wounder'], 'woy': ['woy', 'yow'], 'wraf': ['warf', 'wraf'], 'wrainbolt': ['browntail', 'wrainbolt'], 'wraitly': ['wraitly', 'wrytail'], 'wran': ['warn', 'wran'], 'wrangle': ['wangler', 'wrangle'], 'wrap': ['warp', 'wrap'], 'wrapper': ['prewrap', 'wrapper'], 'wrastle': ['wastrel', 'wrastle'], 'wrath': ['thraw', 'warth', 'whart', 'wrath'], 'wreak': ['waker', 'wreak'], 'wreat': ['tawer', 'water', 'wreat'], 'wreath': ['rethaw', 'thawer', 'wreath'], 'wreathe': ['weather', 'whereat', 'wreathe'], 'wrest': ['strew', 'trews', 'wrest'], 'wrester': ['strewer', 'wrester'], 'wrestle': ['swelter', 'wrestle'], 'wride': ['weird', 'wired', 'wride', 'wried'], 'wried': ['weird', 'wired', 'wride', 'wried'], 'wrier': ['wirer', 'wrier'], 'wriggle': ['wiggler', 'wriggle'], 'wrightine': ['withering', 'wrightine'], 'wrinklet': ['twinkler', 'wrinklet'], 'write': ['twire', 'write'], 'writhe': ['wither', 'writhe'], 'writher': ['wherrit', 'whirret', 'writher'], 'written': ['twinter', 'written'], 'wrive': ['wiver', 'wrive'], 'wro': ['row', 'wro'], 'wroken': ['knower', 'reknow', 'wroken'], 'wrong': ['grown', 'wrong'], 'wrote': ['rowet', 'tower', 'wrote'], 'wroth': ['throw', 'whort', 'worth', 'wroth'], 'wrothful': ['worthful', 'wrothful'], 'wrothily': ['worthily', 'wrothily'], 'wrothiness': ['worthiness', 'wrothiness'], 'wrothy': ['worthy', 'wrothy'], 'wrytail': ['wraitly', 'wrytail'], 'wunna': ['unwan', 'wunna'], 'wyde': ['dewy', 'wyde'], 'wye': ['wey', 'wye', 'yew'], 'wype': ['pewy', 'wype'], 'wyson': ['snowy', 'wyson'], 'xanthein': ['xanthein', 'xanthine'], 'xanthine': ['xanthein', 'xanthine'], 'xanthopurpurin': ['purpuroxanthin', 'xanthopurpurin'], 'xema': ['amex', 'exam', 'xema'], 'xenia': ['axine', 'xenia'], 'xenial': ['alexin', 'xenial'], 'xenoparasite': ['exasperation', 'xenoparasite'], 'xeres': ['resex', 'xeres'], 'xerophytic': ['hypertoxic', 'xerophytic'], 'xerotic': ['excitor', 'xerotic'], 'xylic': ['cylix', 'xylic'], 'xylitone': ['xylitone', 'xylonite'], 'xylonite': ['xylitone', 'xylonite'], 'xylophone': ['oxyphenol', 'xylophone'], 'xylose': ['lyxose', 'xylose'], 'xyst': ['styx', 'xyst'], 'xyster': ['sextry', 'xyster'], 'xysti': ['sixty', 'xysti'], 'ya': ['ay', 'ya'], 'yaba': ['baya', 'yaba'], 'yabber': ['babery', 'yabber'], 'yacht': ['cathy', 'cyath', 'yacht'], 'yachtist': ['chastity', 'yachtist'], 'yad': ['ady', 'day', 'yad'], 'yaff': ['affy', 'yaff'], 'yagnob': ['boyang', 'yagnob'], 'yah': ['hay', 'yah'], 'yahwism': ['wishmay', 'yahwism'], 'yair': ['airy', 'yair'], 'yaird': ['dairy', 'diary', 'yaird'], 'yak': ['kay', 'yak'], 'yakan': ['kayan', 'yakan'], 'yakima': ['kamiya', 'yakima'], 'yakka': ['kayak', 'yakka'], 'yalb': ['ably', 'blay', 'yalb'], 'yali': ['ilya', 'yali'], 'yalla': ['allay', 'yalla'], 'yallaer': ['allayer', 'yallaer'], 'yam': ['amy', 'may', 'mya', 'yam'], 'yamel': ['mealy', 'yamel'], 'yamen': ['maney', 'yamen'], 'yamilke': ['maylike', 'yamilke'], 'yamph': ['phyma', 'yamph'], 'yan': ['any', 'nay', 'yan'], 'yana': ['anay', 'yana'], 'yander': ['denary', 'yander'], 'yap': ['pay', 'pya', 'yap'], 'yapness': ['synapse', 'yapness'], 'yapper': ['papery', 'prepay', 'yapper'], 'yapster': ['atrepsy', 'yapster'], 'yar': ['ary', 'ray', 'yar'], 'yarb': ['bray', 'yarb'], 'yard': ['adry', 'dray', 'yard'], 'yardage': ['drayage', 'yardage'], 'yarder': ['dreary', 'yarder'], 'yardman': ['drayman', 'yardman'], 'yare': ['aery', 'eyra', 'yare', 'year'], 'yark': ['kyar', 'yark'], 'yarl': ['aryl', 'lyra', 'ryal', 'yarl'], 'yarm': ['army', 'mary', 'myra', 'yarm'], 'yarn': ['nary', 'yarn'], 'yarr': ['arry', 'yarr'], 'yarrow': ['arrowy', 'yarrow'], 'yaruran': ['unarray', 'yaruran'], 'yas': ['say', 'yas'], 'yasht': ['hasty', 'yasht'], 'yat': ['tay', 'yat'], 'yate': ['yate', 'yeat', 'yeta'], 'yatter': ['attery', 'treaty', 'yatter'], 'yaw': ['way', 'yaw'], 'yawler': ['lawyer', 'yawler'], 'yawn': ['awny', 'wany', 'yawn'], 'yaws': ['sway', 'ways', 'yaws'], 'ye': ['ey', 'ye'], 'yea': ['aye', 'yea'], 'yeah': ['ahey', 'eyah', 'yeah'], 'year': ['aery', 'eyra', 'yare', 'year'], 'yeard': ['deary', 'deray', 'rayed', 'ready', 'yeard'], 'yearly': ['layery', 'yearly'], 'yearn': ['enray', 'yearn'], 'yearth': ['earthy', 'hearty', 'yearth'], 'yeast': ['teasy', 'yeast'], 'yeat': ['yate', 'yeat', 'yeta'], 'yeather': ['erythea', 'hetaery', 'yeather'], 'yed': ['dey', 'dye', 'yed'], 'yede': ['eyed', 'yede'], 'yee': ['eye', 'yee'], 'yeel': ['eely', 'yeel'], 'yees': ['yees', 'yese'], 'yegg': ['eggy', 'yegg'], 'yelk': ['kyle', 'yelk'], 'yelm': ['elmy', 'yelm'], 'yelmer': ['merely', 'yelmer'], 'yelper': ['peerly', 'yelper'], 'yemen': ['enemy', 'yemen'], 'yemeni': ['menyie', 'yemeni'], 'yen': ['eyn', 'nye', 'yen'], 'yender': ['redeny', 'yender'], 'yeo': ['yeo', 'yoe'], 'yeorling': ['legionry', 'yeorling'], 'yer': ['rye', 'yer'], 'yerb': ['brey', 'byre', 'yerb'], 'yerba': ['barye', 'beray', 'yerba'], 'yerd': ['dyer', 'yerd'], 'yere': ['eyer', 'eyre', 'yere'], 'yern': ['ryen', 'yern'], 'yes': ['sey', 'sye', 'yes'], 'yese': ['yees', 'yese'], 'yest': ['stey', 'yest'], 'yester': ['reesty', 'yester'], 'yestern': ['streyne', 'styrene', 'yestern'], 'yet': ['tye', 'yet'], 'yeta': ['yate', 'yeat', 'yeta'], 'yeth': ['they', 'yeth'], 'yether': ['theyre', 'yether'], 'yetlin': ['lenity', 'yetlin'], 'yew': ['wey', 'wye', 'yew'], 'yielden': ['needily', 'yielden'], 'yielder': ['reedily', 'reyield', 'yielder'], 'yildun': ['unidly', 'yildun'], 'yill': ['illy', 'lily', 'yill'], 'yirm': ['miry', 'rimy', 'yirm'], 'ym': ['my', 'ym'], 'yock': ['coky', 'yock'], 'yodel': ['doyle', 'yodel'], 'yoe': ['yeo', 'yoe'], 'yoghurt': ['troughy', 'yoghurt'], 'yogin': ['goyin', 'yogin'], 'yoi': ['iyo', 'yoi'], 'yoker': ['rokey', 'yoker'], 'yolk': ['kylo', 'yolk'], 'yom': ['moy', 'yom'], 'yomud': ['moudy', 'yomud'], 'yon': ['noy', 'yon'], 'yond': ['ondy', 'yond'], 'yonder': ['rodney', 'yonder'], 'yont': ['tony', 'yont'], 'yor': ['ory', 'roy', 'yor'], 'yore': ['oyer', 'roey', 'yore'], 'york': ['kory', 'roky', 'york'], 'yot': ['toy', 'yot'], 'yote': ['eyot', 'yote'], 'youngun': ['unyoung', 'youngun'], 'yours': ['soury', 'yours'], 'yoursel': ['elusory', 'yoursel'], 'yoven': ['envoy', 'nevoy', 'yoven'], 'yow': ['woy', 'yow'], 'yowl': ['lowy', 'owly', 'yowl'], 'yowler': ['lowery', 'owlery', 'rowley', 'yowler'], 'yowt': ['towy', 'yowt'], 'yox': ['oxy', 'yox'], 'yttrious': ['touristy', 'yttrious'], 'yuca': ['cuya', 'yuca'], 'yuckel': ['yuckel', 'yuckle'], 'yuckle': ['yuckel', 'yuckle'], 'yulan': ['unlay', 'yulan'], 'yurok': ['rouky', 'yurok'], 'zabian': ['banzai', 'zabian'], 'zabra': ['braza', 'zabra'], 'zacate': ['azteca', 'zacate'], 'zad': ['adz', 'zad'], 'zag': ['gaz', 'zag'], 'zain': ['nazi', 'zain'], 'zaman': ['namaz', 'zaman'], 'zamenis': ['sizeman', 'zamenis'], 'zaparoan': ['parazoan', 'zaparoan'], 'zaratite': ['tatarize', 'zaratite'], 'zati': ['itza', 'tiza', 'zati'], 'zeal': ['laze', 'zeal'], 'zealotism': ['solmizate', 'zealotism'], 'zebra': ['braze', 'zebra'], 'zein': ['inez', 'zein'], 'zelanian': ['annalize', 'zelanian'], 'zelatrice': ['cartelize', 'zelatrice'], 'zemmi': ['zemmi', 'zimme'], 'zendic': ['dezinc', 'zendic'], 'zenick': ['zenick', 'zincke'], 'zenu': ['unze', 'zenu'], 'zequin': ['quinze', 'zequin'], 'zerda': ['adzer', 'zerda'], 'zerma': ['mazer', 'zerma'], 'ziarat': ['atazir', 'ziarat'], 'zibet': ['bizet', 'zibet'], 'ziega': ['gaize', 'ziega'], 'zimme': ['zemmi', 'zimme'], 'zincite': ['citizen', 'zincite'], 'zincke': ['zenick', 'zincke'], 'zinco': ['zinco', 'zonic'], 'zion': ['nozi', 'zion'], 'zira': ['izar', 'zira'], 'zirconate': ['narcotize', 'zirconate'], 'zoa': ['azo', 'zoa'], 'zoanthidae': ['zoanthidae', 'zoanthidea'], 'zoanthidea': ['zoanthidae', 'zoanthidea'], 'zoarite': ['azorite', 'zoarite'], 'zobo': ['bozo', 'zobo'], 'zoeal': ['azole', 'zoeal'], 'zogan': ['gazon', 'zogan'], 'zolotink': ['zolotink', 'zolotnik'], 'zolotnik': ['zolotink', 'zolotnik'], 'zonaria': ['arizona', 'azorian', 'zonaria'], 'zoned': ['dozen', 'zoned'], 'zonic': ['zinco', 'zonic'], 'zonotrichia': ['chorization', 'rhizoctonia', 'zonotrichia'], 'zoonal': ['alonzo', 'zoonal'], 'zoonic': ['ozonic', 'zoonic'], 'zoonomic': ['monozoic', 'zoonomic'], 'zoopathy': ['phytozoa', 'zoopathy', 'zoophyta'], 'zoophilic': ['philozoic', 'zoophilic'], 'zoophilist': ['philozoist', 'zoophilist'], 'zoophyta': ['phytozoa', 'zoopathy', 'zoophyta'], 'zoospermatic': ['spermatozoic', 'zoospermatic'], 'zoosporic': ['sporozoic', 'zoosporic'], 'zootype': ['ozotype', 'zootype'], 'zyga': ['gazy', 'zyga'], 'zygal': ['glazy', 'zygal']}
-1
TheAlgorithms/Python
6,591
Test on Python 3.11
### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-10-03T07:32:25Z"
"2022-10-31T13:50:03Z"
b2165a65fcf1a087236d2a1527b10b64a12f69e6
a31edd4477af958adb840dadd568c38eecc9567b
Test on Python 3.11. ### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
tasks: - init: pip3 install -r ./requirements.txt
tasks: - init: pip3 install -r ./requirements.txt
-1
TheAlgorithms/Python
6,591
Test on Python 3.11
### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-10-03T07:32:25Z"
"2022-10-31T13:50:03Z"
b2165a65fcf1a087236d2a1527b10b64a12f69e6
a31edd4477af958adb840dadd568c38eecc9567b
Test on Python 3.11. ### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
blank_issues_enabled: false contact_links: - name: Discord community url: https://discord.gg/c7MnfGFGa6 about: Have any questions or need any help? Please contact us via Discord
blank_issues_enabled: false contact_links: - name: Discord community url: https://discord.gg/c7MnfGFGa6 about: Have any questions or need any help? Please contact us via Discord
-1
TheAlgorithms/Python
6,591
Test on Python 3.11
### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-10-03T07:32:25Z"
"2022-10-31T13:50:03Z"
b2165a65fcf1a087236d2a1527b10b64a12f69e6
a31edd4477af958adb840dadd568c38eecc9567b
Test on Python 3.11. ### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
on: pull_request: # Run only if a file is changed within the project_euler directory and related files paths: - "project_euler/**" - ".github/workflows/project_euler.yml" - "scripts/validate_solutions.py" schedule: - cron: "0 0 * * *" # Run everyday name: "Project Euler" jobs: project-euler: runs-on: ubuntu-latest steps: - uses: actions/checkout@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
6,591
Test on Python 3.11
### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-10-03T07:32:25Z"
"2022-10-31T13:50:03Z"
b2165a65fcf1a087236d2a1527b10b64a12f69e6
a31edd4477af958adb840dadd568c38eecc9567b
Test on Python 3.11. ### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
"A","ABILITY","ABLE","ABOUT","ABOVE","ABSENCE","ABSOLUTELY","ACADEMIC","ACCEPT","ACCESS","ACCIDENT","ACCOMPANY","ACCORDING","ACCOUNT","ACHIEVE","ACHIEVEMENT","ACID","ACQUIRE","ACROSS","ACT","ACTION","ACTIVE","ACTIVITY","ACTUAL","ACTUALLY","ADD","ADDITION","ADDITIONAL","ADDRESS","ADMINISTRATION","ADMIT","ADOPT","ADULT","ADVANCE","ADVANTAGE","ADVICE","ADVISE","AFFAIR","AFFECT","AFFORD","AFRAID","AFTER","AFTERNOON","AFTERWARDS","AGAIN","AGAINST","AGE","AGENCY","AGENT","AGO","AGREE","AGREEMENT","AHEAD","AID","AIM","AIR","AIRCRAFT","ALL","ALLOW","ALMOST","ALONE","ALONG","ALREADY","ALRIGHT","ALSO","ALTERNATIVE","ALTHOUGH","ALWAYS","AMONG","AMONGST","AMOUNT","AN","ANALYSIS","ANCIENT","AND","ANIMAL","ANNOUNCE","ANNUAL","ANOTHER","ANSWER","ANY","ANYBODY","ANYONE","ANYTHING","ANYWAY","APART","APPARENT","APPARENTLY","APPEAL","APPEAR","APPEARANCE","APPLICATION","APPLY","APPOINT","APPOINTMENT","APPROACH","APPROPRIATE","APPROVE","AREA","ARGUE","ARGUMENT","ARISE","ARM","ARMY","AROUND","ARRANGE","ARRANGEMENT","ARRIVE","ART","ARTICLE","ARTIST","AS","ASK","ASPECT","ASSEMBLY","ASSESS","ASSESSMENT","ASSET","ASSOCIATE","ASSOCIATION","ASSUME","ASSUMPTION","AT","ATMOSPHERE","ATTACH","ATTACK","ATTEMPT","ATTEND","ATTENTION","ATTITUDE","ATTRACT","ATTRACTIVE","AUDIENCE","AUTHOR","AUTHORITY","AVAILABLE","AVERAGE","AVOID","AWARD","AWARE","AWAY","AYE","BABY","BACK","BACKGROUND","BAD","BAG","BALANCE","BALL","BAND","BANK","BAR","BASE","BASIC","BASIS","BATTLE","BE","BEAR","BEAT","BEAUTIFUL","BECAUSE","BECOME","BED","BEDROOM","BEFORE","BEGIN","BEGINNING","BEHAVIOUR","BEHIND","BELIEF","BELIEVE","BELONG","BELOW","BENEATH","BENEFIT","BESIDE","BEST","BETTER","BETWEEN","BEYOND","BIG","BILL","BIND","BIRD","BIRTH","BIT","BLACK","BLOCK","BLOOD","BLOODY","BLOW","BLUE","BOARD","BOAT","BODY","BONE","BOOK","BORDER","BOTH","BOTTLE","BOTTOM","BOX","BOY","BRAIN","BRANCH","BREAK","BREATH","BRIDGE","BRIEF","BRIGHT","BRING","BROAD","BROTHER","BUDGET","BUILD","BUILDING","BURN","BUS","BUSINESS","BUSY","BUT","BUY","BY","CABINET","CALL","CAMPAIGN","CAN","CANDIDATE","CAPABLE","CAPACITY","CAPITAL","CAR","CARD","CARE","CAREER","CAREFUL","CAREFULLY","CARRY","CASE","CASH","CAT","CATCH","CATEGORY","CAUSE","CELL","CENTRAL","CENTRE","CENTURY","CERTAIN","CERTAINLY","CHAIN","CHAIR","CHAIRMAN","CHALLENGE","CHANCE","CHANGE","CHANNEL","CHAPTER","CHARACTER","CHARACTERISTIC","CHARGE","CHEAP","CHECK","CHEMICAL","CHIEF","CHILD","CHOICE","CHOOSE","CHURCH","CIRCLE","CIRCUMSTANCE","CITIZEN","CITY","CIVIL","CLAIM","CLASS","CLEAN","CLEAR","CLEARLY","CLIENT","CLIMB","CLOSE","CLOSELY","CLOTHES","CLUB","COAL","CODE","COFFEE","COLD","COLLEAGUE","COLLECT","COLLECTION","COLLEGE","COLOUR","COMBINATION","COMBINE","COME","COMMENT","COMMERCIAL","COMMISSION","COMMIT","COMMITMENT","COMMITTEE","COMMON","COMMUNICATION","COMMUNITY","COMPANY","COMPARE","COMPARISON","COMPETITION","COMPLETE","COMPLETELY","COMPLEX","COMPONENT","COMPUTER","CONCENTRATE","CONCENTRATION","CONCEPT","CONCERN","CONCERNED","CONCLUDE","CONCLUSION","CONDITION","CONDUCT","CONFERENCE","CONFIDENCE","CONFIRM","CONFLICT","CONGRESS","CONNECT","CONNECTION","CONSEQUENCE","CONSERVATIVE","CONSIDER","CONSIDERABLE","CONSIDERATION","CONSIST","CONSTANT","CONSTRUCTION","CONSUMER","CONTACT","CONTAIN","CONTENT","CONTEXT","CONTINUE","CONTRACT","CONTRAST","CONTRIBUTE","CONTRIBUTION","CONTROL","CONVENTION","CONVERSATION","COPY","CORNER","CORPORATE","CORRECT","COS","COST","COULD","COUNCIL","COUNT","COUNTRY","COUNTY","COUPLE","COURSE","COURT","COVER","CREATE","CREATION","CREDIT","CRIME","CRIMINAL","CRISIS","CRITERION","CRITICAL","CRITICISM","CROSS","CROWD","CRY","CULTURAL","CULTURE","CUP","CURRENT","CURRENTLY","CURRICULUM","CUSTOMER","CUT","DAMAGE","DANGER","DANGEROUS","DARK","DATA","DATE","DAUGHTER","DAY","DEAD","DEAL","DEATH","DEBATE","DEBT","DECADE","DECIDE","DECISION","DECLARE","DEEP","DEFENCE","DEFENDANT","DEFINE","DEFINITION","DEGREE","DELIVER","DEMAND","DEMOCRATIC","DEMONSTRATE","DENY","DEPARTMENT","DEPEND","DEPUTY","DERIVE","DESCRIBE","DESCRIPTION","DESIGN","DESIRE","DESK","DESPITE","DESTROY","DETAIL","DETAILED","DETERMINE","DEVELOP","DEVELOPMENT","DEVICE","DIE","DIFFERENCE","DIFFERENT","DIFFICULT","DIFFICULTY","DINNER","DIRECT","DIRECTION","DIRECTLY","DIRECTOR","DISAPPEAR","DISCIPLINE","DISCOVER","DISCUSS","DISCUSSION","DISEASE","DISPLAY","DISTANCE","DISTINCTION","DISTRIBUTION","DISTRICT","DIVIDE","DIVISION","DO","DOCTOR","DOCUMENT","DOG","DOMESTIC","DOOR","DOUBLE","DOUBT","DOWN","DRAW","DRAWING","DREAM","DRESS","DRINK","DRIVE","DRIVER","DROP","DRUG","DRY","DUE","DURING","DUTY","EACH","EAR","EARLY","EARN","EARTH","EASILY","EAST","EASY","EAT","ECONOMIC","ECONOMY","EDGE","EDITOR","EDUCATION","EDUCATIONAL","EFFECT","EFFECTIVE","EFFECTIVELY","EFFORT","EGG","EITHER","ELDERLY","ELECTION","ELEMENT","ELSE","ELSEWHERE","EMERGE","EMPHASIS","EMPLOY","EMPLOYEE","EMPLOYER","EMPLOYMENT","EMPTY","ENABLE","ENCOURAGE","END","ENEMY","ENERGY","ENGINE","ENGINEERING","ENJOY","ENOUGH","ENSURE","ENTER","ENTERPRISE","ENTIRE","ENTIRELY","ENTITLE","ENTRY","ENVIRONMENT","ENVIRONMENTAL","EQUAL","EQUALLY","EQUIPMENT","ERROR","ESCAPE","ESPECIALLY","ESSENTIAL","ESTABLISH","ESTABLISHMENT","ESTATE","ESTIMATE","EVEN","EVENING","EVENT","EVENTUALLY","EVER","EVERY","EVERYBODY","EVERYONE","EVERYTHING","EVIDENCE","EXACTLY","EXAMINATION","EXAMINE","EXAMPLE","EXCELLENT","EXCEPT","EXCHANGE","EXECUTIVE","EXERCISE","EXHIBITION","EXIST","EXISTENCE","EXISTING","EXPECT","EXPECTATION","EXPENDITURE","EXPENSE","EXPENSIVE","EXPERIENCE","EXPERIMENT","EXPERT","EXPLAIN","EXPLANATION","EXPLORE","EXPRESS","EXPRESSION","EXTEND","EXTENT","EXTERNAL","EXTRA","EXTREMELY","EYE","FACE","FACILITY","FACT","FACTOR","FACTORY","FAIL","FAILURE","FAIR","FAIRLY","FAITH","FALL","FAMILIAR","FAMILY","FAMOUS","FAR","FARM","FARMER","FASHION","FAST","FATHER","FAVOUR","FEAR","FEATURE","FEE","FEEL","FEELING","FEMALE","FEW","FIELD","FIGHT","FIGURE","FILE","FILL","FILM","FINAL","FINALLY","FINANCE","FINANCIAL","FIND","FINDING","FINE","FINGER","FINISH","FIRE","FIRM","FIRST","FISH","FIT","FIX","FLAT","FLIGHT","FLOOR","FLOW","FLOWER","FLY","FOCUS","FOLLOW","FOLLOWING","FOOD","FOOT","FOOTBALL","FOR","FORCE","FOREIGN","FOREST","FORGET","FORM","FORMAL","FORMER","FORWARD","FOUNDATION","FREE","FREEDOM","FREQUENTLY","FRESH","FRIEND","FROM","FRONT","FRUIT","FUEL","FULL","FULLY","FUNCTION","FUND","FUNNY","FURTHER","FUTURE","GAIN","GAME","GARDEN","GAS","GATE","GATHER","GENERAL","GENERALLY","GENERATE","GENERATION","GENTLEMAN","GET","GIRL","GIVE","GLASS","GO","GOAL","GOD","GOLD","GOOD","GOVERNMENT","GRANT","GREAT","GREEN","GREY","GROUND","GROUP","GROW","GROWING","GROWTH","GUEST","GUIDE","GUN","HAIR","HALF","HALL","HAND","HANDLE","HANG","HAPPEN","HAPPY","HARD","HARDLY","HATE","HAVE","HE","HEAD","HEALTH","HEAR","HEART","HEAT","HEAVY","HELL","HELP","HENCE","HER","HERE","HERSELF","HIDE","HIGH","HIGHLY","HILL","HIM","HIMSELF","HIS","HISTORICAL","HISTORY","HIT","HOLD","HOLE","HOLIDAY","HOME","HOPE","HORSE","HOSPITAL","HOT","HOTEL","HOUR","HOUSE","HOUSEHOLD","HOUSING","HOW","HOWEVER","HUGE","HUMAN","HURT","HUSBAND","I","IDEA","IDENTIFY","IF","IGNORE","ILLUSTRATE","IMAGE","IMAGINE","IMMEDIATE","IMMEDIATELY","IMPACT","IMPLICATION","IMPLY","IMPORTANCE","IMPORTANT","IMPOSE","IMPOSSIBLE","IMPRESSION","IMPROVE","IMPROVEMENT","IN","INCIDENT","INCLUDE","INCLUDING","INCOME","INCREASE","INCREASED","INCREASINGLY","INDEED","INDEPENDENT","INDEX","INDICATE","INDIVIDUAL","INDUSTRIAL","INDUSTRY","INFLUENCE","INFORM","INFORMATION","INITIAL","INITIATIVE","INJURY","INSIDE","INSIST","INSTANCE","INSTEAD","INSTITUTE","INSTITUTION","INSTRUCTION","INSTRUMENT","INSURANCE","INTEND","INTENTION","INTEREST","INTERESTED","INTERESTING","INTERNAL","INTERNATIONAL","INTERPRETATION","INTERVIEW","INTO","INTRODUCE","INTRODUCTION","INVESTIGATE","INVESTIGATION","INVESTMENT","INVITE","INVOLVE","IRON","IS","ISLAND","ISSUE","IT","ITEM","ITS","ITSELF","JOB","JOIN","JOINT","JOURNEY","JUDGE","JUMP","JUST","JUSTICE","KEEP","KEY","KID","KILL","KIND","KING","KITCHEN","KNEE","KNOW","KNOWLEDGE","LABOUR","LACK","LADY","LAND","LANGUAGE","LARGE","LARGELY","LAST","LATE","LATER","LATTER","LAUGH","LAUNCH","LAW","LAWYER","LAY","LEAD","LEADER","LEADERSHIP","LEADING","LEAF","LEAGUE","LEAN","LEARN","LEAST","LEAVE","LEFT","LEG","LEGAL","LEGISLATION","LENGTH","LESS","LET","LETTER","LEVEL","LIABILITY","LIBERAL","LIBRARY","LIE","LIFE","LIFT","LIGHT","LIKE","LIKELY","LIMIT","LIMITED","LINE","LINK","LIP","LIST","LISTEN","LITERATURE","LITTLE","LIVE","LIVING","LOAN","LOCAL","LOCATION","LONG","LOOK","LORD","LOSE","LOSS","LOT","LOVE","LOVELY","LOW","LUNCH","MACHINE","MAGAZINE","MAIN","MAINLY","MAINTAIN","MAJOR","MAJORITY","MAKE","MALE","MAN","MANAGE","MANAGEMENT","MANAGER","MANNER","MANY","MAP","MARK","MARKET","MARRIAGE","MARRIED","MARRY","MASS","MASTER","MATCH","MATERIAL","MATTER","MAY","MAYBE","ME","MEAL","MEAN","MEANING","MEANS","MEANWHILE","MEASURE","MECHANISM","MEDIA","MEDICAL","MEET","MEETING","MEMBER","MEMBERSHIP","MEMORY","MENTAL","MENTION","MERELY","MESSAGE","METAL","METHOD","MIDDLE","MIGHT","MILE","MILITARY","MILK","MIND","MINE","MINISTER","MINISTRY","MINUTE","MISS","MISTAKE","MODEL","MODERN","MODULE","MOMENT","MONEY","MONTH","MORE","MORNING","MOST","MOTHER","MOTION","MOTOR","MOUNTAIN","MOUTH","MOVE","MOVEMENT","MUCH","MURDER","MUSEUM","MUSIC","MUST","MY","MYSELF","NAME","NARROW","NATION","NATIONAL","NATURAL","NATURE","NEAR","NEARLY","NECESSARILY","NECESSARY","NECK","NEED","NEGOTIATION","NEIGHBOUR","NEITHER","NETWORK","NEVER","NEVERTHELESS","NEW","NEWS","NEWSPAPER","NEXT","NICE","NIGHT","NO","NOBODY","NOD","NOISE","NONE","NOR","NORMAL","NORMALLY","NORTH","NORTHERN","NOSE","NOT","NOTE","NOTHING","NOTICE","NOTION","NOW","NUCLEAR","NUMBER","NURSE","OBJECT","OBJECTIVE","OBSERVATION","OBSERVE","OBTAIN","OBVIOUS","OBVIOUSLY","OCCASION","OCCUR","ODD","OF","OFF","OFFENCE","OFFER","OFFICE","OFFICER","OFFICIAL","OFTEN","OIL","OKAY","OLD","ON","ONCE","ONE","ONLY","ONTO","OPEN","OPERATE","OPERATION","OPINION","OPPORTUNITY","OPPOSITION","OPTION","OR","ORDER","ORDINARY","ORGANISATION","ORGANISE","ORGANIZATION","ORIGIN","ORIGINAL","OTHER","OTHERWISE","OUGHT","OUR","OURSELVES","OUT","OUTCOME","OUTPUT","OUTSIDE","OVER","OVERALL","OWN","OWNER","PACKAGE","PAGE","PAIN","PAINT","PAINTING","PAIR","PANEL","PAPER","PARENT","PARK","PARLIAMENT","PART","PARTICULAR","PARTICULARLY","PARTLY","PARTNER","PARTY","PASS","PASSAGE","PAST","PATH","PATIENT","PATTERN","PAY","PAYMENT","PEACE","PENSION","PEOPLE","PER","PERCENT","PERFECT","PERFORM","PERFORMANCE","PERHAPS","PERIOD","PERMANENT","PERSON","PERSONAL","PERSUADE","PHASE","PHONE","PHOTOGRAPH","PHYSICAL","PICK","PICTURE","PIECE","PLACE","PLAN","PLANNING","PLANT","PLASTIC","PLATE","PLAY","PLAYER","PLEASE","PLEASURE","PLENTY","PLUS","POCKET","POINT","POLICE","POLICY","POLITICAL","POLITICS","POOL","POOR","POPULAR","POPULATION","POSITION","POSITIVE","POSSIBILITY","POSSIBLE","POSSIBLY","POST","POTENTIAL","POUND","POWER","POWERFUL","PRACTICAL","PRACTICE","PREFER","PREPARE","PRESENCE","PRESENT","PRESIDENT","PRESS","PRESSURE","PRETTY","PREVENT","PREVIOUS","PREVIOUSLY","PRICE","PRIMARY","PRIME","PRINCIPLE","PRIORITY","PRISON","PRISONER","PRIVATE","PROBABLY","PROBLEM","PROCEDURE","PROCESS","PRODUCE","PRODUCT","PRODUCTION","PROFESSIONAL","PROFIT","PROGRAM","PROGRAMME","PROGRESS","PROJECT","PROMISE","PROMOTE","PROPER","PROPERLY","PROPERTY","PROPORTION","PROPOSE","PROPOSAL","PROSPECT","PROTECT","PROTECTION","PROVE","PROVIDE","PROVIDED","PROVISION","PUB","PUBLIC","PUBLICATION","PUBLISH","PULL","PUPIL","PURPOSE","PUSH","PUT","QUALITY","QUARTER","QUESTION","QUICK","QUICKLY","QUIET","QUITE","RACE","RADIO","RAILWAY","RAIN","RAISE","RANGE","RAPIDLY","RARE","RATE","RATHER","REACH","REACTION","READ","READER","READING","READY","REAL","REALISE","REALITY","REALIZE","REALLY","REASON","REASONABLE","RECALL","RECEIVE","RECENT","RECENTLY","RECOGNISE","RECOGNITION","RECOGNIZE","RECOMMEND","RECORD","RECOVER","RED","REDUCE","REDUCTION","REFER","REFERENCE","REFLECT","REFORM","REFUSE","REGARD","REGION","REGIONAL","REGULAR","REGULATION","REJECT","RELATE","RELATION","RELATIONSHIP","RELATIVE","RELATIVELY","RELEASE","RELEVANT","RELIEF","RELIGION","RELIGIOUS","RELY","REMAIN","REMEMBER","REMIND","REMOVE","REPEAT","REPLACE","REPLY","REPORT","REPRESENT","REPRESENTATION","REPRESENTATIVE","REQUEST","REQUIRE","REQUIREMENT","RESEARCH","RESOURCE","RESPECT","RESPOND","RESPONSE","RESPONSIBILITY","RESPONSIBLE","REST","RESTAURANT","RESULT","RETAIN","RETURN","REVEAL","REVENUE","REVIEW","REVOLUTION","RICH","RIDE","RIGHT","RING","RISE","RISK","RIVER","ROAD","ROCK","ROLE","ROLL","ROOF","ROOM","ROUND","ROUTE","ROW","ROYAL","RULE","RUN","RURAL","SAFE","SAFETY","SALE","SAME","SAMPLE","SATISFY","SAVE","SAY","SCALE","SCENE","SCHEME","SCHOOL","SCIENCE","SCIENTIFIC","SCIENTIST","SCORE","SCREEN","SEA","SEARCH","SEASON","SEAT","SECOND","SECONDARY","SECRETARY","SECTION","SECTOR","SECURE","SECURITY","SEE","SEEK","SEEM","SELECT","SELECTION","SELL","SEND","SENIOR","SENSE","SENTENCE","SEPARATE","SEQUENCE","SERIES","SERIOUS","SERIOUSLY","SERVANT","SERVE","SERVICE","SESSION","SET","SETTLE","SETTLEMENT","SEVERAL","SEVERE","SEX","SEXUAL","SHAKE","SHALL","SHAPE","SHARE","SHE","SHEET","SHIP","SHOE","SHOOT","SHOP","SHORT","SHOT","SHOULD","SHOULDER","SHOUT","SHOW","SHUT","SIDE","SIGHT","SIGN","SIGNAL","SIGNIFICANCE","SIGNIFICANT","SILENCE","SIMILAR","SIMPLE","SIMPLY","SINCE","SING","SINGLE","SIR","SISTER","SIT","SITE","SITUATION","SIZE","SKILL","SKIN","SKY","SLEEP","SLIGHTLY","SLIP","SLOW","SLOWLY","SMALL","SMILE","SO","SOCIAL","SOCIETY","SOFT","SOFTWARE","SOIL","SOLDIER","SOLICITOR","SOLUTION","SOME","SOMEBODY","SOMEONE","SOMETHING","SOMETIMES","SOMEWHAT","SOMEWHERE","SON","SONG","SOON","SORRY","SORT","SOUND","SOURCE","SOUTH","SOUTHERN","SPACE","SPEAK","SPEAKER","SPECIAL","SPECIES","SPECIFIC","SPEECH","SPEED","SPEND","SPIRIT","SPORT","SPOT","SPREAD","SPRING","STAFF","STAGE","STAND","STANDARD","STAR","START","STATE","STATEMENT","STATION","STATUS","STAY","STEAL","STEP","STICK","STILL","STOCK","STONE","STOP","STORE","STORY","STRAIGHT","STRANGE","STRATEGY","STREET","STRENGTH","STRIKE","STRONG","STRONGLY","STRUCTURE","STUDENT","STUDIO","STUDY","STUFF","STYLE","SUBJECT","SUBSTANTIAL","SUCCEED","SUCCESS","SUCCESSFUL","SUCH","SUDDENLY","SUFFER","SUFFICIENT","SUGGEST","SUGGESTION","SUITABLE","SUM","SUMMER","SUN","SUPPLY","SUPPORT","SUPPOSE","SURE","SURELY","SURFACE","SURPRISE","SURROUND","SURVEY","SURVIVE","SWITCH","SYSTEM","TABLE","TAKE","TALK","TALL","TAPE","TARGET","TASK","TAX","TEA","TEACH","TEACHER","TEACHING","TEAM","TEAR","TECHNICAL","TECHNIQUE","TECHNOLOGY","TELEPHONE","TELEVISION","TELL","TEMPERATURE","TEND","TERM","TERMS","TERRIBLE","TEST","TEXT","THAN","THANK","THANKS","THAT","THE","THEATRE","THEIR","THEM","THEME","THEMSELVES","THEN","THEORY","THERE","THEREFORE","THESE","THEY","THIN","THING","THINK","THIS","THOSE","THOUGH","THOUGHT","THREAT","THREATEN","THROUGH","THROUGHOUT","THROW","THUS","TICKET","TIME","TINY","TITLE","TO","TODAY","TOGETHER","TOMORROW","TONE","TONIGHT","TOO","TOOL","TOOTH","TOP","TOTAL","TOTALLY","TOUCH","TOUR","TOWARDS","TOWN","TRACK","TRADE","TRADITION","TRADITIONAL","TRAFFIC","TRAIN","TRAINING","TRANSFER","TRANSPORT","TRAVEL","TREAT","TREATMENT","TREATY","TREE","TREND","TRIAL","TRIP","TROOP","TROUBLE","TRUE","TRUST","TRUTH","TRY","TURN","TWICE","TYPE","TYPICAL","UNABLE","UNDER","UNDERSTAND","UNDERSTANDING","UNDERTAKE","UNEMPLOYMENT","UNFORTUNATELY","UNION","UNIT","UNITED","UNIVERSITY","UNLESS","UNLIKELY","UNTIL","UP","UPON","UPPER","URBAN","US","USE","USED","USEFUL","USER","USUAL","USUALLY","VALUE","VARIATION","VARIETY","VARIOUS","VARY","VAST","VEHICLE","VERSION","VERY","VIA","VICTIM","VICTORY","VIDEO","VIEW","VILLAGE","VIOLENCE","VISION","VISIT","VISITOR","VITAL","VOICE","VOLUME","VOTE","WAGE","WAIT","WALK","WALL","WANT","WAR","WARM","WARN","WASH","WATCH","WATER","WAVE","WAY","WE","WEAK","WEAPON","WEAR","WEATHER","WEEK","WEEKEND","WEIGHT","WELCOME","WELFARE","WELL","WEST","WESTERN","WHAT","WHATEVER","WHEN","WHERE","WHEREAS","WHETHER","WHICH","WHILE","WHILST","WHITE","WHO","WHOLE","WHOM","WHOSE","WHY","WIDE","WIDELY","WIFE","WILD","WILL","WIN","WIND","WINDOW","WINE","WING","WINNER","WINTER","WISH","WITH","WITHDRAW","WITHIN","WITHOUT","WOMAN","WONDER","WONDERFUL","WOOD","WORD","WORK","WORKER","WORKING","WORKS","WORLD","WORRY","WORTH","WOULD","WRITE","WRITER","WRITING","WRONG","YARD","YEAH","YEAR","YES","YESTERDAY","YET","YOU","YOUNG","YOUR","YOURSELF","YOUTH"
"A","ABILITY","ABLE","ABOUT","ABOVE","ABSENCE","ABSOLUTELY","ACADEMIC","ACCEPT","ACCESS","ACCIDENT","ACCOMPANY","ACCORDING","ACCOUNT","ACHIEVE","ACHIEVEMENT","ACID","ACQUIRE","ACROSS","ACT","ACTION","ACTIVE","ACTIVITY","ACTUAL","ACTUALLY","ADD","ADDITION","ADDITIONAL","ADDRESS","ADMINISTRATION","ADMIT","ADOPT","ADULT","ADVANCE","ADVANTAGE","ADVICE","ADVISE","AFFAIR","AFFECT","AFFORD","AFRAID","AFTER","AFTERNOON","AFTERWARDS","AGAIN","AGAINST","AGE","AGENCY","AGENT","AGO","AGREE","AGREEMENT","AHEAD","AID","AIM","AIR","AIRCRAFT","ALL","ALLOW","ALMOST","ALONE","ALONG","ALREADY","ALRIGHT","ALSO","ALTERNATIVE","ALTHOUGH","ALWAYS","AMONG","AMONGST","AMOUNT","AN","ANALYSIS","ANCIENT","AND","ANIMAL","ANNOUNCE","ANNUAL","ANOTHER","ANSWER","ANY","ANYBODY","ANYONE","ANYTHING","ANYWAY","APART","APPARENT","APPARENTLY","APPEAL","APPEAR","APPEARANCE","APPLICATION","APPLY","APPOINT","APPOINTMENT","APPROACH","APPROPRIATE","APPROVE","AREA","ARGUE","ARGUMENT","ARISE","ARM","ARMY","AROUND","ARRANGE","ARRANGEMENT","ARRIVE","ART","ARTICLE","ARTIST","AS","ASK","ASPECT","ASSEMBLY","ASSESS","ASSESSMENT","ASSET","ASSOCIATE","ASSOCIATION","ASSUME","ASSUMPTION","AT","ATMOSPHERE","ATTACH","ATTACK","ATTEMPT","ATTEND","ATTENTION","ATTITUDE","ATTRACT","ATTRACTIVE","AUDIENCE","AUTHOR","AUTHORITY","AVAILABLE","AVERAGE","AVOID","AWARD","AWARE","AWAY","AYE","BABY","BACK","BACKGROUND","BAD","BAG","BALANCE","BALL","BAND","BANK","BAR","BASE","BASIC","BASIS","BATTLE","BE","BEAR","BEAT","BEAUTIFUL","BECAUSE","BECOME","BED","BEDROOM","BEFORE","BEGIN","BEGINNING","BEHAVIOUR","BEHIND","BELIEF","BELIEVE","BELONG","BELOW","BENEATH","BENEFIT","BESIDE","BEST","BETTER","BETWEEN","BEYOND","BIG","BILL","BIND","BIRD","BIRTH","BIT","BLACK","BLOCK","BLOOD","BLOODY","BLOW","BLUE","BOARD","BOAT","BODY","BONE","BOOK","BORDER","BOTH","BOTTLE","BOTTOM","BOX","BOY","BRAIN","BRANCH","BREAK","BREATH","BRIDGE","BRIEF","BRIGHT","BRING","BROAD","BROTHER","BUDGET","BUILD","BUILDING","BURN","BUS","BUSINESS","BUSY","BUT","BUY","BY","CABINET","CALL","CAMPAIGN","CAN","CANDIDATE","CAPABLE","CAPACITY","CAPITAL","CAR","CARD","CARE","CAREER","CAREFUL","CAREFULLY","CARRY","CASE","CASH","CAT","CATCH","CATEGORY","CAUSE","CELL","CENTRAL","CENTRE","CENTURY","CERTAIN","CERTAINLY","CHAIN","CHAIR","CHAIRMAN","CHALLENGE","CHANCE","CHANGE","CHANNEL","CHAPTER","CHARACTER","CHARACTERISTIC","CHARGE","CHEAP","CHECK","CHEMICAL","CHIEF","CHILD","CHOICE","CHOOSE","CHURCH","CIRCLE","CIRCUMSTANCE","CITIZEN","CITY","CIVIL","CLAIM","CLASS","CLEAN","CLEAR","CLEARLY","CLIENT","CLIMB","CLOSE","CLOSELY","CLOTHES","CLUB","COAL","CODE","COFFEE","COLD","COLLEAGUE","COLLECT","COLLECTION","COLLEGE","COLOUR","COMBINATION","COMBINE","COME","COMMENT","COMMERCIAL","COMMISSION","COMMIT","COMMITMENT","COMMITTEE","COMMON","COMMUNICATION","COMMUNITY","COMPANY","COMPARE","COMPARISON","COMPETITION","COMPLETE","COMPLETELY","COMPLEX","COMPONENT","COMPUTER","CONCENTRATE","CONCENTRATION","CONCEPT","CONCERN","CONCERNED","CONCLUDE","CONCLUSION","CONDITION","CONDUCT","CONFERENCE","CONFIDENCE","CONFIRM","CONFLICT","CONGRESS","CONNECT","CONNECTION","CONSEQUENCE","CONSERVATIVE","CONSIDER","CONSIDERABLE","CONSIDERATION","CONSIST","CONSTANT","CONSTRUCTION","CONSUMER","CONTACT","CONTAIN","CONTENT","CONTEXT","CONTINUE","CONTRACT","CONTRAST","CONTRIBUTE","CONTRIBUTION","CONTROL","CONVENTION","CONVERSATION","COPY","CORNER","CORPORATE","CORRECT","COS","COST","COULD","COUNCIL","COUNT","COUNTRY","COUNTY","COUPLE","COURSE","COURT","COVER","CREATE","CREATION","CREDIT","CRIME","CRIMINAL","CRISIS","CRITERION","CRITICAL","CRITICISM","CROSS","CROWD","CRY","CULTURAL","CULTURE","CUP","CURRENT","CURRENTLY","CURRICULUM","CUSTOMER","CUT","DAMAGE","DANGER","DANGEROUS","DARK","DATA","DATE","DAUGHTER","DAY","DEAD","DEAL","DEATH","DEBATE","DEBT","DECADE","DECIDE","DECISION","DECLARE","DEEP","DEFENCE","DEFENDANT","DEFINE","DEFINITION","DEGREE","DELIVER","DEMAND","DEMOCRATIC","DEMONSTRATE","DENY","DEPARTMENT","DEPEND","DEPUTY","DERIVE","DESCRIBE","DESCRIPTION","DESIGN","DESIRE","DESK","DESPITE","DESTROY","DETAIL","DETAILED","DETERMINE","DEVELOP","DEVELOPMENT","DEVICE","DIE","DIFFERENCE","DIFFERENT","DIFFICULT","DIFFICULTY","DINNER","DIRECT","DIRECTION","DIRECTLY","DIRECTOR","DISAPPEAR","DISCIPLINE","DISCOVER","DISCUSS","DISCUSSION","DISEASE","DISPLAY","DISTANCE","DISTINCTION","DISTRIBUTION","DISTRICT","DIVIDE","DIVISION","DO","DOCTOR","DOCUMENT","DOG","DOMESTIC","DOOR","DOUBLE","DOUBT","DOWN","DRAW","DRAWING","DREAM","DRESS","DRINK","DRIVE","DRIVER","DROP","DRUG","DRY","DUE","DURING","DUTY","EACH","EAR","EARLY","EARN","EARTH","EASILY","EAST","EASY","EAT","ECONOMIC","ECONOMY","EDGE","EDITOR","EDUCATION","EDUCATIONAL","EFFECT","EFFECTIVE","EFFECTIVELY","EFFORT","EGG","EITHER","ELDERLY","ELECTION","ELEMENT","ELSE","ELSEWHERE","EMERGE","EMPHASIS","EMPLOY","EMPLOYEE","EMPLOYER","EMPLOYMENT","EMPTY","ENABLE","ENCOURAGE","END","ENEMY","ENERGY","ENGINE","ENGINEERING","ENJOY","ENOUGH","ENSURE","ENTER","ENTERPRISE","ENTIRE","ENTIRELY","ENTITLE","ENTRY","ENVIRONMENT","ENVIRONMENTAL","EQUAL","EQUALLY","EQUIPMENT","ERROR","ESCAPE","ESPECIALLY","ESSENTIAL","ESTABLISH","ESTABLISHMENT","ESTATE","ESTIMATE","EVEN","EVENING","EVENT","EVENTUALLY","EVER","EVERY","EVERYBODY","EVERYONE","EVERYTHING","EVIDENCE","EXACTLY","EXAMINATION","EXAMINE","EXAMPLE","EXCELLENT","EXCEPT","EXCHANGE","EXECUTIVE","EXERCISE","EXHIBITION","EXIST","EXISTENCE","EXISTING","EXPECT","EXPECTATION","EXPENDITURE","EXPENSE","EXPENSIVE","EXPERIENCE","EXPERIMENT","EXPERT","EXPLAIN","EXPLANATION","EXPLORE","EXPRESS","EXPRESSION","EXTEND","EXTENT","EXTERNAL","EXTRA","EXTREMELY","EYE","FACE","FACILITY","FACT","FACTOR","FACTORY","FAIL","FAILURE","FAIR","FAIRLY","FAITH","FALL","FAMILIAR","FAMILY","FAMOUS","FAR","FARM","FARMER","FASHION","FAST","FATHER","FAVOUR","FEAR","FEATURE","FEE","FEEL","FEELING","FEMALE","FEW","FIELD","FIGHT","FIGURE","FILE","FILL","FILM","FINAL","FINALLY","FINANCE","FINANCIAL","FIND","FINDING","FINE","FINGER","FINISH","FIRE","FIRM","FIRST","FISH","FIT","FIX","FLAT","FLIGHT","FLOOR","FLOW","FLOWER","FLY","FOCUS","FOLLOW","FOLLOWING","FOOD","FOOT","FOOTBALL","FOR","FORCE","FOREIGN","FOREST","FORGET","FORM","FORMAL","FORMER","FORWARD","FOUNDATION","FREE","FREEDOM","FREQUENTLY","FRESH","FRIEND","FROM","FRONT","FRUIT","FUEL","FULL","FULLY","FUNCTION","FUND","FUNNY","FURTHER","FUTURE","GAIN","GAME","GARDEN","GAS","GATE","GATHER","GENERAL","GENERALLY","GENERATE","GENERATION","GENTLEMAN","GET","GIRL","GIVE","GLASS","GO","GOAL","GOD","GOLD","GOOD","GOVERNMENT","GRANT","GREAT","GREEN","GREY","GROUND","GROUP","GROW","GROWING","GROWTH","GUEST","GUIDE","GUN","HAIR","HALF","HALL","HAND","HANDLE","HANG","HAPPEN","HAPPY","HARD","HARDLY","HATE","HAVE","HE","HEAD","HEALTH","HEAR","HEART","HEAT","HEAVY","HELL","HELP","HENCE","HER","HERE","HERSELF","HIDE","HIGH","HIGHLY","HILL","HIM","HIMSELF","HIS","HISTORICAL","HISTORY","HIT","HOLD","HOLE","HOLIDAY","HOME","HOPE","HORSE","HOSPITAL","HOT","HOTEL","HOUR","HOUSE","HOUSEHOLD","HOUSING","HOW","HOWEVER","HUGE","HUMAN","HURT","HUSBAND","I","IDEA","IDENTIFY","IF","IGNORE","ILLUSTRATE","IMAGE","IMAGINE","IMMEDIATE","IMMEDIATELY","IMPACT","IMPLICATION","IMPLY","IMPORTANCE","IMPORTANT","IMPOSE","IMPOSSIBLE","IMPRESSION","IMPROVE","IMPROVEMENT","IN","INCIDENT","INCLUDE","INCLUDING","INCOME","INCREASE","INCREASED","INCREASINGLY","INDEED","INDEPENDENT","INDEX","INDICATE","INDIVIDUAL","INDUSTRIAL","INDUSTRY","INFLUENCE","INFORM","INFORMATION","INITIAL","INITIATIVE","INJURY","INSIDE","INSIST","INSTANCE","INSTEAD","INSTITUTE","INSTITUTION","INSTRUCTION","INSTRUMENT","INSURANCE","INTEND","INTENTION","INTEREST","INTERESTED","INTERESTING","INTERNAL","INTERNATIONAL","INTERPRETATION","INTERVIEW","INTO","INTRODUCE","INTRODUCTION","INVESTIGATE","INVESTIGATION","INVESTMENT","INVITE","INVOLVE","IRON","IS","ISLAND","ISSUE","IT","ITEM","ITS","ITSELF","JOB","JOIN","JOINT","JOURNEY","JUDGE","JUMP","JUST","JUSTICE","KEEP","KEY","KID","KILL","KIND","KING","KITCHEN","KNEE","KNOW","KNOWLEDGE","LABOUR","LACK","LADY","LAND","LANGUAGE","LARGE","LARGELY","LAST","LATE","LATER","LATTER","LAUGH","LAUNCH","LAW","LAWYER","LAY","LEAD","LEADER","LEADERSHIP","LEADING","LEAF","LEAGUE","LEAN","LEARN","LEAST","LEAVE","LEFT","LEG","LEGAL","LEGISLATION","LENGTH","LESS","LET","LETTER","LEVEL","LIABILITY","LIBERAL","LIBRARY","LIE","LIFE","LIFT","LIGHT","LIKE","LIKELY","LIMIT","LIMITED","LINE","LINK","LIP","LIST","LISTEN","LITERATURE","LITTLE","LIVE","LIVING","LOAN","LOCAL","LOCATION","LONG","LOOK","LORD","LOSE","LOSS","LOT","LOVE","LOVELY","LOW","LUNCH","MACHINE","MAGAZINE","MAIN","MAINLY","MAINTAIN","MAJOR","MAJORITY","MAKE","MALE","MAN","MANAGE","MANAGEMENT","MANAGER","MANNER","MANY","MAP","MARK","MARKET","MARRIAGE","MARRIED","MARRY","MASS","MASTER","MATCH","MATERIAL","MATTER","MAY","MAYBE","ME","MEAL","MEAN","MEANING","MEANS","MEANWHILE","MEASURE","MECHANISM","MEDIA","MEDICAL","MEET","MEETING","MEMBER","MEMBERSHIP","MEMORY","MENTAL","MENTION","MERELY","MESSAGE","METAL","METHOD","MIDDLE","MIGHT","MILE","MILITARY","MILK","MIND","MINE","MINISTER","MINISTRY","MINUTE","MISS","MISTAKE","MODEL","MODERN","MODULE","MOMENT","MONEY","MONTH","MORE","MORNING","MOST","MOTHER","MOTION","MOTOR","MOUNTAIN","MOUTH","MOVE","MOVEMENT","MUCH","MURDER","MUSEUM","MUSIC","MUST","MY","MYSELF","NAME","NARROW","NATION","NATIONAL","NATURAL","NATURE","NEAR","NEARLY","NECESSARILY","NECESSARY","NECK","NEED","NEGOTIATION","NEIGHBOUR","NEITHER","NETWORK","NEVER","NEVERTHELESS","NEW","NEWS","NEWSPAPER","NEXT","NICE","NIGHT","NO","NOBODY","NOD","NOISE","NONE","NOR","NORMAL","NORMALLY","NORTH","NORTHERN","NOSE","NOT","NOTE","NOTHING","NOTICE","NOTION","NOW","NUCLEAR","NUMBER","NURSE","OBJECT","OBJECTIVE","OBSERVATION","OBSERVE","OBTAIN","OBVIOUS","OBVIOUSLY","OCCASION","OCCUR","ODD","OF","OFF","OFFENCE","OFFER","OFFICE","OFFICER","OFFICIAL","OFTEN","OIL","OKAY","OLD","ON","ONCE","ONE","ONLY","ONTO","OPEN","OPERATE","OPERATION","OPINION","OPPORTUNITY","OPPOSITION","OPTION","OR","ORDER","ORDINARY","ORGANISATION","ORGANISE","ORGANIZATION","ORIGIN","ORIGINAL","OTHER","OTHERWISE","OUGHT","OUR","OURSELVES","OUT","OUTCOME","OUTPUT","OUTSIDE","OVER","OVERALL","OWN","OWNER","PACKAGE","PAGE","PAIN","PAINT","PAINTING","PAIR","PANEL","PAPER","PARENT","PARK","PARLIAMENT","PART","PARTICULAR","PARTICULARLY","PARTLY","PARTNER","PARTY","PASS","PASSAGE","PAST","PATH","PATIENT","PATTERN","PAY","PAYMENT","PEACE","PENSION","PEOPLE","PER","PERCENT","PERFECT","PERFORM","PERFORMANCE","PERHAPS","PERIOD","PERMANENT","PERSON","PERSONAL","PERSUADE","PHASE","PHONE","PHOTOGRAPH","PHYSICAL","PICK","PICTURE","PIECE","PLACE","PLAN","PLANNING","PLANT","PLASTIC","PLATE","PLAY","PLAYER","PLEASE","PLEASURE","PLENTY","PLUS","POCKET","POINT","POLICE","POLICY","POLITICAL","POLITICS","POOL","POOR","POPULAR","POPULATION","POSITION","POSITIVE","POSSIBILITY","POSSIBLE","POSSIBLY","POST","POTENTIAL","POUND","POWER","POWERFUL","PRACTICAL","PRACTICE","PREFER","PREPARE","PRESENCE","PRESENT","PRESIDENT","PRESS","PRESSURE","PRETTY","PREVENT","PREVIOUS","PREVIOUSLY","PRICE","PRIMARY","PRIME","PRINCIPLE","PRIORITY","PRISON","PRISONER","PRIVATE","PROBABLY","PROBLEM","PROCEDURE","PROCESS","PRODUCE","PRODUCT","PRODUCTION","PROFESSIONAL","PROFIT","PROGRAM","PROGRAMME","PROGRESS","PROJECT","PROMISE","PROMOTE","PROPER","PROPERLY","PROPERTY","PROPORTION","PROPOSE","PROPOSAL","PROSPECT","PROTECT","PROTECTION","PROVE","PROVIDE","PROVIDED","PROVISION","PUB","PUBLIC","PUBLICATION","PUBLISH","PULL","PUPIL","PURPOSE","PUSH","PUT","QUALITY","QUARTER","QUESTION","QUICK","QUICKLY","QUIET","QUITE","RACE","RADIO","RAILWAY","RAIN","RAISE","RANGE","RAPIDLY","RARE","RATE","RATHER","REACH","REACTION","READ","READER","READING","READY","REAL","REALISE","REALITY","REALIZE","REALLY","REASON","REASONABLE","RECALL","RECEIVE","RECENT","RECENTLY","RECOGNISE","RECOGNITION","RECOGNIZE","RECOMMEND","RECORD","RECOVER","RED","REDUCE","REDUCTION","REFER","REFERENCE","REFLECT","REFORM","REFUSE","REGARD","REGION","REGIONAL","REGULAR","REGULATION","REJECT","RELATE","RELATION","RELATIONSHIP","RELATIVE","RELATIVELY","RELEASE","RELEVANT","RELIEF","RELIGION","RELIGIOUS","RELY","REMAIN","REMEMBER","REMIND","REMOVE","REPEAT","REPLACE","REPLY","REPORT","REPRESENT","REPRESENTATION","REPRESENTATIVE","REQUEST","REQUIRE","REQUIREMENT","RESEARCH","RESOURCE","RESPECT","RESPOND","RESPONSE","RESPONSIBILITY","RESPONSIBLE","REST","RESTAURANT","RESULT","RETAIN","RETURN","REVEAL","REVENUE","REVIEW","REVOLUTION","RICH","RIDE","RIGHT","RING","RISE","RISK","RIVER","ROAD","ROCK","ROLE","ROLL","ROOF","ROOM","ROUND","ROUTE","ROW","ROYAL","RULE","RUN","RURAL","SAFE","SAFETY","SALE","SAME","SAMPLE","SATISFY","SAVE","SAY","SCALE","SCENE","SCHEME","SCHOOL","SCIENCE","SCIENTIFIC","SCIENTIST","SCORE","SCREEN","SEA","SEARCH","SEASON","SEAT","SECOND","SECONDARY","SECRETARY","SECTION","SECTOR","SECURE","SECURITY","SEE","SEEK","SEEM","SELECT","SELECTION","SELL","SEND","SENIOR","SENSE","SENTENCE","SEPARATE","SEQUENCE","SERIES","SERIOUS","SERIOUSLY","SERVANT","SERVE","SERVICE","SESSION","SET","SETTLE","SETTLEMENT","SEVERAL","SEVERE","SEX","SEXUAL","SHAKE","SHALL","SHAPE","SHARE","SHE","SHEET","SHIP","SHOE","SHOOT","SHOP","SHORT","SHOT","SHOULD","SHOULDER","SHOUT","SHOW","SHUT","SIDE","SIGHT","SIGN","SIGNAL","SIGNIFICANCE","SIGNIFICANT","SILENCE","SIMILAR","SIMPLE","SIMPLY","SINCE","SING","SINGLE","SIR","SISTER","SIT","SITE","SITUATION","SIZE","SKILL","SKIN","SKY","SLEEP","SLIGHTLY","SLIP","SLOW","SLOWLY","SMALL","SMILE","SO","SOCIAL","SOCIETY","SOFT","SOFTWARE","SOIL","SOLDIER","SOLICITOR","SOLUTION","SOME","SOMEBODY","SOMEONE","SOMETHING","SOMETIMES","SOMEWHAT","SOMEWHERE","SON","SONG","SOON","SORRY","SORT","SOUND","SOURCE","SOUTH","SOUTHERN","SPACE","SPEAK","SPEAKER","SPECIAL","SPECIES","SPECIFIC","SPEECH","SPEED","SPEND","SPIRIT","SPORT","SPOT","SPREAD","SPRING","STAFF","STAGE","STAND","STANDARD","STAR","START","STATE","STATEMENT","STATION","STATUS","STAY","STEAL","STEP","STICK","STILL","STOCK","STONE","STOP","STORE","STORY","STRAIGHT","STRANGE","STRATEGY","STREET","STRENGTH","STRIKE","STRONG","STRONGLY","STRUCTURE","STUDENT","STUDIO","STUDY","STUFF","STYLE","SUBJECT","SUBSTANTIAL","SUCCEED","SUCCESS","SUCCESSFUL","SUCH","SUDDENLY","SUFFER","SUFFICIENT","SUGGEST","SUGGESTION","SUITABLE","SUM","SUMMER","SUN","SUPPLY","SUPPORT","SUPPOSE","SURE","SURELY","SURFACE","SURPRISE","SURROUND","SURVEY","SURVIVE","SWITCH","SYSTEM","TABLE","TAKE","TALK","TALL","TAPE","TARGET","TASK","TAX","TEA","TEACH","TEACHER","TEACHING","TEAM","TEAR","TECHNICAL","TECHNIQUE","TECHNOLOGY","TELEPHONE","TELEVISION","TELL","TEMPERATURE","TEND","TERM","TERMS","TERRIBLE","TEST","TEXT","THAN","THANK","THANKS","THAT","THE","THEATRE","THEIR","THEM","THEME","THEMSELVES","THEN","THEORY","THERE","THEREFORE","THESE","THEY","THIN","THING","THINK","THIS","THOSE","THOUGH","THOUGHT","THREAT","THREATEN","THROUGH","THROUGHOUT","THROW","THUS","TICKET","TIME","TINY","TITLE","TO","TODAY","TOGETHER","TOMORROW","TONE","TONIGHT","TOO","TOOL","TOOTH","TOP","TOTAL","TOTALLY","TOUCH","TOUR","TOWARDS","TOWN","TRACK","TRADE","TRADITION","TRADITIONAL","TRAFFIC","TRAIN","TRAINING","TRANSFER","TRANSPORT","TRAVEL","TREAT","TREATMENT","TREATY","TREE","TREND","TRIAL","TRIP","TROOP","TROUBLE","TRUE","TRUST","TRUTH","TRY","TURN","TWICE","TYPE","TYPICAL","UNABLE","UNDER","UNDERSTAND","UNDERSTANDING","UNDERTAKE","UNEMPLOYMENT","UNFORTUNATELY","UNION","UNIT","UNITED","UNIVERSITY","UNLESS","UNLIKELY","UNTIL","UP","UPON","UPPER","URBAN","US","USE","USED","USEFUL","USER","USUAL","USUALLY","VALUE","VARIATION","VARIETY","VARIOUS","VARY","VAST","VEHICLE","VERSION","VERY","VIA","VICTIM","VICTORY","VIDEO","VIEW","VILLAGE","VIOLENCE","VISION","VISIT","VISITOR","VITAL","VOICE","VOLUME","VOTE","WAGE","WAIT","WALK","WALL","WANT","WAR","WARM","WARN","WASH","WATCH","WATER","WAVE","WAY","WE","WEAK","WEAPON","WEAR","WEATHER","WEEK","WEEKEND","WEIGHT","WELCOME","WELFARE","WELL","WEST","WESTERN","WHAT","WHATEVER","WHEN","WHERE","WHEREAS","WHETHER","WHICH","WHILE","WHILST","WHITE","WHO","WHOLE","WHOM","WHOSE","WHY","WIDE","WIDELY","WIFE","WILD","WILL","WIN","WIND","WINDOW","WINE","WING","WINNER","WINTER","WISH","WITH","WITHDRAW","WITHIN","WITHOUT","WOMAN","WONDER","WONDERFUL","WOOD","WORD","WORK","WORKER","WORKING","WORKS","WORLD","WORRY","WORTH","WOULD","WRITE","WRITER","WRITING","WRONG","YARD","YEAH","YEAR","YES","YESTERDAY","YET","YOU","YOUNG","YOUR","YOURSELF","YOUTH"
-1
TheAlgorithms/Python
6,591
Test on Python 3.11
### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-10-03T07:32:25Z"
"2022-10-31T13:50:03Z"
b2165a65fcf1a087236d2a1527b10b64a12f69e6
a31edd4477af958adb840dadd568c38eecc9567b
Test on Python 3.11. ### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
# Hashes Hashing is the process of mapping any amount of data to a specified size using an algorithm. This is known as a hash value (or, if you're feeling fancy, a hash code, hash sums, or even a hash digest). Hashing is a one-way function, whereas encryption is a two-way function. While it is functionally conceivable to reverse-hash stuff, the required computing power makes it impractical. Hashing is a one-way street. Unlike encryption, which is intended to protect data in transit, hashing is intended to authenticate that a file or piece of data has not been altered—that it is authentic. In other words, it functions as a checksum. ## Common hashing algorithms ### MD5 This is one of the first algorithms that has gained widespread acceptance. MD5 is hashing algorithm made by Ray Rivest that is known to suffer vulnerabilities. It was created in 1992 as the successor to MD4. Currently MD6 is in the works, but as of 2009 Rivest had removed it from NIST consideration for SHA-3. ### SHA SHA stands for Security Hashing Algorithm and it’s probably best known as the hashing algorithm used in most SSL/TLS cipher suites. A cipher suite is a collection of ciphers and algorithms that are used for SSL/TLS connections. SHA handles the hashing aspects. SHA-1, as we mentioned earlier, is now deprecated. SHA-2 is now mandatory. SHA-2 is sometimes known has SHA-256, though variants with longer bit lengths are also available. ### SHA256 SHA 256 is a member of the SHA 2 algorithm family, under which SHA stands for Secure Hash Algorithm. It was a collaborative effort between both the NSA and NIST to implement a successor to the SHA 1 family, which was beginning to lose potency against brute force attacks. It was published in 2001. The importance of the 256 in the name refers to the final hash digest value, i.e. the hash value will remain 256 bits regardless of the size of the plaintext/cleartext. Other algorithms in the SHA family are similar to SHA 256 in some ways. ### Luhn The Luhn algorithm, also renowned as the modulus 10 or mod 10 algorithm, is a straightforward checksum formula used to validate a wide range of identification numbers, including credit card numbers, IMEI numbers, and Canadian Social Insurance Numbers. A community of mathematicians developed the LUHN formula in the late 1960s. Companies offering credit cards quickly followed suit. Since the algorithm is in the public interest, anyone can use it. The algorithm is used by most credit cards and many government identification numbers as a simple method of differentiating valid figures from mistyped or otherwise incorrect numbers. It was created to guard against unintentional errors, not malicious attacks.
# Hashes Hashing is the process of mapping any amount of data to a specified size using an algorithm. This is known as a hash value (or, if you're feeling fancy, a hash code, hash sums, or even a hash digest). Hashing is a one-way function, whereas encryption is a two-way function. While it is functionally conceivable to reverse-hash stuff, the required computing power makes it impractical. Hashing is a one-way street. Unlike encryption, which is intended to protect data in transit, hashing is intended to authenticate that a file or piece of data has not been altered—that it is authentic. In other words, it functions as a checksum. ## Common hashing algorithms ### MD5 This is one of the first algorithms that has gained widespread acceptance. MD5 is hashing algorithm made by Ray Rivest that is known to suffer vulnerabilities. It was created in 1992 as the successor to MD4. Currently MD6 is in the works, but as of 2009 Rivest had removed it from NIST consideration for SHA-3. ### SHA SHA stands for Security Hashing Algorithm and it’s probably best known as the hashing algorithm used in most SSL/TLS cipher suites. A cipher suite is a collection of ciphers and algorithms that are used for SSL/TLS connections. SHA handles the hashing aspects. SHA-1, as we mentioned earlier, is now deprecated. SHA-2 is now mandatory. SHA-2 is sometimes known has SHA-256, though variants with longer bit lengths are also available. ### SHA256 SHA 256 is a member of the SHA 2 algorithm family, under which SHA stands for Secure Hash Algorithm. It was a collaborative effort between both the NSA and NIST to implement a successor to the SHA 1 family, which was beginning to lose potency against brute force attacks. It was published in 2001. The importance of the 256 in the name refers to the final hash digest value, i.e. the hash value will remain 256 bits regardless of the size of the plaintext/cleartext. Other algorithms in the SHA family are similar to SHA 256 in some ways. ### Luhn The Luhn algorithm, also renowned as the modulus 10 or mod 10 algorithm, is a straightforward checksum formula used to validate a wide range of identification numbers, including credit card numbers, IMEI numbers, and Canadian Social Insurance Numbers. A community of mathematicians developed the LUHN formula in the late 1960s. Companies offering credit cards quickly followed suit. Since the algorithm is in the public interest, anyone can use it. The algorithm is used by most credit cards and many government identification numbers as a simple method of differentiating valid figures from mistyped or otherwise incorrect numbers. It was created to guard against unintentional errors, not malicious attacks.
-1
TheAlgorithms/Python
6,591
Test on Python 3.11
### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-10-03T07:32:25Z"
"2022-10-31T13:50:03Z"
b2165a65fcf1a087236d2a1527b10b64a12f69e6
a31edd4477af958adb840dadd568c38eecc9567b
Test on Python 3.11. ### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
-340,495,-153,-910,835,-947 -175,41,-421,-714,574,-645
-340,495,-153,-910,835,-947 -175,41,-421,-714,574,-645
-1
TheAlgorithms/Python
6,591
Test on Python 3.11
### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-10-03T07:32:25Z"
"2022-10-31T13:50:03Z"
b2165a65fcf1a087236d2a1527b10b64a12f69e6
a31edd4477af958adb840dadd568c38eecc9567b
Test on Python 3.11. ### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
a b 20 a c 18 a d 22 a e 26 b c 10 b d 11 b e 12 c d 23 c e 24 d e 40
a b 20 a c 18 a d 22 a e 26 b c 10 b d 11 b e 12 c d 23 c e 24 d e 40
-1
TheAlgorithms/Python
6,591
Test on Python 3.11
### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-10-03T07:32:25Z"
"2022-10-31T13:50:03Z"
b2165a65fcf1a087236d2a1527b10b64a12f69e6
a31edd4477af958adb840dadd568c38eecc9567b
Test on Python 3.11. ### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
-,-,-,427,668,495,377,678,-,177,-,-,870,-,869,624,300,609,131,-,251,-,-,-,856,221,514,-,591,762,182,56,-,884,412,273,636,-,-,774 -,-,262,-,-,508,472,799,-,956,578,363,940,143,-,162,122,910,-,729,802,941,922,573,531,539,667,607,-,920,-,-,315,649,937,-,185,102,636,289 -,262,-,-,926,-,958,158,647,47,621,264,81,-,402,813,649,386,252,391,264,637,349,-,-,-,108,-,727,225,578,699,-,898,294,-,575,168,432,833 427,-,-,-,366,-,-,635,-,32,962,468,893,854,718,427,448,916,258,-,760,909,529,311,404,-,-,588,680,875,-,615,-,409,758,221,-,-,76,257 668,-,926,366,-,-,-,250,268,-,503,944,-,677,-,727,793,457,981,191,-,-,-,351,969,925,987,328,282,589,-,873,477,-,-,19,450,-,-,- 495,508,-,-,-,-,-,765,711,819,305,302,926,-,-,582,-,861,-,683,293,-,-,66,-,27,-,-,290,-,786,-,554,817,33,-,54,506,386,381 377,472,958,-,-,-,-,-,-,120,42,-,134,219,457,639,538,374,-,-,-,966,-,-,-,-,-,449,120,797,358,232,550,-,305,997,662,744,686,239 678,799,158,635,250,765,-,-,-,35,-,106,385,652,160,-,890,812,605,953,-,-,-,79,-,712,613,312,452,-,978,900,-,901,-,-,225,533,770,722 -,-,647,-,268,711,-,-,-,283,-,172,-,663,236,36,403,286,986,-,-,810,761,574,53,793,-,-,777,330,936,883,286,-,174,-,-,-,828,711 177,956,47,32,-,819,120,35,283,-,50,-,565,36,767,684,344,489,565,-,-,103,810,463,733,665,494,644,863,25,385,-,342,470,-,-,-,730,582,468 -,578,621,962,503,305,42,-,-,50,-,155,519,-,-,256,990,801,154,53,474,650,402,-,-,-,966,-,-,406,989,772,932,7,-,823,391,-,-,933 -,363,264,468,944,302,-,106,172,-,155,-,-,-,380,438,-,41,266,-,-,104,867,609,-,270,861,-,-,165,-,675,250,686,995,366,191,-,433,- 870,940,81,893,-,926,134,385,-,565,519,-,-,313,851,-,-,-,248,220,-,826,359,829,-,234,198,145,409,68,359,-,814,218,186,-,-,929,203,- -,143,-,854,677,-,219,652,663,36,-,-,313,-,132,-,433,598,-,-,168,870,-,-,-,128,437,-,383,364,966,227,-,-,807,993,-,-,526,17 869,-,402,718,-,-,457,160,236,767,-,380,851,132,-,-,596,903,613,730,-,261,-,142,379,885,89,-,848,258,112,-,900,-,-,818,639,268,600,- 624,162,813,427,727,582,639,-,36,684,256,438,-,-,-,-,539,379,664,561,542,-,999,585,-,-,321,398,-,-,950,68,193,-,697,-,390,588,848,- 300,122,649,448,793,-,538,890,403,344,990,-,-,433,596,539,-,-,73,-,318,-,-,500,-,968,-,291,-,-,765,196,504,757,-,542,-,395,227,148 609,910,386,916,457,861,374,812,286,489,801,41,-,598,903,379,-,-,-,946,136,399,-,941,707,156,757,258,251,-,807,-,-,-,461,501,-,-,616,- 131,-,252,258,981,-,-,605,986,565,154,266,248,-,613,664,73,-,-,686,-,-,575,627,817,282,-,698,398,222,-,649,-,-,-,-,-,654,-,- -,729,391,-,191,683,-,953,-,-,53,-,220,-,730,561,-,946,686,-,-,389,729,553,304,703,455,857,260,-,991,182,351,477,867,-,-,889,217,853 251,802,264,760,-,293,-,-,-,-,474,-,-,168,-,542,318,136,-,-,-,-,392,-,-,-,267,407,27,651,80,927,-,974,977,-,-,457,117,- -,941,637,909,-,-,966,-,810,103,650,104,826,870,261,-,-,399,-,389,-,-,-,202,-,-,-,-,867,140,403,962,785,-,511,-,1,-,707,- -,922,349,529,-,-,-,-,761,810,402,867,359,-,-,999,-,-,575,729,392,-,-,388,939,-,959,-,83,463,361,-,-,512,931,-,224,690,369,- -,573,-,311,351,66,-,79,574,463,-,609,829,-,142,585,500,941,627,553,-,202,388,-,164,829,-,620,523,639,936,-,-,490,-,695,-,505,109,- 856,531,-,404,969,-,-,-,53,733,-,-,-,-,379,-,-,707,817,304,-,-,939,164,-,-,616,716,728,-,889,349,-,963,150,447,-,292,586,264 221,539,-,-,925,27,-,712,793,665,-,270,234,128,885,-,968,156,282,703,-,-,-,829,-,-,-,822,-,-,-,736,576,-,697,946,443,-,205,194 514,667,108,-,987,-,-,613,-,494,966,861,198,437,89,321,-,757,-,455,267,-,959,-,616,-,-,-,349,156,339,-,102,790,359,-,439,938,809,260 -,607,-,588,328,-,449,312,-,644,-,-,145,-,-,398,291,258,698,857,407,-,-,620,716,822,-,-,293,486,943,-,779,-,6,880,116,775,-,947 591,-,727,680,282,290,120,452,777,863,-,-,409,383,848,-,-,251,398,260,27,867,83,523,728,-,349,293,-,212,684,505,341,384,9,992,507,48,-,- 762,920,225,875,589,-,797,-,330,25,406,165,68,364,258,-,-,-,222,-,651,140,463,639,-,-,156,486,212,-,-,349,723,-,-,186,-,36,240,752 182,-,578,-,-,786,358,978,936,385,989,-,359,966,112,950,765,807,-,991,80,403,361,936,889,-,339,943,684,-,-,965,302,676,725,-,327,134,-,147 56,-,699,615,873,-,232,900,883,-,772,675,-,227,-,68,196,-,649,182,927,962,-,-,349,736,-,-,505,349,965,-,474,178,833,-,-,555,853,- -,315,-,-,477,554,550,-,286,342,932,250,814,-,900,193,504,-,-,351,-,785,-,-,-,576,102,779,341,723,302,474,-,689,-,-,-,451,-,- 884,649,898,409,-,817,-,901,-,470,7,686,218,-,-,-,757,-,-,477,974,-,512,490,963,-,790,-,384,-,676,178,689,-,245,596,445,-,-,343 412,937,294,758,-,33,305,-,174,-,-,995,186,807,-,697,-,461,-,867,977,511,931,-,150,697,359,6,9,-,725,833,-,245,-,949,-,270,-,112 273,-,-,221,19,-,997,-,-,-,823,366,-,993,818,-,542,501,-,-,-,-,-,695,447,946,-,880,992,186,-,-,-,596,949,-,91,-,768,273 636,185,575,-,450,54,662,225,-,-,391,191,-,-,639,390,-,-,-,-,-,1,224,-,-,443,439,116,507,-,327,-,-,445,-,91,-,248,-,344 -,102,168,-,-,506,744,533,-,730,-,-,929,-,268,588,395,-,654,889,457,-,690,505,292,-,938,775,48,36,134,555,451,-,270,-,248,-,371,680 -,636,432,76,-,386,686,770,828,582,-,433,203,526,600,848,227,616,-,217,117,707,369,109,586,205,809,-,-,240,-,853,-,-,-,768,-,371,-,540 774,289,833,257,-,381,239,722,711,468,933,-,-,17,-,-,148,-,-,853,-,-,-,-,264,194,260,947,-,752,147,-,-,343,112,273,344,680,540,-
-,-,-,427,668,495,377,678,-,177,-,-,870,-,869,624,300,609,131,-,251,-,-,-,856,221,514,-,591,762,182,56,-,884,412,273,636,-,-,774 -,-,262,-,-,508,472,799,-,956,578,363,940,143,-,162,122,910,-,729,802,941,922,573,531,539,667,607,-,920,-,-,315,649,937,-,185,102,636,289 -,262,-,-,926,-,958,158,647,47,621,264,81,-,402,813,649,386,252,391,264,637,349,-,-,-,108,-,727,225,578,699,-,898,294,-,575,168,432,833 427,-,-,-,366,-,-,635,-,32,962,468,893,854,718,427,448,916,258,-,760,909,529,311,404,-,-,588,680,875,-,615,-,409,758,221,-,-,76,257 668,-,926,366,-,-,-,250,268,-,503,944,-,677,-,727,793,457,981,191,-,-,-,351,969,925,987,328,282,589,-,873,477,-,-,19,450,-,-,- 495,508,-,-,-,-,-,765,711,819,305,302,926,-,-,582,-,861,-,683,293,-,-,66,-,27,-,-,290,-,786,-,554,817,33,-,54,506,386,381 377,472,958,-,-,-,-,-,-,120,42,-,134,219,457,639,538,374,-,-,-,966,-,-,-,-,-,449,120,797,358,232,550,-,305,997,662,744,686,239 678,799,158,635,250,765,-,-,-,35,-,106,385,652,160,-,890,812,605,953,-,-,-,79,-,712,613,312,452,-,978,900,-,901,-,-,225,533,770,722 -,-,647,-,268,711,-,-,-,283,-,172,-,663,236,36,403,286,986,-,-,810,761,574,53,793,-,-,777,330,936,883,286,-,174,-,-,-,828,711 177,956,47,32,-,819,120,35,283,-,50,-,565,36,767,684,344,489,565,-,-,103,810,463,733,665,494,644,863,25,385,-,342,470,-,-,-,730,582,468 -,578,621,962,503,305,42,-,-,50,-,155,519,-,-,256,990,801,154,53,474,650,402,-,-,-,966,-,-,406,989,772,932,7,-,823,391,-,-,933 -,363,264,468,944,302,-,106,172,-,155,-,-,-,380,438,-,41,266,-,-,104,867,609,-,270,861,-,-,165,-,675,250,686,995,366,191,-,433,- 870,940,81,893,-,926,134,385,-,565,519,-,-,313,851,-,-,-,248,220,-,826,359,829,-,234,198,145,409,68,359,-,814,218,186,-,-,929,203,- -,143,-,854,677,-,219,652,663,36,-,-,313,-,132,-,433,598,-,-,168,870,-,-,-,128,437,-,383,364,966,227,-,-,807,993,-,-,526,17 869,-,402,718,-,-,457,160,236,767,-,380,851,132,-,-,596,903,613,730,-,261,-,142,379,885,89,-,848,258,112,-,900,-,-,818,639,268,600,- 624,162,813,427,727,582,639,-,36,684,256,438,-,-,-,-,539,379,664,561,542,-,999,585,-,-,321,398,-,-,950,68,193,-,697,-,390,588,848,- 300,122,649,448,793,-,538,890,403,344,990,-,-,433,596,539,-,-,73,-,318,-,-,500,-,968,-,291,-,-,765,196,504,757,-,542,-,395,227,148 609,910,386,916,457,861,374,812,286,489,801,41,-,598,903,379,-,-,-,946,136,399,-,941,707,156,757,258,251,-,807,-,-,-,461,501,-,-,616,- 131,-,252,258,981,-,-,605,986,565,154,266,248,-,613,664,73,-,-,686,-,-,575,627,817,282,-,698,398,222,-,649,-,-,-,-,-,654,-,- -,729,391,-,191,683,-,953,-,-,53,-,220,-,730,561,-,946,686,-,-,389,729,553,304,703,455,857,260,-,991,182,351,477,867,-,-,889,217,853 251,802,264,760,-,293,-,-,-,-,474,-,-,168,-,542,318,136,-,-,-,-,392,-,-,-,267,407,27,651,80,927,-,974,977,-,-,457,117,- -,941,637,909,-,-,966,-,810,103,650,104,826,870,261,-,-,399,-,389,-,-,-,202,-,-,-,-,867,140,403,962,785,-,511,-,1,-,707,- -,922,349,529,-,-,-,-,761,810,402,867,359,-,-,999,-,-,575,729,392,-,-,388,939,-,959,-,83,463,361,-,-,512,931,-,224,690,369,- -,573,-,311,351,66,-,79,574,463,-,609,829,-,142,585,500,941,627,553,-,202,388,-,164,829,-,620,523,639,936,-,-,490,-,695,-,505,109,- 856,531,-,404,969,-,-,-,53,733,-,-,-,-,379,-,-,707,817,304,-,-,939,164,-,-,616,716,728,-,889,349,-,963,150,447,-,292,586,264 221,539,-,-,925,27,-,712,793,665,-,270,234,128,885,-,968,156,282,703,-,-,-,829,-,-,-,822,-,-,-,736,576,-,697,946,443,-,205,194 514,667,108,-,987,-,-,613,-,494,966,861,198,437,89,321,-,757,-,455,267,-,959,-,616,-,-,-,349,156,339,-,102,790,359,-,439,938,809,260 -,607,-,588,328,-,449,312,-,644,-,-,145,-,-,398,291,258,698,857,407,-,-,620,716,822,-,-,293,486,943,-,779,-,6,880,116,775,-,947 591,-,727,680,282,290,120,452,777,863,-,-,409,383,848,-,-,251,398,260,27,867,83,523,728,-,349,293,-,212,684,505,341,384,9,992,507,48,-,- 762,920,225,875,589,-,797,-,330,25,406,165,68,364,258,-,-,-,222,-,651,140,463,639,-,-,156,486,212,-,-,349,723,-,-,186,-,36,240,752 182,-,578,-,-,786,358,978,936,385,989,-,359,966,112,950,765,807,-,991,80,403,361,936,889,-,339,943,684,-,-,965,302,676,725,-,327,134,-,147 56,-,699,615,873,-,232,900,883,-,772,675,-,227,-,68,196,-,649,182,927,962,-,-,349,736,-,-,505,349,965,-,474,178,833,-,-,555,853,- -,315,-,-,477,554,550,-,286,342,932,250,814,-,900,193,504,-,-,351,-,785,-,-,-,576,102,779,341,723,302,474,-,689,-,-,-,451,-,- 884,649,898,409,-,817,-,901,-,470,7,686,218,-,-,-,757,-,-,477,974,-,512,490,963,-,790,-,384,-,676,178,689,-,245,596,445,-,-,343 412,937,294,758,-,33,305,-,174,-,-,995,186,807,-,697,-,461,-,867,977,511,931,-,150,697,359,6,9,-,725,833,-,245,-,949,-,270,-,112 273,-,-,221,19,-,997,-,-,-,823,366,-,993,818,-,542,501,-,-,-,-,-,695,447,946,-,880,992,186,-,-,-,596,949,-,91,-,768,273 636,185,575,-,450,54,662,225,-,-,391,191,-,-,639,390,-,-,-,-,-,1,224,-,-,443,439,116,507,-,327,-,-,445,-,91,-,248,-,344 -,102,168,-,-,506,744,533,-,730,-,-,929,-,268,588,395,-,654,889,457,-,690,505,292,-,938,775,48,36,134,555,451,-,270,-,248,-,371,680 -,636,432,76,-,386,686,770,828,582,-,433,203,526,600,848,227,616,-,217,117,707,369,109,586,205,809,-,-,240,-,853,-,-,-,768,-,371,-,540 774,289,833,257,-,381,239,722,711,468,933,-,-,17,-,-,148,-,-,853,-,-,-,-,264,194,260,947,-,752,147,-,-,343,112,273,344,680,540,-
-1
TheAlgorithms/Python
6,591
Test on Python 3.11
### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-10-03T07:32:25Z"
"2022-10-31T13:50:03Z"
b2165a65fcf1a087236d2a1527b10b64a12f69e6
a31edd4477af958adb840dadd568c38eecc9567b
Test on Python 3.11. ### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
name: Feature request description: Suggest features, propose improvements, discuss new ideas. labels: [enhancement] body: - type: markdown attributes: value: > Before requesting please search [existing issues](https://github.com/TheAlgorithms/Python/labels/enhancement). Usage questions such as "How do I...?" belong on the [Discord](https://discord.gg/c7MnfGFGa6) and will be closed. - type: textarea attributes: label: "Feature description" description: > This could be new algorithms, data structures or improving any existing implementations. validations: required: true
name: Feature request description: Suggest features, propose improvements, discuss new ideas. labels: [enhancement] body: - type: markdown attributes: value: > Before requesting please search [existing issues](https://github.com/TheAlgorithms/Python/labels/enhancement). Usage questions such as "How do I...?" belong on the [Discord](https://discord.gg/c7MnfGFGa6) and will be closed. - type: textarea attributes: label: "Feature description" description: > This could be new algorithms, data structures or improving any existing implementations. validations: required: true
-1
TheAlgorithms/Python
6,591
Test on Python 3.11
### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-10-03T07:32:25Z"
"2022-10-31T13:50:03Z"
b2165a65fcf1a087236d2a1527b10b64a12f69e6
a31edd4477af958adb840dadd568c38eecc9567b
Test on Python 3.11. ### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
AARHUS AARON ABABA ABACK ABAFT ABANDON ABANDONED ABANDONING ABANDONMENT ABANDONS ABASE ABASED ABASEMENT ABASEMENTS ABASES ABASH ABASHED ABASHES ABASHING ABASING ABATE ABATED ABATEMENT ABATEMENTS ABATER ABATES ABATING ABBA ABBE ABBEY ABBEYS ABBOT ABBOTS ABBOTT ABBREVIATE ABBREVIATED ABBREVIATES ABBREVIATING ABBREVIATION ABBREVIATIONS ABBY ABDOMEN ABDOMENS ABDOMINAL ABDUCT ABDUCTED ABDUCTION ABDUCTIONS ABDUCTOR ABDUCTORS ABDUCTS ABE ABED ABEL ABELIAN ABELSON ABERDEEN ABERNATHY ABERRANT ABERRATION ABERRATIONS ABET ABETS ABETTED ABETTER ABETTING ABEYANCE ABHOR ABHORRED ABHORRENT ABHORRER ABHORRING ABHORS ABIDE ABIDED ABIDES ABIDING ABIDJAN ABIGAIL ABILENE ABILITIES ABILITY ABJECT ABJECTION ABJECTIONS ABJECTLY ABJECTNESS ABJURE ABJURED ABJURES ABJURING ABLATE ABLATED ABLATES ABLATING ABLATION ABLATIVE ABLAZE ABLE ABLER ABLEST ABLY ABNER ABNORMAL ABNORMALITIES ABNORMALITY ABNORMALLY ABO ABOARD ABODE ABODES ABOLISH ABOLISHED ABOLISHER ABOLISHERS ABOLISHES ABOLISHING ABOLISHMENT ABOLISHMENTS ABOLITION ABOLITIONIST ABOLITIONISTS ABOMINABLE ABOMINATE ABORIGINAL ABORIGINE ABORIGINES ABORT ABORTED ABORTING ABORTION ABORTIONS ABORTIVE ABORTIVELY ABORTS ABOS ABOUND ABOUNDED ABOUNDING ABOUNDS ABOUT ABOVE ABOVEBOARD ABOVEGROUND ABOVEMENTIONED ABRADE ABRADED ABRADES ABRADING ABRAHAM ABRAM ABRAMS ABRAMSON ABRASION ABRASIONS ABRASIVE ABREACTION ABREACTIONS ABREAST ABRIDGE ABRIDGED ABRIDGES ABRIDGING ABRIDGMENT ABROAD ABROGATE ABROGATED ABROGATES ABROGATING ABRUPT ABRUPTLY ABRUPTNESS ABSCESS ABSCESSED ABSCESSES ABSCISSA ABSCISSAS ABSCOND ABSCONDED ABSCONDING ABSCONDS ABSENCE ABSENCES ABSENT ABSENTED ABSENTEE ABSENTEEISM ABSENTEES ABSENTIA ABSENTING ABSENTLY ABSENTMINDED ABSENTS ABSINTHE ABSOLUTE ABSOLUTELY ABSOLUTENESS ABSOLUTES ABSOLUTION ABSOLVE ABSOLVED ABSOLVES ABSOLVING ABSORB ABSORBED ABSORBENCY ABSORBENT ABSORBER ABSORBING ABSORBS ABSORPTION ABSORPTIONS ABSORPTIVE ABSTAIN ABSTAINED ABSTAINER ABSTAINING ABSTAINS ABSTENTION ABSTENTIONS ABSTINENCE ABSTRACT ABSTRACTED ABSTRACTING ABSTRACTION ABSTRACTIONISM ABSTRACTIONIST ABSTRACTIONS ABSTRACTLY ABSTRACTNESS ABSTRACTOR ABSTRACTORS ABSTRACTS ABSTRUSE ABSTRUSENESS ABSURD ABSURDITIES ABSURDITY ABSURDLY ABU ABUNDANCE ABUNDANT ABUNDANTLY ABUSE ABUSED ABUSES ABUSING ABUSIVE ABUT ABUTMENT ABUTS ABUTTED ABUTTER ABUTTERS ABUTTING ABYSMAL ABYSMALLY ABYSS ABYSSES ABYSSINIA ABYSSINIAN ABYSSINIANS ACACIA ACADEMIA ACADEMIC ACADEMICALLY ACADEMICS ACADEMIES ACADEMY ACADIA ACAPULCO ACCEDE ACCEDED ACCEDES ACCELERATE ACCELERATED ACCELERATES ACCELERATING ACCELERATION ACCELERATIONS ACCELERATOR ACCELERATORS ACCELEROMETER ACCELEROMETERS ACCENT ACCENTED ACCENTING ACCENTS ACCENTUAL ACCENTUATE ACCENTUATED ACCENTUATES ACCENTUATING ACCENTUATION ACCEPT ACCEPTABILITY ACCEPTABLE ACCEPTABLY ACCEPTANCE ACCEPTANCES ACCEPTED ACCEPTER ACCEPTERS ACCEPTING ACCEPTOR ACCEPTORS ACCEPTS ACCESS ACCESSED ACCESSES ACCESSIBILITY ACCESSIBLE ACCESSIBLY ACCESSING ACCESSION ACCESSIONS ACCESSORIES ACCESSORS ACCESSORY ACCIDENT ACCIDENTAL ACCIDENTALLY ACCIDENTLY ACCIDENTS ACCLAIM ACCLAIMED ACCLAIMING ACCLAIMS ACCLAMATION ACCLIMATE ACCLIMATED ACCLIMATES ACCLIMATING ACCLIMATIZATION ACCLIMATIZED ACCOLADE ACCOLADES ACCOMMODATE ACCOMMODATED ACCOMMODATES ACCOMMODATING ACCOMMODATION ACCOMMODATIONS ACCOMPANIED ACCOMPANIES ACCOMPANIMENT ACCOMPANIMENTS ACCOMPANIST ACCOMPANISTS ACCOMPANY ACCOMPANYING ACCOMPLICE ACCOMPLICES ACCOMPLISH ACCOMPLISHED ACCOMPLISHER ACCOMPLISHERS ACCOMPLISHES ACCOMPLISHING ACCOMPLISHMENT ACCOMPLISHMENTS ACCORD ACCORDANCE ACCORDED ACCORDER ACCORDERS ACCORDING ACCORDINGLY ACCORDION ACCORDIONS ACCORDS ACCOST ACCOSTED ACCOSTING ACCOSTS ACCOUNT ACCOUNTABILITY ACCOUNTABLE ACCOUNTABLY ACCOUNTANCY ACCOUNTANT ACCOUNTANTS ACCOUNTED ACCOUNTING ACCOUNTS ACCRA ACCREDIT ACCREDITATION ACCREDITATIONS ACCREDITED ACCRETION ACCRETIONS ACCRUE ACCRUED ACCRUES ACCRUING ACCULTURATE ACCULTURATED ACCULTURATES ACCULTURATING ACCULTURATION ACCUMULATE ACCUMULATED ACCUMULATES ACCUMULATING ACCUMULATION ACCUMULATIONS ACCUMULATOR ACCUMULATORS ACCURACIES ACCURACY ACCURATE ACCURATELY ACCURATENESS ACCURSED ACCUSAL ACCUSATION ACCUSATIONS ACCUSATIVE ACCUSE ACCUSED ACCUSER ACCUSES ACCUSING ACCUSINGLY ACCUSTOM ACCUSTOMED ACCUSTOMING ACCUSTOMS ACE ACES ACETATE ACETONE ACETYLENE ACHAEAN ACHAEANS ACHE ACHED ACHES ACHIEVABLE ACHIEVE ACHIEVED ACHIEVEMENT ACHIEVEMENTS ACHIEVER ACHIEVERS ACHIEVES ACHIEVING ACHILLES ACHING ACID ACIDIC ACIDITIES ACIDITY ACIDLY ACIDS ACIDULOUS ACKERMAN ACKLEY ACKNOWLEDGE ACKNOWLEDGEABLE ACKNOWLEDGED ACKNOWLEDGEMENT ACKNOWLEDGEMENTS ACKNOWLEDGER ACKNOWLEDGERS ACKNOWLEDGES ACKNOWLEDGING ACKNOWLEDGMENT ACKNOWLEDGMENTS ACME ACNE ACOLYTE ACOLYTES ACORN ACORNS ACOUSTIC ACOUSTICAL ACOUSTICALLY ACOUSTICIAN ACOUSTICS ACQUAINT ACQUAINTANCE ACQUAINTANCES ACQUAINTED ACQUAINTING ACQUAINTS ACQUIESCE ACQUIESCED ACQUIESCENCE ACQUIESCENT ACQUIESCES ACQUIESCING ACQUIRABLE ACQUIRE ACQUIRED ACQUIRES ACQUIRING ACQUISITION ACQUISITIONS ACQUISITIVE ACQUISITIVENESS ACQUIT ACQUITS ACQUITTAL ACQUITTED ACQUITTER ACQUITTING ACRE ACREAGE ACRES ACRID ACRIMONIOUS ACRIMONY ACROBAT ACROBATIC ACROBATICS ACROBATS ACRONYM ACRONYMS ACROPOLIS ACROSS ACRYLIC ACT ACTA ACTAEON ACTED ACTING ACTINIUM ACTINOMETER ACTINOMETERS ACTION ACTIONS ACTIVATE ACTIVATED ACTIVATES ACTIVATING ACTIVATION ACTIVATIONS ACTIVATOR ACTIVATORS ACTIVE ACTIVELY ACTIVISM ACTIVIST ACTIVISTS ACTIVITIES ACTIVITY ACTON ACTOR ACTORS ACTRESS ACTRESSES ACTS ACTUAL ACTUALITIES ACTUALITY ACTUALIZATION ACTUALLY ACTUALS ACTUARIAL ACTUARIALLY ACTUATE ACTUATED ACTUATES ACTUATING ACTUATOR ACTUATORS ACUITY ACUMEN ACUTE ACUTELY ACUTENESS ACYCLIC ACYCLICALLY ADA ADAGE ADAGES ADAGIO ADAGIOS ADAIR ADAM ADAMANT ADAMANTLY ADAMS ADAMSON ADAPT ADAPTABILITY ADAPTABLE ADAPTATION ADAPTATIONS ADAPTED ADAPTER ADAPTERS ADAPTING ADAPTIVE ADAPTIVELY ADAPTOR ADAPTORS ADAPTS ADD ADDED ADDEND ADDENDA ADDENDUM ADDER ADDERS ADDICT ADDICTED ADDICTING ADDICTION ADDICTIONS ADDICTS ADDING ADDIS ADDISON ADDITION ADDITIONAL ADDITIONALLY ADDITIONS ADDITIVE ADDITIVES ADDITIVITY ADDRESS ADDRESSABILITY ADDRESSABLE ADDRESSED ADDRESSEE ADDRESSEES ADDRESSER ADDRESSERS ADDRESSES ADDRESSING ADDRESSOGRAPH ADDS ADDUCE ADDUCED ADDUCES ADDUCIBLE ADDUCING ADDUCT ADDUCTED ADDUCTING ADDUCTION ADDUCTOR ADDUCTS ADELAIDE ADELE ADELIA ADEN ADEPT ADEQUACIES ADEQUACY ADEQUATE ADEQUATELY ADHERE ADHERED ADHERENCE ADHERENT ADHERENTS ADHERER ADHERERS ADHERES ADHERING ADHESION ADHESIONS ADHESIVE ADHESIVES ADIABATIC ADIABATICALLY ADIEU ADIRONDACK ADIRONDACKS ADJACENCY ADJACENT ADJECTIVE ADJECTIVES ADJOIN ADJOINED ADJOINING ADJOINS ADJOURN ADJOURNED ADJOURNING ADJOURNMENT ADJOURNS ADJUDGE ADJUDGED ADJUDGES ADJUDGING ADJUDICATE ADJUDICATED ADJUDICATES ADJUDICATING ADJUDICATION ADJUDICATIONS ADJUNCT ADJUNCTS ADJURE ADJURED ADJURES ADJURING ADJUST ADJUSTABLE ADJUSTABLY ADJUSTED ADJUSTER ADJUSTERS ADJUSTING ADJUSTMENT ADJUSTMENTS ADJUSTOR ADJUSTORS ADJUSTS ADJUTANT ADJUTANTS ADKINS ADLER ADLERIAN ADMINISTER ADMINISTERED ADMINISTERING ADMINISTERINGS ADMINISTERS ADMINISTRABLE ADMINISTRATE ADMINISTRATION ADMINISTRATIONS ADMINISTRATIVE ADMINISTRATIVELY ADMINISTRATOR ADMINISTRATORS ADMIRABLE ADMIRABLY ADMIRAL ADMIRALS ADMIRALTY ADMIRATION ADMIRATIONS ADMIRE ADMIRED ADMIRER ADMIRERS ADMIRES ADMIRING ADMIRINGLY ADMISSIBILITY ADMISSIBLE ADMISSION ADMISSIONS ADMIT ADMITS ADMITTANCE ADMITTED ADMITTEDLY ADMITTER ADMITTERS ADMITTING ADMIX ADMIXED ADMIXES ADMIXTURE ADMONISH ADMONISHED ADMONISHES ADMONISHING ADMONISHMENT ADMONISHMENTS ADMONITION ADMONITIONS ADO ADOBE ADOLESCENCE ADOLESCENT ADOLESCENTS ADOLPH ADOLPHUS ADONIS ADOPT ADOPTED ADOPTER ADOPTERS ADOPTING ADOPTION ADOPTIONS ADOPTIVE ADOPTS ADORABLE ADORATION ADORE ADORED ADORES ADORN ADORNED ADORNMENT ADORNMENTS ADORNS ADRENAL ADRENALINE ADRIAN ADRIATIC ADRIENNE ADRIFT ADROIT ADROITNESS ADS ADSORB ADSORBED ADSORBING ADSORBS ADSORPTION ADULATE ADULATING ADULATION ADULT ADULTERATE ADULTERATED ADULTERATES ADULTERATING ADULTERER ADULTERERS ADULTEROUS ADULTEROUSLY ADULTERY ADULTHOOD ADULTS ADUMBRATE ADUMBRATED ADUMBRATES ADUMBRATING ADUMBRATION ADVANCE ADVANCED ADVANCEMENT ADVANCEMENTS ADVANCES ADVANCING ADVANTAGE ADVANTAGED ADVANTAGEOUS ADVANTAGEOUSLY ADVANTAGES ADVENT ADVENTIST ADVENTISTS ADVENTITIOUS ADVENTURE ADVENTURED ADVENTURER ADVENTURERS ADVENTURES ADVENTURING ADVENTUROUS ADVERB ADVERBIAL ADVERBS ADVERSARIES ADVERSARY ADVERSE ADVERSELY ADVERSITIES ADVERSITY ADVERT ADVERTISE ADVERTISED ADVERTISEMENT ADVERTISEMENTS ADVERTISER ADVERTISERS ADVERTISES ADVERTISING ADVICE ADVISABILITY ADVISABLE ADVISABLY ADVISE ADVISED ADVISEDLY ADVISEE ADVISEES ADVISEMENT ADVISEMENTS ADVISER ADVISERS ADVISES ADVISING ADVISOR ADVISORS ADVISORY ADVOCACY ADVOCATE ADVOCATED ADVOCATES ADVOCATING AEGEAN AEGIS AENEAS AENEID AEOLUS AERATE AERATED AERATES AERATING AERATION AERATOR AERATORS AERIAL AERIALS AEROACOUSTIC AEROBACTER AEROBIC AEROBICS AERODYNAMIC AERODYNAMICS AERONAUTIC AERONAUTICAL AERONAUTICS AEROSOL AEROSOLIZE AEROSOLS AEROSPACE AESCHYLUS AESOP AESTHETIC AESTHETICALLY AESTHETICS AFAR AFFABLE AFFAIR AFFAIRS AFFECT AFFECTATION AFFECTATIONS AFFECTED AFFECTING AFFECTINGLY AFFECTION AFFECTIONATE AFFECTIONATELY AFFECTIONS AFFECTIVE AFFECTS AFFERENT AFFIANCED AFFIDAVIT AFFIDAVITS AFFILIATE AFFILIATED AFFILIATES AFFILIATING AFFILIATION AFFILIATIONS AFFINITIES AFFINITY AFFIRM AFFIRMATION AFFIRMATIONS AFFIRMATIVE AFFIRMATIVELY AFFIRMED AFFIRMING AFFIRMS AFFIX AFFIXED AFFIXES AFFIXING AFFLICT AFFLICTED AFFLICTING AFFLICTION AFFLICTIONS AFFLICTIVE AFFLICTS AFFLUENCE AFFLUENT AFFORD AFFORDABLE AFFORDED AFFORDING AFFORDS AFFRICATE AFFRICATES AFFRIGHT AFFRONT AFFRONTED AFFRONTING AFFRONTS AFGHAN AFGHANISTAN AFGHANS AFICIONADO AFIELD AFIRE AFLAME AFLOAT AFOOT AFORE AFOREMENTIONED AFORESAID AFORETHOUGHT AFOUL AFRAID AFRESH AFRICA AFRICAN AFRICANIZATION AFRICANIZATIONS AFRICANIZE AFRICANIZED AFRICANIZES AFRICANIZING AFRICANS AFRIKAANS AFRIKANER AFRIKANERS AFT AFTER AFTEREFFECT AFTERGLOW AFTERIMAGE AFTERLIFE AFTERMATH AFTERMOST AFTERNOON AFTERNOONS AFTERSHOCK AFTERSHOCKS AFTERTHOUGHT AFTERTHOUGHTS AFTERWARD AFTERWARDS AGAIN AGAINST AGAMEMNON AGAPE AGAR AGATE AGATES AGATHA AGE AGED AGEE AGELESS AGENCIES AGENCY AGENDA AGENDAS AGENT AGENTS AGER AGERS AGES AGGIE AGGIES AGGLOMERATE AGGLOMERATED AGGLOMERATES AGGLOMERATION AGGLUTINATE AGGLUTINATED AGGLUTINATES AGGLUTINATING AGGLUTINATION AGGLUTININ AGGLUTININS AGGRANDIZE AGGRAVATE AGGRAVATED AGGRAVATES AGGRAVATION AGGREGATE AGGREGATED AGGREGATELY AGGREGATES AGGREGATING AGGREGATION AGGREGATIONS AGGRESSION AGGRESSIONS AGGRESSIVE AGGRESSIVELY AGGRESSIVENESS AGGRESSOR AGGRESSORS AGGRIEVE AGGRIEVED AGGRIEVES AGGRIEVING AGHAST AGILE AGILELY AGILITY AGING AGITATE AGITATED AGITATES AGITATING AGITATION AGITATIONS AGITATOR AGITATORS AGLEAM AGLOW AGNES AGNEW AGNOSTIC AGNOSTICS AGO AGOG AGONIES AGONIZE AGONIZED AGONIZES AGONIZING AGONIZINGLY AGONY AGRARIAN AGREE AGREEABLE AGREEABLY AGREED AGREEING AGREEMENT AGREEMENTS AGREER AGREERS AGREES AGRICOLA AGRICULTURAL AGRICULTURALLY AGRICULTURE AGUE AGWAY AHEAD AHMADABAD AHMEDABAD AID AIDA AIDE AIDED AIDES AIDING AIDS AIKEN AIL AILEEN AILERON AILERONS AILING AILMENT AILMENTS AIM AIMED AIMER AIMERS AIMING AIMLESS AIMLESSLY AIMS AINU AINUS AIR AIRBAG AIRBAGS AIRBORNE AIRBUS AIRCRAFT AIRDROP AIRDROPS AIRED AIREDALE AIRER AIRERS AIRES AIRFARE AIRFIELD AIRFIELDS AIRFLOW AIRFOIL AIRFOILS AIRFRAME AIRFRAMES AIRILY AIRING AIRINGS AIRLESS AIRLIFT AIRLIFTS AIRLINE AIRLINER AIRLINES AIRLOCK AIRLOCKS AIRMAIL AIRMAILS AIRMAN AIRMEN AIRPLANE AIRPLANES AIRPORT AIRPORTS AIRS AIRSHIP AIRSHIPS AIRSPACE AIRSPEED AIRSTRIP AIRSTRIPS AIRTIGHT AIRWAY AIRWAYS AIRY AISLE AITKEN AJAR AJAX AKERS AKIMBO AKIN AKRON ALABAMA ALABAMANS ALABAMIAN ALABASTER ALACRITY ALADDIN ALAMEDA ALAMO ALAMOS ALAN ALAR ALARM ALARMED ALARMING ALARMINGLY ALARMIST ALARMS ALAS ALASKA ALASKAN ALASTAIR ALBA ALBACORE ALBANIA ALBANIAN ALBANIANS ALBANY ALBATROSS ALBEIT ALBERICH ALBERT ALBERTA ALBERTO ALBRECHT ALBRIGHT ALBUM ALBUMIN ALBUMS ALBUQUERQUE ALCESTIS ALCHEMY ALCIBIADES ALCMENA ALCOA ALCOHOL ALCOHOLIC ALCOHOLICS ALCOHOLISM ALCOHOLS ALCOTT ALCOVE ALCOVES ALDEBARAN ALDEN ALDER ALDERMAN ALDERMEN ALDRICH ALE ALEC ALECK ALEE ALERT ALERTED ALERTEDLY ALERTER ALERTERS ALERTING ALERTLY ALERTNESS ALERTS ALEUT ALEUTIAN ALEX ALEXANDER ALEXANDRA ALEXANDRE ALEXANDRIA ALEXANDRINE ALEXEI ALEXIS ALFA ALFALFA ALFONSO ALFRED ALFREDO ALFRESCO ALGA ALGAE ALGAECIDE ALGEBRA ALGEBRAIC ALGEBRAICALLY ALGEBRAS ALGENIB ALGER ALGERIA ALGERIAN ALGIERS ALGINATE ALGOL ALGOL ALGONQUIAN ALGONQUIN ALGORITHM ALGORITHMIC ALGORITHMICALLY ALGORITHMS ALHAMBRA ALI ALIAS ALIASED ALIASES ALIASING ALIBI ALIBIS ALICE ALICIA ALIEN ALIENATE ALIENATED ALIENATES ALIENATING ALIENATION ALIENS ALIGHT ALIGN ALIGNED ALIGNING ALIGNMENT ALIGNMENTS ALIGNS ALIKE ALIMENT ALIMENTS ALIMONY ALISON ALISTAIR ALIVE ALKALI ALKALINE ALKALIS ALKALOID ALKALOIDS ALKYL ALL ALLAH ALLAN ALLAY ALLAYED ALLAYING ALLAYS ALLEGATION ALLEGATIONS ALLEGE ALLEGED ALLEGEDLY ALLEGES ALLEGHENIES ALLEGHENY ALLEGIANCE ALLEGIANCES ALLEGING ALLEGORIC ALLEGORICAL ALLEGORICALLY ALLEGORIES ALLEGORY ALLEGRA ALLEGRETTO ALLEGRETTOS ALLELE ALLELES ALLEMANDE ALLEN ALLENDALE ALLENTOWN ALLERGIC ALLERGIES ALLERGY ALLEVIATE ALLEVIATED ALLEVIATES ALLEVIATING ALLEVIATION ALLEY ALLEYS ALLEYWAY ALLEYWAYS ALLIANCE ALLIANCES ALLIED ALLIES ALLIGATOR ALLIGATORS ALLIS ALLISON ALLITERATION ALLITERATIONS ALLITERATIVE ALLOCATABLE ALLOCATE ALLOCATED ALLOCATES ALLOCATING ALLOCATION ALLOCATIONS ALLOCATOR ALLOCATORS ALLOPHONE ALLOPHONES ALLOPHONIC ALLOT ALLOTMENT ALLOTMENTS ALLOTS ALLOTTED ALLOTTER ALLOTTING ALLOW ALLOWABLE ALLOWABLY ALLOWANCE ALLOWANCES ALLOWED ALLOWING ALLOWS ALLOY ALLOYS ALLSTATE ALLUDE ALLUDED ALLUDES ALLUDING ALLURE ALLUREMENT ALLURING ALLUSION ALLUSIONS ALLUSIVE ALLUSIVENESS ALLY ALLYING ALLYN ALMA ALMADEN ALMANAC ALMANACS ALMIGHTY ALMOND ALMONDS ALMONER ALMOST ALMS ALMSMAN ALNICO ALOE ALOES ALOFT ALOHA ALONE ALONENESS ALONG ALONGSIDE ALOOF ALOOFNESS ALOUD ALPERT ALPHA ALPHABET ALPHABETIC ALPHABETICAL ALPHABETICALLY ALPHABETICS ALPHABETIZE ALPHABETIZED ALPHABETIZES ALPHABETIZING ALPHABETS ALPHANUMERIC ALPHERATZ ALPHONSE ALPINE ALPS ALREADY ALSATIAN ALSATIANS ALSO ALSOP ALTAIR ALTAR ALTARS ALTER ALTERABLE ALTERATION ALTERATIONS ALTERCATION ALTERCATIONS ALTERED ALTERER ALTERERS ALTERING ALTERNATE ALTERNATED ALTERNATELY ALTERNATES ALTERNATING ALTERNATION ALTERNATIONS ALTERNATIVE ALTERNATIVELY ALTERNATIVES ALTERNATOR ALTERNATORS ALTERS ALTHAEA ALTHOUGH ALTITUDE ALTITUDES ALTOGETHER ALTON ALTOS ALTRUISM ALTRUIST ALTRUISTIC ALTRUISTICALLY ALUM ALUMINUM ALUMNA ALUMNAE ALUMNI ALUMNUS ALUNDUM ALVA ALVAREZ ALVEOLAR ALVEOLI ALVEOLUS ALVIN ALWAYS ALYSSA AMADEUS AMAIN AMALGAM AMALGAMATE AMALGAMATED AMALGAMATES AMALGAMATING AMALGAMATION AMALGAMS AMANDA AMANUENSIS AMARETTO AMARILLO AMASS AMASSED AMASSES AMASSING AMATEUR AMATEURISH AMATEURISHNESS AMATEURISM AMATEURS AMATORY AMAZE AMAZED AMAZEDLY AMAZEMENT AMAZER AMAZERS AMAZES AMAZING AMAZINGLY AMAZON AMAZONS AMBASSADOR AMBASSADORS AMBER AMBIANCE AMBIDEXTROUS AMBIDEXTROUSLY AMBIENT AMBIGUITIES AMBIGUITY AMBIGUOUS AMBIGUOUSLY AMBITION AMBITIONS AMBITIOUS AMBITIOUSLY AMBIVALENCE AMBIVALENT AMBIVALENTLY AMBLE AMBLED AMBLER AMBLES AMBLING AMBROSIAL AMBULANCE AMBULANCES AMBULATORY AMBUSCADE AMBUSH AMBUSHED AMBUSHES AMDAHL AMELIA AMELIORATE AMELIORATED AMELIORATING AMELIORATION AMEN AMENABLE AMEND AMENDED AMENDING AMENDMENT AMENDMENTS AMENDS AMENITIES AMENITY AMENORRHEA AMERADA AMERICA AMERICAN AMERICANA AMERICANISM AMERICANIZATION AMERICANIZATIONS AMERICANIZE AMERICANIZER AMERICANIZERS AMERICANIZES AMERICANS AMERICAS AMERICIUM AMES AMHARIC AMHERST AMIABLE AMICABLE AMICABLY AMID AMIDE AMIDST AMIGA AMIGO AMINO AMISS AMITY AMMAN AMMERMAN AMMO AMMONIA AMMONIAC AMMONIUM AMMUNITION AMNESTY AMOCO AMOEBA AMOEBAE AMOEBAS AMOK AMONG AMONGST AMONTILLADO AMORAL AMORALITY AMORIST AMOROUS AMORPHOUS AMORPHOUSLY AMORTIZE AMORTIZED AMORTIZES AMORTIZING AMOS AMOUNT AMOUNTED AMOUNTER AMOUNTERS AMOUNTING AMOUNTS AMOUR AMPERAGE AMPERE AMPERES AMPERSAND AMPERSANDS AMPEX AMPHETAMINE AMPHETAMINES AMPHIBIAN AMPHIBIANS AMPHIBIOUS AMPHIBIOUSLY AMPHIBOLOGY AMPHITHEATER AMPHITHEATERS AMPLE AMPLIFICATION AMPLIFIED AMPLIFIER AMPLIFIERS AMPLIFIES AMPLIFY AMPLIFYING AMPLITUDE AMPLITUDES AMPLY AMPOULE AMPOULES AMPUTATE AMPUTATED AMPUTATES AMPUTATING AMSTERDAM AMTRAK AMULET AMULETS AMUSE AMUSED AMUSEDLY AMUSEMENT AMUSEMENTS AMUSER AMUSERS AMUSES AMUSING AMUSINGLY AMY AMYL ANABAPTIST ANABAPTISTS ANABEL ANACHRONISM ANACHRONISMS ANACHRONISTICALLY ANACONDA ANACONDAS ANACREON ANAEROBIC ANAGRAM ANAGRAMS ANAHEIM ANAL ANALECTS ANALOG ANALOGICAL ANALOGIES ANALOGOUS ANALOGOUSLY ANALOGUE ANALOGUES ANALOGY ANALYSES ANALYSIS ANALYST ANALYSTS ANALYTIC ANALYTICAL ANALYTICALLY ANALYTICITIES ANALYTICITY ANALYZABLE ANALYZE ANALYZED ANALYZER ANALYZERS ANALYZES ANALYZING ANAPHORA ANAPHORIC ANAPHORICALLY ANAPLASMOSIS ANARCHIC ANARCHICAL ANARCHISM ANARCHIST ANARCHISTS ANARCHY ANASTASIA ANASTOMOSES ANASTOMOSIS ANASTOMOTIC ANATHEMA ANATOLE ANATOLIA ANATOLIAN ANATOMIC ANATOMICAL ANATOMICALLY ANATOMY ANCESTOR ANCESTORS ANCESTRAL ANCESTRY ANCHOR ANCHORAGE ANCHORAGES ANCHORED ANCHORING ANCHORITE ANCHORITISM ANCHORS ANCHOVIES ANCHOVY ANCIENT ANCIENTLY ANCIENTS ANCILLARY AND ANDALUSIA ANDALUSIAN ANDALUSIANS ANDEAN ANDERS ANDERSEN ANDERSON ANDES ANDING ANDORRA ANDOVER ANDRE ANDREA ANDREI ANDREW ANDREWS ANDROMACHE ANDROMEDA ANDY ANECDOTAL ANECDOTE ANECDOTES ANECHOIC ANEMIA ANEMIC ANEMOMETER ANEMOMETERS ANEMOMETRY ANEMONE ANESTHESIA ANESTHETIC ANESTHETICALLY ANESTHETICS ANESTHETIZE ANESTHETIZED ANESTHETIZES ANESTHETIZING ANEW ANGEL ANGELA ANGELENO ANGELENOS ANGELES ANGELIC ANGELICA ANGELINA ANGELINE ANGELO ANGELS ANGER ANGERED ANGERING ANGERS ANGIE ANGIOGRAPHY ANGLE ANGLED ANGLER ANGLERS ANGLES ANGLIA ANGLICAN ANGLICANISM ANGLICANIZE ANGLICANIZES ANGLICANS ANGLING ANGLO ANGLOPHILIA ANGLOPHOBIA ANGOLA ANGORA ANGRIER ANGRIEST ANGRILY ANGRY ANGST ANGSTROM ANGUISH ANGUISHED ANGULAR ANGULARLY ANGUS ANHEUSER ANHYDROUS ANHYDROUSLY ANILINE ANIMAL ANIMALS ANIMATE ANIMATED ANIMATEDLY ANIMATELY ANIMATENESS ANIMATES ANIMATING ANIMATION ANIMATIONS ANIMATOR ANIMATORS ANIMISM ANIMIZED ANIMOSITY ANION ANIONIC ANIONS ANISE ANISEIKONIC ANISOTROPIC ANISOTROPY ANITA ANKARA ANKLE ANKLES ANN ANNA ANNAL ANNALIST ANNALISTIC ANNALS ANNAPOLIS ANNE ANNETTE ANNEX ANNEXATION ANNEXED ANNEXES ANNEXING ANNIE ANNIHILATE ANNIHILATED ANNIHILATES ANNIHILATING ANNIHILATION ANNIVERSARIES ANNIVERSARY ANNOTATE ANNOTATED ANNOTATES ANNOTATING ANNOTATION ANNOTATIONS ANNOUNCE ANNOUNCED ANNOUNCEMENT ANNOUNCEMENTS ANNOUNCER ANNOUNCERS ANNOUNCES ANNOUNCING ANNOY ANNOYANCE ANNOYANCES ANNOYED ANNOYER ANNOYERS ANNOYING ANNOYINGLY ANNOYS ANNUAL ANNUALLY ANNUALS ANNUITY ANNUL ANNULAR ANNULI ANNULLED ANNULLING ANNULMENT ANNULMENTS ANNULS ANNULUS ANNUM ANNUNCIATE ANNUNCIATED ANNUNCIATES ANNUNCIATING ANNUNCIATOR ANNUNCIATORS ANODE ANODES ANODIZE ANODIZED ANODIZES ANOINT ANOINTED ANOINTING ANOINTS ANOMALIES ANOMALOUS ANOMALOUSLY ANOMALY ANOMIC ANOMIE ANON ANONYMITY ANONYMOUS ANONYMOUSLY ANOREXIA ANOTHER ANSELM ANSELMO ANSI ANSWER ANSWERABLE ANSWERED ANSWERER ANSWERERS ANSWERING ANSWERS ANT ANTAEUS ANTAGONISM ANTAGONISMS ANTAGONIST ANTAGONISTIC ANTAGONISTICALLY ANTAGONISTS ANTAGONIZE ANTAGONIZED ANTAGONIZES ANTAGONIZING ANTARCTIC ANTARCTICA ANTARES ANTE ANTEATER ANTEATERS ANTECEDENT ANTECEDENTS ANTEDATE ANTELOPE ANTELOPES ANTENNA ANTENNAE ANTENNAS ANTERIOR ANTHEM ANTHEMS ANTHER ANTHOLOGIES ANTHOLOGY ANTHONY ANTHRACITE ANTHROPOLOGICAL ANTHROPOLOGICALLY ANTHROPOLOGIST ANTHROPOLOGISTS ANTHROPOLOGY ANTHROPOMORPHIC ANTHROPOMORPHICALLY ANTI ANTIBACTERIAL ANTIBIOTIC ANTIBIOTICS ANTIBODIES ANTIBODY ANTIC ANTICIPATE ANTICIPATED ANTICIPATES ANTICIPATING ANTICIPATION ANTICIPATIONS ANTICIPATORY ANTICOAGULATION ANTICOMPETITIVE ANTICS ANTIDISESTABLISHMENTARIANISM ANTIDOTE ANTIDOTES ANTIETAM ANTIFORMANT ANTIFUNDAMENTALIST ANTIGEN ANTIGENS ANTIGONE ANTIHISTORICAL ANTILLES ANTIMICROBIAL ANTIMONY ANTINOMIAN ANTINOMY ANTIOCH ANTIPATHY ANTIPHONAL ANTIPODE ANTIPODES ANTIQUARIAN ANTIQUARIANS ANTIQUATE ANTIQUATED ANTIQUE ANTIQUES ANTIQUITIES ANTIQUITY ANTIREDEPOSITION ANTIRESONANCE ANTIRESONATOR ANTISEMITIC ANTISEMITISM ANTISEPTIC ANTISERA ANTISERUM ANTISLAVERY ANTISOCIAL ANTISUBMARINE ANTISYMMETRIC ANTISYMMETRY ANTITHESIS ANTITHETICAL ANTITHYROID ANTITOXIN ANTITOXINS ANTITRUST ANTLER ANTLERED ANTOINE ANTOINETTE ANTON ANTONIO ANTONOVICS ANTONY ANTS ANTWERP ANUS ANVIL ANVILS ANXIETIES ANXIETY ANXIOUS ANXIOUSLY ANY ANYBODY ANYHOW ANYMORE ANYONE ANYPLACE ANYTHING ANYTIME ANYWAY ANYWHERE AORTA APACE APACHES APALACHICOLA APART APARTMENT APARTMENTS APATHETIC APATHY APE APED APERIODIC APERIODICITY APERTURE APES APETALOUS APEX APHASIA APHASIC APHELION APHID APHIDS APHONIC APHORISM APHORISMS APHRODITE APIARIES APIARY APICAL APIECE APING APISH APLENTY APLOMB APOCALYPSE APOCALYPTIC APOCRYPHA APOCRYPHAL APOGEE APOGEES APOLLINAIRE APOLLO APOLLONIAN APOLOGETIC APOLOGETICALLY APOLOGIA APOLOGIES APOLOGIST APOLOGISTS APOLOGIZE APOLOGIZED APOLOGIZES APOLOGIZING APOLOGY APOSTATE APOSTLE APOSTLES APOSTOLIC APOSTROPHE APOSTROPHES APOTHECARY APOTHEGM APOTHEOSES APOTHEOSIS APPALACHIA APPALACHIAN APPALACHIANS APPALL APPALLED APPALLING APPALLINGLY APPALOOSAS APPANAGE APPARATUS APPAREL APPARELED APPARENT APPARENTLY APPARITION APPARITIONS APPEAL APPEALED APPEALER APPEALERS APPEALING APPEALINGLY APPEALS APPEAR APPEARANCE APPEARANCES APPEARED APPEARER APPEARERS APPEARING APPEARS APPEASE APPEASED APPEASEMENT APPEASES APPEASING APPELLANT APPELLANTS APPELLATE APPELLATION APPEND APPENDAGE APPENDAGES APPENDED APPENDER APPENDERS APPENDICES APPENDICITIS APPENDING APPENDIX APPENDIXES APPENDS APPERTAIN APPERTAINS APPETITE APPETITES APPETIZER APPETIZING APPIA APPIAN APPLAUD APPLAUDED APPLAUDING APPLAUDS APPLAUSE APPLE APPLEBY APPLEJACK APPLES APPLETON APPLIANCE APPLIANCES APPLICABILITY APPLICABLE APPLICANT APPLICANTS APPLICATION APPLICATIONS APPLICATIVE APPLICATIVELY APPLICATOR APPLICATORS APPLIED APPLIER APPLIERS APPLIES APPLIQUE APPLY APPLYING APPOINT APPOINTED APPOINTEE APPOINTEES APPOINTER APPOINTERS APPOINTING APPOINTIVE APPOINTMENT APPOINTMENTS APPOINTS APPOMATTOX APPORTION APPORTIONED APPORTIONING APPORTIONMENT APPORTIONMENTS APPORTIONS APPOSITE APPRAISAL APPRAISALS APPRAISE APPRAISED APPRAISER APPRAISERS APPRAISES APPRAISING APPRAISINGLY APPRECIABLE APPRECIABLY APPRECIATE APPRECIATED APPRECIATES APPRECIATING APPRECIATION APPRECIATIONS APPRECIATIVE APPRECIATIVELY APPREHEND APPREHENDED APPREHENSIBLE APPREHENSION APPREHENSIONS APPREHENSIVE APPREHENSIVELY APPREHENSIVENESS APPRENTICE APPRENTICED APPRENTICES APPRENTICESHIP APPRISE APPRISED APPRISES APPRISING APPROACH APPROACHABILITY APPROACHABLE APPROACHED APPROACHER APPROACHERS APPROACHES APPROACHING APPROBATE APPROBATION APPROPRIATE APPROPRIATED APPROPRIATELY APPROPRIATENESS APPROPRIATES APPROPRIATING APPROPRIATION APPROPRIATIONS APPROPRIATOR APPROPRIATORS APPROVAL APPROVALS APPROVE APPROVED APPROVER APPROVERS APPROVES APPROVING APPROVINGLY APPROXIMATE APPROXIMATED APPROXIMATELY APPROXIMATES APPROXIMATING APPROXIMATION APPROXIMATIONS APPURTENANCE APPURTENANCES APRICOT APRICOTS APRIL APRILS APRON APRONS APROPOS APSE APSIS APT APTITUDE APTITUDES APTLY APTNESS AQUA AQUARIA AQUARIUM AQUARIUS AQUATIC AQUEDUCT AQUEDUCTS AQUEOUS AQUIFER AQUIFERS AQUILA AQUINAS ARAB ARABESQUE ARABIA ARABIAN ARABIANIZE ARABIANIZES ARABIANS ARABIC ARABICIZE ARABICIZES ARABLE ARABS ARABY ARACHNE ARACHNID ARACHNIDS ARAMCO ARAPAHO ARBITER ARBITERS ARBITRARILY ARBITRARINESS ARBITRARY ARBITRATE ARBITRATED ARBITRATES ARBITRATING ARBITRATION ARBITRATOR ARBITRATORS ARBOR ARBOREAL ARBORS ARC ARCADE ARCADED ARCADES ARCADIA ARCADIAN ARCANE ARCED ARCH ARCHAIC ARCHAICALLY ARCHAICNESS ARCHAISM ARCHAIZE ARCHANGEL ARCHANGELS ARCHBISHOP ARCHDIOCESE ARCHDIOCESES ARCHED ARCHENEMY ARCHEOLOGICAL ARCHEOLOGIST ARCHEOLOGY ARCHER ARCHERS ARCHERY ARCHES ARCHETYPE ARCHFOOL ARCHIBALD ARCHIE ARCHIMEDES ARCHING ARCHIPELAGO ARCHIPELAGOES ARCHITECT ARCHITECTONIC ARCHITECTS ARCHITECTURAL ARCHITECTURALLY ARCHITECTURE ARCHITECTURES ARCHIVAL ARCHIVE ARCHIVED ARCHIVER ARCHIVERS ARCHIVES ARCHIVING ARCHIVIST ARCHLY ARCING ARCLIKE ARCO ARCS ARCSINE ARCTANGENT ARCTIC ARCTURUS ARDEN ARDENT ARDENTLY ARDOR ARDUOUS ARDUOUSLY ARDUOUSNESS ARE AREA AREAS ARENA ARENAS AREQUIPA ARES ARGENTINA ARGENTINIAN ARGIVE ARGO ARGON ARGONAUT ARGONAUTS ARGONNE ARGOS ARGOT ARGUABLE ARGUABLY ARGUE ARGUED ARGUER ARGUERS ARGUES ARGUING ARGUMENT ARGUMENTATION ARGUMENTATIVE ARGUMENTS ARGUS ARIADNE ARIANISM ARIANIST ARIANISTS ARID ARIDITY ARIES ARIGHT ARISE ARISEN ARISER ARISES ARISING ARISINGS ARISTOCRACY ARISTOCRAT ARISTOCRATIC ARISTOCRATICALLY ARISTOCRATS ARISTOTELIAN ARISTOTLE ARITHMETIC ARITHMETICAL ARITHMETICALLY ARITHMETICS ARITHMETIZE ARITHMETIZED ARITHMETIZES ARIZONA ARK ARKANSAN ARKANSAS ARLEN ARLENE ARLINGTON ARM ARMADA ARMADILLO ARMADILLOS ARMAGEDDON ARMAGNAC ARMAMENT ARMAMENTS ARMATA ARMCHAIR ARMCHAIRS ARMCO ARMED ARMENIA ARMENIAN ARMER ARMERS ARMFUL ARMHOLE ARMIES ARMING ARMISTICE ARMLOAD ARMONK ARMOR ARMORED ARMORER ARMORY ARMOUR ARMPIT ARMPITS ARMS ARMSTRONG ARMY ARNOLD AROMA AROMAS AROMATIC AROSE AROUND AROUSAL AROUSE AROUSED AROUSES AROUSING ARPA ARPANET ARPANET ARPEGGIO ARPEGGIOS ARRACK ARRAGON ARRAIGN ARRAIGNED ARRAIGNING ARRAIGNMENT ARRAIGNMENTS ARRAIGNS ARRANGE ARRANGED ARRANGEMENT ARRANGEMENTS ARRANGER ARRANGERS ARRANGES ARRANGING ARRANT ARRAY ARRAYED ARRAYS ARREARS ARREST ARRESTED ARRESTER ARRESTERS ARRESTING ARRESTINGLY ARRESTOR ARRESTORS ARRESTS ARRHENIUS ARRIVAL ARRIVALS ARRIVE ARRIVED ARRIVES ARRIVING ARROGANCE ARROGANT ARROGANTLY ARROGATE ARROGATED ARROGATES ARROGATING ARROGATION ARROW ARROWED ARROWHEAD ARROWHEADS ARROWS ARROYO ARROYOS ARSENAL ARSENALS ARSENIC ARSINE ARSON ART ARTEMIA ARTEMIS ARTERIAL ARTERIES ARTERIOLAR ARTERIOLE ARTERIOLES ARTERIOSCLEROSIS ARTERY ARTFUL ARTFULLY ARTFULNESS ARTHRITIS ARTHROPOD ARTHROPODS ARTHUR ARTICHOKE ARTICHOKES ARTICLE ARTICLES ARTICULATE ARTICULATED ARTICULATELY ARTICULATENESS ARTICULATES ARTICULATING ARTICULATION ARTICULATIONS ARTICULATOR ARTICULATORS ARTICULATORY ARTIE ARTIFACT ARTIFACTS ARTIFICE ARTIFICER ARTIFICES ARTIFICIAL ARTIFICIALITIES ARTIFICIALITY ARTIFICIALLY ARTIFICIALNESS ARTILLERIST ARTILLERY ARTISAN ARTISANS ARTIST ARTISTIC ARTISTICALLY ARTISTRY ARTISTS ARTLESS ARTS ARTURO ARTWORK ARUBA ARYAN ARYANS ASBESTOS ASCEND ASCENDANCY ASCENDANT ASCENDED ASCENDENCY ASCENDENT ASCENDER ASCENDERS ASCENDING ASCENDS ASCENSION ASCENSIONS ASCENT ASCERTAIN ASCERTAINABLE ASCERTAINED ASCERTAINING ASCERTAINS ASCETIC ASCETICISM ASCETICS ASCII ASCOT ASCRIBABLE ASCRIBE ASCRIBED ASCRIBES ASCRIBING ASCRIPTION ASEPTIC ASH ASHAMED ASHAMEDLY ASHEN ASHER ASHES ASHEVILLE ASHLAND ASHLEY ASHMAN ASHMOLEAN ASHORE ASHTRAY ASHTRAYS ASIA ASIAN ASIANS ASIATIC ASIATICIZATION ASIATICIZATIONS ASIATICIZE ASIATICIZES ASIATICS ASIDE ASILOMAR ASININE ASK ASKANCE ASKED ASKER ASKERS ASKEW ASKING ASKS ASLEEP ASOCIAL ASP ASPARAGUS ASPECT ASPECTS ASPEN ASPERSION ASPERSIONS ASPHALT ASPHYXIA ASPIC ASPIRANT ASPIRANTS ASPIRATE ASPIRATED ASPIRATES ASPIRATING ASPIRATION ASPIRATIONS ASPIRATOR ASPIRATORS ASPIRE ASPIRED ASPIRES ASPIRIN ASPIRING ASPIRINS ASS ASSAIL ASSAILANT ASSAILANTS ASSAILED ASSAILING ASSAILS ASSAM ASSASSIN ASSASSINATE ASSASSINATED ASSASSINATES ASSASSINATING ASSASSINATION ASSASSINATIONS ASSASSINS ASSAULT ASSAULTED ASSAULTING ASSAULTS ASSAY ASSAYED ASSAYING ASSEMBLAGE ASSEMBLAGES ASSEMBLE ASSEMBLED ASSEMBLER ASSEMBLERS ASSEMBLES ASSEMBLIES ASSEMBLING ASSEMBLY ASSENT ASSENTED ASSENTER ASSENTING ASSENTS ASSERT ASSERTED ASSERTER ASSERTERS ASSERTING ASSERTION ASSERTIONS ASSERTIVE ASSERTIVELY ASSERTIVENESS ASSERTS ASSES ASSESS ASSESSED ASSESSES ASSESSING ASSESSMENT ASSESSMENTS ASSESSOR ASSESSORS ASSET ASSETS ASSIDUITY ASSIDUOUS ASSIDUOUSLY ASSIGN ASSIGNABLE ASSIGNED ASSIGNEE ASSIGNEES ASSIGNER ASSIGNERS ASSIGNING ASSIGNMENT ASSIGNMENTS ASSIGNS ASSIMILATE ASSIMILATED ASSIMILATES ASSIMILATING ASSIMILATION ASSIMILATIONS ASSIST ASSISTANCE ASSISTANCES ASSISTANT ASSISTANTS ASSISTANTSHIP ASSISTANTSHIPS ASSISTED ASSISTING ASSISTS ASSOCIATE ASSOCIATED ASSOCIATES ASSOCIATING ASSOCIATION ASSOCIATIONAL ASSOCIATIONS ASSOCIATIVE ASSOCIATIVELY ASSOCIATIVITY ASSOCIATOR ASSOCIATORS ASSONANCE ASSONANT ASSORT ASSORTED ASSORTMENT ASSORTMENTS ASSORTS ASSUAGE ASSUAGED ASSUAGES ASSUME ASSUMED ASSUMES ASSUMING ASSUMPTION ASSUMPTIONS ASSURANCE ASSURANCES ASSURE ASSURED ASSUREDLY ASSURER ASSURERS ASSURES ASSURING ASSURINGLY ASSYRIA ASSYRIAN ASSYRIANIZE ASSYRIANIZES ASSYRIOLOGY ASTAIRE ASTAIRES ASTARTE ASTATINE ASTER ASTERISK ASTERISKS ASTEROID ASTEROIDAL ASTEROIDS ASTERS ASTHMA ASTON ASTONISH ASTONISHED ASTONISHES ASTONISHING ASTONISHINGLY ASTONISHMENT ASTOR ASTORIA ASTOUND ASTOUNDED ASTOUNDING ASTOUNDS ASTRAL ASTRAY ASTRIDE ASTRINGENCY ASTRINGENT ASTROLOGY ASTRONAUT ASTRONAUTICS ASTRONAUTS ASTRONOMER ASTRONOMERS ASTRONOMICAL ASTRONOMICALLY ASTRONOMY ASTROPHYSICAL ASTROPHYSICS ASTUTE ASTUTELY ASTUTENESS ASUNCION ASUNDER ASYLUM ASYMMETRIC ASYMMETRICALLY ASYMMETRY ASYMPTOMATICALLY ASYMPTOTE ASYMPTOTES ASYMPTOTIC ASYMPTOTICALLY ASYNCHRONISM ASYNCHRONOUS ASYNCHRONOUSLY ASYNCHRONY ATALANTA ATARI ATAVISTIC ATCHISON ATE ATEMPORAL ATHABASCAN ATHEISM ATHEIST ATHEISTIC ATHEISTS ATHENA ATHENIAN ATHENIANS ATHENS ATHEROSCLEROSIS ATHLETE ATHLETES ATHLETIC ATHLETICISM ATHLETICS ATKINS ATKINSON ATLANTA ATLANTIC ATLANTICA ATLANTIS ATLAS ATMOSPHERE ATMOSPHERES ATMOSPHERIC ATOLL ATOLLS ATOM ATOMIC ATOMICALLY ATOMICS ATOMIZATION ATOMIZE ATOMIZED ATOMIZES ATOMIZING ATOMS ATONAL ATONALLY ATONE ATONED ATONEMENT ATONES ATOP ATREUS ATROCIOUS ATROCIOUSLY ATROCITIES ATROCITY ATROPHIC ATROPHIED ATROPHIES ATROPHY ATROPHYING ATROPOS ATTACH ATTACHE ATTACHED ATTACHER ATTACHERS ATTACHES ATTACHING ATTACHMENT ATTACHMENTS ATTACK ATTACKABLE ATTACKED ATTACKER ATTACKERS ATTACKING ATTACKS ATTAIN ATTAINABLE ATTAINABLY ATTAINED ATTAINER ATTAINERS ATTAINING ATTAINMENT ATTAINMENTS ATTAINS ATTEMPT ATTEMPTED ATTEMPTER ATTEMPTERS ATTEMPTING ATTEMPTS ATTEND ATTENDANCE ATTENDANCES ATTENDANT ATTENDANTS ATTENDED ATTENDEE ATTENDEES ATTENDER ATTENDERS ATTENDING ATTENDS ATTENTION ATTENTIONAL ATTENTIONALITY ATTENTIONS ATTENTIVE ATTENTIVELY ATTENTIVENESS ATTENUATE ATTENUATED ATTENUATES ATTENUATING ATTENUATION ATTENUATOR ATTENUATORS ATTEST ATTESTED ATTESTING ATTESTS ATTIC ATTICA ATTICS ATTIRE ATTIRED ATTIRES ATTIRING ATTITUDE ATTITUDES ATTITUDINAL ATTLEE ATTORNEY ATTORNEYS ATTRACT ATTRACTED ATTRACTING ATTRACTION ATTRACTIONS ATTRACTIVE ATTRACTIVELY ATTRACTIVENESS ATTRACTOR ATTRACTORS ATTRACTS ATTRIBUTABLE ATTRIBUTE ATTRIBUTED ATTRIBUTES ATTRIBUTING ATTRIBUTION ATTRIBUTIONS ATTRIBUTIVE ATTRIBUTIVELY ATTRITION ATTUNE ATTUNED ATTUNES ATTUNING ATWATER ATWOOD ATYPICAL ATYPICALLY AUBERGE AUBREY AUBURN AUCKLAND AUCTION AUCTIONEER AUCTIONEERS AUDACIOUS AUDACIOUSLY AUDACIOUSNESS AUDACITY AUDIBLE AUDIBLY AUDIENCE AUDIENCES AUDIO AUDIOGRAM AUDIOGRAMS AUDIOLOGICAL AUDIOLOGIST AUDIOLOGISTS AUDIOLOGY AUDIOMETER AUDIOMETERS AUDIOMETRIC AUDIOMETRY AUDIT AUDITED AUDITING AUDITION AUDITIONED AUDITIONING AUDITIONS AUDITOR AUDITORIUM AUDITORS AUDITORY AUDITS AUDREY AUDUBON AUERBACH AUGEAN AUGER AUGERS AUGHT AUGMENT AUGMENTATION AUGMENTED AUGMENTING AUGMENTS AUGUR AUGURS AUGUST AUGUSTA AUGUSTAN AUGUSTINE AUGUSTLY AUGUSTNESS AUGUSTUS AUNT AUNTS AURA AURAL AURALLY AURAS AURELIUS AUREOLE AUREOMYCIN AURIGA AURORA AUSCHWITZ AUSCULTATE AUSCULTATED AUSCULTATES AUSCULTATING AUSCULTATION AUSCULTATIONS AUSPICE AUSPICES AUSPICIOUS AUSPICIOUSLY AUSTERE AUSTERELY AUSTERITY AUSTIN AUSTRALIA AUSTRALIAN AUSTRALIANIZE AUSTRALIANIZES AUSTRALIS AUSTRIA AUSTRIAN AUSTRIANIZE AUSTRIANIZES AUTHENTIC AUTHENTICALLY AUTHENTICATE AUTHENTICATED AUTHENTICATES AUTHENTICATING AUTHENTICATION AUTHENTICATIONS AUTHENTICATOR AUTHENTICATORS AUTHENTICITY AUTHOR AUTHORED AUTHORING AUTHORITARIAN AUTHORITARIANISM AUTHORITATIVE AUTHORITATIVELY AUTHORITIES AUTHORITY AUTHORIZATION AUTHORIZATIONS AUTHORIZE AUTHORIZED AUTHORIZER AUTHORIZERS AUTHORIZES AUTHORIZING AUTHORS AUTHORSHIP AUTISM AUTISTIC AUTO AUTOBIOGRAPHIC AUTOBIOGRAPHICAL AUTOBIOGRAPHIES AUTOBIOGRAPHY AUTOCOLLIMATOR AUTOCORRELATE AUTOCORRELATION AUTOCRACIES AUTOCRACY AUTOCRAT AUTOCRATIC AUTOCRATICALLY AUTOCRATS AUTODECREMENT AUTODECREMENTED AUTODECREMENTS AUTODIALER AUTOFLUORESCENCE AUTOGRAPH AUTOGRAPHED AUTOGRAPHING AUTOGRAPHS AUTOINCREMENT AUTOINCREMENTED AUTOINCREMENTS AUTOINDEX AUTOINDEXING AUTOMATA AUTOMATE AUTOMATED AUTOMATES AUTOMATIC AUTOMATICALLY AUTOMATING AUTOMATION AUTOMATON AUTOMOBILE AUTOMOBILES AUTOMOTIVE AUTONAVIGATOR AUTONAVIGATORS AUTONOMIC AUTONOMOUS AUTONOMOUSLY AUTONOMY AUTOPILOT AUTOPILOTS AUTOPSIED AUTOPSIES AUTOPSY AUTOREGRESSIVE AUTOS AUTOSUGGESTIBILITY AUTOTRANSFORMER AUTUMN AUTUMNAL AUTUMNS AUXILIARIES AUXILIARY AVAIL AVAILABILITIES AVAILABILITY AVAILABLE AVAILABLY AVAILED AVAILER AVAILERS AVAILING AVAILS AVALANCHE AVALANCHED AVALANCHES AVALANCHING AVANT AVARICE AVARICIOUS AVARICIOUSLY AVENGE AVENGED AVENGER AVENGES AVENGING AVENTINE AVENTINO AVENUE AVENUES AVER AVERAGE AVERAGED AVERAGES AVERAGING AVERNUS AVERRED AVERRER AVERRING AVERS AVERSE AVERSION AVERSIONS AVERT AVERTED AVERTING AVERTS AVERY AVESTA AVIAN AVIARIES AVIARY AVIATION AVIATOR AVIATORS AVID AVIDITY AVIDLY AVIGNON AVIONIC AVIONICS AVIS AVIV AVOCADO AVOCADOS AVOCATION AVOCATIONS AVOGADRO AVOID AVOIDABLE AVOIDABLY AVOIDANCE AVOIDED AVOIDER AVOIDERS AVOIDING AVOIDS AVON AVOUCH AVOW AVOWAL AVOWED AVOWS AWAIT AWAITED AWAITING AWAITS AWAKE AWAKEN AWAKENED AWAKENING AWAKENS AWAKES AWAKING AWARD AWARDED AWARDER AWARDERS AWARDING AWARDS AWARE AWARENESS AWASH AWAY AWE AWED AWESOME AWFUL AWFULLY AWFULNESS AWHILE AWKWARD AWKWARDLY AWKWARDNESS AWL AWLS AWNING AWNINGS AWOKE AWRY AXED AXEL AXER AXERS AXES AXIAL AXIALLY AXING AXIOLOGICAL AXIOM AXIOMATIC AXIOMATICALLY AXIOMATIZATION AXIOMATIZATIONS AXIOMATIZE AXIOMATIZED AXIOMATIZES AXIOMATIZING AXIOMS AXIS AXLE AXLES AXOLOTL AXOLOTLS AXON AXONS AYE AYERS AYES AYLESBURY AZALEA AZALEAS AZERBAIJAN AZIMUTH AZIMUTHS AZORES AZTEC AZTECAN AZURE BABBAGE BABBLE BABBLED BABBLES BABBLING BABCOCK BABE BABEL BABELIZE BABELIZES BABES BABIED BABIES BABKA BABOON BABOONS BABUL BABY BABYHOOD BABYING BABYISH BABYLON BABYLONIAN BABYLONIANS BABYLONIZE BABYLONIZES BABYSIT BABYSITTING BACCALAUREATE BACCHUS BACH BACHELOR BACHELORS BACILLI BACILLUS BACK BACKACHE BACKACHES BACKARROW BACKBEND BACKBENDS BACKBOARD BACKBONE BACKBONES BACKDROP BACKDROPS BACKED BACKER BACKERS BACKFILL BACKFIRING BACKGROUND BACKGROUNDS BACKHAND BACKING BACKLASH BACKLOG BACKLOGGED BACKLOGS BACKORDER BACKPACK BACKPACKS BACKPLANE BACKPLANES BACKPLATE BACKS BACKSCATTER BACKSCATTERED BACKSCATTERING BACKSCATTERS BACKSIDE BACKSLASH BACKSLASHES BACKSPACE BACKSPACED BACKSPACES BACKSPACING BACKSTAGE BACKSTAIRS BACKSTITCH BACKSTITCHED BACKSTITCHES BACKSTITCHING BACKSTOP BACKTRACK BACKTRACKED BACKTRACKER BACKTRACKERS BACKTRACKING BACKTRACKS BACKUP BACKUPS BACKUS BACKWARD BACKWARDNESS BACKWARDS BACKWATER BACKWATERS BACKWOODS BACKYARD BACKYARDS BACON BACTERIA BACTERIAL BACTERIUM BAD BADE BADEN BADGE BADGER BADGERED BADGERING BADGERS BADGES BADLANDS BADLY BADMINTON BADNESS BAFFIN BAFFLE BAFFLED BAFFLER BAFFLERS BAFFLING BAG BAGATELLE BAGATELLES BAGEL BAGELS BAGGAGE BAGGED BAGGER BAGGERS BAGGING BAGGY BAGHDAD BAGLEY BAGPIPE BAGPIPES BAGRODIA BAGRODIAS BAGS BAH BAHAMA BAHAMAS BAHREIN BAIL BAILEY BAILEYS BAILIFF BAILIFFS BAILING BAIRD BAIRDI BAIRN BAIT BAITED BAITER BAITING BAITS BAJA BAKE BAKED BAKELITE BAKER BAKERIES BAKERS BAKERSFIELD BAKERY BAKES BAKHTIARI BAKING BAKLAVA BAKU BALALAIKA BALALAIKAS BALANCE BALANCED BALANCER BALANCERS BALANCES BALANCING BALBOA BALCONIES BALCONY BALD BALDING BALDLY BALDNESS BALDWIN BALE BALEFUL BALER BALES BALFOUR BALI BALINESE BALK BALKAN BALKANIZATION BALKANIZATIONS BALKANIZE BALKANIZED BALKANIZES BALKANIZING BALKANS BALKED BALKINESS BALKING BALKS BALKY BALL BALLAD BALLADS BALLARD BALLARDS BALLAST BALLASTS BALLED BALLER BALLERINA BALLERINAS BALLERS BALLET BALLETS BALLGOWN BALLING BALLISTIC BALLISTICS BALLOON BALLOONED BALLOONER BALLOONERS BALLOONING BALLOONS BALLOT BALLOTS BALLPARK BALLPARKS BALLPLAYER BALLPLAYERS BALLROOM BALLROOMS BALLS BALLYHOO BALM BALMS BALMY BALSA BALSAM BALTIC BALTIMORE BALTIMOREAN BALUSTRADE BALUSTRADES BALZAC BAMAKO BAMBERGER BAMBI BAMBOO BAN BANACH BANAL BANALLY BANANA BANANAS BANBURY BANCROFT BAND BANDAGE BANDAGED BANDAGES BANDAGING BANDED BANDIED BANDIES BANDING BANDIT BANDITS BANDPASS BANDS BANDSTAND BANDSTANDS BANDWAGON BANDWAGONS BANDWIDTH BANDWIDTHS BANDY BANDYING BANE BANEFUL BANG BANGED BANGING BANGLADESH BANGLE BANGLES BANGOR BANGS BANGUI BANISH BANISHED BANISHES BANISHING BANISHMENT BANISTER BANISTERS BANJO BANJOS BANK BANKED BANKER BANKERS BANKING BANKRUPT BANKRUPTCIES BANKRUPTCY BANKRUPTED BANKRUPTING BANKRUPTS BANKS BANNED BANNER BANNERS BANNING BANQUET BANQUETING BANQUETINGS BANQUETS BANS BANSHEE BANSHEES BANTAM BANTER BANTERED BANTERING BANTERS BANTU BANTUS BAPTISM BAPTISMAL BAPTISMS BAPTIST BAPTISTE BAPTISTERY BAPTISTRIES BAPTISTRY BAPTISTS BAPTIZE BAPTIZED BAPTIZES BAPTIZING BAR BARB BARBADOS BARBARA BARBARIAN BARBARIANS BARBARIC BARBARISM BARBARITIES BARBARITY BARBAROUS BARBAROUSLY BARBECUE BARBECUED BARBECUES BARBED BARBELL BARBELLS BARBER BARBITAL BARBITURATE BARBITURATES BARBOUR BARBS BARCELONA BARCLAY BARD BARDS BARE BARED BAREFACED BAREFOOT BAREFOOTED BARELY BARENESS BARER BARES BAREST BARFLIES BARFLY BARGAIN BARGAINED BARGAINING BARGAINS BARGE BARGES BARGING BARHOP BARING BARITONE BARITONES BARIUM BARK BARKED BARKER BARKERS BARKING BARKS BARLEY BARLOW BARN BARNABAS BARNARD BARNES BARNET BARNETT BARNEY BARNHARD BARNS BARNSTORM BARNSTORMED BARNSTORMING BARNSTORMS BARNUM BARNYARD BARNYARDS BAROMETER BAROMETERS BAROMETRIC BARON BARONESS BARONIAL BARONIES BARONS BARONY BAROQUE BAROQUENESS BARR BARRACK BARRACKS BARRAGE BARRAGES BARRED BARREL BARRELLED BARRELLING BARRELS BARREN BARRENNESS BARRETT BARRICADE BARRICADES BARRIER BARRIERS BARRING BARRINGER BARRINGTON BARRON BARROW BARRY BARRYMORE BARRYMORES BARS BARSTOW BART BARTENDER BARTENDERS BARTER BARTERED BARTERING BARTERS BARTH BARTHOLOMEW BARTLETT BARTOK BARTON BASAL BASALT BASCOM BASE BASEBALL BASEBALLS BASEBAND BASEBOARD BASEBOARDS BASED BASEL BASELESS BASELINE BASELINES BASELY BASEMAN BASEMENT BASEMENTS BASENESS BASER BASES BASH BASHED BASHES BASHFUL BASHFULNESS BASHING BASIC BASIC BASIC BASICALLY BASICS BASIE BASIL BASIN BASING BASINS BASIS BASK BASKED BASKET BASKETBALL BASKETBALLS BASKETS BASKING BASQUE BASS BASSES BASSET BASSETT BASSINET BASSINETS BASTARD BASTARDS BASTE BASTED BASTES BASTING BASTION BASTIONS BAT BATAVIA BATCH BATCHED BATCHELDER BATCHES BATEMAN BATES BATH BATHE BATHED BATHER BATHERS BATHES BATHING BATHOS BATHROBE BATHROBES BATHROOM BATHROOMS BATHS BATHTUB BATHTUBS BATHURST BATISTA BATON BATONS BATOR BATS BATTALION BATTALIONS BATTED BATTELLE BATTEN BATTENS BATTER BATTERED BATTERIES BATTERING BATTERS BATTERY BATTING BATTLE BATTLED BATTLEFIELD BATTLEFIELDS BATTLEFRONT BATTLEFRONTS BATTLEGROUND BATTLEGROUNDS BATTLEMENT BATTLEMENTS BATTLER BATTLERS BATTLES BATTLESHIP BATTLESHIPS BATTLING BAUBLE BAUBLES BAUD BAUDELAIRE BAUER BAUHAUS BAUSCH BAUXITE BAVARIA BAVARIAN BAWDY BAWL BAWLED BAWLING BAWLS BAXTER BAY BAYDA BAYED BAYES BAYESIAN BAYING BAYLOR BAYONET BAYONETS BAYONNE BAYOU BAYOUS BAYPORT BAYREUTH BAYS BAZAAR BAZAARS BEACH BEACHED BEACHES BEACHHEAD BEACHHEADS BEACHING BEACON BEACONS BEAD BEADED BEADING BEADLE BEADLES BEADS BEADY BEAGLE BEAGLES BEAK BEAKED BEAKER BEAKERS BEAKS BEAM BEAMED BEAMER BEAMERS BEAMING BEAMS BEAN BEANBAG BEANED BEANER BEANERS BEANING BEANS BEAR BEARABLE BEARABLY BEARD BEARDED BEARDLESS BEARDS BEARDSLEY BEARER BEARERS BEARING BEARINGS BEARISH BEARS BEAST BEASTLY BEASTS BEAT BEATABLE BEATABLY BEATEN BEATER BEATERS BEATIFIC BEATIFICATION BEATIFY BEATING BEATINGS BEATITUDE BEATITUDES BEATNIK BEATNIKS BEATRICE BEATS BEAU BEAUCHAMPS BEAUJOLAIS BEAUMONT BEAUREGARD BEAUS BEAUTEOUS BEAUTEOUSLY BEAUTIES BEAUTIFICATIONS BEAUTIFIED BEAUTIFIER BEAUTIFIERS BEAUTIFIES BEAUTIFUL BEAUTIFULLY BEAUTIFY BEAUTIFYING BEAUTY BEAVER BEAVERS BEAVERTON BECALM BECALMED BECALMING BECALMS BECAME BECAUSE BECHTEL BECK BECKER BECKMAN BECKON BECKONED BECKONING BECKONS BECKY BECOME BECOMES BECOMING BECOMINGLY BED BEDAZZLE BEDAZZLED BEDAZZLEMENT BEDAZZLES BEDAZZLING BEDBUG BEDBUGS BEDDED BEDDER BEDDERS BEDDING BEDEVIL BEDEVILED BEDEVILING BEDEVILS BEDFAST BEDFORD BEDLAM BEDPOST BEDPOSTS BEDRAGGLE BEDRAGGLED BEDRIDDEN BEDROCK BEDROOM BEDROOMS BEDS BEDSIDE BEDSPREAD BEDSPREADS BEDSPRING BEDSPRINGS BEDSTEAD BEDSTEADS BEDTIME BEE BEEBE BEECH BEECHAM BEECHEN BEECHER BEEF BEEFED BEEFER BEEFERS BEEFING BEEFS BEEFSTEAK BEEFY BEEHIVE BEEHIVES BEEN BEEP BEEPS BEER BEERS BEES BEET BEETHOVEN BEETLE BEETLED BEETLES BEETLING BEETS BEFALL BEFALLEN BEFALLING BEFALLS BEFELL BEFIT BEFITS BEFITTED BEFITTING BEFOG BEFOGGED BEFOGGING BEFORE BEFOREHAND BEFOUL BEFOULED BEFOULING BEFOULS BEFRIEND BEFRIENDED BEFRIENDING BEFRIENDS BEFUDDLE BEFUDDLED BEFUDDLES BEFUDDLING BEG BEGAN BEGET BEGETS BEGETTING BEGGAR BEGGARLY BEGGARS BEGGARY BEGGED BEGGING BEGIN BEGINNER BEGINNERS BEGINNING BEGINNINGS BEGINS BEGOT BEGOTTEN BEGRUDGE BEGRUDGED BEGRUDGES BEGRUDGING BEGRUDGINGLY BEGS BEGUILE BEGUILED BEGUILES BEGUILING BEGUN BEHALF BEHAVE BEHAVED BEHAVES BEHAVING BEHAVIOR BEHAVIORAL BEHAVIORALLY BEHAVIORISM BEHAVIORISTIC BEHAVIORS BEHEAD BEHEADING BEHELD BEHEMOTH BEHEMOTHS BEHEST BEHIND BEHOLD BEHOLDEN BEHOLDER BEHOLDERS BEHOLDING BEHOLDS BEHOOVE BEHOOVES BEIGE BEIJING BEING BEINGS BEIRUT BELA BELABOR BELABORED BELABORING BELABORS BELATED BELATEDLY BELAY BELAYED BELAYING BELAYS BELCH BELCHED BELCHES BELCHING BELFAST BELFRIES BELFRY BELGIAN BELGIANS BELGIUM BELGRADE BELIE BELIED BELIEF BELIEFS BELIES BELIEVABLE BELIEVABLY BELIEVE BELIEVED BELIEVER BELIEVERS BELIEVES BELIEVING BELITTLE BELITTLED BELITTLES BELITTLING BELIZE BELL BELLA BELLAMY BELLATRIX BELLBOY BELLBOYS BELLE BELLES BELLEVILLE BELLHOP BELLHOPS BELLICOSE BELLICOSITY BELLIES BELLIGERENCE BELLIGERENT BELLIGERENTLY BELLIGERENTS BELLINGHAM BELLINI BELLMAN BELLMEN BELLOVIN BELLOW BELLOWED BELLOWING BELLOWS BELLS BELLUM BELLWETHER BELLWETHERS BELLWOOD BELLY BELLYACHE BELLYFULL BELMONT BELOIT BELONG BELONGED BELONGING BELONGINGS BELONGS BELOVED BELOW BELSHAZZAR BELT BELTED BELTING BELTON BELTS BELTSVILLE BELUSHI BELY BELYING BEMOAN BEMOANED BEMOANING BEMOANS BEN BENARES BENCH BENCHED BENCHES BENCHMARK BENCHMARKING BENCHMARKS BEND BENDABLE BENDER BENDERS BENDING BENDIX BENDS BENEATH BENEDICT BENEDICTINE BENEDICTION BENEDICTIONS BENEDIKT BENEFACTOR BENEFACTORS BENEFICENCE BENEFICENCES BENEFICENT BENEFICIAL BENEFICIALLY BENEFICIARIES BENEFICIARY BENEFIT BENEFITED BENEFITING BENEFITS BENEFITTED BENEFITTING BENELUX BENEVOLENCE BENEVOLENT BENGAL BENGALI BENIGHTED BENIGN BENIGNLY BENJAMIN BENNETT BENNINGTON BENNY BENSON BENT BENTHAM BENTLEY BENTLEYS BENTON BENZ BENZEDRINE BENZENE BEOGRAD BEOWULF BEQUEATH BEQUEATHAL BEQUEATHED BEQUEATHING BEQUEATHS BEQUEST BEQUESTS BERATE BERATED BERATES BERATING BEREA BEREAVE BEREAVED BEREAVEMENT BEREAVEMENTS BEREAVES BEREAVING BEREFT BERENICES BERESFORD BERET BERETS BERGEN BERGLAND BERGLUND BERGMAN BERGSON BERGSTEN BERGSTROM BERIBBONED BERIBERI BERINGER BERKELEY BERKELIUM BERKOWITZ BERKSHIRE BERKSHIRES BERLIN BERLINER BERLINERS BERLINIZE BERLINIZES BERLIOZ BERLITZ BERMAN BERMUDA BERN BERNADINE BERNARD BERNARDINE BERNARDINO BERNARDO BERNE BERNET BERNHARD BERNICE BERNIE BERNIECE BERNINI BERNOULLI BERNSTEIN BERRA BERRIES BERRY BERSERK BERT BERTH BERTHA BERTHS BERTIE BERTRAM BERTRAND BERWICK BERYL BERYLLIUM BESEECH BESEECHES BESEECHING BESET BESETS BESETTING BESIDE BESIDES BESIEGE BESIEGED BESIEGER BESIEGERS BESIEGING BESMIRCH BESMIRCHED BESMIRCHES BESMIRCHING BESOTTED BESOTTER BESOTTING BESOUGHT BESPEAK BESPEAKS BESPECTACLED BESPOKE BESS BESSEL BESSEMER BESSEMERIZE BESSEMERIZES BESSIE BEST BESTED BESTIAL BESTING BESTIR BESTIRRING BESTOW BESTOWAL BESTOWED BESTS BESTSELLER BESTSELLERS BESTSELLING BET BETA BETATRON BETEL BETELGEUSE BETHESDA BETHLEHEM BETIDE BETRAY BETRAYAL BETRAYED BETRAYER BETRAYING BETRAYS BETROTH BETROTHAL BETROTHED BETS BETSEY BETSY BETTE BETTER BETTERED BETTERING BETTERMENT BETTERMENTS BETTERS BETTIES BETTING BETTY BETWEEN BETWIXT BEVEL BEVELED BEVELING BEVELS BEVERAGE BEVERAGES BEVERLY BEVY BEWAIL BEWAILED BEWAILING BEWAILS BEWARE BEWHISKERED BEWILDER BEWILDERED BEWILDERING BEWILDERINGLY BEWILDERMENT BEWILDERS BEWITCH BEWITCHED BEWITCHES BEWITCHING BEYOND BHUTAN BIALYSTOK BIANCO BIANNUAL BIAS BIASED BIASES BIASING BIB BIBBED BIBBING BIBLE BIBLES BIBLICAL BIBLICALLY BIBLIOGRAPHIC BIBLIOGRAPHICAL BIBLIOGRAPHIES BIBLIOGRAPHY BIBLIOPHILE BIBS BICAMERAL BICARBONATE BICENTENNIAL BICEP BICEPS BICKER BICKERED BICKERING BICKERS BICONCAVE BICONNECTED BICONVEX BICYCLE BICYCLED BICYCLER BICYCLERS BICYCLES BICYCLING BID BIDDABLE BIDDEN BIDDER BIDDERS BIDDIES BIDDING BIDDLE BIDDY BIDE BIDIRECTIONAL BIDS BIEN BIENNIAL BIENNIUM BIENVILLE BIER BIERCE BIFOCAL BIFOCALS BIFURCATE BIG BIGELOW BIGGER BIGGEST BIGGS BIGHT BIGHTS BIGNESS BIGOT BIGOTED BIGOTRY BIGOTS BIHARMONIC BIJECTION BIJECTIONS BIJECTIVE BIJECTIVELY BIKE BIKES BIKING BIKINI BIKINIS BILABIAL BILATERAL BILATERALLY BILBAO BILBO BILE BILGE BILGES BILINEAR BILINGUAL BILK BILKED BILKING BILKS BILL BILLBOARD BILLBOARDS BILLED BILLER BILLERS BILLET BILLETED BILLETING BILLETS BILLIARD BILLIARDS BILLIE BILLIKEN BILLIKENS BILLING BILLINGS BILLION BILLIONS BILLIONTH BILLOW BILLOWED BILLOWS BILLS BILTMORE BIMETALLIC BIMETALLISM BIMINI BIMODAL BIMOLECULAR BIMONTHLIES BIMONTHLY BIN BINARIES BINARY BINAURAL BIND BINDER BINDERS BINDING BINDINGS BINDS BING BINGE BINGES BINGHAM BINGHAMTON BINGO BINI BINOCULAR BINOCULARS BINOMIAL BINS BINUCLEAR BIOCHEMICAL BIOCHEMIST BIOCHEMISTRY BIOFEEDBACK BIOGRAPHER BIOGRAPHERS BIOGRAPHIC BIOGRAPHICAL BIOGRAPHICALLY BIOGRAPHIES BIOGRAPHY BIOLOGICAL BIOLOGICALLY BIOLOGIST BIOLOGISTS BIOLOGY BIOMEDICAL BIOMEDICINE BIOPHYSICAL BIOPHYSICIST BIOPHYSICS BIOPSIES BIOPSY BIOSCIENCE BIOSPHERE BIOSTATISTIC BIOSYNTHESIZE BIOTA BIOTIC BIPARTISAN BIPARTITE BIPED BIPEDS BIPLANE BIPLANES BIPOLAR BIRACIAL BIRCH BIRCHEN BIRCHES BIRD BIRDBATH BIRDBATHS BIRDIE BIRDIED BIRDIES BIRDLIKE BIRDS BIREFRINGENCE BIREFRINGENT BIRGIT BIRMINGHAM BIRMINGHAMIZE BIRMINGHAMIZES BIRTH BIRTHDAY BIRTHDAYS BIRTHED BIRTHPLACE BIRTHPLACES BIRTHRIGHT BIRTHRIGHTS BIRTHS BISCAYNE BISCUIT BISCUITS BISECT BISECTED BISECTING BISECTION BISECTIONS BISECTOR BISECTORS BISECTS BISHOP BISHOPS BISMARCK BISMARK BISMUTH BISON BISONS BISQUE BISQUES BISSAU BISTABLE BISTATE BIT BITCH BITCHES BITE BITER BITERS BITES BITING BITINGLY BITMAP BITNET BITS BITTEN BITTER BITTERER BITTEREST BITTERLY BITTERNESS BITTERNUT BITTERROOT BITTERS BITTERSWEET BITUMEN BITUMINOUS BITWISE BIVALVE BIVALVES BIVARIATE BIVOUAC BIVOUACS BIWEEKLY BIZARRE BIZET BLAB BLABBED BLABBERMOUTH BLABBERMOUTHS BLABBING BLABS BLACK BLACKBERRIES BLACKBERRY BLACKBIRD BLACKBIRDS BLACKBOARD BLACKBOARDS BLACKBURN BLACKED BLACKEN BLACKENED BLACKENING BLACKENS BLACKER BLACKEST BLACKFEET BLACKFOOT BLACKFOOTS BLACKING BLACKJACK BLACKJACKS BLACKLIST BLACKLISTED BLACKLISTING BLACKLISTS BLACKLY BLACKMAIL BLACKMAILED BLACKMAILER BLACKMAILERS BLACKMAILING BLACKMAILS BLACKMAN BLACKMER BLACKNESS BLACKOUT BLACKOUTS BLACKS BLACKSMITH BLACKSMITHS BLACKSTONE BLACKWELL BLACKWELLS BLADDER BLADDERS BLADE BLADES BLAINE BLAIR BLAKE BLAKEY BLAMABLE BLAME BLAMED BLAMELESS BLAMELESSNESS BLAMER BLAMERS BLAMES BLAMEWORTHY BLAMING BLANCH BLANCHARD BLANCHE BLANCHED BLANCHES BLANCHING BLAND BLANDLY BLANDNESS BLANK BLANKED BLANKER BLANKEST BLANKET BLANKETED BLANKETER BLANKETERS BLANKETING BLANKETS BLANKING BLANKLY BLANKNESS BLANKS BLANTON BLARE BLARED BLARES BLARING BLASE BLASPHEME BLASPHEMED BLASPHEMES BLASPHEMIES BLASPHEMING BLASPHEMOUS BLASPHEMOUSLY BLASPHEMOUSNESS BLASPHEMY BLAST BLASTED BLASTER BLASTERS BLASTING BLASTS BLATANT BLATANTLY BLATZ BLAZE BLAZED BLAZER BLAZERS BLAZES BLAZING BLEACH BLEACHED BLEACHER BLEACHERS BLEACHES BLEACHING BLEAK BLEAKER BLEAKLY BLEAKNESS BLEAR BLEARY BLEAT BLEATING BLEATS BLED BLEED BLEEDER BLEEDING BLEEDINGS BLEEDS BLEEKER BLEMISH BLEMISHES BLEND BLENDED BLENDER BLENDING BLENDS BLENHEIM BLESS BLESSED BLESSING BLESSINGS BLEW BLIGHT BLIGHTED BLIMP BLIMPS BLIND BLINDED BLINDER BLINDERS BLINDFOLD BLINDFOLDED BLINDFOLDING BLINDFOLDS BLINDING BLINDINGLY BLINDLY BLINDNESS BLINDS BLINK BLINKED BLINKER BLINKERS BLINKING BLINKS BLINN BLIP BLIPS BLISS BLISSFUL BLISSFULLY BLISTER BLISTERED BLISTERING BLISTERS BLITHE BLITHELY BLITZ BLITZES BLITZKRIEG BLIZZARD BLIZZARDS BLOAT BLOATED BLOATER BLOATING BLOATS BLOB BLOBS BLOC BLOCH BLOCK BLOCKADE BLOCKADED BLOCKADES BLOCKADING BLOCKAGE BLOCKAGES BLOCKED BLOCKER BLOCKERS BLOCKHOUSE BLOCKHOUSES BLOCKING BLOCKS BLOCS BLOKE BLOKES BLOMBERG BLOMQUIST BLOND BLONDE BLONDES BLONDS BLOOD BLOODBATH BLOODED BLOODHOUND BLOODHOUNDS BLOODIED BLOODIEST BLOODLESS BLOODS BLOODSHED BLOODSHOT BLOODSTAIN BLOODSTAINED BLOODSTAINS BLOODSTREAM BLOODY BLOOM BLOOMED BLOOMERS BLOOMFIELD BLOOMING BLOOMINGTON BLOOMS BLOOPER BLOSSOM BLOSSOMED BLOSSOMS BLOT BLOTS BLOTTED BLOTTING BLOUSE BLOUSES BLOW BLOWER BLOWERS BLOWFISH BLOWING BLOWN BLOWOUT BLOWS BLOWUP BLUBBER BLUDGEON BLUDGEONED BLUDGEONING BLUDGEONS BLUE BLUEBERRIES BLUEBERRY BLUEBIRD BLUEBIRDS BLUEBONNET BLUEBONNETS BLUEFISH BLUENESS BLUEPRINT BLUEPRINTS BLUER BLUES BLUEST BLUESTOCKING BLUFF BLUFFING BLUFFS BLUING BLUISH BLUM BLUMENTHAL BLUNDER BLUNDERBUSS BLUNDERED BLUNDERING BLUNDERINGS BLUNDERS BLUNT BLUNTED BLUNTER BLUNTEST BLUNTING BLUNTLY BLUNTNESS BLUNTS BLUR BLURB BLURRED BLURRING BLURRY BLURS BLURT BLURTED BLURTING BLURTS BLUSH BLUSHED BLUSHES BLUSHING BLUSTER BLUSTERED BLUSTERING BLUSTERS BLUSTERY BLYTHE BOA BOAR BOARD BOARDED BOARDER BOARDERS BOARDING BOARDINGHOUSE BOARDINGHOUSES BOARDS BOARSH BOAST BOASTED BOASTER BOASTERS BOASTFUL BOASTFULLY BOASTING BOASTINGS BOASTS BOAT BOATER BOATERS BOATHOUSE BOATHOUSES BOATING BOATLOAD BOATLOADS BOATMAN BOATMEN BOATS BOATSMAN BOATSMEN BOATSWAIN BOATSWAINS BOATYARD BOATYARDS BOB BOBBED BOBBIE BOBBIN BOBBING BOBBINS BOBBSEY BOBBY BOBOLINK BOBOLINKS BOBROW BOBS BOBWHITE BOBWHITES BOCA BODE BODENHEIM BODES BODICE BODIED BODIES BODILY BODLEIAN BODY BODYBUILDER BODYBUILDERS BODYBUILDING BODYGUARD BODYGUARDS BODYWEIGHT BOEING BOEOTIA BOEOTIAN BOER BOERS BOG BOGART BOGARTIAN BOGEYMEN BOGGED BOGGLE BOGGLED BOGGLES BOGGLING BOGOTA BOGS BOGUS BOHEME BOHEMIA BOHEMIAN BOHEMIANISM BOHR BOIL BOILED BOILER BOILERPLATE BOILERS BOILING BOILS BOIS BOISE BOISTEROUS BOISTEROUSLY BOLD BOLDER BOLDEST BOLDFACE BOLDLY BOLDNESS BOLIVIA BOLIVIAN BOLL BOLOGNA BOLSHEVIK BOLSHEVIKS BOLSHEVISM BOLSHEVIST BOLSHEVISTIC BOLSHOI BOLSTER BOLSTERED BOLSTERING BOLSTERS BOLT BOLTED BOLTING BOLTON BOLTS BOLTZMANN BOMB BOMBARD BOMBARDED BOMBARDING BOMBARDMENT BOMBARDS BOMBAST BOMBASTIC BOMBAY BOMBED BOMBER BOMBERS BOMBING BOMBINGS BOMBPROOF BOMBS BONANZA BONANZAS BONAPARTE BONAVENTURE BOND BONDAGE BONDED BONDER BONDERS BONDING BONDS BONDSMAN BONDSMEN BONE BONED BONER BONERS BONES BONFIRE BONFIRES BONG BONHAM BONIFACE BONING BONN BONNET BONNETED BONNETS BONNEVILLE BONNIE BONNY BONTEMPO BONUS BONUSES BONY BOO BOOB BOOBOO BOOBY BOOK BOOKCASE BOOKCASES BOOKED BOOKER BOOKERS BOOKIE BOOKIES BOOKING BOOKINGS BOOKISH BOOKKEEPER BOOKKEEPERS BOOKKEEPING BOOKLET BOOKLETS BOOKMARK BOOKS BOOKSELLER BOOKSELLERS BOOKSHELF BOOKSHELVES BOOKSTORE BOOKSTORES BOOKWORM BOOLEAN BOOLEANS BOOM BOOMED BOOMERANG BOOMERANGS BOOMING BOOMS BOON BOONE BOONTON BOOR BOORISH BOORS BOOS BOOST BOOSTED BOOSTER BOOSTING BOOSTS BOOT BOOTABLE BOOTED BOOTES BOOTH BOOTHS BOOTING BOOTLE BOOTLEG BOOTLEGGED BOOTLEGGER BOOTLEGGERS BOOTLEGGING BOOTLEGS BOOTS BOOTSTRAP BOOTSTRAPPED BOOTSTRAPPING BOOTSTRAPS BOOTY BOOZE BORATE BORATES BORAX BORDEAUX BORDELLO BORDELLOS BORDEN BORDER BORDERED BORDERING BORDERINGS BORDERLAND BORDERLANDS BORDERLINE BORDERS BORE BOREALIS BOREAS BORED BOREDOM BORER BORES BORG BORIC BORING BORIS BORN BORNE BORNEO BORON BOROUGH BOROUGHS BORROUGHS BORROW BORROWED BORROWER BORROWERS BORROWING BORROWS BOSCH BOSE BOSOM BOSOMS BOSPORUS BOSS BOSSED BOSSES BOSTITCH BOSTON BOSTONIAN BOSTONIANS BOSUN BOSWELL BOSWELLIZE BOSWELLIZES BOTANICAL BOTANIST BOTANISTS BOTANY BOTCH BOTCHED BOTCHER BOTCHERS BOTCHES BOTCHING BOTH BOTHER BOTHERED BOTHERING BOTHERS BOTHERSOME BOTSWANA BOTTLE BOTTLED BOTTLENECK BOTTLENECKS BOTTLER BOTTLERS BOTTLES BOTTLING BOTTOM BOTTOMED BOTTOMING BOTTOMLESS BOTTOMS BOTULINUS BOTULISM BOUCHER BOUFFANT BOUGH BOUGHS BOUGHT BOULDER BOULDERS BOULEVARD BOULEVARDS BOUNCE BOUNCED BOUNCER BOUNCES BOUNCING BOUNCY BOUND BOUNDARIES BOUNDARY BOUNDED BOUNDEN BOUNDING BOUNDLESS BOUNDLESSNESS BOUNDS BOUNTEOUS BOUNTEOUSLY BOUNTIES BOUNTIFUL BOUNTY BOUQUET BOUQUETS BOURBAKI BOURBON BOURGEOIS BOURGEOISIE BOURNE BOUSTROPHEDON BOUSTROPHEDONIC BOUT BOUTIQUE BOUTS BOUVIER BOVINE BOVINES BOW BOWDITCH BOWDLERIZE BOWDLERIZED BOWDLERIZES BOWDLERIZING BOWDOIN BOWED BOWEL BOWELS BOWEN BOWER BOWERS BOWES BOWING BOWL BOWLED BOWLER BOWLERS BOWLINE BOWLINES BOWLING BOWLS BOWMAN BOWS BOWSTRING BOWSTRINGS BOX BOXCAR BOXCARS BOXED BOXER BOXERS BOXES BOXFORD BOXING BOXTOP BOXTOPS BOXWOOD BOY BOYCE BOYCOTT BOYCOTTED BOYCOTTS BOYD BOYFRIEND BOYFRIENDS BOYHOOD BOYISH BOYISHNESS BOYLE BOYLSTON BOYS BRA BRACE BRACED BRACELET BRACELETS BRACES BRACING BRACKET BRACKETED BRACKETING BRACKETS BRACKISH BRADBURY BRADFORD BRADLEY BRADSHAW BRADY BRAE BRAES BRAG BRAGG BRAGGED BRAGGER BRAGGING BRAGS BRAHMAPUTRA BRAHMS BRAHMSIAN BRAID BRAIDED BRAIDING BRAIDS BRAILLE BRAIN BRAINARD BRAINARDS BRAINCHILD BRAINED BRAINING BRAINS BRAINSTEM BRAINSTEMS BRAINSTORM BRAINSTORMS BRAINWASH BRAINWASHED BRAINWASHES BRAINWASHING BRAINY BRAKE BRAKED BRAKEMAN BRAKES BRAKING BRAMBLE BRAMBLES BRAMBLY BRAN BRANCH BRANCHED BRANCHES BRANCHING BRANCHINGS BRANCHVILLE BRAND BRANDED BRANDEIS BRANDEL BRANDENBURG BRANDING BRANDISH BRANDISHES BRANDISHING BRANDON BRANDS BRANDT BRANDY BRANDYWINE BRANIFF BRANNON BRAS BRASH BRASHLY BRASHNESS BRASILIA BRASS BRASSES BRASSIERE BRASSTOWN BRASSY BRAT BRATS BRAUN BRAVADO BRAVE BRAVED BRAVELY BRAVENESS BRAVER BRAVERY BRAVES BRAVEST BRAVING BRAVO BRAVOS BRAWL BRAWLER BRAWLING BRAWN BRAY BRAYED BRAYER BRAYING BRAYS BRAZE BRAZED BRAZEN BRAZENLY BRAZENNESS BRAZES BRAZIER BRAZIERS BRAZIL BRAZILIAN BRAZING BRAZZAVILLE BREACH BREACHED BREACHER BREACHERS BREACHES BREACHING BREAD BREADBOARD BREADBOARDS BREADBOX BREADBOXES BREADED BREADING BREADS BREADTH BREADWINNER BREADWINNERS BREAK BREAKABLE BREAKABLES BREAKAGE BREAKAWAY BREAKDOWN BREAKDOWNS BREAKER BREAKERS BREAKFAST BREAKFASTED BREAKFASTER BREAKFASTERS BREAKFASTING BREAKFASTS BREAKING BREAKPOINT BREAKPOINTS BREAKS BREAKTHROUGH BREAKTHROUGHES BREAKTHROUGHS BREAKUP BREAKWATER BREAKWATERS BREAST BREASTED BREASTS BREASTWORK BREASTWORKS BREATH BREATHABLE BREATHE BREATHED BREATHER BREATHERS BREATHES BREATHING BREATHLESS BREATHLESSLY BREATHS BREATHTAKING BREATHTAKINGLY BREATHY BRED BREECH BREECHES BREED BREEDER BREEDING BREEDS BREEZE BREEZES BREEZILY BREEZY BREMEN BREMSSTRAHLUNG BRENDA BRENDAN BRENNAN BRENNER BRENT BRESENHAM BREST BRETHREN BRETON BRETONS BRETT BREVE BREVET BREVETED BREVETING BREVETS BREVITY BREW BREWED BREWER BREWERIES BREWERS BREWERY BREWING BREWS BREWSTER BRIAN BRIAR BRIARS BRIBE BRIBED BRIBER BRIBERS BRIBERY BRIBES BRIBING BRICE BRICK BRICKBAT BRICKED BRICKER BRICKLAYER BRICKLAYERS BRICKLAYING BRICKS BRIDAL BRIDE BRIDEGROOM BRIDES BRIDESMAID BRIDESMAIDS BRIDEWELL BRIDGE BRIDGEABLE BRIDGED BRIDGEHEAD BRIDGEHEADS BRIDGEPORT BRIDGES BRIDGET BRIDGETOWN BRIDGEWATER BRIDGEWORK BRIDGING BRIDLE BRIDLED BRIDLES BRIDLING BRIE BRIEF BRIEFCASE BRIEFCASES BRIEFED BRIEFER BRIEFEST BRIEFING BRIEFINGS BRIEFLY BRIEFNESS BRIEFS BRIEN BRIER BRIG BRIGADE BRIGADES BRIGADIER BRIGADIERS BRIGADOON BRIGANTINE BRIGGS BRIGHAM BRIGHT BRIGHTEN BRIGHTENED BRIGHTENER BRIGHTENERS BRIGHTENING BRIGHTENS BRIGHTER BRIGHTEST BRIGHTLY BRIGHTNESS BRIGHTON BRIGS BRILLIANCE BRILLIANCY BRILLIANT BRILLIANTLY BRILLOUIN BRIM BRIMFUL BRIMMED BRIMMING BRIMSTONE BRINDISI BRINDLE BRINDLED BRINE BRING BRINGER BRINGERS BRINGING BRINGS BRINK BRINKLEY BRINKMANSHIP BRINY BRISBANE BRISK BRISKER BRISKLY BRISKNESS BRISTLE BRISTLED BRISTLES BRISTLING BRISTOL BRITAIN BRITANNIC BRITANNICA BRITCHES BRITISH BRITISHER BRITISHLY BRITON BRITONS BRITTANY BRITTEN BRITTLE BRITTLENESS BROACH BROACHED BROACHES BROACHING BROAD BROADBAND BROADCAST BROADCASTED BROADCASTER BROADCASTERS BROADCASTING BROADCASTINGS BROADCASTS BROADEN BROADENED BROADENER BROADENERS BROADENING BROADENINGS BROADENS BROADER BROADEST BROADLY BROADNESS BROADSIDE BROADWAY BROCADE BROCADED BROCCOLI BROCHURE BROCHURES BROCK BROGLIE BROIL BROILED BROILER BROILERS BROILING BROILS BROKE BROKEN BROKENLY BROKENNESS BROKER BROKERAGE BROKERS BROMFIELD BROMIDE BROMIDES BROMINE BROMLEY BRONCHI BRONCHIAL BRONCHIOLE BRONCHIOLES BRONCHITIS BRONCHUS BRONTOSAURUS BRONX BRONZE BRONZED BRONZES BROOCH BROOCHES BROOD BROODER BROODING BROODS BROOK BROOKDALE BROOKE BROOKED BROOKFIELD BROOKHAVEN BROOKLINE BROOKLYN BROOKMONT BROOKS BROOM BROOMS BROOMSTICK BROOMSTICKS BROTH BROTHEL BROTHELS BROTHER BROTHERHOOD BROTHERLINESS BROTHERLY BROTHERS BROUGHT BROW BROWBEAT BROWBEATEN BROWBEATING BROWBEATS BROWN BROWNE BROWNED BROWNELL BROWNER BROWNEST BROWNIAN BROWNIE BROWNIES BROWNING BROWNISH BROWNNESS BROWNS BROWS BROWSE BROWSING BRUCE BRUCKNER BRUEGEL BRUISE BRUISED BRUISES BRUISING BRUMIDI BRUNCH BRUNCHES BRUNETTE BRUNHILDE BRUNO BRUNSWICK BRUNT BRUSH BRUSHED BRUSHES BRUSHFIRE BRUSHFIRES BRUSHING BRUSHLIKE BRUSHY BRUSQUE BRUSQUELY BRUSSELS BRUTAL BRUTALITIES BRUTALITY BRUTALIZE BRUTALIZED BRUTALIZES BRUTALIZING BRUTALLY BRUTE BRUTES BRUTISH BRUXELLES BRYAN BRYANT BRYCE BRYN BUBBLE BUBBLED BUBBLES BUBBLING BUBBLY BUCHANAN BUCHAREST BUCHENWALD BUCHWALD BUCK BUCKBOARD BUCKBOARDS BUCKED BUCKET BUCKETS BUCKING BUCKLE BUCKLED BUCKLER BUCKLES BUCKLEY BUCKLING BUCKNELL BUCKS BUCKSHOT BUCKSKIN BUCKSKINS BUCKWHEAT BUCKY BUCOLIC BUD BUDAPEST BUDD BUDDED BUDDHA BUDDHISM BUDDHIST BUDDHISTS BUDDIES BUDDING BUDDY BUDGE BUDGED BUDGES BUDGET BUDGETARY BUDGETED BUDGETER BUDGETERS BUDGETING BUDGETS BUDGING BUDS BUDWEISER BUDWEISERS BUEHRING BUENA BUENOS BUFF BUFFALO BUFFALOES BUFFER BUFFERED BUFFERING BUFFERS BUFFET BUFFETED BUFFETING BUFFETINGS BUFFETS BUFFOON BUFFOONS BUFFS BUG BUGABOO BUGATTI BUGEYED BUGGED BUGGER BUGGERS BUGGIES BUGGING BUGGY BUGLE BUGLED BUGLER BUGLES BUGLING BUGS BUICK BUILD BUILDER BUILDERS BUILDING BUILDINGS BUILDS BUILDUP BUILDUPS BUILT BUILTIN BUJUMBURA BULB BULBA BULBS BULGARIA BULGARIAN BULGE BULGED BULGING BULK BULKED BULKHEAD BULKHEADS BULKS BULKY BULL BULLDOG BULLDOGS BULLDOZE BULLDOZED BULLDOZER BULLDOZES BULLDOZING BULLED BULLET BULLETIN BULLETINS BULLETS BULLFROG BULLIED BULLIES BULLING BULLION BULLISH BULLOCK BULLS BULLSEYE BULLY BULLYING BULWARK BUM BUMBLE BUMBLEBEE BUMBLEBEES BUMBLED BUMBLER BUMBLERS BUMBLES BUMBLING BUMBRY BUMMED BUMMING BUMP BUMPED BUMPER BUMPERS BUMPING BUMPS BUMPTIOUS BUMPTIOUSLY BUMPTIOUSNESS BUMS BUN BUNCH BUNCHED BUNCHES BUNCHING BUNDESTAG BUNDLE BUNDLED BUNDLES BUNDLING BUNDOORA BUNDY BUNGALOW BUNGALOWS BUNGLE BUNGLED BUNGLER BUNGLERS BUNGLES BUNGLING BUNION BUNIONS BUNK BUNKER BUNKERED BUNKERS BUNKHOUSE BUNKHOUSES BUNKMATE BUNKMATES BUNKS BUNNIES BUNNY BUNS BUNSEN BUNT BUNTED BUNTER BUNTERS BUNTING BUNTS BUNYAN BUOY BUOYANCY BUOYANT BUOYED BUOYS BURBANK BURCH BURDEN BURDENED BURDENING BURDENS BURDENSOME BUREAU BUREAUCRACIES BUREAUCRACY BUREAUCRAT BUREAUCRATIC BUREAUCRATS BUREAUS BURGEON BURGEONED BURGEONING BURGESS BURGESSES BURGHER BURGHERS BURGLAR BURGLARIES BURGLARIZE BURGLARIZED BURGLARIZES BURGLARIZING BURGLARPROOF BURGLARPROOFED BURGLARPROOFING BURGLARPROOFS BURGLARS BURGLARY BURGUNDIAN BURGUNDIES BURGUNDY BURIAL BURIED BURIES BURKE BURKES BURL BURLESQUE BURLESQUES BURLINGAME BURLINGTON BURLY BURMA BURMESE BURN BURNE BURNED BURNER BURNERS BURNES BURNETT BURNHAM BURNING BURNINGLY BURNINGS BURNISH BURNISHED BURNISHES BURNISHING BURNS BURNSIDE BURNSIDES BURNT BURNTLY BURNTNESS BURP BURPED BURPING BURPS BURR BURROUGHS BURROW BURROWED BURROWER BURROWING BURROWS BURRS BURSA BURSITIS BURST BURSTINESS BURSTING BURSTS BURSTY BURT BURTON BURTT BURUNDI BURY BURYING BUS BUSBOY BUSBOYS BUSCH BUSED BUSES BUSH BUSHEL BUSHELS BUSHES BUSHING BUSHNELL BUSHWHACK BUSHWHACKED BUSHWHACKING BUSHWHACKS BUSHY BUSIED BUSIER BUSIEST BUSILY BUSINESS BUSINESSES BUSINESSLIKE BUSINESSMAN BUSINESSMEN BUSING BUSS BUSSED BUSSES BUSSING BUST BUSTARD BUSTARDS BUSTED BUSTER BUSTLE BUSTLING BUSTS BUSY BUT BUTANE BUTCHER BUTCHERED BUTCHERS BUTCHERY BUTLER BUTLERS BUTT BUTTE BUTTED BUTTER BUTTERBALL BUTTERCUP BUTTERED BUTTERER BUTTERERS BUTTERFAT BUTTERFIELD BUTTERFLIES BUTTERFLY BUTTERING BUTTERMILK BUTTERNUT BUTTERS BUTTERY BUTTES BUTTING BUTTOCK BUTTOCKS BUTTON BUTTONED BUTTONHOLE BUTTONHOLES BUTTONING BUTTONS BUTTRESS BUTTRESSED BUTTRESSES BUTTRESSING BUTTRICK BUTTS BUTYL BUTYRATE BUXOM BUXTEHUDE BUXTON BUY BUYER BUYERS BUYING BUYS BUZZ BUZZARD BUZZARDS BUZZED BUZZER BUZZES BUZZING BUZZWORD BUZZWORDS BUZZY BYE BYERS BYGONE BYLAW BYLAWS BYLINE BYLINES BYPASS BYPASSED BYPASSES BYPASSING BYPRODUCT BYPRODUCTS BYRD BYRNE BYRON BYRONIC BYRONISM BYRONIZE BYRONIZES BYSTANDER BYSTANDERS BYTE BYTES BYWAY BYWAYS BYWORD BYWORDS BYZANTINE BYZANTINIZE BYZANTINIZES BYZANTIUM CAB CABAL CABANA CABARET CABBAGE CABBAGES CABDRIVER CABIN CABINET CABINETS CABINS CABLE CABLED CABLES CABLING CABOOSE CABOT CABS CACHE CACHED CACHES CACHING CACKLE CACKLED CACKLER CACKLES CACKLING CACTI CACTUS CADAVER CADENCE CADENCED CADILLAC CADILLACS CADRES CADY CAESAR CAESARIAN CAESARIZE CAESARIZES CAFE CAFES CAFETERIA CAGE CAGED CAGER CAGERS CAGES CAGING CAHILL CAIMAN CAIN CAINE CAIRN CAIRO CAJOLE CAJOLED CAJOLES CAJOLING CAJUN CAJUNS CAKE CAKED CAKES CAKING CALAIS CALAMITIES CALAMITOUS CALAMITY CALCEOLARIA CALCIFY CALCIUM CALCOMP CALCOMP CALCOMP CALCULATE CALCULATED CALCULATES CALCULATING CALCULATION CALCULATIONS CALCULATIVE CALCULATOR CALCULATORS CALCULI CALCULUS CALCUTTA CALDER CALDERA CALDWELL CALEB CALENDAR CALENDARS CALF CALFSKIN CALGARY CALHOUN CALIBER CALIBERS CALIBRATE CALIBRATED CALIBRATES CALIBRATING CALIBRATION CALIBRATIONS CALICO CALIFORNIA CALIFORNIAN CALIFORNIANS CALIGULA CALIPH CALIPHS CALKINS CALL CALLABLE CALLAGHAN CALLAHAN CALLAN CALLED CALLER CALLERS CALLING CALLIOPE CALLISTO CALLOUS CALLOUSED CALLOUSLY CALLOUSNESS CALLS CALLUS CALM CALMED CALMER CALMEST CALMING CALMINGLY CALMLY CALMNESS CALMS CALORIC CALORIE CALORIES CALORIMETER CALORIMETRIC CALORIMETRY CALTECH CALUMNY CALVARY CALVE CALVERT CALVES CALVIN CALVINIST CALVINIZE CALVINIZES CALYPSO CAM CAMBODIA CAMBRIAN CAMBRIDGE CAMDEN CAME CAMEL CAMELOT CAMELS CAMEMBERT CAMERA CAMERAMAN CAMERAMEN CAMERAS CAMERON CAMEROON CAMEROUN CAMILLA CAMILLE CAMINO CAMOUFLAGE CAMOUFLAGED CAMOUFLAGES CAMOUFLAGING CAMP CAMPAIGN CAMPAIGNED CAMPAIGNER CAMPAIGNERS CAMPAIGNING CAMPAIGNS CAMPBELL CAMPBELLSPORT CAMPED CAMPER CAMPERS CAMPFIRE CAMPGROUND CAMPING CAMPS CAMPSITE CAMPUS CAMPUSES CAN CANAAN CANADA CANADIAN CANADIANIZATION CANADIANIZATIONS CANADIANIZE CANADIANIZES CANADIANS CANAL CANALS CANARIES CANARY CANAVERAL CANBERRA CANCEL CANCELED CANCELING CANCELLATION CANCELLATIONS CANCELS CANCER CANCEROUS CANCERS CANDACE CANDID CANDIDACY CANDIDATE CANDIDATES CANDIDE CANDIDLY CANDIDNESS CANDIED CANDIES CANDLE CANDLELIGHT CANDLER CANDLES CANDLESTICK CANDLESTICKS CANDLEWICK CANDOR CANDY CANE CANER CANFIELD CANINE CANIS CANISTER CANKER CANKERWORM CANNABIS CANNED CANNEL CANNER CANNERS CANNERY CANNIBAL CANNIBALIZE CANNIBALIZED CANNIBALIZES CANNIBALIZING CANNIBALS CANNING CANNISTER CANNISTERS CANNON CANNONBALL CANNONS CANNOT CANNY CANOE CANOES CANOGA CANON CANONIC CANONICAL CANONICALIZATION CANONICALIZE CANONICALIZED CANONICALIZES CANONICALIZING CANONICALLY CANONICALS CANONS CANOPUS CANOPY CANS CANT CANTABRIGIAN CANTALOUPE CANTANKEROUS CANTANKEROUSLY CANTEEN CANTERBURY CANTILEVER CANTO CANTON CANTONESE CANTONS CANTOR CANTORS CANUTE CANVAS CANVASES CANVASS CANVASSED CANVASSER CANVASSERS CANVASSES CANVASSING CANYON CANYONS CAP CAPABILITIES CAPABILITY CAPABLE CAPABLY CAPACIOUS CAPACIOUSLY CAPACIOUSNESS CAPACITANCE CAPACITANCES CAPACITIES CAPACITIVE CAPACITOR CAPACITORS CAPACITY CAPE CAPER CAPERS CAPES CAPET CAPETOWN CAPILLARY CAPISTRANO CAPITA CAPITAL CAPITALISM CAPITALIST CAPITALISTS CAPITALIZATION CAPITALIZATIONS CAPITALIZE CAPITALIZED CAPITALIZER CAPITALIZERS CAPITALIZES CAPITALIZING CAPITALLY CAPITALS CAPITAN CAPITOL CAPITOLINE CAPITOLS CAPPED CAPPING CAPPY CAPRICE CAPRICIOUS CAPRICIOUSLY CAPRICIOUSNESS CAPRICORN CAPS CAPSICUM CAPSTAN CAPSTONE CAPSULE CAPTAIN CAPTAINED CAPTAINING CAPTAINS CAPTION CAPTIONS CAPTIVATE CAPTIVATED CAPTIVATES CAPTIVATING CAPTIVATION CAPTIVE CAPTIVES CAPTIVITY CAPTOR CAPTORS CAPTURE CAPTURED CAPTURER CAPTURERS CAPTURES CAPTURING CAPUTO CAPYBARA CAR CARACAS CARAMEL CARAVAN CARAVANS CARAWAY CARBOHYDRATE CARBOLIC CARBOLOY CARBON CARBONATE CARBONATES CARBONATION CARBONDALE CARBONE CARBONES CARBONIC CARBONIZATION CARBONIZE CARBONIZED CARBONIZER CARBONIZERS CARBONIZES CARBONIZING CARBONS CARBORUNDUM CARBUNCLE CARCASS CARCASSES CARCINOGEN CARCINOGENIC CARCINOMA CARD CARDBOARD CARDER CARDIAC CARDIFF CARDINAL CARDINALITIES CARDINALITY CARDINALLY CARDINALS CARDIOD CARDIOLOGY CARDIOVASCULAR CARDS CARE CARED CAREEN CAREER CAREERS CAREFREE CAREFUL CAREFULLY CAREFULNESS CARELESS CARELESSLY CARELESSNESS CARES CARESS CARESSED CARESSER CARESSES CARESSING CARET CARETAKER CAREY CARGILL CARGO CARGOES CARIB CARIBBEAN CARIBOU CARICATURE CARING CARL CARLA CARLETON CARLETONIAN CARLIN CARLISLE CARLO CARLOAD CARLSBAD CARLSBADS CARLSON CARLTON CARLYLE CARMELA CARMEN CARMICHAEL CARNAGE CARNAL CARNATION CARNEGIE CARNIVAL CARNIVALS CARNIVOROUS CARNIVOROUSLY CAROL CAROLINA CAROLINAS CAROLINE CAROLINGIAN CAROLINIAN CAROLINIANS CAROLS CAROLYN CARP CARPATHIA CARPATHIANS CARPENTER CARPENTERS CARPENTRY CARPET CARPETED CARPETING CARPETS CARPORT CARR CARRARA CARRIAGE CARRIAGES CARRIE CARRIED CARRIER CARRIERS CARRIES CARRION CARROLL CARROT CARROTS CARRUTHERS CARRY CARRYING CARRYOVER CARRYOVERS CARS CARSON CART CARTED CARTEL CARTER CARTERS CARTESIAN CARTHAGE CARTHAGINIAN CARTILAGE CARTING CARTOGRAPHER CARTOGRAPHIC CARTOGRAPHY CARTON CARTONS CARTOON CARTOONS CARTRIDGE CARTRIDGES CARTS CARTWHEEL CARTY CARUSO CARVE CARVED CARVER CARVES CARVING CARVINGS CASANOVA CASCADABLE CASCADE CASCADED CASCADES CASCADING CASE CASED CASEMENT CASEMENTS CASES CASEWORK CASEY CASH CASHED CASHER CASHERS CASHES CASHEW CASHIER CASHIERS CASHING CASHMERE CASING CASINGS CASINO CASK CASKET CASKETS CASKS CASPIAN CASSANDRA CASSEROLE CASSEROLES CASSETTE CASSIOPEIA CASSITE CASSITES CASSIUS CASSOCK CAST CASTE CASTER CASTERS CASTES CASTIGATE CASTILLO CASTING CASTLE CASTLED CASTLES CASTOR CASTRO CASTROISM CASTS CASUAL CASUALLY CASUALNESS CASUALS CASUALTIES CASUALTY CAT CATACLYSMIC CATALAN CATALINA CATALOG CATALOGED CATALOGER CATALOGING CATALOGS CATALONIA CATALYST CATALYSTS CATALYTIC CATAPULT CATARACT CATASTROPHE CATASTROPHES CATASTROPHIC CATAWBA CATCH CATCHABLE CATCHER CATCHERS CATCHES CATCHING CATEGORICAL CATEGORICALLY CATEGORIES CATEGORIZATION CATEGORIZE CATEGORIZED CATEGORIZER CATEGORIZERS CATEGORIZES CATEGORIZING CATEGORY CATER CATERED CATERER CATERING CATERPILLAR CATERPILLARS CATERS CATHEDRAL CATHEDRALS CATHERINE CATHERWOOD CATHETER CATHETERS CATHODE CATHODES CATHOLIC CATHOLICISM CATHOLICISMS CATHOLICS CATHY CATLIKE CATNIP CATS CATSKILL CATSKILLS CATSUP CATTAIL CATTLE CATTLEMAN CATTLEMEN CAUCASIAN CAUCASIANS CAUCASUS CAUCHY CAUCUS CAUGHT CAULDRON CAULDRONS CAULIFLOWER CAULK CAUSAL CAUSALITY CAUSALLY CAUSATION CAUSATIONS CAUSE CAUSED CAUSER CAUSES CAUSEWAY CAUSEWAYS CAUSING CAUSTIC CAUSTICLY CAUSTICS CAUTION CAUTIONED CAUTIONER CAUTIONERS CAUTIONING CAUTIONINGS CAUTIONS CAUTIOUS CAUTIOUSLY CAUTIOUSNESS CAVALIER CAVALIERLY CAVALIERNESS CAVALRY CAVE CAVEAT CAVEATS CAVED CAVEMAN CAVEMEN CAVENDISH CAVERN CAVERNOUS CAVERNS CAVES CAVIAR CAVIL CAVINESS CAVING CAVITIES CAVITY CAW CAWING CAYLEY CAYUGA CEASE CEASED CEASELESS CEASELESSLY CEASELESSNESS CEASES CEASING CECIL CECILIA CECROPIA CEDAR CEDE CEDED CEDING CEDRIC CEILING CEILINGS CELANESE CELEBES CELEBRATE CELEBRATED CELEBRATES CELEBRATING CELEBRATION CELEBRATIONS CELEBRITIES CELEBRITY CELERITY CELERY CELESTE CELESTIAL CELESTIALLY CELIA CELL CELLAR CELLARS CELLED CELLIST CELLISTS CELLOPHANE CELLS CELLULAR CELLULOSE CELSIUS CELT CELTIC CELTICIZE CELTICIZES CEMENT CEMENTED CEMENTING CEMENTS CEMETERIES CEMETERY CENOZOIC CENSOR CENSORED CENSORING CENSORS CENSORSHIP CENSURE CENSURED CENSURER CENSURES CENSUS CENSUSES CENT CENTAUR CENTENARY CENTENNIAL CENTER CENTERED CENTERING CENTERPIECE CENTERPIECES CENTERS CENTIGRADE CENTIMETER CENTIMETERS CENTIPEDE CENTIPEDES CENTRAL CENTRALIA CENTRALISM CENTRALIST CENTRALIZATION CENTRALIZE CENTRALIZED CENTRALIZES CENTRALIZING CENTRALLY CENTREX CENTREX CENTRIFUGAL CENTRIFUGE CENTRIPETAL CENTRIST CENTROID CENTS CENTURIES CENTURY CEPHEUS CERAMIC CERBERUS CEREAL CEREALS CEREBELLUM CEREBRAL CEREMONIAL CEREMONIALLY CEREMONIALNESS CEREMONIES CEREMONY CERES CERN CERTAIN CERTAINLY CERTAINTIES CERTAINTY CERTIFIABLE CERTIFICATE CERTIFICATES CERTIFICATION CERTIFICATIONS CERTIFIED CERTIFIER CERTIFIERS CERTIFIES CERTIFY CERTIFYING CERVANTES CESARE CESSATION CESSATIONS CESSNA CETUS CEYLON CEZANNE CEZANNES CHABLIS CHABLISES CHAD CHADWICK CHAFE CHAFER CHAFF CHAFFER CHAFFEY CHAFFING CHAFING CHAGRIN CHAIN CHAINED CHAINING CHAINS CHAIR CHAIRED CHAIRING CHAIRLADY CHAIRMAN CHAIRMEN CHAIRPERSON CHAIRPERSONS CHAIRS CHAIRWOMAN CHAIRWOMEN CHALICE CHALICES CHALK CHALKED CHALKING CHALKS CHALLENGE CHALLENGED CHALLENGER CHALLENGERS CHALLENGES CHALLENGING CHALMERS CHAMBER CHAMBERED CHAMBERLAIN CHAMBERLAINS CHAMBERMAID CHAMBERS CHAMELEON CHAMPAGNE CHAMPAIGN CHAMPION CHAMPIONED CHAMPIONING CHAMPIONS CHAMPIONSHIP CHAMPIONSHIPS CHAMPLAIN CHANCE CHANCED CHANCELLOR CHANCELLORSVILLE CHANCERY CHANCES CHANCING CHANDELIER CHANDELIERS CHANDIGARH CHANG CHANGE CHANGEABILITY CHANGEABLE CHANGEABLY CHANGED CHANGEOVER CHANGER CHANGERS CHANGES CHANGING CHANNEL CHANNELED CHANNELING CHANNELLED CHANNELLER CHANNELLERS CHANNELLING CHANNELS CHANNING CHANT CHANTED CHANTER CHANTICLEER CHANTICLEERS CHANTILLY CHANTING CHANTS CHAO CHAOS CHAOTIC CHAP CHAPEL CHAPELS CHAPERON CHAPERONE CHAPERONED CHAPLAIN CHAPLAINS CHAPLIN CHAPMAN CHAPS CHAPTER CHAPTERS CHAR CHARACTER CHARACTERISTIC CHARACTERISTICALLY CHARACTERISTICS CHARACTERIZABLE CHARACTERIZATION CHARACTERIZATIONS CHARACTERIZE CHARACTERIZED CHARACTERIZER CHARACTERIZERS CHARACTERIZES CHARACTERIZING CHARACTERS CHARCOAL CHARCOALED CHARGE CHARGEABLE CHARGED CHARGER CHARGERS CHARGES CHARGING CHARIOT CHARIOTS CHARISMA CHARISMATIC CHARITABLE CHARITABLENESS CHARITIES CHARITY CHARLEMAGNE CHARLEMAGNES CHARLES CHARLESTON CHARLEY CHARLIE CHARLOTTE CHARLOTTESVILLE CHARM CHARMED CHARMER CHARMERS CHARMING CHARMINGLY CHARMS CHARON CHARS CHART CHARTA CHARTABLE CHARTED CHARTER CHARTERED CHARTERING CHARTERS CHARTING CHARTINGS CHARTRES CHARTREUSE CHARTS CHARYBDIS CHASE CHASED CHASER CHASERS CHASES CHASING CHASM CHASMS CHASSIS CHASTE CHASTELY CHASTENESS CHASTISE CHASTISED CHASTISER CHASTISERS CHASTISES CHASTISING CHASTITY CHAT CHATEAU CHATEAUS CHATHAM CHATTAHOOCHEE CHATTANOOGA CHATTEL CHATTER CHATTERED CHATTERER CHATTERING CHATTERS CHATTING CHATTY CHAUCER CHAUFFEUR CHAUFFEURED CHAUNCEY CHAUTAUQUA CHEAP CHEAPEN CHEAPENED CHEAPENING CHEAPENS CHEAPER CHEAPEST CHEAPLY CHEAPNESS CHEAT CHEATED CHEATER CHEATERS CHEATING CHEATS CHECK CHECKABLE CHECKBOOK CHECKBOOKS CHECKED CHECKER CHECKERBOARD CHECKERBOARDED CHECKERBOARDING CHECKERS CHECKING CHECKLIST CHECKOUT CHECKPOINT CHECKPOINTS CHECKS CHECKSUM CHECKSUMMED CHECKSUMMING CHECKSUMS CHECKUP CHEEK CHEEKBONE CHEEKS CHEEKY CHEER CHEERED CHEERER CHEERFUL CHEERFULLY CHEERFULNESS CHEERILY CHEERINESS CHEERING CHEERLEADER CHEERLESS CHEERLESSLY CHEERLESSNESS CHEERS CHEERY CHEESE CHEESECLOTH CHEESES CHEESY CHEETAH CHEF CHEFS CHEKHOV CHELSEA CHEMICAL CHEMICALLY CHEMICALS CHEMISE CHEMIST CHEMISTRIES CHEMISTRY CHEMISTS CHEN CHENEY CHENG CHERISH CHERISHED CHERISHES CHERISHING CHERITON CHEROKEE CHEROKEES CHERRIES CHERRY CHERUB CHERUBIM CHERUBS CHERYL CHESAPEAKE CHESHIRE CHESS CHEST CHESTER CHESTERFIELD CHESTERTON CHESTNUT CHESTNUTS CHESTS CHEVROLET CHEVY CHEW CHEWED CHEWER CHEWERS CHEWING CHEWS CHEYENNE CHEYENNES CHIANG CHIC CHICAGO CHICAGOAN CHICAGOANS CHICANA CHICANAS CHICANERY CHICANO CHICANOS CHICK CHICKADEE CHICKADEES CHICKASAWS CHICKEN CHICKENS CHICKS CHIDE CHIDED CHIDES CHIDING CHIEF CHIEFLY CHIEFS CHIEFTAIN CHIEFTAINS CHIFFON CHILD CHILDBIRTH CHILDHOOD CHILDISH CHILDISHLY CHILDISHNESS CHILDLIKE CHILDREN CHILE CHILEAN CHILES CHILI CHILL CHILLED CHILLER CHILLERS CHILLIER CHILLINESS CHILLING CHILLINGLY CHILLS CHILLY CHIME CHIMERA CHIMES CHIMNEY CHIMNEYS CHIMPANZEE CHIN CHINA CHINAMAN CHINAMEN CHINAS CHINATOWN CHINESE CHING CHINK CHINKED CHINKS CHINNED CHINNER CHINNERS CHINNING CHINOOK CHINS CHINTZ CHIP CHIPMUNK CHIPMUNKS CHIPPENDALE CHIPPEWA CHIPS CHIROPRACTOR CHIRP CHIRPED CHIRPING CHIRPS CHISEL CHISELED CHISELER CHISELS CHISHOLM CHIT CHIVALROUS CHIVALROUSLY CHIVALROUSNESS CHIVALRY CHLOE CHLORINE CHLOROFORM CHLOROPHYLL CHLOROPLAST CHLOROPLASTS CHOCK CHOCKS CHOCOLATE CHOCOLATES CHOCTAW CHOCTAWS CHOICE CHOICES CHOICEST CHOIR CHOIRS CHOKE CHOKED CHOKER CHOKERS CHOKES CHOKING CHOLERA CHOMSKY CHOOSE CHOOSER CHOOSERS CHOOSES CHOOSING CHOP CHOPIN CHOPPED CHOPPER CHOPPERS CHOPPING CHOPPY CHOPS CHORAL CHORD CHORDATE CHORDED CHORDING CHORDS CHORE CHOREOGRAPH CHOREOGRAPHY CHORES CHORING CHORTLE CHORUS CHORUSED CHORUSES CHOSE CHOSEN CHOU CHOWDER CHRIS CHRIST CHRISTEN CHRISTENDOM CHRISTENED CHRISTENING CHRISTENS CHRISTENSEN CHRISTENSON CHRISTIAN CHRISTIANA CHRISTIANITY CHRISTIANIZATION CHRISTIANIZATIONS CHRISTIANIZE CHRISTIANIZER CHRISTIANIZERS CHRISTIANIZES CHRISTIANIZING CHRISTIANS CHRISTIANSEN CHRISTIANSON CHRISTIE CHRISTINA CHRISTINE CHRISTLIKE CHRISTMAS CHRISTOFFEL CHRISTOPH CHRISTOPHER CHRISTY CHROMATOGRAM CHROMATOGRAPH CHROMATOGRAPHY CHROME CHROMIUM CHROMOSPHERE CHRONIC CHRONICLE CHRONICLED CHRONICLER CHRONICLERS CHRONICLES CHRONOGRAPH CHRONOGRAPHY CHRONOLOGICAL CHRONOLOGICALLY CHRONOLOGIES CHRONOLOGY CHRYSANTHEMUM CHRYSLER CHUBBIER CHUBBIEST CHUBBINESS CHUBBY CHUCK CHUCKLE CHUCKLED CHUCKLES CHUCKS CHUM CHUNGKING CHUNK CHUNKS CHUNKY CHURCH CHURCHES CHURCHGOER CHURCHGOING CHURCHILL CHURCHILLIAN CHURCHLY CHURCHMAN CHURCHMEN CHURCHWOMAN CHURCHWOMEN CHURCHYARD CHURCHYARDS CHURN CHURNED CHURNING CHURNS CHUTE CHUTES CHUTZPAH CICADA CICERO CICERONIAN CICERONIANIZE CICERONIANIZES CIDER CIGAR CIGARETTE CIGARETTES CIGARS CILIA CINCINNATI CINDER CINDERELLA CINDERS CINDY CINEMA CINEMATIC CINERAMA CINNAMON CIPHER CIPHERS CIPHERTEXT CIPHERTEXTS CIRCA CIRCE CIRCLE CIRCLED CIRCLES CIRCLET CIRCLING CIRCUIT CIRCUITOUS CIRCUITOUSLY CIRCUITRY CIRCUITS CIRCULANT CIRCULAR CIRCULARITY CIRCULARLY CIRCULATE CIRCULATED CIRCULATES CIRCULATING CIRCULATION CIRCUMCISE CIRCUMCISION CIRCUMFERENCE CIRCUMFLEX CIRCUMLOCUTION CIRCUMLOCUTIONS CIRCUMNAVIGATE CIRCUMNAVIGATED CIRCUMNAVIGATES CIRCUMPOLAR CIRCUMSCRIBE CIRCUMSCRIBED CIRCUMSCRIBING CIRCUMSCRIPTION CIRCUMSPECT CIRCUMSPECTION CIRCUMSPECTLY CIRCUMSTANCE CIRCUMSTANCED CIRCUMSTANCES CIRCUMSTANTIAL CIRCUMSTANTIALLY CIRCUMVENT CIRCUMVENTABLE CIRCUMVENTED CIRCUMVENTING CIRCUMVENTS CIRCUS CIRCUSES CISTERN CISTERNS CITADEL CITADELS CITATION CITATIONS CITE CITED CITES CITIES CITING CITIZEN CITIZENS CITIZENSHIP CITROEN CITRUS CITY CITYSCAPE CITYWIDE CIVET CIVIC CIVICS CIVIL CIVILIAN CIVILIANS CIVILITY CIVILIZATION CIVILIZATIONS CIVILIZE CIVILIZED CIVILIZES CIVILIZING CIVILLY CLAD CLADDING CLAIM CLAIMABLE CLAIMANT CLAIMANTS CLAIMED CLAIMING CLAIMS CLAIRE CLAIRVOYANT CLAIRVOYANTLY CLAM CLAMBER CLAMBERED CLAMBERING CLAMBERS CLAMOR CLAMORED CLAMORING CLAMOROUS CLAMORS CLAMP CLAMPED CLAMPING CLAMPS CLAMS CLAN CLANDESTINE CLANG CLANGED CLANGING CLANGS CLANK CLANNISH CLAP CLAPBOARD CLAPEYRON CLAPPING CLAPS CLARA CLARE CLAREMONT CLARENCE CLARENDON CLARIFICATION CLARIFICATIONS CLARIFIED CLARIFIES CLARIFY CLARIFYING CLARINET CLARITY CLARK CLARKE CLARRIDGE CLASH CLASHED CLASHES CLASHING CLASP CLASPED CLASPING CLASPS CLASS CLASSED CLASSES CLASSIC CLASSICAL CLASSICALLY CLASSICS CLASSIFIABLE CLASSIFICATION CLASSIFICATIONS CLASSIFIED CLASSIFIER CLASSIFIERS CLASSIFIES CLASSIFY CLASSIFYING CLASSMATE CLASSMATES CLASSROOM CLASSROOMS CLASSY CLATTER CLATTERED CLATTERING CLAUDE CLAUDIA CLAUDIO CLAUS CLAUSE CLAUSEN CLAUSES CLAUSIUS CLAUSTROPHOBIA CLAUSTROPHOBIC CLAW CLAWED CLAWING CLAWS CLAY CLAYS CLAYTON CLEAN CLEANED CLEANER CLEANERS CLEANEST CLEANING CLEANLINESS CLEANLY CLEANNESS CLEANS CLEANSE CLEANSED CLEANSER CLEANSERS CLEANSES CLEANSING CLEANUP CLEAR CLEARANCE CLEARANCES CLEARED CLEARER CLEAREST CLEARING CLEARINGS CLEARLY CLEARNESS CLEARS CLEARWATER CLEAVAGE CLEAVE CLEAVED CLEAVER CLEAVERS CLEAVES CLEAVING CLEFT CLEFTS CLEMENCY CLEMENS CLEMENT CLEMENTE CLEMSON CLENCH CLENCHED CLENCHES CLERGY CLERGYMAN CLERGYMEN CLERICAL CLERK CLERKED CLERKING CLERKS CLEVELAND CLEVER CLEVERER CLEVEREST CLEVERLY CLEVERNESS CLICHE CLICHES CLICK CLICKED CLICKING CLICKS CLIENT CLIENTELE CLIENTS CLIFF CLIFFORD CLIFFS CLIFTON CLIMATE CLIMATES CLIMATIC CLIMATICALLY CLIMATOLOGY CLIMAX CLIMAXED CLIMAXES CLIMB CLIMBED CLIMBER CLIMBERS CLIMBING CLIMBS CLIME CLIMES CLINCH CLINCHED CLINCHER CLINCHES CLING CLINGING CLINGS CLINIC CLINICAL CLINICALLY CLINICIAN CLINICS CLINK CLINKED CLINKER CLINT CLINTON CLIO CLIP CLIPBOARD CLIPPED CLIPPER CLIPPERS CLIPPING CLIPPINGS CLIPS CLIQUE CLIQUES CLITORIS CLIVE CLOAK CLOAKROOM CLOAKS CLOBBER CLOBBERED CLOBBERING CLOBBERS CLOCK CLOCKED CLOCKER CLOCKERS CLOCKING CLOCKINGS CLOCKS CLOCKWATCHER CLOCKWISE CLOCKWORK CLOD CLODS CLOG CLOGGED CLOGGING CLOGS CLOISTER CLOISTERS CLONE CLONED CLONES CLONING CLOSE CLOSED CLOSELY CLOSENESS CLOSENESSES CLOSER CLOSERS CLOSES CLOSEST CLOSET CLOSETED CLOSETS CLOSEUP CLOSING CLOSURE CLOSURES CLOT CLOTH CLOTHE CLOTHED CLOTHES CLOTHESHORSE CLOTHESLINE CLOTHING CLOTHO CLOTTING CLOTURE CLOUD CLOUDBURST CLOUDED CLOUDIER CLOUDIEST CLOUDINESS CLOUDING CLOUDLESS CLOUDS CLOUDY CLOUT CLOVE CLOVER CLOVES CLOWN CLOWNING CLOWNS CLUB CLUBBED CLUBBING CLUBHOUSE CLUBROOM CLUBS CLUCK CLUCKED CLUCKING CLUCKS CLUE CLUES CLUJ CLUMP CLUMPED CLUMPING CLUMPS CLUMSILY CLUMSINESS CLUMSY CLUNG CLUSTER CLUSTERED CLUSTERING CLUSTERINGS CLUSTERS CLUTCH CLUTCHED CLUTCHES CLUTCHING CLUTTER CLUTTERED CLUTTERING CLUTTERS CLYDE CLYTEMNESTRA COACH COACHED COACHER COACHES COACHING COACHMAN COACHMEN COAGULATE COAL COALESCE COALESCED COALESCES COALESCING COALITION COALS COARSE COARSELY COARSEN COARSENED COARSENESS COARSER COARSEST COAST COASTAL COASTED COASTER COASTERS COASTING COASTLINE COASTS COAT COATED COATES COATING COATINGS COATS COATTAIL COAUTHOR COAX COAXED COAXER COAXES COAXIAL COAXING COBALT COBB COBBLE COBBLER COBBLERS COBBLESTONE COBOL COBOL COBRA COBWEB COBWEBS COCA COCAINE COCHISE COCHRAN COCHRANE COCK COCKED COCKING COCKPIT COCKROACH COCKS COCKTAIL COCKTAILS COCKY COCO COCOA COCONUT COCONUTS COCOON COCOONS COD CODDINGTON CODDLE CODE CODED CODEINE CODER CODERS CODES CODEWORD CODEWORDS CODFISH CODICIL CODIFICATION CODIFICATIONS CODIFIED CODIFIER CODIFIERS CODIFIES CODIFY CODIFYING CODING CODINGS CODPIECE CODY COED COEDITOR COEDUCATION COEFFICIENT COEFFICIENTS COEQUAL COERCE COERCED COERCES COERCIBLE COERCING COERCION COERCIVE COEXIST COEXISTED COEXISTENCE COEXISTING COEXISTS COFACTOR COFFEE COFFEECUP COFFEEPOT COFFEES COFFER COFFERS COFFEY COFFIN COFFINS COFFMAN COG COGENT COGENTLY COGITATE COGITATED COGITATES COGITATING COGITATION COGNAC COGNITION COGNITIVE COGNITIVELY COGNIZANCE COGNIZANT COGS COHABITATION COHABITATIONS COHEN COHERE COHERED COHERENCE COHERENT COHERENTLY COHERES COHERING COHESION COHESIVE COHESIVELY COHESIVENESS COHN COHORT COIL COILED COILING COILS COIN COINAGE COINCIDE COINCIDED COINCIDENCE COINCIDENCES COINCIDENT COINCIDENTAL COINCIDES COINCIDING COINED COINER COINING COINS COKE COKES COLANDER COLBY COLD COLDER COLDEST COLDLY COLDNESS COLDS COLE COLEMAN COLERIDGE COLETTE COLGATE COLICKY COLIFORM COLISEUM COLLABORATE COLLABORATED COLLABORATES COLLABORATING COLLABORATION COLLABORATIONS COLLABORATIVE COLLABORATOR COLLABORATORS COLLAGEN COLLAPSE COLLAPSED COLLAPSES COLLAPSIBLE COLLAPSING COLLAR COLLARBONE COLLARED COLLARING COLLARS COLLATE COLLATERAL COLLEAGUE COLLEAGUES COLLECT COLLECTED COLLECTIBLE COLLECTING COLLECTION COLLECTIONS COLLECTIVE COLLECTIVELY COLLECTIVES COLLECTOR COLLECTORS COLLECTS COLLEGE COLLEGES COLLEGIAN COLLEGIATE COLLIDE COLLIDED COLLIDES COLLIDING COLLIE COLLIER COLLIES COLLINS COLLISION COLLISIONS COLLOIDAL COLLOQUIA COLLOQUIAL COLLOQUIUM COLLOQUY COLLUSION COLOGNE COLOMBIA COLOMBIAN COLOMBIANS COLOMBO COLON COLONEL COLONELS COLONIAL COLONIALLY COLONIALS COLONIES COLONIST COLONISTS COLONIZATION COLONIZE COLONIZED COLONIZER COLONIZERS COLONIZES COLONIZING COLONS COLONY COLOR COLORADO COLORED COLORER COLORERS COLORFUL COLORING COLORINGS COLORLESS COLORS COLOSSAL COLOSSEUM COLT COLTS COLUMBIA COLUMBIAN COLUMBUS COLUMN COLUMNIZE COLUMNIZED COLUMNIZES COLUMNIZING COLUMNS COMANCHE COMB COMBAT COMBATANT COMBATANTS COMBATED COMBATING COMBATIVE COMBATS COMBED COMBER COMBERS COMBINATION COMBINATIONAL COMBINATIONS COMBINATOR COMBINATORIAL COMBINATORIALLY COMBINATORIC COMBINATORICS COMBINATORS COMBINE COMBINED COMBINES COMBING COMBINGS COMBINING COMBS COMBUSTIBLE COMBUSTION COMDEX COME COMEBACK COMEDIAN COMEDIANS COMEDIC COMEDIES COMEDY COMELINESS COMELY COMER COMERS COMES COMESTIBLE COMET COMETARY COMETS COMFORT COMFORTABILITIES COMFORTABILITY COMFORTABLE COMFORTABLY COMFORTED COMFORTER COMFORTERS COMFORTING COMFORTINGLY COMFORTS COMIC COMICAL COMICALLY COMICS COMINFORM COMING COMINGS COMMA COMMAND COMMANDANT COMMANDANTS COMMANDED COMMANDEER COMMANDER COMMANDERS COMMANDING COMMANDINGLY COMMANDMENT COMMANDMENTS COMMANDO COMMANDS COMMAS COMMEMORATE COMMEMORATED COMMEMORATES COMMEMORATING COMMEMORATION COMMEMORATIVE COMMENCE COMMENCED COMMENCEMENT COMMENCEMENTS COMMENCES COMMENCING COMMEND COMMENDATION COMMENDATIONS COMMENDED COMMENDING COMMENDS COMMENSURATE COMMENT COMMENTARIES COMMENTARY COMMENTATOR COMMENTATORS COMMENTED COMMENTING COMMENTS COMMERCE COMMERCIAL COMMERCIALLY COMMERCIALNESS COMMERCIALS COMMISSION COMMISSIONED COMMISSIONER COMMISSIONERS COMMISSIONING COMMISSIONS COMMIT COMMITMENT COMMITMENTS COMMITS COMMITTED COMMITTEE COMMITTEEMAN COMMITTEEMEN COMMITTEES COMMITTEEWOMAN COMMITTEEWOMEN COMMITTING COMMODITIES COMMODITY COMMODORE COMMODORES COMMON COMMONALITIES COMMONALITY COMMONER COMMONERS COMMONEST COMMONLY COMMONNESS COMMONPLACE COMMONPLACES COMMONS COMMONWEALTH COMMONWEALTHS COMMOTION COMMUNAL COMMUNALLY COMMUNE COMMUNES COMMUNICANT COMMUNICANTS COMMUNICATE COMMUNICATED COMMUNICATES COMMUNICATING COMMUNICATION COMMUNICATIONS COMMUNICATIVE COMMUNICATOR COMMUNICATORS COMMUNION COMMUNIST COMMUNISTS COMMUNITIES COMMUNITY COMMUTATIVE COMMUTATIVITY COMMUTE COMMUTED COMMUTER COMMUTERS COMMUTES COMMUTING COMPACT COMPACTED COMPACTER COMPACTEST COMPACTING COMPACTION COMPACTLY COMPACTNESS COMPACTOR COMPACTORS COMPACTS COMPANIES COMPANION COMPANIONABLE COMPANIONS COMPANIONSHIP COMPANY COMPARABILITY COMPARABLE COMPARABLY COMPARATIVE COMPARATIVELY COMPARATIVES COMPARATOR COMPARATORS COMPARE COMPARED COMPARES COMPARING COMPARISON COMPARISONS COMPARTMENT COMPARTMENTALIZE COMPARTMENTALIZED COMPARTMENTALIZES COMPARTMENTALIZING COMPARTMENTED COMPARTMENTS COMPASS COMPASSION COMPASSIONATE COMPASSIONATELY COMPATIBILITIES COMPATIBILITY COMPATIBLE COMPATIBLES COMPATIBLY COMPEL COMPELLED COMPELLING COMPELLINGLY COMPELS COMPENDIUM COMPENSATE COMPENSATED COMPENSATES COMPENSATING COMPENSATION COMPENSATIONS COMPENSATORY COMPETE COMPETED COMPETENCE COMPETENCY COMPETENT COMPETENTLY COMPETES COMPETING COMPETITION COMPETITIONS COMPETITIVE COMPETITIVELY COMPETITOR COMPETITORS COMPILATION COMPILATIONS COMPILE COMPILED COMPILER COMPILERS COMPILES COMPILING COMPLACENCY COMPLAIN COMPLAINED COMPLAINER COMPLAINERS COMPLAINING COMPLAINS COMPLAINT COMPLAINTS COMPLEMENT COMPLEMENTARY COMPLEMENTED COMPLEMENTER COMPLEMENTERS COMPLEMENTING COMPLEMENTS COMPLETE COMPLETED COMPLETELY COMPLETENESS COMPLETES COMPLETING COMPLETION COMPLETIONS COMPLEX COMPLEXES COMPLEXION COMPLEXITIES COMPLEXITY COMPLEXLY COMPLIANCE COMPLIANT COMPLICATE COMPLICATED COMPLICATES COMPLICATING COMPLICATION COMPLICATIONS COMPLICATOR COMPLICATORS COMPLICITY COMPLIED COMPLIMENT COMPLIMENTARY COMPLIMENTED COMPLIMENTER COMPLIMENTERS COMPLIMENTING COMPLIMENTS COMPLY COMPLYING COMPONENT COMPONENTRY COMPONENTS COMPONENTWISE COMPOSE COMPOSED COMPOSEDLY COMPOSER COMPOSERS COMPOSES COMPOSING COMPOSITE COMPOSITES COMPOSITION COMPOSITIONAL COMPOSITIONS COMPOST COMPOSURE COMPOUND COMPOUNDED COMPOUNDING COMPOUNDS COMPREHEND COMPREHENDED COMPREHENDING COMPREHENDS COMPREHENSIBILITY COMPREHENSIBLE COMPREHENSION COMPREHENSIVE COMPREHENSIVELY COMPRESS COMPRESSED COMPRESSES COMPRESSIBLE COMPRESSING COMPRESSION COMPRESSIVE COMPRESSOR COMPRISE COMPRISED COMPRISES COMPRISING COMPROMISE COMPROMISED COMPROMISER COMPROMISERS COMPROMISES COMPROMISING COMPROMISINGLY COMPTON COMPTROLLER COMPTROLLERS COMPULSION COMPULSIONS COMPULSIVE COMPULSORY COMPUNCTION COMPUSERVE COMPUTABILITY COMPUTABLE COMPUTATION COMPUTATIONAL COMPUTATIONALLY COMPUTATIONS COMPUTE COMPUTED COMPUTER COMPUTERIZE COMPUTERIZED COMPUTERIZES COMPUTERIZING COMPUTERS COMPUTES COMPUTING COMRADE COMRADELY COMRADES COMRADESHIP CON CONAKRY CONANT CONCATENATE CONCATENATED CONCATENATES CONCATENATING CONCATENATION CONCATENATIONS CONCAVE CONCEAL CONCEALED CONCEALER CONCEALERS CONCEALING CONCEALMENT CONCEALS CONCEDE CONCEDED CONCEDES CONCEDING CONCEIT CONCEITED CONCEITS CONCEIVABLE CONCEIVABLY CONCEIVE CONCEIVED CONCEIVES CONCEIVING CONCENTRATE CONCENTRATED CONCENTRATES CONCENTRATING CONCENTRATION CONCENTRATIONS CONCENTRATOR CONCENTRATORS CONCENTRIC CONCEPT CONCEPTION CONCEPTIONS CONCEPTS CONCEPTUAL CONCEPTUALIZATION CONCEPTUALIZATIONS CONCEPTUALIZE CONCEPTUALIZED CONCEPTUALIZES CONCEPTUALIZING CONCEPTUALLY CONCERN CONCERNED CONCERNEDLY CONCERNING CONCERNS CONCERT CONCERTED CONCERTMASTER CONCERTO CONCERTS CONCESSION CONCESSIONS CONCILIATE CONCILIATORY CONCISE CONCISELY CONCISENESS CONCLAVE CONCLUDE CONCLUDED CONCLUDES CONCLUDING CONCLUSION CONCLUSIONS CONCLUSIVE CONCLUSIVELY CONCOCT CONCOMITANT CONCORD CONCORDANT CONCORDE CONCORDIA CONCOURSE CONCRETE CONCRETELY CONCRETENESS CONCRETES CONCRETION CONCUBINE CONCUR CONCURRED CONCURRENCE CONCURRENCIES CONCURRENCY CONCURRENT CONCURRENTLY CONCURRING CONCURS CONCUSSION CONDEMN CONDEMNATION CONDEMNATIONS CONDEMNED CONDEMNER CONDEMNERS CONDEMNING CONDEMNS CONDENSATION CONDENSE CONDENSED CONDENSER CONDENSES CONDENSING CONDESCEND CONDESCENDING CONDITION CONDITIONAL CONDITIONALLY CONDITIONALS CONDITIONED CONDITIONER CONDITIONERS CONDITIONING CONDITIONS CONDOM CONDONE CONDONED CONDONES CONDONING CONDUCE CONDUCIVE CONDUCIVENESS CONDUCT CONDUCTANCE CONDUCTED CONDUCTING CONDUCTION CONDUCTIVE CONDUCTIVITY CONDUCTOR CONDUCTORS CONDUCTS CONDUIT CONE CONES CONESTOGA CONFECTIONERY CONFEDERACY CONFEDERATE CONFEDERATES CONFEDERATION CONFEDERATIONS CONFER CONFEREE CONFERENCE CONFERENCES CONFERRED CONFERRER CONFERRERS CONFERRING CONFERS CONFESS CONFESSED CONFESSES CONFESSING CONFESSION CONFESSIONS CONFESSOR CONFESSORS CONFIDANT CONFIDANTS CONFIDE CONFIDED CONFIDENCE CONFIDENCES CONFIDENT CONFIDENTIAL CONFIDENTIALITY CONFIDENTIALLY CONFIDENTLY CONFIDES CONFIDING CONFIDINGLY CONFIGURABLE CONFIGURATION CONFIGURATIONS CONFIGURE CONFIGURED CONFIGURES CONFIGURING CONFINE CONFINED CONFINEMENT CONFINEMENTS CONFINER CONFINES CONFINING CONFIRM CONFIRMATION CONFIRMATIONS CONFIRMATORY CONFIRMED CONFIRMING CONFIRMS CONFISCATE CONFISCATED CONFISCATES CONFISCATING CONFISCATION CONFISCATIONS CONFLAGRATION CONFLICT CONFLICTED CONFLICTING CONFLICTS CONFLUENT CONFOCAL CONFORM CONFORMAL CONFORMANCE CONFORMED CONFORMING CONFORMITY CONFORMS CONFOUND CONFOUNDED CONFOUNDING CONFOUNDS CONFRONT CONFRONTATION CONFRONTATIONS CONFRONTED CONFRONTER CONFRONTERS CONFRONTING CONFRONTS CONFUCIAN CONFUCIANISM CONFUCIUS CONFUSE CONFUSED CONFUSER CONFUSERS CONFUSES CONFUSING CONFUSINGLY CONFUSION CONFUSIONS CONGENIAL CONGENIALLY CONGENITAL CONGEST CONGESTED CONGESTION CONGESTIVE CONGLOMERATE CONGO CONGOLESE CONGRATULATE CONGRATULATED CONGRATULATION CONGRATULATIONS CONGRATULATORY CONGREGATE CONGREGATED CONGREGATES CONGREGATING CONGREGATION CONGREGATIONS CONGRESS CONGRESSES CONGRESSIONAL CONGRESSIONALLY CONGRESSMAN CONGRESSMEN CONGRESSWOMAN CONGRESSWOMEN CONGRUENCE CONGRUENT CONIC CONIFER CONIFEROUS CONJECTURE CONJECTURED CONJECTURES CONJECTURING CONJOINED CONJUGAL CONJUGATE CONJUNCT CONJUNCTED CONJUNCTION CONJUNCTIONS CONJUNCTIVE CONJUNCTIVELY CONJUNCTS CONJUNCTURE CONJURE CONJURED CONJURER CONJURES CONJURING CONKLIN CONLEY CONNALLY CONNECT CONNECTED CONNECTEDNESS CONNECTICUT CONNECTING CONNECTION CONNECTIONLESS CONNECTIONS CONNECTIVE CONNECTIVES CONNECTIVITY CONNECTOR CONNECTORS CONNECTS CONNELLY CONNER CONNIE CONNIVANCE CONNIVE CONNOISSEUR CONNOISSEURS CONNORS CONNOTATION CONNOTATIVE CONNOTE CONNOTED CONNOTES CONNOTING CONNUBIAL CONQUER CONQUERABLE CONQUERED CONQUERER CONQUERERS CONQUERING CONQUEROR CONQUERORS CONQUERS CONQUEST CONQUESTS CONRAD CONRAIL CONSCIENCE CONSCIENCES CONSCIENTIOUS CONSCIENTIOUSLY CONSCIOUS CONSCIOUSLY CONSCIOUSNESS CONSCRIPT CONSCRIPTION CONSECRATE CONSECRATION CONSECUTIVE CONSECUTIVELY CONSENSUAL CONSENSUS CONSENT CONSENTED CONSENTER CONSENTERS CONSENTING CONSENTS CONSEQUENCE CONSEQUENCES CONSEQUENT CONSEQUENTIAL CONSEQUENTIALITIES CONSEQUENTIALITY CONSEQUENTLY CONSEQUENTS CONSERVATION CONSERVATIONIST CONSERVATIONISTS CONSERVATIONS CONSERVATISM CONSERVATIVE CONSERVATIVELY CONSERVATIVES CONSERVATOR CONSERVE CONSERVED CONSERVES CONSERVING CONSIDER CONSIDERABLE CONSIDERABLY CONSIDERATE CONSIDERATELY CONSIDERATION CONSIDERATIONS CONSIDERED CONSIDERING CONSIDERS CONSIGN CONSIGNED CONSIGNING CONSIGNS CONSIST CONSISTED CONSISTENCY CONSISTENT CONSISTENTLY CONSISTING CONSISTS CONSOLABLE CONSOLATION CONSOLATIONS CONSOLE CONSOLED CONSOLER CONSOLERS CONSOLES CONSOLIDATE CONSOLIDATED CONSOLIDATES CONSOLIDATING CONSOLIDATION CONSOLING CONSOLINGLY CONSONANT CONSONANTS CONSORT CONSORTED CONSORTING CONSORTIUM CONSORTS CONSPICUOUS CONSPICUOUSLY CONSPIRACIES CONSPIRACY CONSPIRATOR CONSPIRATORS CONSPIRE CONSPIRED CONSPIRES CONSPIRING CONSTABLE CONSTABLES CONSTANCE CONSTANCY CONSTANT CONSTANTINE CONSTANTINOPLE CONSTANTLY CONSTANTS CONSTELLATION CONSTELLATIONS CONSTERNATION CONSTITUENCIES CONSTITUENCY CONSTITUENT CONSTITUENTS CONSTITUTE CONSTITUTED CONSTITUTES CONSTITUTING CONSTITUTION CONSTITUTIONAL CONSTITUTIONALITY CONSTITUTIONALLY CONSTITUTIONS CONSTITUTIVE CONSTRAIN CONSTRAINED CONSTRAINING CONSTRAINS CONSTRAINT CONSTRAINTS CONSTRICT CONSTRUCT CONSTRUCTED CONSTRUCTIBILITY CONSTRUCTIBLE CONSTRUCTING CONSTRUCTION CONSTRUCTIONS CONSTRUCTIVE CONSTRUCTIVELY CONSTRUCTOR CONSTRUCTORS CONSTRUCTS CONSTRUE CONSTRUED CONSTRUING CONSUL CONSULAR CONSULATE CONSULATES CONSULS CONSULT CONSULTANT CONSULTANTS CONSULTATION CONSULTATIONS CONSULTATIVE CONSULTED CONSULTING CONSULTS CONSUMABLE CONSUME CONSUMED CONSUMER CONSUMERS CONSUMES CONSUMING CONSUMMATE CONSUMMATED CONSUMMATELY CONSUMMATION CONSUMPTION CONSUMPTIONS CONSUMPTIVE CONSUMPTIVELY CONTACT CONTACTED CONTACTING CONTACTS CONTAGION CONTAGIOUS CONTAGIOUSLY CONTAIN CONTAINABLE CONTAINED CONTAINER CONTAINERS CONTAINING CONTAINMENT CONTAINMENTS CONTAINS CONTAMINATE CONTAMINATED CONTAMINATES CONTAMINATING CONTAMINATION CONTEMPLATE CONTEMPLATED CONTEMPLATES CONTEMPLATING CONTEMPLATION CONTEMPLATIONS CONTEMPLATIVE CONTEMPORARIES CONTEMPORARINESS CONTEMPORARY CONTEMPT CONTEMPTIBLE CONTEMPTUOUS CONTEMPTUOUSLY CONTEND CONTENDED CONTENDER CONTENDERS CONTENDING CONTENDS CONTENT CONTENTED CONTENTING CONTENTION CONTENTIONS CONTENTLY CONTENTMENT CONTENTS CONTEST CONTESTABLE CONTESTANT CONTESTED CONTESTER CONTESTERS CONTESTING CONTESTS CONTEXT CONTEXTS CONTEXTUAL CONTEXTUALLY CONTIGUITY CONTIGUOUS CONTIGUOUSLY CONTINENT CONTINENTAL CONTINENTALLY CONTINENTS CONTINGENCIES CONTINGENCY CONTINGENT CONTINGENTS CONTINUAL CONTINUALLY CONTINUANCE CONTINUANCES CONTINUATION CONTINUATIONS CONTINUE CONTINUED CONTINUES CONTINUING CONTINUITIES CONTINUITY CONTINUOUS CONTINUOUSLY CONTINUUM CONTORTIONS CONTOUR CONTOURED CONTOURING CONTOURS CONTRABAND CONTRACEPTION CONTRACEPTIVE CONTRACT CONTRACTED CONTRACTING CONTRACTION CONTRACTIONS CONTRACTOR CONTRACTORS CONTRACTS CONTRACTUAL CONTRACTUALLY CONTRADICT CONTRADICTED CONTRADICTING CONTRADICTION CONTRADICTIONS CONTRADICTORY CONTRADICTS CONTRADISTINCTION CONTRADISTINCTIONS CONTRAPOSITIVE CONTRAPOSITIVES CONTRAPTION CONTRAPTIONS CONTRARINESS CONTRARY CONTRAST CONTRASTED CONTRASTER CONTRASTERS CONTRASTING CONTRASTINGLY CONTRASTS CONTRIBUTE CONTRIBUTED CONTRIBUTES CONTRIBUTING CONTRIBUTION CONTRIBUTIONS CONTRIBUTOR CONTRIBUTORILY CONTRIBUTORS CONTRIBUTORY CONTRITE CONTRITION CONTRIVANCE CONTRIVANCES CONTRIVE CONTRIVED CONTRIVER CONTRIVES CONTRIVING CONTROL CONTROLLABILITY CONTROLLABLE CONTROLLABLY CONTROLLED CONTROLLER CONTROLLERS CONTROLLING CONTROLS CONTROVERSIAL CONTROVERSIES CONTROVERSY CONTROVERTIBLE CONTUMACIOUS CONTUMACY CONUNDRUM CONUNDRUMS CONVAIR CONVALESCENT CONVECT CONVENE CONVENED CONVENES CONVENIENCE CONVENIENCES CONVENIENT CONVENIENTLY CONVENING CONVENT CONVENTION CONVENTIONAL CONVENTIONALLY CONVENTIONS CONVENTS CONVERGE CONVERGED CONVERGENCE CONVERGENT CONVERGES CONVERGING CONVERSANT CONVERSANTLY CONVERSATION CONVERSATIONAL CONVERSATIONALLY CONVERSATIONS CONVERSE CONVERSED CONVERSELY CONVERSES CONVERSING CONVERSION CONVERSIONS CONVERT CONVERTED CONVERTER CONVERTERS CONVERTIBILITY CONVERTIBLE CONVERTING CONVERTS CONVEX CONVEY CONVEYANCE CONVEYANCES CONVEYED CONVEYER CONVEYERS CONVEYING CONVEYOR CONVEYS CONVICT CONVICTED CONVICTING CONVICTION CONVICTIONS CONVICTS CONVINCE CONVINCED CONVINCER CONVINCERS CONVINCES CONVINCING CONVINCINGLY CONVIVIAL CONVOKE CONVOLUTED CONVOLUTION CONVOY CONVOYED CONVOYING CONVOYS CONVULSE CONVULSION CONVULSIONS CONWAY COO COOING COOK COOKBOOK COOKE COOKED COOKERY COOKIE COOKIES COOKING COOKS COOKY COOL COOLED COOLER COOLERS COOLEST COOLEY COOLIDGE COOLIE COOLIES COOLING COOLLY COOLNESS COOLS COON COONS COOP COOPED COOPER COOPERATE COOPERATED COOPERATES COOPERATING COOPERATION COOPERATIONS COOPERATIVE COOPERATIVELY COOPERATIVES COOPERATOR COOPERATORS COOPERS COOPS COORDINATE COORDINATED COORDINATES COORDINATING COORDINATION COORDINATIONS COORDINATOR COORDINATORS COORS COP COPE COPED COPELAND COPENHAGEN COPERNICAN COPERNICUS COPES COPIED COPIER COPIERS COPIES COPING COPINGS COPIOUS COPIOUSLY COPIOUSNESS COPLANAR COPPER COPPERFIELD COPPERHEAD COPPERS COPRA COPROCESSOR COPS COPSE COPY COPYING COPYRIGHT COPYRIGHTABLE COPYRIGHTED COPYRIGHTS COPYWRITER COQUETTE CORAL CORBETT CORCORAN CORD CORDED CORDER CORDIAL CORDIALITY CORDIALLY CORDS CORE CORED CORER CORERS CORES COREY CORIANDER CORING CORINTH CORINTHIAN CORINTHIANIZE CORINTHIANIZES CORINTHIANS CORIOLANUS CORK CORKED CORKER CORKERS CORKING CORKS CORKSCREW CORMORANT CORN CORNEA CORNELIA CORNELIAN CORNELIUS CORNELL CORNER CORNERED CORNERS CORNERSTONE CORNERSTONES CORNET CORNFIELD CORNFIELDS CORNING CORNISH CORNMEAL CORNS CORNSTARCH CORNUCOPIA CORNWALL CORNWALLIS CORNY COROLLARIES COROLLARY CORONADO CORONARIES CORONARY CORONATION CORONER CORONET CORONETS COROUTINE COROUTINES CORPORAL CORPORALS CORPORATE CORPORATELY CORPORATION CORPORATIONS CORPS CORPSE CORPSES CORPULENT CORPUS CORPUSCULAR CORRAL CORRECT CORRECTABLE CORRECTED CORRECTING CORRECTION CORRECTIONS CORRECTIVE CORRECTIVELY CORRECTIVES CORRECTLY CORRECTNESS CORRECTOR CORRECTS CORRELATE CORRELATED CORRELATES CORRELATING CORRELATION CORRELATIONS CORRELATIVE CORRESPOND CORRESPONDED CORRESPONDENCE CORRESPONDENCES CORRESPONDENT CORRESPONDENTS CORRESPONDING CORRESPONDINGLY CORRESPONDS CORRIDOR CORRIDORS CORRIGENDA CORRIGENDUM CORRIGIBLE CORROBORATE CORROBORATED CORROBORATES CORROBORATING CORROBORATION CORROBORATIONS CORROBORATIVE CORRODE CORROSION CORROSIVE CORRUGATE CORRUPT CORRUPTED CORRUPTER CORRUPTIBLE CORRUPTING CORRUPTION CORRUPTIONS CORRUPTS CORSET CORSICA CORSICAN CORTEX CORTEZ CORTICAL CORTLAND CORVALLIS CORVUS CORYDORAS COSGROVE COSINE COSINES COSMETIC COSMETICS COSMIC COSMOLOGY COSMOPOLITAN COSMOS COSPONSOR COSSACK COST COSTA COSTED COSTELLO COSTING COSTLY COSTS COSTUME COSTUMED COSTUMER COSTUMES COSTUMING COSY COT COTANGENT COTILLION COTS COTTAGE COTTAGER COTTAGES COTTON COTTONMOUTH COTTONS COTTONSEED COTTONWOOD COTTRELL COTYLEDON COTYLEDONS COUCH COUCHED COUCHES COUCHING COUGAR COUGH COUGHED COUGHING COUGHS COULD COULOMB COULTER COUNCIL COUNCILLOR COUNCILLORS COUNCILMAN COUNCILMEN COUNCILS COUNCILWOMAN COUNCILWOMEN COUNSEL COUNSELED COUNSELING COUNSELLED COUNSELLING COUNSELLOR COUNSELLORS COUNSELOR COUNSELORS COUNSELS COUNT COUNTABLE COUNTABLY COUNTED COUNTENANCE COUNTER COUNTERACT COUNTERACTED COUNTERACTING COUNTERACTIVE COUNTERARGUMENT COUNTERATTACK COUNTERBALANCE COUNTERCLOCKWISE COUNTERED COUNTEREXAMPLE COUNTEREXAMPLES COUNTERFEIT COUNTERFEITED COUNTERFEITER COUNTERFEITING COUNTERFLOW COUNTERING COUNTERINTUITIVE COUNTERMAN COUNTERMEASURE COUNTERMEASURES COUNTERMEN COUNTERPART COUNTERPARTS COUNTERPOINT COUNTERPOINTING COUNTERPOISE COUNTERPRODUCTIVE COUNTERPROPOSAL COUNTERREVOLUTION COUNTERS COUNTERSINK COUNTERSUNK COUNTESS COUNTIES COUNTING COUNTLESS COUNTRIES COUNTRY COUNTRYMAN COUNTRYMEN COUNTRYSIDE COUNTRYWIDE COUNTS COUNTY COUNTYWIDE COUPLE COUPLED COUPLER COUPLERS COUPLES COUPLING COUPLINGS COUPON COUPONS COURAGE COURAGEOUS COURAGEOUSLY COURIER COURIERS COURSE COURSED COURSER COURSES COURSING COURT COURTED COURTEOUS COURTEOUSLY COURTER COURTERS COURTESAN COURTESIES COURTESY COURTHOUSE COURTHOUSES COURTIER COURTIERS COURTING COURTLY COURTNEY COURTROOM COURTROOMS COURTS COURTSHIP COURTYARD COURTYARDS COUSIN COUSINS COVALENT COVARIANT COVE COVENANT COVENANTS COVENT COVENTRY COVER COVERABLE COVERAGE COVERED COVERING COVERINGS COVERLET COVERLETS COVERS COVERT COVERTLY COVES COVET COVETED COVETING COVETOUS COVETOUSNESS COVETS COW COWAN COWARD COWARDICE COWARDLY COWBOY COWBOYS COWED COWER COWERED COWERER COWERERS COWERING COWERINGLY COWERS COWHERD COWHIDE COWING COWL COWLICK COWLING COWLS COWORKER COWS COWSLIP COWSLIPS COYOTE COYOTES COYPU COZIER COZINESS COZY CRAB CRABAPPLE CRABS CRACK CRACKED CRACKER CRACKERS CRACKING CRACKLE CRACKLED CRACKLES CRACKLING CRACKPOT CRACKS CRADLE CRADLED CRADLES CRAFT CRAFTED CRAFTER CRAFTINESS CRAFTING CRAFTS CRAFTSMAN CRAFTSMEN CRAFTSPEOPLE CRAFTSPERSON CRAFTY CRAG CRAGGY CRAGS CRAIG CRAM CRAMER CRAMMING CRAMP CRAMPS CRAMS CRANBERRIES CRANBERRY CRANDALL CRANE CRANES CRANFORD CRANIA CRANIUM CRANK CRANKCASE CRANKED CRANKIER CRANKIEST CRANKILY CRANKING CRANKS CRANKSHAFT CRANKY CRANNY CRANSTON CRASH CRASHED CRASHER CRASHERS CRASHES CRASHING CRASS CRATE CRATER CRATERS CRATES CRAVAT CRAVATS CRAVE CRAVED CRAVEN CRAVES CRAVING CRAWFORD CRAWL CRAWLED CRAWLER CRAWLERS CRAWLING CRAWLS CRAY CRAYON CRAYS CRAZE CRAZED CRAZES CRAZIER CRAZIEST CRAZILY CRAZINESS CRAZING CRAZY CREAK CREAKED CREAKING CREAKS CREAKY CREAM CREAMED CREAMER CREAMERS CREAMERY CREAMING CREAMS CREAMY CREASE CREASED CREASES CREASING CREATE CREATED CREATES CREATING CREATION CREATIONS CREATIVE CREATIVELY CREATIVENESS CREATIVITY CREATOR CREATORS CREATURE CREATURES CREDENCE CREDENTIAL CREDIBILITY CREDIBLE CREDIBLY CREDIT CREDITABLE CREDITABLY CREDITED CREDITING CREDITOR CREDITORS CREDITS CREDULITY CREDULOUS CREDULOUSNESS CREE CREED CREEDS CREEK CREEKS CREEP CREEPER CREEPERS CREEPING CREEPS CREEPY CREIGHTON CREMATE CREMATED CREMATES CREMATING CREMATION CREMATIONS CREMATORY CREOLE CREON CREPE CREPT CRESCENT CRESCENTS CREST CRESTED CRESTFALLEN CRESTS CRESTVIEW CRETACEOUS CRETACEOUSLY CRETAN CRETE CRETIN CREVICE CREVICES CREW CREWCUT CREWED CREWING CREWS CRIB CRIBS CRICKET CRICKETS CRIED CRIER CRIERS CRIES CRIME CRIMEA CRIMEAN CRIMES CRIMINAL CRIMINALLY CRIMINALS CRIMINATE CRIMSON CRIMSONING CRINGE CRINGED CRINGES CRINGING CRIPPLE CRIPPLED CRIPPLES CRIPPLING CRISES CRISIS CRISP CRISPIN CRISPLY CRISPNESS CRISSCROSS CRITERIA CRITERION CRITIC CRITICAL CRITICALLY CRITICISM CRITICISMS CRITICIZE CRITICIZED CRITICIZES CRITICIZING CRITICS CRITIQUE CRITIQUES CRITIQUING CRITTER CROAK CROAKED CROAKING CROAKS CROATIA CROATIAN CROCHET CROCHETS CROCK CROCKERY CROCKETT CROCKS CROCODILE CROCUS CROFT CROIX CROMWELL CROMWELLIAN CROOK CROOKED CROOKS CROP CROPPED CROPPER CROPPERS CROPPING CROPS CROSBY CROSS CROSSABLE CROSSBAR CROSSBARS CROSSED CROSSER CROSSERS CROSSES CROSSING CROSSINGS CROSSLY CROSSOVER CROSSOVERS CROSSPOINT CROSSROAD CROSSTALK CROSSWALK CROSSWORD CROSSWORDS CROTCH CROTCHETY CROUCH CROUCHED CROUCHING CROW CROWD CROWDED CROWDER CROWDING CROWDS CROWED CROWING CROWLEY CROWN CROWNED CROWNING CROWNS CROWS CROYDON CRUCIAL CRUCIALLY CRUCIBLE CRUCIFIED CRUCIFIES CRUCIFIX CRUCIFIXION CRUCIFY CRUCIFYING CRUD CRUDDY CRUDE CRUDELY CRUDENESS CRUDER CRUDEST CRUEL CRUELER CRUELEST CRUELLY CRUELTY CRUICKSHANK CRUISE CRUISER CRUISERS CRUISES CRUISING CRUMB CRUMBLE CRUMBLED CRUMBLES CRUMBLING CRUMBLY CRUMBS CRUMMY CRUMPLE CRUMPLED CRUMPLES CRUMPLING CRUNCH CRUNCHED CRUNCHES CRUNCHIER CRUNCHIEST CRUNCHING CRUNCHY CRUSADE CRUSADER CRUSADERS CRUSADES CRUSADING CRUSH CRUSHABLE CRUSHED CRUSHER CRUSHERS CRUSHES CRUSHING CRUSHINGLY CRUSOE CRUST CRUSTACEAN CRUSTACEANS CRUSTS CRUTCH CRUTCHES CRUX CRUXES CRUZ CRY CRYING CRYOGENIC CRYPT CRYPTANALYSIS CRYPTANALYST CRYPTANALYTIC CRYPTIC CRYPTOGRAM CRYPTOGRAPHER CRYPTOGRAPHIC CRYPTOGRAPHICALLY CRYPTOGRAPHY CRYPTOLOGIST CRYPTOLOGY CRYSTAL CRYSTALLINE CRYSTALLIZE CRYSTALLIZED CRYSTALLIZES CRYSTALLIZING CRYSTALS CUB CUBA CUBAN CUBANIZE CUBANIZES CUBANS CUBBYHOLE CUBE CUBED CUBES CUBIC CUBS CUCKOO CUCKOOS CUCUMBER CUCUMBERS CUDDLE CUDDLED CUDDLY CUDGEL CUDGELS CUE CUED CUES CUFF CUFFLINK CUFFS CUISINE CULBERTSON CULINARY CULL CULLED CULLER CULLING CULLS CULMINATE CULMINATED CULMINATES CULMINATING CULMINATION CULPA CULPABLE CULPRIT CULPRITS CULT CULTIVABLE CULTIVATE CULTIVATED CULTIVATES CULTIVATING CULTIVATION CULTIVATIONS CULTIVATOR CULTIVATORS CULTS CULTURAL CULTURALLY CULTURE CULTURED CULTURES CULTURING CULVER CULVERS CUMBERLAND CUMBERSOME CUMMINGS CUMMINS CUMULATIVE CUMULATIVELY CUNARD CUNNILINGUS CUNNING CUNNINGHAM CUNNINGLY CUP CUPBOARD CUPBOARDS CUPERTINO CUPFUL CUPID CUPPED CUPPING CUPS CURABLE CURABLY CURB CURBING CURBS CURD CURDLE CURE CURED CURES CURFEW CURFEWS CURING CURIOSITIES CURIOSITY CURIOUS CURIOUSER CURIOUSEST CURIOUSLY CURL CURLED CURLER CURLERS CURLICUE CURLING CURLS CURLY CURRAN CURRANT CURRANTS CURRENCIES CURRENCY CURRENT CURRENTLY CURRENTNESS CURRENTS CURRICULAR CURRICULUM CURRICULUMS CURRIED CURRIES CURRY CURRYING CURS CURSE CURSED CURSES CURSING CURSIVE CURSOR CURSORILY CURSORS CURSORY CURT CURTAIL CURTAILED CURTAILS CURTAIN CURTAINED CURTAINS CURTATE CURTIS CURTLY CURTNESS CURTSIES CURTSY CURVACEOUS CURVATURE CURVE CURVED CURVES CURVILINEAR CURVING CUSHING CUSHION CUSHIONED CUSHIONING CUSHIONS CUSHMAN CUSP CUSPS CUSTARD CUSTER CUSTODIAL CUSTODIAN CUSTODIANS CUSTODY CUSTOM CUSTOMARILY CUSTOMARY CUSTOMER CUSTOMERS CUSTOMIZABLE CUSTOMIZATION CUSTOMIZATIONS CUSTOMIZE CUSTOMIZED CUSTOMIZER CUSTOMIZERS CUSTOMIZES CUSTOMIZING CUSTOMS CUT CUTANEOUS CUTBACK CUTE CUTEST CUTLASS CUTLET CUTOFF CUTOUT CUTOVER CUTS CUTTER CUTTERS CUTTHROAT CUTTING CUTTINGLY CUTTINGS CUTTLEFISH CUVIER CUZCO CYANAMID CYANIDE CYBERNETIC CYBERNETICS CYBERSPACE CYCLADES CYCLE CYCLED CYCLES CYCLIC CYCLICALLY CYCLING CYCLOID CYCLOIDAL CYCLOIDS CYCLONE CYCLONES CYCLOPS CYCLOTRON CYCLOTRONS CYGNUS CYLINDER CYLINDERS CYLINDRICAL CYMBAL CYMBALS CYNIC CYNICAL CYNICALLY CYNTHIA CYPRESS CYPRIAN CYPRIOT CYPRUS CYRIL CYRILLIC CYRUS CYST CYSTS CYTOLOGY CYTOPLASM CZAR CZECH CZECHIZATION CZECHIZATIONS CZECHOSLOVAKIA CZERNIAK DABBLE DABBLED DABBLER DABBLES DABBLING DACCA DACRON DACTYL DACTYLIC DAD DADA DADAISM DADAIST DADAISTIC DADDY DADE DADS DAEDALUS DAEMON DAEMONS DAFFODIL DAFFODILS DAGGER DAHL DAHLIA DAHOMEY DAILEY DAILIES DAILY DAIMLER DAINTILY DAINTINESS DAINTY DAIRY DAIRYLEA DAISIES DAISY DAKAR DAKOTA DALE DALES DALEY DALHOUSIE DALI DALLAS DALTON DALY DALZELL DAM DAMAGE DAMAGED DAMAGER DAMAGERS DAMAGES DAMAGING DAMASCUS DAMASK DAME DAMMING DAMN DAMNATION DAMNED DAMNING DAMNS DAMOCLES DAMON DAMP DAMPEN DAMPENS DAMPER DAMPING DAMPNESS DAMS DAMSEL DAMSELS DAN DANA DANBURY DANCE DANCED DANCER DANCERS DANCES DANCING DANDELION DANDELIONS DANDY DANE DANES DANGER DANGEROUS DANGEROUSLY DANGERS DANGLE DANGLED DANGLES DANGLING DANIEL DANIELS DANIELSON DANISH DANIZATION DANIZATIONS DANIZE DANIZES DANNY DANTE DANUBE DANUBIAN DANVILLE DANZIG DAPHNE DAR DARE DARED DARER DARERS DARES DARESAY DARING DARINGLY DARIUS DARK DARKEN DARKER DARKEST DARKLY DARKNESS DARKROOM DARLENE DARLING DARLINGS DARLINGTON DARN DARNED DARNER DARNING DARNS DARPA DARRELL DARROW DARRY DART DARTED DARTER DARTING DARTMOUTH DARTS DARWIN DARWINIAN DARWINISM DARWINISTIC DARWINIZE DARWINIZES DASH DASHBOARD DASHED DASHER DASHERS DASHES DASHING DASHINGLY DATA DATABASE DATABASES DATAGRAM DATAGRAMS DATAMATION DATAMEDIA DATE DATED DATELINE DATER DATES DATING DATIVE DATSUN DATUM DAUGHERTY DAUGHTER DAUGHTERLY DAUGHTERS DAUNT DAUNTED DAUNTLESS DAVE DAVID DAVIDSON DAVIE DAVIES DAVINICH DAVIS DAVISON DAVY DAWN DAWNED DAWNING DAWNS DAWSON DAY DAYBREAK DAYDREAM DAYDREAMING DAYDREAMS DAYLIGHT DAYLIGHTS DAYS DAYTIME DAYTON DAYTONA DAZE DAZED DAZZLE DAZZLED DAZZLER DAZZLES DAZZLING DAZZLINGLY DEACON DEACONS DEACTIVATE DEAD DEADEN DEADLINE DEADLINES DEADLOCK DEADLOCKED DEADLOCKING DEADLOCKS DEADLY DEADNESS DEADWOOD DEAF DEAFEN DEAFER DEAFEST DEAFNESS DEAL DEALER DEALERS DEALERSHIP DEALING DEALINGS DEALLOCATE DEALLOCATED DEALLOCATING DEALLOCATION DEALLOCATIONS DEALS DEALT DEAN DEANE DEANNA DEANS DEAR DEARBORN DEARER DEAREST DEARLY DEARNESS DEARTH DEARTHS DEATH DEATHBED DEATHLY DEATHS DEBACLE DEBAR DEBASE DEBATABLE DEBATE DEBATED DEBATER DEBATERS DEBATES DEBATING DEBAUCH DEBAUCHERY DEBBIE DEBBY DEBILITATE DEBILITATED DEBILITATES DEBILITATING DEBILITY DEBIT DEBITED DEBORAH DEBRA DEBRIEF DEBRIS DEBT DEBTOR DEBTS DEBUG DEBUGGED DEBUGGER DEBUGGERS DEBUGGING DEBUGS DEBUNK DEBUSSY DEBUTANTE DEC DECADE DECADENCE DECADENT DECADENTLY DECADES DECAL DECATHLON DECATUR DECAY DECAYED DECAYING DECAYS DECCA DECEASE DECEASED DECEASES DECEASING DECEDENT DECEIT DECEITFUL DECEITFULLY DECEITFULNESS DECEIVE DECEIVED DECEIVER DECEIVERS DECEIVES DECEIVING DECELERATE DECELERATED DECELERATES DECELERATING DECELERATION DECEMBER DECEMBERS DECENCIES DECENCY DECENNIAL DECENT DECENTLY DECENTRALIZATION DECENTRALIZED DECEPTION DECEPTIONS DECEPTIVE DECEPTIVELY DECERTIFY DECIBEL DECIDABILITY DECIDABLE DECIDE DECIDED DECIDEDLY DECIDES DECIDING DECIDUOUS DECIMAL DECIMALS DECIMATE DECIMATED DECIMATES DECIMATING DECIMATION DECIPHER DECIPHERED DECIPHERER DECIPHERING DECIPHERS DECISION DECISIONS DECISIVE DECISIVELY DECISIVENESS DECK DECKED DECKER DECKING DECKINGS DECKS DECLARATION DECLARATIONS DECLARATIVE DECLARATIVELY DECLARATIVES DECLARATOR DECLARATORY DECLARE DECLARED DECLARER DECLARERS DECLARES DECLARING DECLASSIFY DECLINATION DECLINATIONS DECLINE DECLINED DECLINER DECLINERS DECLINES DECLINING DECNET DECODE DECODED DECODER DECODERS DECODES DECODING DECODINGS DECOLLETAGE DECOLLIMATE DECOMPILE DECOMPOSABILITY DECOMPOSABLE DECOMPOSE DECOMPOSED DECOMPOSES DECOMPOSING DECOMPOSITION DECOMPOSITIONS DECOMPRESS DECOMPRESSION DECORATE DECORATED DECORATES DECORATING DECORATION DECORATIONS DECORATIVE DECORUM DECOUPLE DECOUPLED DECOUPLES DECOUPLING DECOY DECOYS DECREASE DECREASED DECREASES DECREASING DECREASINGLY DECREE DECREED DECREEING DECREES DECREMENT DECREMENTED DECREMENTING DECREMENTS DECRYPT DECRYPTED DECRYPTING DECRYPTION DECRYPTS DECSTATION DECSYSTEM DECTAPE DEDICATE DEDICATED DEDICATES DEDICATING DEDICATION DEDUCE DEDUCED DEDUCER DEDUCES DEDUCIBLE DEDUCING DEDUCT DEDUCTED DEDUCTIBLE DEDUCTING DEDUCTION DEDUCTIONS DEDUCTIVE DEE DEED DEEDED DEEDING DEEDS DEEM DEEMED DEEMING DEEMPHASIZE DEEMPHASIZED DEEMPHASIZES DEEMPHASIZING DEEMS DEEP DEEPEN DEEPENED DEEPENING DEEPENS DEEPER DEEPEST DEEPLY DEEPS DEER DEERE DEFACE DEFAULT DEFAULTED DEFAULTER DEFAULTING DEFAULTS DEFEAT DEFEATED DEFEATING DEFEATS DEFECATE DEFECT DEFECTED DEFECTING DEFECTION DEFECTIONS DEFECTIVE DEFECTS DEFEND DEFENDANT DEFENDANTS DEFENDED DEFENDER DEFENDERS DEFENDING DEFENDS DEFENESTRATE DEFENESTRATED DEFENESTRATES DEFENESTRATING DEFENESTRATION DEFENSE DEFENSELESS DEFENSES DEFENSIBLE DEFENSIVE DEFER DEFERENCE DEFERMENT DEFERMENTS DEFERRABLE DEFERRED DEFERRER DEFERRERS DEFERRING DEFERS DEFIANCE DEFIANT DEFIANTLY DEFICIENCIES DEFICIENCY DEFICIENT DEFICIT DEFICITS DEFIED DEFIES DEFILE DEFILING DEFINABLE DEFINE DEFINED DEFINER DEFINES DEFINING DEFINITE DEFINITELY DEFINITENESS DEFINITION DEFINITIONAL DEFINITIONS DEFINITIVE DEFLATE DEFLATER DEFLECT DEFOCUS DEFOE DEFOREST DEFORESTATION DEFORM DEFORMATION DEFORMATIONS DEFORMED DEFORMITIES DEFORMITY DEFRAUD DEFRAY DEFROST DEFTLY DEFUNCT DEFY DEFYING DEGENERACY DEGENERATE DEGENERATED DEGENERATES DEGENERATING DEGENERATION DEGENERATIVE DEGRADABLE DEGRADATION DEGRADATIONS DEGRADE DEGRADED DEGRADES DEGRADING DEGREE DEGREES DEHUMIDIFY DEHYDRATE DEIFY DEIGN DEIGNED DEIGNING DEIGNS DEIMOS DEIRDRE DEIRDRES DEITIES DEITY DEJECTED DEJECTEDLY DEKALB DEKASTERE DEL DELANEY DELANO DELAWARE DELAY DELAYED DELAYING DELAYS DELEGATE DELEGATED DELEGATES DELEGATING DELEGATION DELEGATIONS DELETE DELETED DELETER DELETERIOUS DELETES DELETING DELETION DELETIONS DELFT DELHI DELIA DELIBERATE DELIBERATED DELIBERATELY DELIBERATENESS DELIBERATES DELIBERATING DELIBERATION DELIBERATIONS DELIBERATIVE DELIBERATOR DELIBERATORS DELICACIES DELICACY DELICATE DELICATELY DELICATESSEN DELICIOUS DELICIOUSLY DELIGHT DELIGHTED DELIGHTEDLY DELIGHTFUL DELIGHTFULLY DELIGHTING DELIGHTS DELILAH DELIMIT DELIMITATION DELIMITED DELIMITER DELIMITERS DELIMITING DELIMITS DELINEAMENT DELINEATE DELINEATED DELINEATES DELINEATING DELINEATION DELINQUENCY DELINQUENT DELIRIOUS DELIRIOUSLY DELIRIUM DELIVER DELIVERABLE DELIVERABLES DELIVERANCE DELIVERED DELIVERER DELIVERERS DELIVERIES DELIVERING DELIVERS DELIVERY DELL DELLA DELLS DELLWOOD DELMARVA DELPHI DELPHIC DELPHICALLY DELPHINUS DELTA DELTAS DELUDE DELUDED DELUDES DELUDING DELUGE DELUGED DELUGES DELUSION DELUSIONS DELUXE DELVE DELVES DELVING DEMAGNIFY DEMAGOGUE DEMAND DEMANDED DEMANDER DEMANDING DEMANDINGLY DEMANDS DEMARCATE DEMEANOR DEMENTED DEMERIT DEMETER DEMIGOD DEMISE DEMO DEMOCRACIES DEMOCRACY DEMOCRAT DEMOCRATIC DEMOCRATICALLY DEMOCRATS DEMODULATE DEMODULATOR DEMOGRAPHIC DEMOLISH DEMOLISHED DEMOLISHES DEMOLITION DEMON DEMONIAC DEMONIC DEMONS DEMONSTRABLE DEMONSTRATE DEMONSTRATED DEMONSTRATES DEMONSTRATING DEMONSTRATION DEMONSTRATIONS DEMONSTRATIVE DEMONSTRATIVELY DEMONSTRATOR DEMONSTRATORS DEMORALIZE DEMORALIZED DEMORALIZES DEMORALIZING DEMORGAN DEMOTE DEMOUNTABLE DEMPSEY DEMULTIPLEX DEMULTIPLEXED DEMULTIPLEXER DEMULTIPLEXERS DEMULTIPLEXING DEMUR DEMYTHOLOGIZE DEN DENATURE DENEB DENEBOLA DENEEN DENIABLE DENIAL DENIALS DENIED DENIER DENIES DENIGRATE DENIGRATED DENIGRATES DENIGRATING DENIZEN DENMARK DENNIS DENNY DENOMINATE DENOMINATION DENOMINATIONS DENOMINATOR DENOMINATORS DENOTABLE DENOTATION DENOTATIONAL DENOTATIONALLY DENOTATIONS DENOTATIVE DENOTE DENOTED DENOTES DENOTING DENOUNCE DENOUNCED DENOUNCES DENOUNCING DENS DENSE DENSELY DENSENESS DENSER DENSEST DENSITIES DENSITY DENT DENTAL DENTALLY DENTED DENTING DENTIST DENTISTRY DENTISTS DENTON DENTS DENTURE DENUDE DENUMERABLE DENUNCIATE DENUNCIATION DENVER DENY DENYING DEODORANT DEOXYRIBONUCLEIC DEPART DEPARTED DEPARTING DEPARTMENT DEPARTMENTAL DEPARTMENTS DEPARTS DEPARTURE DEPARTURES DEPEND DEPENDABILITY DEPENDABLE DEPENDABLY DEPENDED DEPENDENCE DEPENDENCIES DEPENDENCY DEPENDENT DEPENDENTLY DEPENDENTS DEPENDING DEPENDS DEPICT DEPICTED DEPICTING DEPICTS DEPLETE DEPLETED DEPLETES DEPLETING DEPLETION DEPLETIONS DEPLORABLE DEPLORE DEPLORED DEPLORES DEPLORING DEPLOY DEPLOYED DEPLOYING DEPLOYMENT DEPLOYMENTS DEPLOYS DEPORT DEPORTATION DEPORTEE DEPORTMENT DEPOSE DEPOSED DEPOSES DEPOSIT DEPOSITARY DEPOSITED DEPOSITING DEPOSITION DEPOSITIONS DEPOSITOR DEPOSITORS DEPOSITORY DEPOSITS DEPOT DEPOTS DEPRAVE DEPRAVED DEPRAVITY DEPRECATE DEPRECIATE DEPRECIATED DEPRECIATES DEPRECIATION DEPRESS DEPRESSED DEPRESSES DEPRESSING DEPRESSION DEPRESSIONS DEPRIVATION DEPRIVATIONS DEPRIVE DEPRIVED DEPRIVES DEPRIVING DEPTH DEPTHS DEPUTIES DEPUTY DEQUEUE DEQUEUED DEQUEUES DEQUEUING DERAIL DERAILED DERAILING DERAILS DERBY DERBYSHIRE DEREFERENCE DEREGULATE DEREGULATED DEREK DERIDE DERISION DERIVABLE DERIVATION DERIVATIONS DERIVATIVE DERIVATIVES DERIVE DERIVED DERIVES DERIVING DEROGATORY DERRICK DERRIERE DERVISH DES DESCARTES DESCEND DESCENDANT DESCENDANTS DESCENDED DESCENDENT DESCENDER DESCENDERS DESCENDING DESCENDS DESCENT DESCENTS DESCRIBABLE DESCRIBE DESCRIBED DESCRIBER DESCRIBES DESCRIBING DESCRIPTION DESCRIPTIONS DESCRIPTIVE DESCRIPTIVELY DESCRIPTIVES DESCRIPTOR DESCRIPTORS DESCRY DESECRATE DESEGREGATE DESERT DESERTED DESERTER DESERTERS DESERTING DESERTION DESERTIONS DESERTS DESERVE DESERVED DESERVES DESERVING DESERVINGLY DESERVINGS DESIDERATA DESIDERATUM DESIGN DESIGNATE DESIGNATED DESIGNATES DESIGNATING DESIGNATION DESIGNATIONS DESIGNATOR DESIGNATORS DESIGNED DESIGNER DESIGNERS DESIGNING DESIGNS DESIRABILITY DESIRABLE DESIRABLY DESIRE DESIRED DESIRES DESIRING DESIROUS DESIST DESK DESKS DESKTOP DESMOND DESOLATE DESOLATELY DESOLATION DESOLATIONS DESPAIR DESPAIRED DESPAIRING DESPAIRINGLY DESPAIRS DESPATCH DESPATCHED DESPERADO DESPERATE DESPERATELY DESPERATION DESPICABLE DESPISE DESPISED DESPISES DESPISING DESPITE DESPOIL DESPONDENT DESPOT DESPOTIC DESPOTISM DESPOTS DESSERT DESSERTS DESSICATE DESTABILIZE DESTINATION DESTINATIONS DESTINE DESTINED DESTINIES DESTINY DESTITUTE DESTITUTION DESTROY DESTROYED DESTROYER DESTROYERS DESTROYING DESTROYS DESTRUCT DESTRUCTION DESTRUCTIONS DESTRUCTIVE DESTRUCTIVELY DESTRUCTIVENESS DESTRUCTOR DESTUFF DESTUFFING DESTUFFS DESUETUDE DESULTORY DESYNCHRONIZE DETACH DETACHED DETACHER DETACHES DETACHING DETACHMENT DETACHMENTS DETAIL DETAILED DETAILING DETAILS DETAIN DETAINED DETAINING DETAINS DETECT DETECTABLE DETECTABLY DETECTED DETECTING DETECTION DETECTIONS DETECTIVE DETECTIVES DETECTOR DETECTORS DETECTS DETENTE DETENTION DETER DETERGENT DETERIORATE DETERIORATED DETERIORATES DETERIORATING DETERIORATION DETERMINABLE DETERMINACY DETERMINANT DETERMINANTS DETERMINATE DETERMINATELY DETERMINATION DETERMINATIONS DETERMINATIVE DETERMINE DETERMINED DETERMINER DETERMINERS DETERMINES DETERMINING DETERMINISM DETERMINISTIC DETERMINISTICALLY DETERRED DETERRENT DETERRING DETEST DETESTABLE DETESTED DETOUR DETRACT DETRACTOR DETRACTORS DETRACTS DETRIMENT DETRIMENTAL DETROIT DEUCE DEUS DEUTERIUM DEUTSCH DEVASTATE DEVASTATED DEVASTATES DEVASTATING DEVASTATION DEVELOP DEVELOPED DEVELOPER DEVELOPERS DEVELOPING DEVELOPMENT DEVELOPMENTAL DEVELOPMENTS DEVELOPS DEVIANT DEVIANTS DEVIATE DEVIATED DEVIATES DEVIATING DEVIATION DEVIATIONS DEVICE DEVICES DEVIL DEVILISH DEVILISHLY DEVILS DEVIOUS DEVISE DEVISED DEVISES DEVISING DEVISINGS DEVOID DEVOLVE DEVON DEVONSHIRE DEVOTE DEVOTED DEVOTEDLY DEVOTEE DEVOTEES DEVOTES DEVOTING DEVOTION DEVOTIONS DEVOUR DEVOURED DEVOURER DEVOURS DEVOUT DEVOUTLY DEVOUTNESS DEW DEWDROP DEWDROPS DEWEY DEWITT DEWY DEXEDRINE DEXTERITY DHABI DIABETES DIABETIC DIABOLIC DIACHRONIC DIACRITICAL DIADEM DIAGNOSABLE DIAGNOSE DIAGNOSED DIAGNOSES DIAGNOSING DIAGNOSIS DIAGNOSTIC DIAGNOSTICIAN DIAGNOSTICS DIAGONAL DIAGONALLY DIAGONALS DIAGRAM DIAGRAMMABLE DIAGRAMMATIC DIAGRAMMATICALLY DIAGRAMMED DIAGRAMMER DIAGRAMMERS DIAGRAMMING DIAGRAMS DIAL DIALECT DIALECTIC DIALECTS DIALED DIALER DIALERS DIALING DIALOG DIALOGS DIALOGUE DIALOGUES DIALS DIALUP DIALYSIS DIAMAGNETIC DIAMETER DIAMETERS DIAMETRIC DIAMETRICALLY DIAMOND DIAMONDS DIANA DIANE DIANNE DIAPER DIAPERS DIAPHRAGM DIAPHRAGMS DIARIES DIARRHEA DIARY DIATRIBE DIATRIBES DIBBLE DICE DICHOTOMIZE DICHOTOMY DICKENS DICKERSON DICKINSON DICKSON DICKY DICTATE DICTATED DICTATES DICTATING DICTATION DICTATIONS DICTATOR DICTATORIAL DICTATORS DICTATORSHIP DICTION DICTIONARIES DICTIONARY DICTUM DICTUMS DID DIDACTIC DIDDLE DIDO DIE DIEBOLD DIED DIEGO DIEHARD DIELECTRIC DIELECTRICS DIEM DIES DIESEL DIET DIETARY DIETER DIETERS DIETETIC DIETICIAN DIETITIAN DIETITIANS DIETRICH DIETS DIETZ DIFFER DIFFERED DIFFERENCE DIFFERENCES DIFFERENT DIFFERENTIABLE DIFFERENTIAL DIFFERENTIALS DIFFERENTIATE DIFFERENTIATED DIFFERENTIATES DIFFERENTIATING DIFFERENTIATION DIFFERENTIATIONS DIFFERENTIATORS DIFFERENTLY DIFFERER DIFFERERS DIFFERING DIFFERS DIFFICULT DIFFICULTIES DIFFICULTLY DIFFICULTY DIFFRACT DIFFUSE DIFFUSED DIFFUSELY DIFFUSER DIFFUSERS DIFFUSES DIFFUSIBLE DIFFUSING DIFFUSION DIFFUSIONS DIFFUSIVE DIG DIGEST DIGESTED DIGESTIBLE DIGESTING DIGESTION DIGESTIVE DIGESTS DIGGER DIGGERS DIGGING DIGGINGS DIGIT DIGITAL DIGITALIS DIGITALLY DIGITIZATION DIGITIZE DIGITIZED DIGITIZES DIGITIZING DIGITS DIGNIFIED DIGNIFY DIGNITARY DIGNITIES DIGNITY DIGRAM DIGRESS DIGRESSED DIGRESSES DIGRESSING DIGRESSION DIGRESSIONS DIGRESSIVE DIGS DIHEDRAL DIJKSTRA DIJON DIKE DIKES DILAPIDATE DILATATION DILATE DILATED DILATES DILATING DILATION DILDO DILEMMA DILEMMAS DILIGENCE DILIGENT DILIGENTLY DILL DILLON DILOGARITHM DILUTE DILUTED DILUTES DILUTING DILUTION DIM DIMAGGIO DIME DIMENSION DIMENSIONAL DIMENSIONALITY DIMENSIONALLY DIMENSIONED DIMENSIONING DIMENSIONS DIMES DIMINISH DIMINISHED DIMINISHES DIMINISHING DIMINUTION DIMINUTIVE DIMLY DIMMED DIMMER DIMMERS DIMMEST DIMMING DIMNESS DIMPLE DIMS DIN DINAH DINE DINED DINER DINERS DINES DING DINGHY DINGINESS DINGO DINGY DINING DINNER DINNERS DINNERTIME DINNERWARE DINOSAUR DINT DIOCLETIAN DIODE DIODES DIOGENES DION DIONYSIAN DIONYSUS DIOPHANTINE DIOPTER DIORAMA DIOXIDE DIP DIPHTHERIA DIPHTHONG DIPLOMA DIPLOMACY DIPLOMAS DIPLOMAT DIPLOMATIC DIPLOMATS DIPOLE DIPPED DIPPER DIPPERS DIPPING DIPPINGS DIPS DIRAC DIRE DIRECT DIRECTED DIRECTING DIRECTION DIRECTIONAL DIRECTIONALITY DIRECTIONALLY DIRECTIONS DIRECTIVE DIRECTIVES DIRECTLY DIRECTNESS DIRECTOR DIRECTORATE DIRECTORIES DIRECTORS DIRECTORY DIRECTRICES DIRECTRIX DIRECTS DIRGE DIRGES DIRICHLET DIRT DIRTIER DIRTIEST DIRTILY DIRTINESS DIRTS DIRTY DIS DISABILITIES DISABILITY DISABLE DISABLED DISABLER DISABLERS DISABLES DISABLING DISADVANTAGE DISADVANTAGEOUS DISADVANTAGES DISAFFECTED DISAFFECTION DISAGREE DISAGREEABLE DISAGREED DISAGREEING DISAGREEMENT DISAGREEMENTS DISAGREES DISALLOW DISALLOWED DISALLOWING DISALLOWS DISAMBIGUATE DISAMBIGUATED DISAMBIGUATES DISAMBIGUATING DISAMBIGUATION DISAMBIGUATIONS DISAPPEAR DISAPPEARANCE DISAPPEARANCES DISAPPEARED DISAPPEARING DISAPPEARS DISAPPOINT DISAPPOINTED DISAPPOINTING DISAPPOINTMENT DISAPPOINTMENTS DISAPPROVAL DISAPPROVE DISAPPROVED DISAPPROVES DISARM DISARMAMENT DISARMED DISARMING DISARMS DISASSEMBLE DISASSEMBLED DISASSEMBLES DISASSEMBLING DISASSEMBLY DISASTER DISASTERS DISASTROUS DISASTROUSLY DISBAND DISBANDED DISBANDING DISBANDS DISBURSE DISBURSED DISBURSEMENT DISBURSEMENTS DISBURSES DISBURSING DISC DISCARD DISCARDED DISCARDING DISCARDS DISCERN DISCERNED DISCERNIBILITY DISCERNIBLE DISCERNIBLY DISCERNING DISCERNINGLY DISCERNMENT DISCERNS DISCHARGE DISCHARGED DISCHARGES DISCHARGING DISCIPLE DISCIPLES DISCIPLINARY DISCIPLINE DISCIPLINED DISCIPLINES DISCIPLINING DISCLAIM DISCLAIMED DISCLAIMER DISCLAIMS DISCLOSE DISCLOSED DISCLOSES DISCLOSING DISCLOSURE DISCLOSURES DISCOMFORT DISCONCERT DISCONCERTING DISCONCERTINGLY DISCONNECT DISCONNECTED DISCONNECTING DISCONNECTION DISCONNECTS DISCONTENT DISCONTENTED DISCONTINUANCE DISCONTINUE DISCONTINUED DISCONTINUES DISCONTINUITIES DISCONTINUITY DISCONTINUOUS DISCORD DISCORDANT DISCOUNT DISCOUNTED DISCOUNTING DISCOUNTS DISCOURAGE DISCOURAGED DISCOURAGEMENT DISCOURAGES DISCOURAGING DISCOURSE DISCOURSES DISCOVER DISCOVERED DISCOVERER DISCOVERERS DISCOVERIES DISCOVERING DISCOVERS DISCOVERY DISCREDIT DISCREDITED DISCREET DISCREETLY DISCREPANCIES DISCREPANCY DISCRETE DISCRETELY DISCRETENESS DISCRETION DISCRETIONARY DISCRIMINANT DISCRIMINATE DISCRIMINATED DISCRIMINATES DISCRIMINATING DISCRIMINATION DISCRIMINATORY DISCS DISCUSS DISCUSSANT DISCUSSED DISCUSSES DISCUSSING DISCUSSION DISCUSSIONS DISDAIN DISDAINING DISDAINS DISEASE DISEASED DISEASES DISEMBOWEL DISENGAGE DISENGAGED DISENGAGES DISENGAGING DISENTANGLE DISENTANGLING DISFIGURE DISFIGURED DISFIGURES DISFIGURING DISGORGE DISGRACE DISGRACED DISGRACEFUL DISGRACEFULLY DISGRACES DISGRUNTLE DISGRUNTLED DISGUISE DISGUISED DISGUISES DISGUST DISGUSTED DISGUSTEDLY DISGUSTFUL DISGUSTING DISGUSTINGLY DISGUSTS DISH DISHEARTEN DISHEARTENING DISHED DISHES DISHEVEL DISHING DISHONEST DISHONESTLY DISHONESTY DISHONOR DISHONORABLE DISHONORED DISHONORING DISHONORS DISHWASHER DISHWASHERS DISHWASHING DISHWATER DISILLUSION DISILLUSIONED DISILLUSIONING DISILLUSIONMENT DISILLUSIONMENTS DISINCLINED DISINGENUOUS DISINTERESTED DISINTERESTEDNESS DISJOINT DISJOINTED DISJOINTLY DISJOINTNESS DISJUNCT DISJUNCTION DISJUNCTIONS DISJUNCTIVE DISJUNCTIVELY DISJUNCTS DISK DISKETTE DISKETTES DISKS DISLIKE DISLIKED DISLIKES DISLIKING DISLOCATE DISLOCATED DISLOCATES DISLOCATING DISLOCATION DISLOCATIONS DISLODGE DISLODGED DISMAL DISMALLY DISMAY DISMAYED DISMAYING DISMEMBER DISMEMBERED DISMEMBERMENT DISMEMBERS DISMISS DISMISSAL DISMISSALS DISMISSED DISMISSER DISMISSERS DISMISSES DISMISSING DISMOUNT DISMOUNTED DISMOUNTING DISMOUNTS DISNEY DISNEYLAND DISOBEDIENCE DISOBEDIENT DISOBEY DISOBEYED DISOBEYING DISOBEYS DISORDER DISORDERED DISORDERLY DISORDERS DISORGANIZED DISOWN DISOWNED DISOWNING DISOWNS DISPARAGE DISPARATE DISPARITIES DISPARITY DISPASSIONATE DISPATCH DISPATCHED DISPATCHER DISPATCHERS DISPATCHES DISPATCHING DISPEL DISPELL DISPELLED DISPELLING DISPELS DISPENSARY DISPENSATION DISPENSE DISPENSED DISPENSER DISPENSERS DISPENSES DISPENSING DISPERSAL DISPERSE DISPERSED DISPERSES DISPERSING DISPERSION DISPERSIONS DISPLACE DISPLACED DISPLACEMENT DISPLACEMENTS DISPLACES DISPLACING DISPLAY DISPLAYABLE DISPLAYED DISPLAYER DISPLAYING DISPLAYS DISPLEASE DISPLEASED DISPLEASES DISPLEASING DISPLEASURE DISPOSABLE DISPOSAL DISPOSALS DISPOSE DISPOSED DISPOSER DISPOSES DISPOSING DISPOSITION DISPOSITIONS DISPOSSESSED DISPROPORTIONATE DISPROVE DISPROVED DISPROVES DISPROVING DISPUTE DISPUTED DISPUTER DISPUTERS DISPUTES DISPUTING DISQUALIFICATION DISQUALIFIED DISQUALIFIES DISQUALIFY DISQUALIFYING DISQUIET DISQUIETING DISRAELI DISREGARD DISREGARDED DISREGARDING DISREGARDS DISRESPECTFUL DISRUPT DISRUPTED DISRUPTING DISRUPTION DISRUPTIONS DISRUPTIVE DISRUPTS DISSATISFACTION DISSATISFACTIONS DISSATISFACTORY DISSATISFIED DISSECT DISSECTS DISSEMBLE DISSEMINATE DISSEMINATED DISSEMINATES DISSEMINATING DISSEMINATION DISSENSION DISSENSIONS DISSENT DISSENTED DISSENTER DISSENTERS DISSENTING DISSENTS DISSERTATION DISSERTATIONS DISSERVICE DISSIDENT DISSIDENTS DISSIMILAR DISSIMILARITIES DISSIMILARITY DISSIPATE DISSIPATED DISSIPATES DISSIPATING DISSIPATION DISSOCIATE DISSOCIATED DISSOCIATES DISSOCIATING DISSOCIATION DISSOLUTION DISSOLUTIONS DISSOLVE DISSOLVED DISSOLVES DISSOLVING DISSONANT DISSUADE DISTAFF DISTAL DISTALLY DISTANCE DISTANCES DISTANT DISTANTLY DISTASTE DISTASTEFUL DISTASTEFULLY DISTASTES DISTEMPER DISTEMPERED DISTEMPERS DISTILL DISTILLATION DISTILLED DISTILLER DISTILLERS DISTILLERY DISTILLING DISTILLS DISTINCT DISTINCTION DISTINCTIONS DISTINCTIVE DISTINCTIVELY DISTINCTIVENESS DISTINCTLY DISTINCTNESS DISTINGUISH DISTINGUISHABLE DISTINGUISHED DISTINGUISHES DISTINGUISHING DISTORT DISTORTED DISTORTING DISTORTION DISTORTIONS DISTORTS DISTRACT DISTRACTED DISTRACTING DISTRACTION DISTRACTIONS DISTRACTS DISTRAUGHT DISTRESS DISTRESSED DISTRESSES DISTRESSING DISTRIBUTE DISTRIBUTED DISTRIBUTES DISTRIBUTING DISTRIBUTION DISTRIBUTIONAL DISTRIBUTIONS DISTRIBUTIVE DISTRIBUTIVITY DISTRIBUTOR DISTRIBUTORS DISTRICT DISTRICTS DISTRUST DISTRUSTED DISTURB DISTURBANCE DISTURBANCES DISTURBED DISTURBER DISTURBING DISTURBINGLY DISTURBS DISUSE DITCH DITCHES DITHER DITTO DITTY DITZEL DIURNAL DIVAN DIVANS DIVE DIVED DIVER DIVERGE DIVERGED DIVERGENCE DIVERGENCES DIVERGENT DIVERGES DIVERGING DIVERS DIVERSE DIVERSELY DIVERSIFICATION DIVERSIFIED DIVERSIFIES DIVERSIFY DIVERSIFYING DIVERSION DIVERSIONARY DIVERSIONS DIVERSITIES DIVERSITY DIVERT DIVERTED DIVERTING DIVERTS DIVES DIVEST DIVESTED DIVESTING DIVESTITURE DIVESTS DIVIDE DIVIDED DIVIDEND DIVIDENDS DIVIDER DIVIDERS DIVIDES DIVIDING DIVINE DIVINELY DIVINER DIVING DIVINING DIVINITIES DIVINITY DIVISIBILITY DIVISIBLE DIVISION DIVISIONAL DIVISIONS DIVISIVE DIVISOR DIVISORS DIVORCE DIVORCED DIVORCEE DIVULGE DIVULGED DIVULGES DIVULGING DIXIE DIXIECRATS DIXIELAND DIXON DIZZINESS DIZZY DJAKARTA DMITRI DNIEPER DOBBIN DOBBS DOBERMAN DOC DOCILE DOCK DOCKED DOCKET DOCKS DOCKSIDE DOCKYARD DOCTOR DOCTORAL DOCTORATE DOCTORATES DOCTORED DOCTORS DOCTRINAIRE DOCTRINAL DOCTRINE DOCTRINES DOCUMENT DOCUMENTARIES DOCUMENTARY DOCUMENTATION DOCUMENTATIONS DOCUMENTED DOCUMENTER DOCUMENTERS DOCUMENTING DOCUMENTS DODD DODECAHEDRA DODECAHEDRAL DODECAHEDRON DODGE DODGED DODGER DODGERS DODGING DODINGTON DODSON DOE DOER DOERS DOES DOG DOGE DOGGED DOGGEDLY DOGGEDNESS DOGGING DOGHOUSE DOGMA DOGMAS DOGMATIC DOGMATISM DOGS DOGTOWN DOHERTY DOING DOINGS DOLAN DOLDRUM DOLE DOLED DOLEFUL DOLEFULLY DOLES DOLL DOLLAR DOLLARS DOLLIES DOLLS DOLLY DOLORES DOLPHIN DOLPHINS DOMAIN DOMAINS DOME DOMED DOMENICO DOMES DOMESDAY DOMESTIC DOMESTICALLY DOMESTICATE DOMESTICATED DOMESTICATES DOMESTICATING DOMESTICATION DOMICILE DOMINANCE DOMINANT DOMINANTLY DOMINATE DOMINATED DOMINATES DOMINATING DOMINATION DOMINEER DOMINEERING DOMINGO DOMINIC DOMINICAN DOMINICANS DOMINICK DOMINION DOMINIQUE DOMINO DON DONAHUE DONALD DONALDSON DONATE DONATED DONATES DONATING DONATION DONE DONECK DONKEY DONKEYS DONNA DONNELLY DONNER DONNYBROOK DONOR DONOVAN DONS DOODLE DOOLEY DOOLITTLE DOOM DOOMED DOOMING DOOMS DOOMSDAY DOOR DOORBELL DOORKEEPER DOORMAN DOORMEN DOORS DOORSTEP DOORSTEPS DOORWAY DOORWAYS DOPE DOPED DOPER DOPERS DOPES DOPING DOPPLER DORA DORADO DORCAS DORCHESTER DOREEN DORIA DORIC DORICIZE DORICIZES DORIS DORMANT DORMITORIES DORMITORY DOROTHEA DOROTHY DORSET DORTMUND DOSAGE DOSE DOSED DOSES DOSSIER DOSSIERS DOSTOEVSKY DOT DOTE DOTED DOTES DOTING DOTINGLY DOTS DOTTED DOTTING DOUBLE DOUBLED DOUBLEDAY DOUBLEHEADER DOUBLER DOUBLERS DOUBLES DOUBLET DOUBLETON DOUBLETS DOUBLING DOUBLOON DOUBLY DOUBT DOUBTABLE DOUBTED DOUBTER DOUBTERS DOUBTFUL DOUBTFULLY DOUBTING DOUBTLESS DOUBTLESSLY DOUBTS DOUG DOUGH DOUGHERTY DOUGHNUT DOUGHNUTS DOUGLAS DOUGLASS DOVE DOVER DOVES DOVETAIL DOW DOWAGER DOWEL DOWLING DOWN DOWNCAST DOWNED DOWNERS DOWNEY DOWNFALL DOWNFALLEN DOWNGRADE DOWNHILL DOWNING DOWNLINK DOWNLINKS DOWNLOAD DOWNLOADED DOWNLOADING DOWNLOADS DOWNPLAY DOWNPLAYED DOWNPLAYING DOWNPLAYS DOWNPOUR DOWNRIGHT DOWNS DOWNSIDE DOWNSTAIRS DOWNSTREAM DOWNTOWN DOWNTOWNS DOWNTRODDEN DOWNTURN DOWNWARD DOWNWARDS DOWNY DOWRY DOYLE DOZE DOZED DOZEN DOZENS DOZENTH DOZES DOZING DRAB DRACO DRACONIAN DRAFT DRAFTED DRAFTEE DRAFTER DRAFTERS DRAFTING DRAFTS DRAFTSMAN DRAFTSMEN DRAFTY DRAG DRAGGED DRAGGING DRAGNET DRAGON DRAGONFLY DRAGONHEAD DRAGONS DRAGOON DRAGOONED DRAGOONS DRAGS DRAIN DRAINAGE DRAINED DRAINER DRAINING DRAINS DRAKE DRAM DRAMA DRAMAMINE DRAMAS DRAMATIC DRAMATICALLY DRAMATICS DRAMATIST DRAMATISTS DRANK DRAPE DRAPED DRAPER DRAPERIES DRAPERS DRAPERY DRAPES DRASTIC DRASTICALLY DRAUGHT DRAUGHTS DRAVIDIAN DRAW DRAWBACK DRAWBACKS DRAWBRIDGE DRAWBRIDGES DRAWER DRAWERS DRAWING DRAWINGS DRAWL DRAWLED DRAWLING DRAWLS DRAWN DRAWNLY DRAWNNESS DRAWS DREAD DREADED DREADFUL DREADFULLY DREADING DREADNOUGHT DREADS DREAM DREAMBOAT DREAMED DREAMER DREAMERS DREAMILY DREAMING DREAMLIKE DREAMS DREAMT DREAMY DREARINESS DREARY DREDGE DREGS DRENCH DRENCHED DRENCHES DRENCHING DRESS DRESSED DRESSER DRESSERS DRESSES DRESSING DRESSINGS DRESSMAKER DRESSMAKERS DREW DREXEL DREYFUSS DRIED DRIER DRIERS DRIES DRIEST DRIFT DRIFTED DRIFTER DRIFTERS DRIFTING DRIFTS DRILL DRILLED DRILLER DRILLING DRILLS DRILY DRINK DRINKABLE DRINKER DRINKERS DRINKING DRINKS DRIP DRIPPING DRIPPY DRIPS DRISCOLL DRIVE DRIVEN DRIVER DRIVERS DRIVES DRIVEWAY DRIVEWAYS DRIVING DRIZZLE DRIZZLY DROLL DROMEDARY DRONE DRONES DROOL DROOP DROOPED DROOPING DROOPS DROOPY DROP DROPLET DROPOUT DROPPED DROPPER DROPPERS DROPPING DROPPINGS DROPS DROSOPHILA DROUGHT DROUGHTS DROVE DROVER DROVERS DROVES DROWN DROWNED DROWNING DROWNINGS DROWNS DROWSINESS DROWSY DRUBBING DRUDGE DRUDGERY DRUG DRUGGIST DRUGGISTS DRUGS DRUGSTORE DRUM DRUMHEAD DRUMMED DRUMMER DRUMMERS DRUMMING DRUMMOND DRUMS DRUNK DRUNKARD DRUNKARDS DRUNKEN DRUNKENNESS DRUNKER DRUNKLY DRUNKS DRURY DRY DRYDEN DRYING DRYLY DUAL DUALISM DUALITIES DUALITY DUANE DUB DUBBED DUBHE DUBIOUS DUBIOUSLY DUBIOUSNESS DUBLIN DUBS DUBUQUE DUCHESS DUCHESSES DUCHY DUCK DUCKED DUCKING DUCKLING DUCKS DUCT DUCTS DUD DUDLEY DUE DUEL DUELING DUELS DUES DUET DUFFY DUG DUGAN DUKE DUKES DULL DULLED DULLER DULLES DULLEST DULLING DULLNESS DULLS DULLY DULUTH DULY DUMB DUMBBELL DUMBBELLS DUMBER DUMBEST DUMBLY DUMBNESS DUMMIES DUMMY DUMP DUMPED DUMPER DUMPING DUMPS DUMPTY DUNBAR DUNCAN DUNCE DUNCES DUNDEE DUNE DUNEDIN DUNES DUNG DUNGEON DUNGEONS DUNHAM DUNK DUNKIRK DUNLAP DUNLOP DUNN DUNNE DUPE DUPLEX DUPLICABLE DUPLICATE DUPLICATED DUPLICATES DUPLICATING DUPLICATION DUPLICATIONS DUPLICATOR DUPLICATORS DUPLICITY DUPONT DUPONT DUPONTS DUPONTS DUQUESNE DURABILITIES DURABILITY DURABLE DURABLY DURANGO DURATION DURATIONS DURER DURERS DURESS DURHAM DURING DURKEE DURKIN DURRELL DURWARD DUSENBERG DUSENBURY DUSK DUSKINESS DUSKY DUSSELDORF DUST DUSTBIN DUSTED DUSTER DUSTERS DUSTIER DUSTIEST DUSTIN DUSTING DUSTS DUSTY DUTCH DUTCHESS DUTCHMAN DUTCHMEN DUTIES DUTIFUL DUTIFULLY DUTIFULNESS DUTTON DUTY DVORAK DWARF DWARFED DWARFS DWARVES DWELL DWELLED DWELLER DWELLERS DWELLING DWELLINGS DWELLS DWELT DWIGHT DWINDLE DWINDLED DWINDLING DWYER DYAD DYADIC DYE DYED DYEING DYER DYERS DYES DYING DYKE DYLAN DYNAMIC DYNAMICALLY DYNAMICS DYNAMISM DYNAMITE DYNAMITED DYNAMITES DYNAMITING DYNAMO DYNASTIC DYNASTIES DYNASTY DYNE DYSENTERY DYSPEPTIC DYSTROPHY EACH EAGAN EAGER EAGERLY EAGERNESS EAGLE EAGLES EAR EARDRUM EARED EARL EARLIER EARLIEST EARLINESS EARLS EARLY EARMARK EARMARKED EARMARKING EARMARKINGS EARMARKS EARN EARNED EARNER EARNERS EARNEST EARNESTLY EARNESTNESS EARNING EARNINGS EARNS EARP EARPHONE EARRING EARRINGS EARS EARSPLITTING EARTH EARTHEN EARTHENWARE EARTHLINESS EARTHLING EARTHLY EARTHMAN EARTHMEN EARTHMOVER EARTHQUAKE EARTHQUAKES EARTHS EARTHWORM EARTHWORMS EARTHY EASE EASED EASEL EASEMENT EASEMENTS EASES EASIER EASIEST EASILY EASINESS EASING EAST EASTBOUND EASTER EASTERN EASTERNER EASTERNERS EASTERNMOST EASTHAMPTON EASTLAND EASTMAN EASTWARD EASTWARDS EASTWICK EASTWOOD EASY EASYGOING EAT EATEN EATER EATERS EATING EATINGS EATON EATS EAVES EAVESDROP EAVESDROPPED EAVESDROPPER EAVESDROPPERS EAVESDROPPING EAVESDROPS EBB EBBING EBBS EBEN EBONY ECCENTRIC ECCENTRICITIES ECCENTRICITY ECCENTRICS ECCLES ECCLESIASTICAL ECHELON ECHO ECHOED ECHOES ECHOING ECLECTIC ECLIPSE ECLIPSED ECLIPSES ECLIPSING ECLIPTIC ECOLE ECOLOGY ECONOMETRIC ECONOMETRICA ECONOMIC ECONOMICAL ECONOMICALLY ECONOMICS ECONOMIES ECONOMIST ECONOMISTS ECONOMIZE ECONOMIZED ECONOMIZER ECONOMIZERS ECONOMIZES ECONOMIZING ECONOMY ECOSYSTEM ECSTASY ECSTATIC ECUADOR ECUADORIAN EDDIE EDDIES EDDY EDEN EDENIZATION EDENIZATIONS EDENIZE EDENIZES EDGAR EDGE EDGED EDGERTON EDGES EDGEWATER EDGEWOOD EDGING EDIBLE EDICT EDICTS EDIFICE EDIFICES EDINBURGH EDISON EDIT EDITED EDITH EDITING EDITION EDITIONS EDITOR EDITORIAL EDITORIALLY EDITORIALS EDITORS EDITS EDMONDS EDMONDSON EDMONTON EDMUND EDNA EDSGER EDUARD EDUARDO EDUCABLE EDUCATE EDUCATED EDUCATES EDUCATING EDUCATION EDUCATIONAL EDUCATIONALLY EDUCATIONS EDUCATOR EDUCATORS EDWARD EDWARDIAN EDWARDINE EDWARDS EDWIN EDWINA EEL EELGRASS EELS EERIE EERILY EFFECT EFFECTED EFFECTING EFFECTIVE EFFECTIVELY EFFECTIVENESS EFFECTOR EFFECTORS EFFECTS EFFECTUALLY EFFECTUATE EFFEMINATE EFFICACY EFFICIENCIES EFFICIENCY EFFICIENT EFFICIENTLY EFFIE EFFIGY EFFORT EFFORTLESS EFFORTLESSLY EFFORTLESSNESS EFFORTS EGALITARIAN EGAN EGG EGGED EGGHEAD EGGING EGGPLANT EGGS EGGSHELL EGO EGOCENTRIC EGOS EGOTISM EGOTIST EGYPT EGYPTIAN EGYPTIANIZATION EGYPTIANIZATIONS EGYPTIANIZE EGYPTIANIZES EGYPTIANS EGYPTIZE EGYPTIZES EGYPTOLOGY EHRLICH EICHMANN EIFFEL EIGENFUNCTION EIGENSTATE EIGENVALUE EIGENVALUES EIGENVECTOR EIGHT EIGHTEEN EIGHTEENS EIGHTEENTH EIGHTFOLD EIGHTH EIGHTHES EIGHTIES EIGHTIETH EIGHTS EIGHTY EILEEN EINSTEIN EINSTEINIAN EIRE EISENHOWER EISNER EITHER EJACULATE EJACULATED EJACULATES EJACULATING EJACULATION EJACULATIONS EJECT EJECTED EJECTING EJECTS EKBERG EKE EKED EKES EKSTROM EKTACHROME ELABORATE ELABORATED ELABORATELY ELABORATENESS ELABORATES ELABORATING ELABORATION ELABORATIONS ELABORATORS ELAINE ELAPSE ELAPSED ELAPSES ELAPSING ELASTIC ELASTICALLY ELASTICITY ELBA ELBOW ELBOWING ELBOWS ELDER ELDERLY ELDERS ELDEST ELDON ELEANOR ELEAZAR ELECT ELECTED ELECTING ELECTION ELECTIONS ELECTIVE ELECTIVES ELECTOR ELECTORAL ELECTORATE ELECTORS ELECTRA ELECTRIC ELECTRICAL ELECTRICALLY ELECTRICALNESS ELECTRICIAN ELECTRICITY ELECTRIFICATION ELECTRIFY ELECTRIFYING ELECTRO ELECTROCARDIOGRAM ELECTROCARDIOGRAPH ELECTROCUTE ELECTROCUTED ELECTROCUTES ELECTROCUTING ELECTROCUTION ELECTROCUTIONS ELECTRODE ELECTRODES ELECTROENCEPHALOGRAM ELECTROENCEPHALOGRAPH ELECTROENCEPHALOGRAPHY ELECTROLYSIS ELECTROLYTE ELECTROLYTES ELECTROLYTIC ELECTROMAGNETIC ELECTROMECHANICAL ELECTRON ELECTRONIC ELECTRONICALLY ELECTRONICS ELECTRONS ELECTROPHORESIS ELECTROPHORUS ELECTS ELEGANCE ELEGANT ELEGANTLY ELEGY ELEMENT ELEMENTAL ELEMENTALS ELEMENTARY ELEMENTS ELENA ELEPHANT ELEPHANTS ELEVATE ELEVATED ELEVATES ELEVATION ELEVATOR ELEVATORS ELEVEN ELEVENS ELEVENTH ELF ELGIN ELI ELICIT ELICITED ELICITING ELICITS ELIDE ELIGIBILITY ELIGIBLE ELIJAH ELIMINATE ELIMINATED ELIMINATES ELIMINATING ELIMINATION ELIMINATIONS ELIMINATOR ELIMINATORS ELINOR ELIOT ELISABETH ELISHA ELISION ELITE ELITIST ELIZABETH ELIZABETHAN ELIZABETHANIZE ELIZABETHANIZES ELIZABETHANS ELK ELKHART ELKS ELLA ELLEN ELLIE ELLIOT ELLIOTT ELLIPSE ELLIPSES ELLIPSIS ELLIPSOID ELLIPSOIDAL ELLIPSOIDS ELLIPTIC ELLIPTICAL ELLIPTICALLY ELLIS ELLISON ELLSWORTH ELLWOOD ELM ELMER ELMHURST ELMIRA ELMS ELMSFORD ELOISE ELOPE ELOQUENCE ELOQUENT ELOQUENTLY ELROY ELSE ELSEVIER ELSEWHERE ELSIE ELSINORE ELTON ELUCIDATE ELUCIDATED ELUCIDATES ELUCIDATING ELUCIDATION ELUDE ELUDED ELUDES ELUDING ELUSIVE ELUSIVELY ELUSIVENESS ELVES ELVIS ELY ELYSEE ELYSEES ELYSIUM EMACIATE EMACIATED EMACS EMANATE EMANATING EMANCIPATE EMANCIPATION EMANUEL EMASCULATE EMBALM EMBARGO EMBARGOES EMBARK EMBARKED EMBARKS EMBARRASS EMBARRASSED EMBARRASSES EMBARRASSING EMBARRASSMENT EMBASSIES EMBASSY EMBED EMBEDDED EMBEDDING EMBEDS EMBELLISH EMBELLISHED EMBELLISHES EMBELLISHING EMBELLISHMENT EMBELLISHMENTS EMBER EMBEZZLE EMBLEM EMBODIED EMBODIES EMBODIMENT EMBODIMENTS EMBODY EMBODYING EMBOLDEN EMBRACE EMBRACED EMBRACES EMBRACING EMBROIDER EMBROIDERED EMBROIDERIES EMBROIDERS EMBROIDERY EMBROIL EMBRYO EMBRYOLOGY EMBRYOS EMERALD EMERALDS EMERGE EMERGED EMERGENCE EMERGENCIES EMERGENCY EMERGENT EMERGES EMERGING EMERITUS EMERSON EMERY EMIGRANT EMIGRANTS EMIGRATE EMIGRATED EMIGRATES EMIGRATING EMIGRATION EMIL EMILE EMILIO EMILY EMINENCE EMINENT EMINENTLY EMISSARY EMISSION EMIT EMITS EMITTED EMITTER EMITTING EMMA EMMANUEL EMMETT EMORY EMOTION EMOTIONAL EMOTIONALLY EMOTIONS EMPATHY EMPEROR EMPERORS EMPHASES EMPHASIS EMPHASIZE EMPHASIZED EMPHASIZES EMPHASIZING EMPHATIC EMPHATICALLY EMPIRE EMPIRES EMPIRICAL EMPIRICALLY EMPIRICIST EMPIRICISTS EMPLOY EMPLOYABLE EMPLOYED EMPLOYEE EMPLOYEES EMPLOYER EMPLOYERS EMPLOYING EMPLOYMENT EMPLOYMENTS EMPLOYS EMPORIUM EMPOWER EMPOWERED EMPOWERING EMPOWERS EMPRESS EMPTIED EMPTIER EMPTIES EMPTIEST EMPTILY EMPTINESS EMPTY EMPTYING EMULATE EMULATED EMULATES EMULATING EMULATION EMULATIONS EMULATOR EMULATORS ENABLE ENABLED ENABLER ENABLERS ENABLES ENABLING ENACT ENACTED ENACTING ENACTMENT ENACTS ENAMEL ENAMELED ENAMELING ENAMELS ENCAMP ENCAMPED ENCAMPING ENCAMPS ENCAPSULATE ENCAPSULATED ENCAPSULATES ENCAPSULATING ENCAPSULATION ENCASED ENCHANT ENCHANTED ENCHANTER ENCHANTING ENCHANTMENT ENCHANTRESS ENCHANTS ENCIPHER ENCIPHERED ENCIPHERING ENCIPHERS ENCIRCLE ENCIRCLED ENCIRCLES ENCLOSE ENCLOSED ENCLOSES ENCLOSING ENCLOSURE ENCLOSURES ENCODE ENCODED ENCODER ENCODERS ENCODES ENCODING ENCODINGS ENCOMPASS ENCOMPASSED ENCOMPASSES ENCOMPASSING ENCORE ENCOUNTER ENCOUNTERED ENCOUNTERING ENCOUNTERS ENCOURAGE ENCOURAGED ENCOURAGEMENT ENCOURAGEMENTS ENCOURAGES ENCOURAGING ENCOURAGINGLY ENCROACH ENCRUST ENCRYPT ENCRYPTED ENCRYPTING ENCRYPTION ENCRYPTIONS ENCRYPTS ENCUMBER ENCUMBERED ENCUMBERING ENCUMBERS ENCYCLOPEDIA ENCYCLOPEDIAS ENCYCLOPEDIC END ENDANGER ENDANGERED ENDANGERING ENDANGERS ENDEAR ENDEARED ENDEARING ENDEARS ENDEAVOR ENDEAVORED ENDEAVORING ENDEAVORS ENDED ENDEMIC ENDER ENDERS ENDGAME ENDICOTT ENDING ENDINGS ENDLESS ENDLESSLY ENDLESSNESS ENDORSE ENDORSED ENDORSEMENT ENDORSES ENDORSING ENDOW ENDOWED ENDOWING ENDOWMENT ENDOWMENTS ENDOWS ENDPOINT ENDS ENDURABLE ENDURABLY ENDURANCE ENDURE ENDURED ENDURES ENDURING ENDURINGLY ENEMA ENEMAS ENEMIES ENEMY ENERGETIC ENERGIES ENERGIZE ENERGY ENERVATE ENFEEBLE ENFIELD ENFORCE ENFORCEABLE ENFORCED ENFORCEMENT ENFORCER ENFORCERS ENFORCES ENFORCING ENFRANCHISE ENG ENGAGE ENGAGED ENGAGEMENT ENGAGEMENTS ENGAGES ENGAGING ENGAGINGLY ENGEL ENGELS ENGENDER ENGENDERED ENGENDERING ENGENDERS ENGINE ENGINEER ENGINEERED ENGINEERING ENGINEERS ENGINES ENGLAND ENGLANDER ENGLANDERS ENGLE ENGLEWOOD ENGLISH ENGLISHIZE ENGLISHIZES ENGLISHMAN ENGLISHMEN ENGRAVE ENGRAVED ENGRAVER ENGRAVES ENGRAVING ENGRAVINGS ENGROSS ENGROSSED ENGROSSING ENGULF ENHANCE ENHANCED ENHANCEMENT ENHANCEMENTS ENHANCES ENHANCING ENID ENIGMA ENIGMATIC ENJOIN ENJOINED ENJOINING ENJOINS ENJOY ENJOYABLE ENJOYABLY ENJOYED ENJOYING ENJOYMENT ENJOYS ENLARGE ENLARGED ENLARGEMENT ENLARGEMENTS ENLARGER ENLARGERS ENLARGES ENLARGING ENLIGHTEN ENLIGHTENED ENLIGHTENING ENLIGHTENMENT ENLIST ENLISTED ENLISTMENT ENLISTS ENLIVEN ENLIVENED ENLIVENING ENLIVENS ENMITIES ENMITY ENNOBLE ENNOBLED ENNOBLES ENNOBLING ENNUI ENOCH ENORMITIES ENORMITY ENORMOUS ENORMOUSLY ENOS ENOUGH ENQUEUE ENQUEUED ENQUEUES ENQUIRE ENQUIRED ENQUIRER ENQUIRES ENQUIRY ENRAGE ENRAGED ENRAGES ENRAGING ENRAPTURE ENRICH ENRICHED ENRICHES ENRICHING ENRICO ENROLL ENROLLED ENROLLING ENROLLMENT ENROLLMENTS ENROLLS ENSEMBLE ENSEMBLES ENSIGN ENSIGNS ENSLAVE ENSLAVED ENSLAVES ENSLAVING ENSNARE ENSNARED ENSNARES ENSNARING ENSOLITE ENSUE ENSUED ENSUES ENSUING ENSURE ENSURED ENSURER ENSURERS ENSURES ENSURING ENTAIL ENTAILED ENTAILING ENTAILS ENTANGLE ENTER ENTERED ENTERING ENTERPRISE ENTERPRISES ENTERPRISING ENTERS ENTERTAIN ENTERTAINED ENTERTAINER ENTERTAINERS ENTERTAINING ENTERTAININGLY ENTERTAINMENT ENTERTAINMENTS ENTERTAINS ENTHUSIASM ENTHUSIASMS ENTHUSIAST ENTHUSIASTIC ENTHUSIASTICALLY ENTHUSIASTS ENTICE ENTICED ENTICER ENTICERS ENTICES ENTICING ENTIRE ENTIRELY ENTIRETIES ENTIRETY ENTITIES ENTITLE ENTITLED ENTITLES ENTITLING ENTITY ENTOMB ENTRANCE ENTRANCED ENTRANCES ENTRAP ENTREAT ENTREATED ENTREATY ENTREE ENTRENCH ENTRENCHED ENTRENCHES ENTRENCHING ENTREPRENEUR ENTREPRENEURIAL ENTREPRENEURS ENTRIES ENTROPY ENTRUST ENTRUSTED ENTRUSTING ENTRUSTS ENTRY ENUMERABLE ENUMERATE ENUMERATED ENUMERATES ENUMERATING ENUMERATION ENUMERATIVE ENUMERATOR ENUMERATORS ENUNCIATION ENVELOP ENVELOPE ENVELOPED ENVELOPER ENVELOPES ENVELOPING ENVELOPS ENVIED ENVIES ENVIOUS ENVIOUSLY ENVIOUSNESS ENVIRON ENVIRONING ENVIRONMENT ENVIRONMENTAL ENVIRONMENTS ENVIRONS ENVISAGE ENVISAGED ENVISAGES ENVISION ENVISIONED ENVISIONING ENVISIONS ENVOY ENVOYS ENVY ENZYME EOCENE EPAULET EPAULETS EPHEMERAL EPHESIAN EPHESIANS EPHESUS EPHRAIM EPIC EPICENTER EPICS EPICUREAN EPICURIZE EPICURIZES EPICURUS EPIDEMIC EPIDEMICS EPIDERMIS EPIGRAM EPILEPTIC EPILOGUE EPIPHANY EPISCOPAL EPISCOPALIAN EPISCOPALIANIZE EPISCOPALIANIZES EPISODE EPISODES EPISTEMOLOGICAL EPISTEMOLOGY EPISTLE EPISTLES EPITAPH EPITAPHS EPITAXIAL EPITAXIALLY EPITHET EPITHETS EPITOMIZE EPITOMIZED EPITOMIZES EPITOMIZING EPOCH EPOCHS EPSILON EPSOM EPSTEIN EQUAL EQUALED EQUALING EQUALITIES EQUALITY EQUALIZATION EQUALIZE EQUALIZED EQUALIZER EQUALIZERS EQUALIZES EQUALIZING EQUALLY EQUALS EQUATE EQUATED EQUATES EQUATING EQUATION EQUATIONS EQUATOR EQUATORIAL EQUATORS EQUESTRIAN EQUIDISTANT EQUILATERAL EQUILIBRATE EQUILIBRIA EQUILIBRIUM EQUILIBRIUMS EQUINOX EQUIP EQUIPMENT EQUIPOISE EQUIPPED EQUIPPING EQUIPS EQUITABLE EQUITABLY EQUITY EQUIVALENCE EQUIVALENCES EQUIVALENT EQUIVALENTLY EQUIVALENTS EQUIVOCAL EQUIVOCALLY ERA ERADICATE ERADICATED ERADICATES ERADICATING ERADICATION ERAS ERASABLE ERASE ERASED ERASER ERASERS ERASES ERASING ERASMUS ERASTUS ERASURE ERATO ERATOSTHENES ERE ERECT ERECTED ERECTING ERECTION ERECTIONS ERECTOR ERECTORS ERECTS ERG ERGO ERGODIC ERIC ERICH ERICKSON ERICSSON ERIE ERIK ERIKSON ERIS ERLANG ERLENMEYER ERLENMEYERS ERMINE ERMINES ERNE ERNEST ERNESTINE ERNIE ERNST ERODE EROS EROSION EROTIC EROTICA ERR ERRAND ERRANT ERRATA ERRATIC ERRATUM ERRED ERRING ERRINGLY ERROL ERRONEOUS ERRONEOUSLY ERRONEOUSNESS ERROR ERRORS ERRS ERSATZ ERSKINE ERUDITE ERUPT ERUPTION ERVIN ERWIN ESCALATE ESCALATED ESCALATES ESCALATING ESCALATION ESCAPABLE ESCAPADE ESCAPADES ESCAPE ESCAPED ESCAPEE ESCAPEES ESCAPES ESCAPING ESCHERICHIA ESCHEW ESCHEWED ESCHEWING ESCHEWS ESCORT ESCORTED ESCORTING ESCORTS ESCROW ESKIMO ESKIMOIZED ESKIMOIZEDS ESKIMOS ESMARK ESOTERIC ESPAGNOL ESPECIAL ESPECIALLY ESPIONAGE ESPOSITO ESPOUSE ESPOUSED ESPOUSES ESPOUSING ESPRIT ESPY ESQUIRE ESQUIRES ESSAY ESSAYED ESSAYS ESSEN ESSENCE ESSENCES ESSENIZE ESSENIZES ESSENTIAL ESSENTIALLY ESSENTIALS ESSEX ESTABLISH ESTABLISHED ESTABLISHES ESTABLISHING ESTABLISHMENT ESTABLISHMENTS ESTATE ESTATES ESTEEM ESTEEMED ESTEEMING ESTEEMS ESTELLA ESTES ESTHER ESTHETICS ESTIMATE ESTIMATED ESTIMATES ESTIMATING ESTIMATION ESTIMATIONS ESTONIA ESTONIAN ETCH ETCHING ETERNAL ETERNALLY ETERNITIES ETERNITY ETHAN ETHEL ETHER ETHEREAL ETHEREALLY ETHERNET ETHERNETS ETHERS ETHIC ETHICAL ETHICALLY ETHICS ETHIOPIA ETHIOPIANS ETHNIC ETIQUETTE ETRURIA ETRUSCAN ETYMOLOGY EUCALYPTUS EUCHARIST EUCLID EUCLIDEAN EUGENE EUGENIA EULER EULERIAN EUMENIDES EUNICE EUNUCH EUNUCHS EUPHEMISM EUPHEMISMS EUPHORIA EUPHORIC EUPHRATES EURASIA EURASIAN EUREKA EURIPIDES EUROPA EUROPE EUROPEAN EUROPEANIZATION EUROPEANIZATIONS EUROPEANIZE EUROPEANIZED EUROPEANIZES EUROPEANS EURYDICE EUTERPE EUTHANASIA EVA EVACUATE EVACUATED EVACUATION EVADE EVADED EVADES EVADING EVALUATE EVALUATED EVALUATES EVALUATING EVALUATION EVALUATIONS EVALUATIVE EVALUATOR EVALUATORS EVANGELINE EVANS EVANSTON EVANSVILLE EVAPORATE EVAPORATED EVAPORATING EVAPORATION EVAPORATIVE EVASION EVASIVE EVE EVELYN EVEN EVENED EVENHANDED EVENHANDEDLY EVENHANDEDNESS EVENING EVENINGS EVENLY EVENNESS EVENS EVENSEN EVENT EVENTFUL EVENTFULLY EVENTS EVENTUAL EVENTUALITIES EVENTUALITY EVENTUALLY EVER EVEREADY EVEREST EVERETT EVERGLADE EVERGLADES EVERGREEN EVERHART EVERLASTING EVERLASTINGLY EVERMORE EVERY EVERYBODY EVERYDAY EVERYONE EVERYTHING EVERYWHERE EVICT EVICTED EVICTING EVICTION EVICTIONS EVICTS EVIDENCE EVIDENCED EVIDENCES EVIDENCING EVIDENT EVIDENTLY EVIL EVILLER EVILLY EVILS EVINCE EVINCED EVINCES EVOKE EVOKED EVOKES EVOKING EVOLUTE EVOLUTES EVOLUTION EVOLUTIONARY EVOLUTIONS EVOLVE EVOLVED EVOLVES EVOLVING EWE EWEN EWES EWING EXACERBATE EXACERBATED EXACERBATES EXACERBATING EXACERBATION EXACERBATIONS EXACT EXACTED EXACTING EXACTINGLY EXACTION EXACTIONS EXACTITUDE EXACTLY EXACTNESS EXACTS EXAGGERATE EXAGGERATED EXAGGERATES EXAGGERATING EXAGGERATION EXAGGERATIONS EXALT EXALTATION EXALTED EXALTING EXALTS EXAM EXAMINATION EXAMINATIONS EXAMINE EXAMINED EXAMINER EXAMINERS EXAMINES EXAMINING EXAMPLE EXAMPLES EXAMS EXASPERATE EXASPERATED EXASPERATES EXASPERATING EXASPERATION EXCAVATE EXCAVATED EXCAVATES EXCAVATING EXCAVATION EXCAVATIONS EXCEED EXCEEDED EXCEEDING EXCEEDINGLY EXCEEDS EXCEL EXCELLED EXCELLENCE EXCELLENCES EXCELLENCY EXCELLENT EXCELLENTLY EXCELLING EXCELS EXCEPT EXCEPTED EXCEPTING EXCEPTION EXCEPTIONABLE EXCEPTIONAL EXCEPTIONALLY EXCEPTIONS EXCEPTS EXCERPT EXCERPTED EXCERPTS EXCESS EXCESSES EXCESSIVE EXCESSIVELY EXCHANGE EXCHANGEABLE EXCHANGED EXCHANGES EXCHANGING EXCHEQUER EXCHEQUERS EXCISE EXCISED EXCISES EXCISING EXCISION EXCITABLE EXCITATION EXCITATIONS EXCITE EXCITED EXCITEDLY EXCITEMENT EXCITES EXCITING EXCITINGLY EXCITON EXCLAIM EXCLAIMED EXCLAIMER EXCLAIMERS EXCLAIMING EXCLAIMS EXCLAMATION EXCLAMATIONS EXCLAMATORY EXCLUDE EXCLUDED EXCLUDES EXCLUDING EXCLUSION EXCLUSIONARY EXCLUSIONS EXCLUSIVE EXCLUSIVELY EXCLUSIVENESS EXCLUSIVITY EXCOMMUNICATE EXCOMMUNICATED EXCOMMUNICATES EXCOMMUNICATING EXCOMMUNICATION EXCRETE EXCRETED EXCRETES EXCRETING EXCRETION EXCRETIONS EXCRETORY EXCRUCIATE EXCURSION EXCURSIONS EXCUSABLE EXCUSABLY EXCUSE EXCUSED EXCUSES EXCUSING EXEC EXECUTABLE EXECUTE EXECUTED EXECUTES EXECUTING EXECUTION EXECUTIONAL EXECUTIONER EXECUTIONS EXECUTIVE EXECUTIVES EXECUTOR EXECUTORS EXEMPLAR EXEMPLARY EXEMPLIFICATION EXEMPLIFIED EXEMPLIFIER EXEMPLIFIERS EXEMPLIFIES EXEMPLIFY EXEMPLIFYING EXEMPT EXEMPTED EXEMPTING EXEMPTION EXEMPTS EXERCISE EXERCISED EXERCISER EXERCISERS EXERCISES EXERCISING EXERT EXERTED EXERTING EXERTION EXERTIONS EXERTS EXETER EXHALE EXHALED EXHALES EXHALING EXHAUST EXHAUSTED EXHAUSTEDLY EXHAUSTING EXHAUSTION EXHAUSTIVE EXHAUSTIVELY EXHAUSTS EXHIBIT EXHIBITED EXHIBITING EXHIBITION EXHIBITIONS EXHIBITOR EXHIBITORS EXHIBITS EXHILARATE EXHORT EXHORTATION EXHORTATIONS EXHUME EXIGENCY EXILE EXILED EXILES EXILING EXIST EXISTED EXISTENCE EXISTENT EXISTENTIAL EXISTENTIALISM EXISTENTIALIST EXISTENTIALISTS EXISTENTIALLY EXISTING EXISTS EXIT EXITED EXITING EXITS EXODUS EXORBITANT EXORBITANTLY EXORCISM EXORCIST EXOSKELETON EXOTIC EXPAND EXPANDABLE EXPANDED EXPANDER EXPANDERS EXPANDING EXPANDS EXPANSE EXPANSES EXPANSIBLE EXPANSION EXPANSIONISM EXPANSIONS EXPANSIVE EXPECT EXPECTANCY EXPECTANT EXPECTANTLY EXPECTATION EXPECTATIONS EXPECTED EXPECTEDLY EXPECTING EXPECTINGLY EXPECTS EXPEDIENCY EXPEDIENT EXPEDIENTLY EXPEDITE EXPEDITED EXPEDITES EXPEDITING EXPEDITION EXPEDITIONS EXPEDITIOUS EXPEDITIOUSLY EXPEL EXPELLED EXPELLING EXPELS EXPEND EXPENDABLE EXPENDED EXPENDING EXPENDITURE EXPENDITURES EXPENDS EXPENSE EXPENSES EXPENSIVE EXPENSIVELY EXPERIENCE EXPERIENCED EXPERIENCES EXPERIENCING EXPERIMENT EXPERIMENTAL EXPERIMENTALLY EXPERIMENTATION EXPERIMENTATIONS EXPERIMENTED EXPERIMENTER EXPERIMENTERS EXPERIMENTING EXPERIMENTS EXPERT EXPERTISE EXPERTLY EXPERTNESS EXPERTS EXPIRATION EXPIRATIONS EXPIRE EXPIRED EXPIRES EXPIRING EXPLAIN EXPLAINABLE EXPLAINED EXPLAINER EXPLAINERS EXPLAINING EXPLAINS EXPLANATION EXPLANATIONS EXPLANATORY EXPLETIVE EXPLICIT EXPLICITLY EXPLICITNESS EXPLODE EXPLODED EXPLODES EXPLODING EXPLOIT EXPLOITABLE EXPLOITATION EXPLOITATIONS EXPLOITED EXPLOITER EXPLOITERS EXPLOITING EXPLOITS EXPLORATION EXPLORATIONS EXPLORATORY EXPLORE EXPLORED EXPLORER EXPLORERS EXPLORES EXPLORING EXPLOSION EXPLOSIONS EXPLOSIVE EXPLOSIVELY EXPLOSIVES EXPONENT EXPONENTIAL EXPONENTIALLY EXPONENTIALS EXPONENTIATE EXPONENTIATED EXPONENTIATES EXPONENTIATING EXPONENTIATION EXPONENTIATIONS EXPONENTS EXPORT EXPORTATION EXPORTED EXPORTER EXPORTERS EXPORTING EXPORTS EXPOSE EXPOSED EXPOSER EXPOSERS EXPOSES EXPOSING EXPOSITION EXPOSITIONS EXPOSITORY EXPOSURE EXPOSURES EXPOUND EXPOUNDED EXPOUNDER EXPOUNDING EXPOUNDS EXPRESS EXPRESSED EXPRESSES EXPRESSIBILITY EXPRESSIBLE EXPRESSIBLY EXPRESSING EXPRESSION EXPRESSIONS EXPRESSIVE EXPRESSIVELY EXPRESSIVENESS EXPRESSLY EXPULSION EXPUNGE EXPUNGED EXPUNGES EXPUNGING EXPURGATE EXQUISITE EXQUISITELY EXQUISITENESS EXTANT EXTEMPORANEOUS EXTEND EXTENDABLE EXTENDED EXTENDING EXTENDS EXTENSIBILITY EXTENSIBLE EXTENSION EXTENSIONS EXTENSIVE EXTENSIVELY EXTENT EXTENTS EXTENUATE EXTENUATED EXTENUATING EXTENUATION EXTERIOR EXTERIORS EXTERMINATE EXTERMINATED EXTERMINATES EXTERMINATING EXTERMINATION EXTERNAL EXTERNALLY EXTINCT EXTINCTION EXTINGUISH EXTINGUISHED EXTINGUISHER EXTINGUISHES EXTINGUISHING EXTIRPATE EXTOL EXTORT EXTORTED EXTORTION EXTRA EXTRACT EXTRACTED EXTRACTING EXTRACTION EXTRACTIONS EXTRACTOR EXTRACTORS EXTRACTS EXTRACURRICULAR EXTRAMARITAL EXTRANEOUS EXTRANEOUSLY EXTRANEOUSNESS EXTRAORDINARILY EXTRAORDINARINESS EXTRAORDINARY EXTRAPOLATE EXTRAPOLATED EXTRAPOLATES EXTRAPOLATING EXTRAPOLATION EXTRAPOLATIONS EXTRAS EXTRATERRESTRIAL EXTRAVAGANCE EXTRAVAGANT EXTRAVAGANTLY EXTRAVAGANZA EXTREMAL EXTREME EXTREMELY EXTREMES EXTREMIST EXTREMISTS EXTREMITIES EXTREMITY EXTRICATE EXTRINSIC EXTROVERT EXUBERANCE EXULT EXULTATION EXXON EYE EYEBALL EYEBROW EYEBROWS EYED EYEFUL EYEGLASS EYEGLASSES EYEING EYELASH EYELID EYELIDS EYEPIECE EYEPIECES EYER EYERS EYES EYESIGHT EYEWITNESS EYEWITNESSES EYING EZEKIEL EZRA FABER FABIAN FABLE FABLED FABLES FABRIC FABRICATE FABRICATED FABRICATES FABRICATING FABRICATION FABRICS FABULOUS FABULOUSLY FACADE FACADED FACADES FACE FACED FACES FACET FACETED FACETS FACIAL FACILE FACILELY FACILITATE FACILITATED FACILITATES FACILITATING FACILITIES FACILITY FACING FACINGS FACSIMILE FACSIMILES FACT FACTION FACTIONS FACTIOUS FACTO FACTOR FACTORED FACTORIAL FACTORIES FACTORING FACTORIZATION FACTORIZATIONS FACTORS FACTORY FACTS FACTUAL FACTUALLY FACULTIES FACULTY FADE FADED FADEOUT FADER FADERS FADES FADING FAFNIR FAG FAGIN FAGS FAHEY FAHRENHEIT FAHRENHEITS FAIL FAILED FAILING FAILINGS FAILS FAILSOFT FAILURE FAILURES FAIN FAINT FAINTED FAINTER FAINTEST FAINTING FAINTLY FAINTNESS FAINTS FAIR FAIRBANKS FAIRCHILD FAIRER FAIREST FAIRFAX FAIRFIELD FAIRIES FAIRING FAIRLY FAIRMONT FAIRNESS FAIRPORT FAIRS FAIRVIEW FAIRY FAIRYLAND FAITH FAITHFUL FAITHFULLY FAITHFULNESS FAITHLESS FAITHLESSLY FAITHLESSNESS FAITHS FAKE FAKED FAKER FAKES FAKING FALCON FALCONER FALCONS FALK FALKLAND FALKLANDS FALL FALLACIES FALLACIOUS FALLACY FALLEN FALLIBILITY FALLIBLE FALLING FALLOPIAN FALLOUT FALLOW FALLS FALMOUTH FALSE FALSEHOOD FALSEHOODS FALSELY FALSENESS FALSIFICATION FALSIFIED FALSIFIES FALSIFY FALSIFYING FALSITY FALSTAFF FALTER FALTERED FALTERS FAME FAMED FAMES FAMILIAL FAMILIAR FAMILIARITIES FAMILIARITY FAMILIARIZATION FAMILIARIZE FAMILIARIZED FAMILIARIZES FAMILIARIZING FAMILIARLY FAMILIARNESS FAMILIES FAMILISM FAMILY FAMINE FAMINES FAMISH FAMOUS FAMOUSLY FAN FANATIC FANATICISM FANATICS FANCIED FANCIER FANCIERS FANCIES FANCIEST FANCIFUL FANCIFULLY FANCILY FANCINESS FANCY FANCYING FANFARE FANFOLD FANG FANGLED FANGS FANNED FANNIES FANNING FANNY FANOUT FANS FANTASIES FANTASIZE FANTASTIC FANTASY FAQ FAR FARAD FARADAY FARAWAY FARBER FARCE FARCES FARE FARED FARES FAREWELL FAREWELLS FARFETCHED FARGO FARINA FARING FARKAS FARLEY FARM FARMED FARMER FARMERS FARMHOUSE FARMHOUSES FARMING FARMINGTON FARMLAND FARMS FARMYARD FARMYARDS FARNSWORTH FARRELL FARSIGHTED FARTHER FARTHEST FARTHING FASCICLE FASCINATE FASCINATED FASCINATES FASCINATING FASCINATION FASCISM FASCIST FASHION FASHIONABLE FASHIONABLY FASHIONED FASHIONING FASHIONS FAST FASTED FASTEN FASTENED FASTENER FASTENERS FASTENING FASTENINGS FASTENS FASTER FASTEST FASTIDIOUS FASTING FASTNESS FASTS FAT FATAL FATALITIES FATALITY FATALLY FATALS FATE FATED FATEFUL FATES FATHER FATHERED FATHERLAND FATHERLY FATHERS FATHOM FATHOMED FATHOMING FATHOMS FATIGUE FATIGUED FATIGUES FATIGUING FATIMA FATNESS FATS FATTEN FATTENED FATTENER FATTENERS FATTENING FATTENS FATTER FATTEST FATTY FAUCET FAULKNER FAULKNERIAN FAULT FAULTED FAULTING FAULTLESS FAULTLESSLY FAULTS FAULTY FAUN FAUNA FAUNTLEROY FAUST FAUSTIAN FAUSTUS FAVOR FAVORABLE FAVORABLY FAVORED FAVORER FAVORING FAVORITE FAVORITES FAVORITISM FAVORS FAWKES FAWN FAWNED FAWNING FAWNS FAYETTE FAYETTEVILLE FAZE FEAR FEARED FEARFUL FEARFULLY FEARING FEARLESS FEARLESSLY FEARLESSNESS FEARS FEARSOME FEASIBILITY FEASIBLE FEAST FEASTED FEASTING FEASTS FEAT FEATHER FEATHERBED FEATHERBEDDING FEATHERED FEATHERER FEATHERERS FEATHERING FEATHERMAN FEATHERS FEATHERWEIGHT FEATHERY FEATS FEATURE FEATURED FEATURES FEATURING FEBRUARIES FEBRUARY FECUND FED FEDDERS FEDERAL FEDERALIST FEDERALLY FEDERALS FEDERATION FEDORA FEE FEEBLE FEEBLENESS FEEBLER FEEBLEST FEEBLY FEED FEEDBACK FEEDER FEEDERS FEEDING FEEDINGS FEEDS FEEL FEELER FEELERS FEELING FEELINGLY FEELINGS FEELS FEENEY FEES FEET FEIGN FEIGNED FEIGNING FELDER FELDMAN FELICE FELICIA FELICITIES FELICITY FELINE FELIX FELL FELLATIO FELLED FELLING FELLINI FELLOW FELLOWS FELLOWSHIP FELLOWSHIPS FELON FELONIOUS FELONY FELT FELTS FEMALE FEMALES FEMININE FEMININITY FEMINISM FEMINIST FEMUR FEMURS FEN FENCE FENCED FENCER FENCERS FENCES FENCING FEND FENTON FENWICK FERBER FERDINAND FERDINANDO FERGUSON FERMAT FERMENT FERMENTATION FERMENTATIONS FERMENTED FERMENTING FERMENTS FERMI FERN FERNANDO FERNS FEROCIOUS FEROCIOUSLY FEROCIOUSNESS FEROCITY FERREIRA FERRER FERRET FERRIED FERRIES FERRITE FERRY FERTILE FERTILELY FERTILITY FERTILIZATION FERTILIZE FERTILIZED FERTILIZER FERTILIZERS FERTILIZES FERTILIZING FERVENT FERVENTLY FERVOR FERVORS FESS FESTIVAL FESTIVALS FESTIVE FESTIVELY FESTIVITIES FESTIVITY FETAL FETCH FETCHED FETCHES FETCHING FETCHINGLY FETID FETISH FETTER FETTERED FETTERS FETTLE FETUS FEUD FEUDAL FEUDALISM FEUDS FEVER FEVERED FEVERISH FEVERISHLY FEVERS FEW FEWER FEWEST FEWNESS FIANCE FIANCEE FIASCO FIAT FIB FIBBING FIBER FIBERGLAS FIBERS FIBONACCI FIBROSITIES FIBROSITY FIBROUS FIBROUSLY FICKLE FICKLENESS FICTION FICTIONAL FICTIONALLY FICTIONS FICTITIOUS FICTITIOUSLY FIDDLE FIDDLED FIDDLER FIDDLES FIDDLESTICK FIDDLESTICKS FIDDLING FIDEL FIDELITY FIDGET FIDUCIAL FIEF FIEFDOM FIELD FIELDED FIELDER FIELDERS FIELDING FIELDS FIELDWORK FIEND FIENDISH FIERCE FIERCELY FIERCENESS FIERCER FIERCEST FIERY FIFE FIFTEEN FIFTEENS FIFTEENTH FIFTH FIFTIES FIFTIETH FIFTY FIG FIGARO FIGHT FIGHTER FIGHTERS FIGHTING FIGHTS FIGS FIGURATIVE FIGURATIVELY FIGURE FIGURED FIGURES FIGURING FIGURINGS FIJI FIJIAN FIJIANS FILAMENT FILAMENTS FILE FILED FILENAME FILENAMES FILER FILES FILIAL FILIBUSTER FILING FILINGS FILIPINO FILIPINOS FILIPPO FILL FILLABLE FILLED FILLER FILLERS FILLING FILLINGS FILLMORE FILLS FILLY FILM FILMED FILMING FILMS FILTER FILTERED FILTERING FILTERS FILTH FILTHIER FILTHIEST FILTHINESS FILTHY FIN FINAL FINALITY FINALIZATION FINALIZE FINALIZED FINALIZES FINALIZING FINALLY FINALS FINANCE FINANCED FINANCES FINANCIAL FINANCIALLY FINANCIER FINANCIERS FINANCING FIND FINDER FINDERS FINDING FINDINGS FINDS FINE FINED FINELY FINENESS FINER FINES FINESSE FINESSED FINESSING FINEST FINGER FINGERED FINGERING FINGERINGS FINGERNAIL FINGERPRINT FINGERPRINTS FINGERS FINGERTIP FINICKY FINING FINISH FINISHED FINISHER FINISHERS FINISHES FINISHING FINITE FINITELY FINITENESS FINK FINLAND FINLEY FINN FINNEGAN FINNISH FINNS FINNY FINS FIORELLO FIORI FIR FIRE FIREARM FIREARMS FIREBOAT FIREBREAK FIREBUG FIRECRACKER FIRED FIREFLIES FIREFLY FIREHOUSE FIRELIGHT FIREMAN FIREMEN FIREPLACE FIREPLACES FIREPOWER FIREPROOF FIRER FIRERS FIRES FIRESIDE FIRESTONE FIREWALL FIREWOOD FIREWORKS FIRING FIRINGS FIRM FIRMAMENT FIRMED FIRMER FIRMEST FIRMING FIRMLY FIRMNESS FIRMS FIRMWARE FIRST FIRSTHAND FIRSTLY FIRSTS FISCAL FISCALLY FISCHBEIN FISCHER FISH FISHED FISHER FISHERMAN FISHERMEN FISHERS FISHERY FISHES FISHING FISHKILL FISHMONGER FISHPOND FISHY FISK FISKE FISSION FISSURE FISSURED FIST FISTED FISTICUFF FISTS FIT FITCH FITCHBURG FITFUL FITFULLY FITLY FITNESS FITS FITTED FITTER FITTERS FITTING FITTINGLY FITTINGS FITZGERALD FITZPATRICK FITZROY FIVE FIVEFOLD FIVES FIX FIXATE FIXATED FIXATES FIXATING FIXATION FIXATIONS FIXED FIXEDLY FIXEDNESS FIXER FIXERS FIXES FIXING FIXINGS FIXTURE FIXTURES FIZEAU FIZZLE FIZZLED FLABBERGAST FLABBERGASTED FLACK FLAG FLAGELLATE FLAGGED FLAGGING FLAGLER FLAGPOLE FLAGRANT FLAGRANTLY FLAGS FLAGSTAFF FLAIL FLAIR FLAK FLAKE FLAKED FLAKES FLAKING FLAKY FLAM FLAMBOYANT FLAME FLAMED FLAMER FLAMERS FLAMES FLAMING FLAMMABLE FLANAGAN FLANDERS FLANK FLANKED FLANKER FLANKING FLANKS FLANNEL FLANNELS FLAP FLAPS FLARE FLARED FLARES FLARING FLASH FLASHBACK FLASHED FLASHER FLASHERS FLASHES FLASHING FLASHLIGHT FLASHLIGHTS FLASHY FLASK FLAT FLATBED FLATLY FLATNESS FLATS FLATTEN FLATTENED FLATTENING FLATTER FLATTERED FLATTERER FLATTERING FLATTERY FLATTEST FLATULENT FLATUS FLATWORM FLAUNT FLAUNTED FLAUNTING FLAUNTS FLAVOR FLAVORED FLAVORING FLAVORINGS FLAVORS FLAW FLAWED FLAWLESS FLAWLESSLY FLAWS FLAX FLAXEN FLEA FLEAS FLED FLEDERMAUS FLEDGED FLEDGLING FLEDGLINGS FLEE FLEECE FLEECES FLEECY FLEEING FLEES FLEET FLEETEST FLEETING FLEETLY FLEETNESS FLEETS FLEISCHMAN FLEISHER FLEMING FLEMINGS FLEMISH FLEMISHED FLEMISHES FLEMISHING FLESH FLESHED FLESHES FLESHING FLESHLY FLESHY FLETCHER FLETCHERIZE FLETCHERIZES FLEW FLEX FLEXIBILITIES FLEXIBILITY FLEXIBLE FLEXIBLY FLICK FLICKED FLICKER FLICKERING FLICKING FLICKS FLIER FLIERS FLIES FLIGHT FLIGHTS FLIMSY FLINCH FLINCHED FLINCHES FLINCHING FLING FLINGS FLINT FLINTY FLIP FLIPFLOP FLIPPED FLIPS FLIRT FLIRTATION FLIRTATIOUS FLIRTED FLIRTING FLIRTS FLIT FLITTING FLO FLOAT FLOATED FLOATER FLOATING FLOATS FLOCK FLOCKED FLOCKING FLOCKS FLOG FLOGGING FLOOD FLOODED FLOODING FLOODLIGHT FLOODLIT FLOODS FLOOR FLOORED FLOORING FLOORINGS FLOORS FLOP FLOPPIES FLOPPILY FLOPPING FLOPPY FLOPS FLORA FLORAL FLORENCE FLORENTINE FLORID FLORIDA FLORIDIAN FLORIDIANS FLORIN FLORIST FLOSS FLOSSED FLOSSES FLOSSING FLOTATION FLOTILLA FLOUNDER FLOUNDERED FLOUNDERING FLOUNDERS FLOUR FLOURED FLOURISH FLOURISHED FLOURISHES FLOURISHING FLOW FLOWCHART FLOWCHARTING FLOWCHARTS FLOWED FLOWER FLOWERED FLOWERINESS FLOWERING FLOWERPOT FLOWERS FLOWERY FLOWING FLOWN FLOWS FLOYD FLU FLUCTUATE FLUCTUATES FLUCTUATING FLUCTUATION FLUCTUATIONS FLUE FLUENCY FLUENT FLUENTLY FLUFF FLUFFIER FLUFFIEST FLUFFY FLUID FLUIDITY FLUIDLY FLUIDS FLUKE FLUNG FLUNKED FLUORESCE FLUORESCENT FLURRIED FLURRY FLUSH FLUSHED FLUSHES FLUSHING FLUTE FLUTED FLUTING FLUTTER FLUTTERED FLUTTERING FLUTTERS FLUX FLY FLYABLE FLYER FLYERS FLYING FLYNN FOAL FOAM FOAMED FOAMING FOAMS FOAMY FOB FOBBING FOCAL FOCALLY FOCI FOCUS FOCUSED FOCUSES FOCUSING FOCUSSED FODDER FOE FOES FOG FOGARTY FOGGED FOGGIER FOGGIEST FOGGILY FOGGING FOGGY FOGS FOGY FOIBLE FOIL FOILED FOILING FOILS FOIST FOLD FOLDED FOLDER FOLDERS FOLDING FOLDOUT FOLDS FOLEY FOLIAGE FOLK FOLKLORE FOLKS FOLKSONG FOLKSY FOLLIES FOLLOW FOLLOWED FOLLOWER FOLLOWERS FOLLOWING FOLLOWINGS FOLLOWS FOLLY FOLSOM FOMALHAUT FOND FONDER FONDLE FONDLED FONDLES FONDLING FONDLY FONDNESS FONT FONTAINE FONTAINEBLEAU FONTANA FONTS FOOD FOODS FOODSTUFF FOODSTUFFS FOOL FOOLED FOOLHARDY FOOLING FOOLISH FOOLISHLY FOOLISHNESS FOOLPROOF FOOLS FOOT FOOTAGE FOOTBALL FOOTBALLS FOOTBRIDGE FOOTE FOOTED FOOTER FOOTERS FOOTFALL FOOTHILL FOOTHOLD FOOTING FOOTMAN FOOTNOTE FOOTNOTES FOOTPATH FOOTPRINT FOOTPRINTS FOOTSTEP FOOTSTEPS FOR FORAGE FORAGED FORAGES FORAGING FORAY FORAYS FORBADE FORBEAR FORBEARANCE FORBEARS FORBES FORBID FORBIDDEN FORBIDDING FORBIDS FORCE FORCED FORCEFUL FORCEFULLY FORCEFULNESS FORCER FORCES FORCIBLE FORCIBLY FORCING FORD FORDHAM FORDS FORE FOREARM FOREARMS FOREBODING FORECAST FORECASTED FORECASTER FORECASTERS FORECASTING FORECASTLE FORECASTS FOREFATHER FOREFATHERS FOREFINGER FOREFINGERS FOREGO FOREGOES FOREGOING FOREGONE FOREGROUND FOREHEAD FOREHEADS FOREIGN FOREIGNER FOREIGNERS FOREIGNS FOREMAN FOREMOST FORENOON FORENSIC FORERUNNERS FORESEE FORESEEABLE FORESEEN FORESEES FORESIGHT FORESIGHTED FOREST FORESTALL FORESTALLED FORESTALLING FORESTALLMENT FORESTALLS FORESTED FORESTER FORESTERS FORESTRY FORESTS FORETELL FORETELLING FORETELLS FORETOLD FOREVER FOREWARN FOREWARNED FOREWARNING FOREWARNINGS FOREWARNS FORFEIT FORFEITED FORFEITURE FORGAVE FORGE FORGED FORGER FORGERIES FORGERY FORGES FORGET FORGETFUL FORGETFULNESS FORGETS FORGETTABLE FORGETTABLY FORGETTING FORGING FORGIVABLE FORGIVABLY FORGIVE FORGIVEN FORGIVENESS FORGIVES FORGIVING FORGIVINGLY FORGOT FORGOTTEN FORK FORKED FORKING FORKLIFT FORKS FORLORN FORLORNLY FORM FORMAL FORMALISM FORMALISMS FORMALITIES FORMALITY FORMALIZATION FORMALIZATIONS FORMALIZE FORMALIZED FORMALIZES FORMALIZING FORMALLY FORMANT FORMANTS FORMAT FORMATION FORMATIONS FORMATIVE FORMATIVELY FORMATS FORMATTED FORMATTER FORMATTERS FORMATTING FORMED FORMER FORMERLY FORMICA FORMICAS FORMIDABLE FORMING FORMOSA FORMOSAN FORMS FORMULA FORMULAE FORMULAS FORMULATE FORMULATED FORMULATES FORMULATING FORMULATION FORMULATIONS FORMULATOR FORMULATORS FORNICATION FORREST FORSAKE FORSAKEN FORSAKES FORSAKING FORSYTHE FORT FORTE FORTESCUE FORTH FORTHCOMING FORTHRIGHT FORTHWITH FORTIER FORTIES FORTIETH FORTIFICATION FORTIFICATIONS FORTIFIED FORTIFIES FORTIFY FORTIFYING FORTIORI FORTITUDE FORTNIGHT FORTNIGHTLY FORTRAN FORTRAN FORTRESS FORTRESSES FORTS FORTUITOUS FORTUITOUSLY FORTUNATE FORTUNATELY FORTUNE FORTUNES FORTY FORUM FORUMS FORWARD FORWARDED FORWARDER FORWARDING FORWARDNESS FORWARDS FOSS FOSSIL FOSTER FOSTERED FOSTERING FOSTERS FOUGHT FOUL FOULED FOULEST FOULING FOULLY FOULMOUTH FOULNESS FOULS FOUND FOUNDATION FOUNDATIONS FOUNDED FOUNDER FOUNDERED FOUNDERS FOUNDING FOUNDLING FOUNDRIES FOUNDRY FOUNDS FOUNT FOUNTAIN FOUNTAINS FOUNTS FOUR FOURFOLD FOURIER FOURS FOURSCORE FOURSOME FOURSQUARE FOURTEEN FOURTEENS FOURTEENTH FOURTH FOWL FOWLER FOWLS FOX FOXES FOXHALL FRACTION FRACTIONAL FRACTIONALLY FRACTIONS FRACTURE FRACTURED FRACTURES FRACTURING FRAGILE FRAGMENT FRAGMENTARY FRAGMENTATION FRAGMENTED FRAGMENTING FRAGMENTS FRAGRANCE FRAGRANCES FRAGRANT FRAGRANTLY FRAIL FRAILEST FRAILTY FRAME FRAMED FRAMER FRAMES FRAMEWORK FRAMEWORKS FRAMING FRAN FRANC FRANCAISE FRANCE FRANCES FRANCESCA FRANCESCO FRANCHISE FRANCHISES FRANCIE FRANCINE FRANCIS FRANCISCAN FRANCISCANS FRANCISCO FRANCIZE FRANCIZES FRANCO FRANCOIS FRANCOISE FRANCS FRANK FRANKED FRANKEL FRANKER FRANKEST FRANKFORT FRANKFURT FRANKIE FRANKING FRANKLINIZATION FRANKLINIZATIONS FRANKLY FRANKNESS FRANKS FRANNY FRANTIC FRANTICALLY FRANZ FRASER FRATERNAL FRATERNALLY FRATERNITIES FRATERNITY FRAU FRAUD FRAUDS FRAUDULENT FRAUGHT FRAY FRAYED FRAYING FRAYNE FRAYS FRAZIER FRAZZLE FREAK FREAKISH FREAKS FRECKLE FRECKLED FRECKLES FRED FREDDIE FREDDY FREDERIC FREDERICK FREDERICKS FREDERICKSBURG FREDERICO FREDERICTON FREDHOLM FREDRICK FREDRICKSON FREE FREED FREEDMAN FREEDOM FREEDOMS FREEING FREEINGS FREELY FREEMAN FREEMASON FREEMASONRY FREEMASONS FREENESS FREEPORT FREER FREES FREEST FREESTYLE FREETOWN FREEWAY FREEWHEEL FREEZE FREEZER FREEZERS FREEZES FREEZING FREIDA FREIGHT FREIGHTED FREIGHTER FREIGHTERS FREIGHTING FREIGHTS FRENCH FRENCHIZE FRENCHIZES FRENCHMAN FRENCHMEN FRENETIC FRENZIED FRENZY FREON FREQUENCIES FREQUENCY FREQUENT FREQUENTED FREQUENTER FREQUENTERS FREQUENTING FREQUENTLY FREQUENTS FRESCO FRESCOES FRESH FRESHEN FRESHENED FRESHENER FRESHENERS FRESHENING FRESHENS FRESHER FRESHEST FRESHLY FRESHMAN FRESHMEN FRESHNESS FRESHWATER FRESNEL FRESNO FRET FRETFUL FRETFULLY FRETFULNESS FREUD FREUDIAN FREUDIANISM FREUDIANISMS FREUDIANS FREY FREYA FRIAR FRIARS FRICATIVE FRICATIVES FRICK FRICTION FRICTIONLESS FRICTIONS FRIDAY FRIDAYS FRIED FRIEDMAN FRIEDRICH FRIEND FRIENDLESS FRIENDLIER FRIENDLIEST FRIENDLINESS FRIENDLY FRIENDS FRIENDSHIP FRIENDSHIPS FRIES FRIESLAND FRIEZE FRIEZES FRIGATE FRIGATES FRIGGA FRIGHT FRIGHTEN FRIGHTENED FRIGHTENING FRIGHTENINGLY FRIGHTENS FRIGHTFUL FRIGHTFULLY FRIGHTFULNESS FRIGID FRIGIDAIRE FRILL FRILLS FRINGE FRINGED FRISBEE FRISIA FRISIAN FRISK FRISKED FRISKING FRISKS FRISKY FRITO FRITTER FRITZ FRIVOLITY FRIVOLOUS FRIVOLOUSLY FRO FROCK FROCKS FROG FROGS FROLIC FROLICS FROM FRONT FRONTAGE FRONTAL FRONTED FRONTIER FRONTIERS FRONTIERSMAN FRONTIERSMEN FRONTING FRONTS FROST FROSTBELT FROSTBITE FROSTBITTEN FROSTED FROSTING FROSTS FROSTY FROTH FROTHING FROTHY FROWN FROWNED FROWNING FROWNS FROZE FROZEN FROZENLY FRUEHAUF FRUGAL FRUGALLY FRUIT FRUITFUL FRUITFULLY FRUITFULNESS FRUITION FRUITLESS FRUITLESSLY FRUITS FRUSTRATE FRUSTRATED FRUSTRATES FRUSTRATING FRUSTRATION FRUSTRATIONS FRY FRYE FUCHS FUCHSIA FUDGE FUEL FUELED FUELING FUELS FUGITIVE FUGITIVES FUGUE FUJI FUJITSU FULBRIGHT FULBRIGHTS FULCRUM FULFILL FULFILLED FULFILLING FULFILLMENT FULFILLMENTS FULFILLS FULL FULLER FULLERTON FULLEST FULLNESS FULLY FULMINATE FULTON FUMBLE FUMBLED FUMBLING FUME FUMED FUMES FUMING FUN FUNCTION FUNCTIONAL FUNCTIONALITIES FUNCTIONALITY FUNCTIONALLY FUNCTIONALS FUNCTIONARY FUNCTIONED FUNCTIONING FUNCTIONS FUNCTOR FUNCTORS FUND FUNDAMENTAL FUNDAMENTALLY FUNDAMENTALS FUNDED FUNDER FUNDERS FUNDING FUNDS FUNERAL FUNERALS FUNEREAL FUNGAL FUNGI FUNGIBLE FUNGICIDE FUNGUS FUNK FUNNEL FUNNELED FUNNELING FUNNELS FUNNIER FUNNIEST FUNNILY FUNNINESS FUNNY FUR FURIES FURIOUS FURIOUSER FURIOUSLY FURLONG FURLOUGH FURMAN FURNACE FURNACES FURNISH FURNISHED FURNISHES FURNISHING FURNISHINGS FURNITURE FURRIER FURROW FURROWED FURROWS FURRY FURS FURTHER FURTHERED FURTHERING FURTHERMORE FURTHERMOST FURTHERS FURTHEST FURTIVE FURTIVELY FURTIVENESS FURY FUSE FUSED FUSES FUSING FUSION FUSS FUSSING FUSSY FUTILE FUTILITY FUTURE FUTURES FUTURISTIC FUZZ FUZZIER FUZZINESS FUZZY GAB GABARDINE GABBING GABERONES GABLE GABLED GABLER GABLES GABON GABORONE GABRIEL GABRIELLE GAD GADFLY GADGET GADGETRY GADGETS GAELIC GAELICIZATION GAELICIZATIONS GAELICIZE GAELICIZES GAG GAGGED GAGGING GAGING GAGS GAIETIES GAIETY GAIL GAILY GAIN GAINED GAINER GAINERS GAINES GAINESVILLE GAINFUL GAINING GAINS GAIT GAITED GAITER GAITERS GAITHERSBURG GALACTIC GALAHAD GALAPAGOS GALATEA GALATEAN GALATEANS GALATIA GALATIANS GALAXIES GALAXY GALBREATH GALE GALEN GALILEAN GALILEE GALILEO GALL GALLAGHER GALLANT GALLANTLY GALLANTRY GALLANTS GALLED GALLERIED GALLERIES GALLERY GALLEY GALLEYS GALLING GALLON GALLONS GALLOP GALLOPED GALLOPER GALLOPING GALLOPS GALLOWAY GALLOWS GALLS GALLSTONE GALLUP GALOIS GALT GALVESTON GALVIN GALWAY GAMBIA GAMBIT GAMBLE GAMBLED GAMBLER GAMBLERS GAMBLES GAMBLING GAMBOL GAME GAMED GAMELY GAMENESS GAMES GAMING GAMMA GANDER GANDHI GANDHIAN GANG GANGES GANGLAND GANGLING GANGPLANK GANGRENE GANGS GANGSTER GANGSTERS GANNETT GANTRY GANYMEDE GAP GAPE GAPED GAPES GAPING GAPS GARAGE GARAGED GARAGES GARB GARBAGE GARBAGES GARBED GARBLE GARBLED GARCIA GARDEN GARDENED GARDENER GARDENERS GARDENING GARDENS GARDNER GARFIELD GARFUNKEL GARGANTUAN GARGLE GARGLED GARGLES GARGLING GARIBALDI GARLAND GARLANDED GARLIC GARMENT GARMENTS GARNER GARNERED GARNETT GARNISH GARRETT GARRISON GARRISONED GARRISONIAN GARRY GARTER GARTERS GARTH GARVEY GARY GAS GASCONY GASEOUS GASEOUSLY GASES GASH GASHES GASKET GASLIGHT GASOLINE GASP GASPED GASPEE GASPING GASPS GASSED GASSER GASSET GASSING GASSINGS GASSY GASTON GASTRIC GASTROINTESTINAL GASTRONOME GASTRONOMY GATE GATED GATES GATEWAY GATEWAYS GATHER GATHERED GATHERER GATHERERS GATHERING GATHERINGS GATHERS GATING GATLINBURG GATOR GATSBY GAUCHE GAUDINESS GAUDY GAUGE GAUGED GAUGES GAUGUIN GAUL GAULLE GAULS GAUNT GAUNTLEY GAUNTNESS GAUSSIAN GAUTAMA GAUZE GAVE GAVEL GAVIN GAWK GAWKY GAY GAYER GAYEST GAYETY GAYLOR GAYLORD GAYLY GAYNESS GAYNOR GAZE GAZED GAZELLE GAZER GAZERS GAZES GAZETTE GAZING GEAR GEARED GEARING GEARS GEARY GECKO GEESE GEHRIG GEIGER GEIGY GEISHA GEL GELATIN GELATINE GELATINOUS GELD GELLED GELLING GELS GEM GEMINI GEMINID GEMMA GEMS GENDER GENDERS GENE GENEALOGY GENERAL GENERALIST GENERALISTS GENERALITIES GENERALITY GENERALIZATION GENERALIZATIONS GENERALIZE GENERALIZED GENERALIZER GENERALIZERS GENERALIZES GENERALIZING GENERALLY GENERALS GENERATE GENERATED GENERATES GENERATING GENERATION GENERATIONS GENERATIVE GENERATOR GENERATORS GENERIC GENERICALLY GENEROSITIES GENEROSITY GENEROUS GENEROUSLY GENEROUSNESS GENES GENESCO GENESIS GENETIC GENETICALLY GENEVA GENEVIEVE GENIAL GENIALLY GENIE GENIUS GENIUSES GENOA GENRE GENRES GENT GENTEEL GENTILE GENTLE GENTLEMAN GENTLEMANLY GENTLEMEN GENTLENESS GENTLER GENTLEST GENTLEWOMAN GENTLY GENTRY GENUINE GENUINELY GENUINENESS GENUS GEOCENTRIC GEODESIC GEODESY GEODETIC GEOFF GEOFFREY GEOGRAPHER GEOGRAPHIC GEOGRAPHICAL GEOGRAPHICALLY GEOGRAPHY GEOLOGICAL GEOLOGIST GEOLOGISTS GEOLOGY GEOMETRIC GEOMETRICAL GEOMETRICALLY GEOMETRICIAN GEOMETRIES GEOMETRY GEOPHYSICAL GEOPHYSICS GEORGE GEORGES GEORGETOWN GEORGIA GEORGIAN GEORGIANS GEOSYNCHRONOUS GERALD GERALDINE GERANIUM GERARD GERBER GERBIL GERHARD GERHARDT GERIATRIC GERM GERMAN GERMANE GERMANIA GERMANIC GERMANS GERMANTOWN GERMANY GERMICIDE GERMINAL GERMINATE GERMINATED GERMINATES GERMINATING GERMINATION GERMS GEROME GERRY GERSHWIN GERSHWINS GERTRUDE GERUND GESTAPO GESTURE GESTURED GESTURES GESTURING GET GETAWAY GETS GETTER GETTERS GETTING GETTY GETTYSBURG GEYSER GHANA GHANIAN GHASTLY GHENT GHETTO GHOST GHOSTED GHOSTLY GHOSTS GIACOMO GIANT GIANTS GIBBERISH GIBBONS GIBBS GIBBY GIBRALTAR GIBSON GIDDINESS GIDDINGS GIDDY GIDEON GIFFORD GIFT GIFTED GIFTS GIG GIGABIT GIGABITS GIGABYTE GIGABYTES GIGACYCLE GIGAHERTZ GIGANTIC GIGAVOLT GIGAWATT GIGGLE GIGGLED GIGGLES GIGGLING GIL GILBERTSON GILCHRIST GILD GILDED GILDING GILDS GILEAD GILES GILKSON GILL GILLESPIE GILLETTE GILLIGAN GILLS GILMORE GILT GIMBEL GIMMICK GIMMICKS GIN GINA GINGER GINGERBREAD GINGERLY GINGHAM GINGHAMS GINN GINO GINS GINSBERG GINSBURG GIOCONDA GIORGIO GIOVANNI GIPSIES GIPSY GIRAFFE GIRAFFES GIRD GIRDER GIRDERS GIRDLE GIRL GIRLFRIEND GIRLIE GIRLISH GIRLS GIRT GIRTH GIST GIULIANO GIUSEPPE GIVE GIVEAWAY GIVEN GIVER GIVERS GIVES GIVING GLACIAL GLACIER GLACIERS GLAD GLADDEN GLADDER GLADDEST GLADE GLADIATOR GLADLY GLADNESS GLADSTONE GLADYS GLAMOR GLAMOROUS GLAMOUR GLANCE GLANCED GLANCES GLANCING GLAND GLANDS GLANDULAR GLARE GLARED GLARES GLARING GLARINGLY GLASGOW GLASS GLASSED GLASSES GLASSY GLASWEGIAN GLAUCOMA GLAZE GLAZED GLAZER GLAZES GLAZING GLEAM GLEAMED GLEAMING GLEAMS GLEAN GLEANED GLEANER GLEANING GLEANINGS GLEANS GLEASON GLEE GLEEFUL GLEEFULLY GLEES GLEN GLENDA GLENDALE GLENN GLENS GLIDDEN GLIDE GLIDED GLIDER GLIDERS GLIDES GLIMMER GLIMMERED GLIMMERING GLIMMERS GLIMPSE GLIMPSED GLIMPSES GLINT GLINTED GLINTING GLINTS GLISTEN GLISTENED GLISTENING GLISTENS GLITCH GLITTER GLITTERED GLITTERING GLITTERS GLOAT GLOBAL GLOBALLY GLOBE GLOBES GLOBULAR GLOBULARITY GLOOM GLOOMILY GLOOMY GLORIA GLORIANA GLORIES GLORIFICATION GLORIFIED GLORIFIES GLORIFY GLORIOUS GLORIOUSLY GLORY GLORYING GLOSS GLOSSARIES GLOSSARY GLOSSED GLOSSES GLOSSING GLOSSY GLOTTAL GLOUCESTER GLOVE GLOVED GLOVER GLOVERS GLOVES GLOVING GLOW GLOWED GLOWER GLOWERS GLOWING GLOWINGLY GLOWS GLUE GLUED GLUES GLUING GLUT GLUTTON GLYNN GNASH GNAT GNATS GNAW GNAWED GNAWING GNAWS GNOME GNOMON GNU GOA GOAD GOADED GOAL GOALS GOAT GOATEE GOATEES GOATS GOBBLE GOBBLED GOBBLER GOBBLERS GOBBLES GOBI GOBLET GOBLETS GOBLIN GOBLINS GOD GODDARD GODDESS GODDESSES GODFATHER GODFREY GODHEAD GODLIKE GODLY GODMOTHER GODMOTHERS GODOT GODPARENT GODS GODSEND GODSON GODWIN GODZILLA GOES GOETHE GOFF GOGGLES GOGH GOING GOINGS GOLD GOLDA GOLDBERG GOLDEN GOLDENLY GOLDENNESS GOLDENROD GOLDFIELD GOLDFISH GOLDING GOLDMAN GOLDS GOLDSMITH GOLDSTEIN GOLDSTINE GOLDWATER GOLETA GOLF GOLFER GOLFERS GOLFING GOLIATH GOLLY GOMEZ GONDOLA GONE GONER GONG GONGS GONZALES GONZALEZ GOOD GOODBY GOODBYE GOODE GOODIES GOODLY GOODMAN GOODNESS GOODRICH GOODS GOODWILL GOODWIN GOODY GOODYEAR GOOF GOOFED GOOFS GOOFY GOOSE GOPHER GORDIAN GORDON GORE GOREN GORGE GORGEOUS GORGEOUSLY GORGES GORGING GORHAM GORILLA GORILLAS GORKY GORTON GORY GOSH GOSPEL GOSPELERS GOSPELS GOSSIP GOSSIPED GOSSIPING GOSSIPS GOT GOTHAM GOTHIC GOTHICALLY GOTHICISM GOTHICIZE GOTHICIZED GOTHICIZER GOTHICIZERS GOTHICIZES GOTHICIZING GOTO GOTOS GOTTEN GOTTFRIED GOUCHER GOUDA GOUGE GOUGED GOUGES GOUGING GOULD GOURD GOURMET GOUT GOVERN GOVERNANCE GOVERNED GOVERNESS GOVERNING GOVERNMENT GOVERNMENTAL GOVERNMENTALLY GOVERNMENTS GOVERNOR GOVERNORS GOVERNS GOWN GOWNED GOWNS GRAB GRABBED GRABBER GRABBERS GRABBING GRABBINGS GRABS GRACE GRACED GRACEFUL GRACEFULLY GRACEFULNESS GRACES GRACIE GRACING GRACIOUS GRACIOUSLY GRACIOUSNESS GRAD GRADATION GRADATIONS GRADE GRADED GRADER GRADERS GRADES GRADIENT GRADIENTS GRADING GRADINGS GRADUAL GRADUALLY GRADUATE GRADUATED GRADUATES GRADUATING GRADUATION GRADUATIONS GRADY GRAFF GRAFT GRAFTED GRAFTER GRAFTING GRAFTON GRAFTS GRAHAM GRAHAMS GRAIL GRAIN GRAINED GRAINING GRAINS GRAM GRAMMAR GRAMMARIAN GRAMMARS GRAMMATIC GRAMMATICAL GRAMMATICALLY GRAMS GRANARIES GRANARY GRAND GRANDCHILD GRANDCHILDREN GRANDDAUGHTER GRANDER GRANDEST GRANDEUR GRANDFATHER GRANDFATHERS GRANDIOSE GRANDLY GRANDMA GRANDMOTHER GRANDMOTHERS GRANDNEPHEW GRANDNESS GRANDNIECE GRANDPA GRANDPARENT GRANDS GRANDSON GRANDSONS GRANDSTAND GRANGE GRANITE GRANNY GRANOLA GRANT GRANTED GRANTEE GRANTER GRANTING GRANTOR GRANTS GRANULARITY GRANULATE GRANULATED GRANULATES GRANULATING GRANVILLE GRAPE GRAPEFRUIT GRAPES GRAPEVINE GRAPH GRAPHED GRAPHIC GRAPHICAL GRAPHICALLY GRAPHICS GRAPHING GRAPHITE GRAPHS GRAPPLE GRAPPLED GRAPPLING GRASP GRASPABLE GRASPED GRASPING GRASPINGLY GRASPS GRASS GRASSED GRASSERS GRASSES GRASSIER GRASSIEST GRASSLAND GRASSY GRATE GRATED GRATEFUL GRATEFULLY GRATEFULNESS GRATER GRATES GRATIFICATION GRATIFIED GRATIFY GRATIFYING GRATING GRATINGS GRATIS GRATITUDE GRATUITIES GRATUITOUS GRATUITOUSLY GRATUITOUSNESS GRATUITY GRAVE GRAVEL GRAVELLY GRAVELY GRAVEN GRAVENESS GRAVER GRAVES GRAVEST GRAVESTONE GRAVEYARD GRAVITATE GRAVITATION GRAVITATIONAL GRAVITY GRAVY GRAY GRAYED GRAYER GRAYEST GRAYING GRAYNESS GRAYSON GRAZE GRAZED GRAZER GRAZING GREASE GREASED GREASES GREASY GREAT GREATER GREATEST GREATLY GREATNESS GRECIAN GRECIANIZE GRECIANIZES GREECE GREED GREEDILY GREEDINESS GREEDY GREEK GREEKIZE GREEKIZES GREEKS GREEN GREENBELT GREENBERG GREENBLATT GREENBRIAR GREENE GREENER GREENERY GREENEST GREENFELD GREENFIELD GREENGROCER GREENHOUSE GREENHOUSES GREENING GREENISH GREENLAND GREENLY GREENNESS GREENS GREENSBORO GREENSVILLE GREENTREE GREENVILLE GREENWARE GREENWICH GREER GREET GREETED GREETER GREETING GREETINGS GREETS GREG GREGARIOUS GREGG GREGORIAN GREGORY GRENADE GRENADES GRENDEL GRENIER GRENOBLE GRENVILLE GRESHAM GRETA GRETCHEN GREW GREY GREYEST GREYHOUND GREYING GRID GRIDDLE GRIDIRON GRIDS GRIEF GRIEFS GRIEVANCE GRIEVANCES GRIEVE GRIEVED GRIEVER GRIEVERS GRIEVES GRIEVING GRIEVINGLY GRIEVOUS GRIEVOUSLY GRIFFITH GRILL GRILLED GRILLING GRILLS GRIM GRIMACE GRIMALDI GRIME GRIMED GRIMES GRIMLY GRIMM GRIMNESS GRIN GRIND GRINDER GRINDERS GRINDING GRINDINGS GRINDS GRINDSTONE GRINDSTONES GRINNING GRINS GRIP GRIPE GRIPED GRIPES GRIPING GRIPPED GRIPPING GRIPPINGLY GRIPS GRIS GRISLY GRIST GRISWOLD GRIT GRITS GRITTY GRIZZLY GROAN GROANED GROANER GROANERS GROANING GROANS GROCER GROCERIES GROCERS GROCERY GROGGY GROIN GROOM GROOMED GROOMING GROOMS GROOT GROOVE GROOVED GROOVES GROPE GROPED GROPES GROPING GROSS GROSSED GROSSER GROSSES GROSSEST GROSSET GROSSING GROSSLY GROSSMAN GROSSNESS GROSVENOR GROTESQUE GROTESQUELY GROTESQUES GROTON GROTTO GROTTOS GROUND GROUNDED GROUNDER GROUNDERS GROUNDING GROUNDS GROUNDWORK GROUP GROUPED GROUPING GROUPINGS GROUPS GROUSE GROVE GROVEL GROVELED GROVELING GROVELS GROVER GROVERS GROVES GROW GROWER GROWERS GROWING GROWL GROWLED GROWLING GROWLS GROWN GROWNUP GROWNUPS GROWS GROWTH GROWTHS GRUB GRUBBY GRUBS GRUDGE GRUDGES GRUDGINGLY GRUESOME GRUFF GRUFFLY GRUMBLE GRUMBLED GRUMBLES GRUMBLING GRUMMAN GRUNT GRUNTED GRUNTING GRUNTS GRUSKY GRUYERE GUADALUPE GUAM GUANO GUARANTEE GUARANTEED GUARANTEEING GUARANTEER GUARANTEERS GUARANTEES GUARANTY GUARD GUARDED GUARDEDLY GUARDHOUSE GUARDIA GUARDIAN GUARDIANS GUARDIANSHIP GUARDING GUARDS GUATEMALA GUATEMALAN GUBERNATORIAL GUELPH GUENTHER GUERRILLA GUERRILLAS GUESS GUESSED GUESSES GUESSING GUESSWORK GUEST GUESTS GUGGENHEIM GUHLEMAN GUIANA GUIDANCE GUIDE GUIDEBOOK GUIDEBOOKS GUIDED GUIDELINE GUIDELINES GUIDES GUIDING GUILD GUILDER GUILDERS GUILE GUILFORD GUILT GUILTIER GUILTIEST GUILTILY GUILTINESS GUILTLESS GUILTLESSLY GUILTY GUINEA GUINEVERE GUISE GUISES GUITAR GUITARS GUJARAT GUJARATI GULCH GULCHES GULF GULFS GULL GULLAH GULLED GULLIES GULLING GULLS GULLY GULP GULPED GULPS GUM GUMMING GUMPTION GUMS GUN GUNDERSON GUNFIRE GUNMAN GUNMEN GUNNAR GUNNED GUNNER GUNNERS GUNNERY GUNNING GUNNY GUNPLAY GUNPOWDER GUNS GUNSHOT GUNTHER GURGLE GURKHA GURU GUS GUSH GUSHED GUSHER GUSHES GUSHING GUST GUSTAFSON GUSTAV GUSTAVE GUSTAVUS GUSTO GUSTS GUSTY GUT GUTENBERG GUTHRIE GUTS GUTSY GUTTER GUTTERED GUTTERS GUTTING GUTTURAL GUY GUYANA GUYED GUYER GUYERS GUYING GUYS GWEN GWYN GYMNASIUM GYMNASIUMS GYMNAST GYMNASTIC GYMNASTICS GYMNASTS GYPSIES GYPSY GYRO GYROCOMPASS GYROSCOPE GYROSCOPES HAAG HAAS HABEAS HABERMAN HABIB HABIT HABITAT HABITATION HABITATIONS HABITATS HABITS HABITUAL HABITUALLY HABITUALNESS HACK HACKED HACKER HACKERS HACKETT HACKING HACKNEYED HACKS HACKSAW HAD HADAMARD HADDAD HADDOCK HADES HADLEY HADRIAN HAFIZ HAG HAGEN HAGER HAGGARD HAGGARDLY HAGGLE HAGSTROM HAGUE HAHN HAIFA HAIL HAILED HAILING HAILS HAILSTONE HAILSTORM HAINES HAIR HAIRCUT HAIRCUTS HAIRIER HAIRINESS HAIRLESS HAIRPIN HAIRS HAIRY HAITI HAITIAN HAL HALCYON HALE HALER HALEY HALF HALFHEARTED HALFWAY HALIFAX HALL HALLEY HALLINAN HALLMARK HALLMARKS HALLOW HALLOWED HALLOWEEN HALLS HALLUCINATE HALLWAY HALLWAYS HALOGEN HALPERN HALSEY HALSTEAD HALT HALTED HALTER HALTERS HALTING HALTINGLY HALTS HALVE HALVED HALVERS HALVERSON HALVES HALVING HAM HAMAL HAMBURG HAMBURGER HAMBURGERS HAMEY HAMILTON HAMILTONIAN HAMILTONIANS HAMLET HAMLETS HAMLIN HAMMER HAMMERED HAMMERING HAMMERS HAMMETT HAMMING HAMMOCK HAMMOCKS HAMMOND HAMPER HAMPERED HAMPERS HAMPSHIRE HAMPTON HAMS HAMSTER HAN HANCOCK HAND HANDBAG HANDBAGS HANDBOOK HANDBOOKS HANDCUFF HANDCUFFED HANDCUFFING HANDCUFFS HANDED HANDEL HANDFUL HANDFULS HANDGUN HANDICAP HANDICAPPED HANDICAPS HANDIER HANDIEST HANDILY HANDINESS HANDING HANDIWORK HANDKERCHIEF HANDKERCHIEFS HANDLE HANDLED HANDLER HANDLERS HANDLES HANDLING HANDMAID HANDOUT HANDS HANDSHAKE HANDSHAKES HANDSHAKING HANDSOME HANDSOMELY HANDSOMENESS HANDSOMER HANDSOMEST HANDWRITING HANDWRITTEN HANDY HANEY HANFORD HANG HANGAR HANGARS HANGED HANGER HANGERS HANGING HANGMAN HANGMEN HANGOUT HANGOVER HANGOVERS HANGS HANKEL HANLEY HANLON HANNA HANNAH HANNIBAL HANOI HANOVER HANOVERIAN HANOVERIANIZE HANOVERIANIZES HANOVERIZE HANOVERIZES HANS HANSEL HANSEN HANSON HANUKKAH HAP HAPGOOD HAPHAZARD HAPHAZARDLY HAPHAZARDNESS HAPLESS HAPLESSLY HAPLESSNESS HAPLY HAPPEN HAPPENED HAPPENING HAPPENINGS HAPPENS HAPPIER HAPPIEST HAPPILY HAPPINESS HAPPY HAPSBURG HARASS HARASSED HARASSES HARASSING HARASSMENT HARBIN HARBINGER HARBOR HARBORED HARBORING HARBORS HARCOURT HARD HARDBOILED HARDCOPY HARDEN HARDER HARDEST HARDHAT HARDIN HARDINESS HARDING HARDLY HARDNESS HARDSCRABBLE HARDSHIP HARDSHIPS HARDWARE HARDWIRED HARDWORKING HARDY HARE HARELIP HAREM HARES HARK HARKEN HARLAN HARLEM HARLEY HARLOT HARLOTS HARM HARMED HARMFUL HARMFULLY HARMFULNESS HARMING HARMLESS HARMLESSLY HARMLESSNESS HARMON HARMONIC HARMONICS HARMONIES HARMONIOUS HARMONIOUSLY HARMONIOUSNESS HARMONIST HARMONISTIC HARMONISTICALLY HARMONIZE HARMONY HARMS HARNESS HARNESSED HARNESSING HAROLD HARP HARPER HARPERS HARPING HARPY HARRIED HARRIER HARRIET HARRIMAN HARRINGTON HARRIS HARRISBURG HARRISON HARRISONBURG HARROW HARROWED HARROWING HARROWS HARRY HARSH HARSHER HARSHLY HARSHNESS HART HARTFORD HARTLEY HARTMAN HARVARD HARVARDIZE HARVARDIZES HARVEST HARVESTED HARVESTER HARVESTING HARVESTS HARVEY HARVEYIZE HARVEYIZES HARVEYS HAS HASH HASHED HASHER HASHES HASHING HASHISH HASKELL HASKINS HASSLE HASTE HASTEN HASTENED HASTENING HASTENS HASTILY HASTINESS HASTINGS HASTY HAT HATCH HATCHED HATCHET HATCHETS HATCHING HATCHURE HATE HATED HATEFUL HATEFULLY HATEFULNESS HATER HATES HATFIELD HATHAWAY HATING HATRED HATS HATTERAS HATTIE HATTIESBURG HATTIZE HATTIZES HAUGEN HAUGHTILY HAUGHTINESS HAUGHTY HAUL HAULED HAULER HAULING HAULS HAUNCH HAUNCHES HAUNT HAUNTED HAUNTER HAUNTING HAUNTS HAUSA HAUSDORFF HAUSER HAVANA HAVE HAVEN HAVENS HAVES HAVILLAND HAVING HAVOC HAWAII HAWAIIAN HAWK HAWKED HAWKER HAWKERS HAWKINS HAWKS HAWLEY HAWTHORNE HAY HAYDEN HAYDN HAYES HAYING HAYNES HAYS HAYSTACK HAYWARD HAYWOOD HAZARD HAZARDOUS HAZARDS HAZE HAZEL HAZES HAZINESS HAZY HEAD HEADACHE HEADACHES HEADED HEADER HEADERS HEADGEAR HEADING HEADINGS HEADLAND HEADLANDS HEADLIGHT HEADLINE HEADLINED HEADLINES HEADLINING HEADLONG HEADMASTER HEADPHONE HEADQUARTERS HEADROOM HEADS HEADSET HEADWAY HEAL HEALED HEALER HEALERS HEALEY HEALING HEALS HEALTH HEALTHFUL HEALTHFULLY HEALTHFULNESS HEALTHIER HEALTHIEST HEALTHILY HEALTHINESS HEALTHY HEALY HEAP HEAPED HEAPING HEAPS HEAR HEARD HEARER HEARERS HEARING HEARINGS HEARKEN HEARS HEARSAY HEARST HEART HEARTBEAT HEARTBREAK HEARTEN HEARTIEST HEARTILY HEARTINESS HEARTLESS HEARTS HEARTWOOD HEARTY HEAT HEATABLE HEATED HEATEDLY HEATER HEATERS HEATH HEATHEN HEATHER HEATHKIT HEATHMAN HEATING HEATS HEAVE HEAVED HEAVEN HEAVENLY HEAVENS HEAVER HEAVERS HEAVES HEAVIER HEAVIEST HEAVILY HEAVINESS HEAVING HEAVY HEAVYWEIGHT HEBE HEBRAIC HEBRAICIZE HEBRAICIZES HEBREW HEBREWS HEBRIDES HECATE HECK HECKLE HECKMAN HECTIC HECUBA HEDDA HEDGE HEDGED HEDGEHOG HEDGEHOGS HEDGES HEDONISM HEDONIST HEED HEEDED HEEDLESS HEEDLESSLY HEEDLESSNESS HEEDS HEEL HEELED HEELERS HEELING HEELS HEFTY HEGEL HEGELIAN HEGELIANIZE HEGELIANIZES HEGEMONY HEIDEGGER HEIDELBERG HEIFER HEIGHT HEIGHTEN HEIGHTENED HEIGHTENING HEIGHTENS HEIGHTS HEINE HEINLEIN HEINOUS HEINOUSLY HEINRICH HEINZ HEINZE HEIR HEIRESS HEIRESSES HEIRS HEISENBERG HEISER HELD HELEN HELENA HELENE HELGA HELICAL HELICOPTER HELIOCENTRIC HELIOPOLIS HELIUM HELIX HELL HELLENIC HELLENIZATION HELLENIZATIONS HELLENIZE HELLENIZED HELLENIZES HELLENIZING HELLESPONT HELLFIRE HELLISH HELLMAN HELLO HELLS HELM HELMET HELMETS HELMHOLTZ HELMSMAN HELMUT HELP HELPED HELPER HELPERS HELPFUL HELPFULLY HELPFULNESS HELPING HELPLESS HELPLESSLY HELPLESSNESS HELPMATE HELPS HELSINKI HELVETICA HEM HEMINGWAY HEMISPHERE HEMISPHERES HEMLOCK HEMLOCKS HEMOGLOBIN HEMORRHOID HEMOSTAT HEMOSTATS HEMP HEMPEN HEMPSTEAD HEMS HEN HENCE HENCEFORTH HENCHMAN HENCHMEN HENDERSON HENDRICK HENDRICKS HENDRICKSON HENDRIX HENLEY HENNESSEY HENNESSY HENNING HENPECK HENRI HENRIETTA HENS HEPATITIS HEPBURN HER HERA HERACLITUS HERALD HERALDED HERALDING HERALDS HERB HERBERT HERBIVORE HERBIVOROUS HERBS HERCULEAN HERCULES HERD HERDED HERDER HERDING HERDS HERE HEREABOUT HEREABOUTS HEREAFTER HEREBY HEREDITARY HEREDITY HEREFORD HEREIN HEREINAFTER HEREOF HERES HERESY HERETIC HERETICS HERETO HERETOFORE HEREUNDER HEREWITH HERITAGE HERITAGES HERKIMER HERMAN HERMANN HERMES HERMETIC HERMETICALLY HERMIT HERMITE HERMITIAN HERMITS HERMOSA HERNANDEZ HERO HERODOTUS HEROES HEROIC HEROICALLY HEROICS HEROIN HEROINE HEROINES HEROISM HERON HERONS HERPES HERR HERRING HERRINGS HERRINGTON HERS HERSCHEL HERSELF HERSEY HERSHEL HERSHEY HERTZ HERTZOG HESITANT HESITANTLY HESITATE HESITATED HESITATES HESITATING HESITATINGLY HESITATION HESITATIONS HESPERUS HESS HESSE HESSIAN HESSIANS HESTER HETEROGENEITY HETEROGENEOUS HETEROGENEOUSLY HETEROGENEOUSNESS HETEROGENOUS HETEROSEXUAL HETMAN HETTIE HETTY HEUBLEIN HEURISTIC HEURISTICALLY HEURISTICS HEUSEN HEUSER HEW HEWED HEWER HEWETT HEWITT HEWLETT HEWS HEX HEXADECIMAL HEXAGON HEXAGONAL HEXAGONALLY HEXAGONS HEY HEYWOOD HIATT HIAWATHA HIBBARD HIBERNATE HIBERNIA HICK HICKEY HICKEYS HICKMAN HICKOK HICKORY HICKS HID HIDDEN HIDE HIDEOUS HIDEOUSLY HIDEOUSNESS HIDEOUT HIDEOUTS HIDES HIDING HIERARCHAL HIERARCHIC HIERARCHICAL HIERARCHICALLY HIERARCHIES HIERARCHY HIERONYMUS HIGGINS HIGH HIGHER HIGHEST HIGHFIELD HIGHLAND HIGHLANDER HIGHLANDS HIGHLIGHT HIGHLIGHTED HIGHLIGHTING HIGHLIGHTS HIGHLY HIGHNESS HIGHNESSES HIGHWAY HIGHWAYMAN HIGHWAYMEN HIGHWAYS HIJACK HIJACKED HIKE HIKED HIKER HIKES HIKING HILARIOUS HILARIOUSLY HILARITY HILBERT HILDEBRAND HILL HILLARY HILLBILLY HILLCREST HILLEL HILLOCK HILLS HILLSBORO HILLSDALE HILLSIDE HILLSIDES HILLTOP HILLTOPS HILT HILTON HILTS HIM HIMALAYA HIMALAYAS HIMMLER HIMSELF HIND HINDER HINDERED HINDERING HINDERS HINDI HINDRANCE HINDRANCES HINDSIGHT HINDU HINDUISM HINDUS HINDUSTAN HINES HINGE HINGED HINGES HINKLE HINMAN HINSDALE HINT HINTED HINTING HINTS HIP HIPPO HIPPOCRATES HIPPOCRATIC HIPPOPOTAMUS HIPS HIRAM HIRE HIRED HIRER HIRERS HIRES HIREY HIRING HIRINGS HIROSHI HIROSHIMA HIRSCH HIS HISPANIC HISPANICIZE HISPANICIZES HISPANICS HISS HISSED HISSES HISSING HISTOGRAM HISTOGRAMS HISTORIAN HISTORIANS HISTORIC HISTORICAL HISTORICALLY HISTORIES HISTORY HIT HITACHI HITCH HITCHCOCK HITCHED HITCHHIKE HITCHHIKED HITCHHIKER HITCHHIKERS HITCHHIKES HITCHHIKING HITCHING HITHER HITHERTO HITLER HITLERIAN HITLERISM HITLERITE HITLERITES HITS HITTER HITTERS HITTING HIVE HOAGLAND HOAR HOARD HOARDER HOARDING HOARINESS HOARSE HOARSELY HOARSENESS HOARY HOBART HOBBES HOBBIES HOBBLE HOBBLED HOBBLES HOBBLING HOBBS HOBBY HOBBYHORSE HOBBYIST HOBBYISTS HOBDAY HOBOKEN HOCKEY HODGEPODGE HODGES HODGKIN HOE HOES HOFF HOFFMAN HOG HOGGING HOGS HOIST HOISTED HOISTING HOISTS HOKAN HOLBROOK HOLCOMB HOLD HOLDEN HOLDER HOLDERS HOLDING HOLDINGS HOLDS HOLE HOLED HOLES HOLIDAY HOLIDAYS HOLIES HOLINESS HOLISTIC HOLLAND HOLLANDAISE HOLLANDER HOLLERITH HOLLINGSWORTH HOLLISTER HOLLOW HOLLOWAY HOLLOWED HOLLOWING HOLLOWLY HOLLOWNESS HOLLOWS HOLLY HOLLYWOOD HOLLYWOODIZE HOLLYWOODIZES HOLM HOLMAN HOLMDEL HOLMES HOLOCAUST HOLOCENE HOLOGRAM HOLOGRAMS HOLST HOLSTEIN HOLY HOLYOKE HOLZMAN HOM HOMAGE HOME HOMED HOMELESS HOMELY HOMEMADE HOMEMAKER HOMEMAKERS HOMEOMORPHIC HOMEOMORPHISM HOMEOMORPHISMS HOMEOPATH HOMEOWNER HOMER HOMERIC HOMERS HOMES HOMESICK HOMESICKNESS HOMESPUN HOMESTEAD HOMESTEADER HOMESTEADERS HOMESTEADS HOMEWARD HOMEWARDS HOMEWORK HOMICIDAL HOMICIDE HOMING HOMO HOMOGENEITIES HOMOGENEITY HOMOGENEOUS HOMOGENEOUSLY HOMOGENEOUSNESS HOMOMORPHIC HOMOMORPHISM HOMOMORPHISMS HOMOSEXUAL HONDA HONDO HONDURAS HONE HONED HONER HONES HONEST HONESTLY HONESTY HONEY HONEYBEE HONEYCOMB HONEYCOMBED HONEYDEW HONEYMOON HONEYMOONED HONEYMOONER HONEYMOONERS HONEYMOONING HONEYMOONS HONEYSUCKLE HONEYWELL HONING HONOLULU HONOR HONORABLE HONORABLENESS HONORABLY HONORARIES HONORARIUM HONORARY HONORED HONORER HONORING HONORS HONSHU HOOD HOODED HOODLUM HOODS HOODWINK HOODWINKED HOODWINKING HOODWINKS HOOF HOOFS HOOK HOOKED HOOKER HOOKERS HOOKING HOOKS HOOKUP HOOKUPS HOOP HOOPER HOOPS HOOSIER HOOSIERIZE HOOSIERIZES HOOT HOOTED HOOTER HOOTING HOOTS HOOVER HOOVERIZE HOOVERIZES HOOVES HOP HOPE HOPED HOPEFUL HOPEFULLY HOPEFULNESS HOPEFULS HOPELESS HOPELESSLY HOPELESSNESS HOPES HOPI HOPING HOPKINS HOPKINSIAN HOPPER HOPPERS HOPPING HOPS HORACE HORATIO HORDE HORDES HORIZON HORIZONS HORIZONTAL HORIZONTALLY HORMONE HORMONES HORN HORNBLOWER HORNED HORNET HORNETS HORNS HORNY HOROWITZ HORRENDOUS HORRENDOUSLY HORRIBLE HORRIBLENESS HORRIBLY HORRID HORRIDLY HORRIFIED HORRIFIES HORRIFY HORRIFYING HORROR HORRORS HORSE HORSEBACK HORSEFLESH HORSEFLY HORSEMAN HORSEPLAY HORSEPOWER HORSES HORSESHOE HORSESHOER HORTICULTURE HORTON HORUS HOSE HOSES HOSPITABLE HOSPITABLY HOSPITAL HOSPITALITY HOSPITALIZE HOSPITALIZED HOSPITALIZES HOSPITALIZING HOSPITALS HOST HOSTAGE HOSTAGES HOSTED HOSTESS HOSTESSES HOSTILE HOSTILELY HOSTILITIES HOSTILITY HOSTING HOSTS HOT HOTEL HOTELS HOTLY HOTNESS HOTTENTOT HOTTER HOTTEST HOUDAILLE HOUDINI HOUGHTON HOUND HOUNDED HOUNDING HOUNDS HOUR HOURGLASS HOURLY HOURS HOUSE HOUSEBOAT HOUSEBROKEN HOUSED HOUSEFLIES HOUSEFLY HOUSEHOLD HOUSEHOLDER HOUSEHOLDERS HOUSEHOLDS HOUSEKEEPER HOUSEKEEPERS HOUSEKEEPING HOUSES HOUSETOP HOUSETOPS HOUSEWIFE HOUSEWIFELY HOUSEWIVES HOUSEWORK HOUSING HOUSTON HOVEL HOVELS HOVER HOVERED HOVERING HOVERS HOW HOWARD HOWE HOWELL HOWEVER HOWL HOWLED HOWLER HOWLING HOWLS HOYT HROTHGAR HUB HUBBARD HUBBELL HUBER HUBERT HUBRIS HUBS HUCK HUDDLE HUDDLED HUDDLING HUDSON HUE HUES HUEY HUFFMAN HUG HUGE HUGELY HUGENESS HUGGING HUGGINS HUGH HUGHES HUGO HUH HULL HULLS HUM HUMAN HUMANE HUMANELY HUMANENESS HUMANITARIAN HUMANITIES HUMANITY HUMANLY HUMANNESS HUMANS HUMBLE HUMBLED HUMBLENESS HUMBLER HUMBLEST HUMBLING HUMBLY HUMBOLDT HUMBUG HUME HUMERUS HUMID HUMIDIFICATION HUMIDIFIED HUMIDIFIER HUMIDIFIERS HUMIDIFIES HUMIDIFY HUMIDIFYING HUMIDITY HUMIDLY HUMILIATE HUMILIATED HUMILIATES HUMILIATING HUMILIATION HUMILIATIONS HUMILITY HUMMED HUMMEL HUMMING HUMMINGBIRD HUMOR HUMORED HUMORER HUMORERS HUMORING HUMOROUS HUMOROUSLY HUMOROUSNESS HUMORS HUMP HUMPBACK HUMPED HUMPHREY HUMPTY HUMS HUN HUNCH HUNCHED HUNCHES HUNDRED HUNDREDFOLD HUNDREDS HUNDREDTH HUNG HUNGARIAN HUNGARY HUNGER HUNGERED HUNGERING HUNGERS HUNGRIER HUNGRIEST HUNGRILY HUNGRY HUNK HUNKS HUNS HUNT HUNTED HUNTER HUNTERS HUNTING HUNTINGTON HUNTLEY HUNTS HUNTSMAN HUNTSVILLE HURD HURDLE HURL HURLED HURLER HURLERS HURLING HURON HURONS HURRAH HURRICANE HURRICANES HURRIED HURRIEDLY HURRIES HURRY HURRYING HURST HURT HURTING HURTLE HURTLING HURTS HURWITZ HUSBAND HUSBANDRY HUSBANDS HUSH HUSHED HUSHES HUSHING HUSK HUSKED HUSKER HUSKINESS HUSKING HUSKS HUSKY HUSTLE HUSTLED HUSTLER HUSTLES HUSTLING HUSTON HUT HUTCH HUTCHINS HUTCHINSON HUTCHISON HUTS HUXLEY HUXTABLE HYACINTH HYADES HYANNIS HYBRID HYDE HYDRA HYDRANT HYDRAULIC HYDRO HYDRODYNAMIC HYDRODYNAMICS HYDROGEN HYDROGENS HYENA HYGIENE HYMAN HYMEN HYMN HYMNS HYPER HYPERBOLA HYPERBOLIC HYPERTEXT HYPHEN HYPHENATE HYPHENS HYPNOSIS HYPNOTIC HYPOCRISIES HYPOCRISY HYPOCRITE HYPOCRITES HYPODERMIC HYPODERMICS HYPOTHESES HYPOTHESIS HYPOTHESIZE HYPOTHESIZED HYPOTHESIZER HYPOTHESIZES HYPOTHESIZING HYPOTHETICAL HYPOTHETICALLY HYSTERESIS HYSTERICAL HYSTERICALLY IAN IBERIA IBERIAN IBEX IBID IBIS IBN IBSEN ICARUS ICE ICEBERG ICEBERGS ICEBOX ICED ICELAND ICELANDIC ICES ICICLE ICINESS ICING ICINGS ICON ICONOCLASM ICONOCLAST ICONS ICOSAHEDRA ICOSAHEDRAL ICOSAHEDRON ICY IDA IDAHO IDEA IDEAL IDEALISM IDEALISTIC IDEALIZATION IDEALIZATIONS IDEALIZE IDEALIZED IDEALIZES IDEALIZING IDEALLY IDEALS IDEAS IDEM IDEMPOTENCY IDEMPOTENT IDENTICAL IDENTICALLY IDENTIFIABLE IDENTIFIABLY IDENTIFICATION IDENTIFICATIONS IDENTIFIED IDENTIFIER IDENTIFIERS IDENTIFIES IDENTIFY IDENTIFYING IDENTITIES IDENTITY IDEOLOGICAL IDEOLOGICALLY IDEOLOGY IDIOCY IDIOM IDIOSYNCRASIES IDIOSYNCRASY IDIOSYNCRATIC IDIOT IDIOTIC IDIOTS IDLE IDLED IDLENESS IDLER IDLERS IDLES IDLEST IDLING IDLY IDOL IDOLATRY IDOLS IFNI IGLOO IGNITE IGNITION IGNOBLE IGNOMINIOUS IGNORAMUS IGNORANCE IGNORANT IGNORANTLY IGNORE IGNORED IGNORES IGNORING IGOR IKE ILIAD ILIADIZE ILIADIZES ILL ILLEGAL ILLEGALITIES ILLEGALITY ILLEGALLY ILLEGITIMATE ILLICIT ILLICITLY ILLINOIS ILLITERACY ILLITERATE ILLNESS ILLNESSES ILLOGICAL ILLOGICALLY ILLS ILLUMINATE ILLUMINATED ILLUMINATES ILLUMINATING ILLUMINATION ILLUMINATIONS ILLUSION ILLUSIONS ILLUSIVE ILLUSIVELY ILLUSORY ILLUSTRATE ILLUSTRATED ILLUSTRATES ILLUSTRATING ILLUSTRATION ILLUSTRATIONS ILLUSTRATIVE ILLUSTRATIVELY ILLUSTRATOR ILLUSTRATORS ILLUSTRIOUS ILLUSTRIOUSNESS ILLY ILONA ILYUSHIN IMAGE IMAGEN IMAGERY IMAGES IMAGINABLE IMAGINABLY IMAGINARY IMAGINATION IMAGINATIONS IMAGINATIVE IMAGINATIVELY IMAGINE IMAGINED IMAGINES IMAGING IMAGINING IMAGININGS IMBALANCE IMBALANCES IMBECILE IMBIBE IMBRIUM IMITATE IMITATED IMITATES IMITATING IMITATION IMITATIONS IMITATIVE IMMACULATE IMMACULATELY IMMATERIAL IMMATERIALLY IMMATURE IMMATURITY IMMEDIACIES IMMEDIACY IMMEDIATE IMMEDIATELY IMMEMORIAL IMMENSE IMMENSELY IMMERSE IMMERSED IMMERSES IMMERSION IMMIGRANT IMMIGRANTS IMMIGRATE IMMIGRATED IMMIGRATES IMMIGRATING IMMIGRATION IMMINENT IMMINENTLY IMMODERATE IMMODEST IMMORAL IMMORTAL IMMORTALITY IMMORTALLY IMMOVABILITY IMMOVABLE IMMOVABLY IMMUNE IMMUNITIES IMMUNITY IMMUNIZATION IMMUTABLE IMP IMPACT IMPACTED IMPACTING IMPACTION IMPACTOR IMPACTORS IMPACTS IMPAIR IMPAIRED IMPAIRING IMPAIRS IMPALE IMPART IMPARTED IMPARTIAL IMPARTIALLY IMPARTS IMPASSE IMPASSIVE IMPATIENCE IMPATIENT IMPATIENTLY IMPEACH IMPEACHABLE IMPEACHED IMPEACHMENT IMPECCABLE IMPEDANCE IMPEDANCES IMPEDE IMPEDED IMPEDES IMPEDIMENT IMPEDIMENTS IMPEDING IMPEL IMPELLED IMPELLING IMPEND IMPENDING IMPENETRABILITY IMPENETRABLE IMPENETRABLY IMPERATIVE IMPERATIVELY IMPERATIVES IMPERCEIVABLE IMPERCEPTIBLE IMPERFECT IMPERFECTION IMPERFECTIONS IMPERFECTLY IMPERIAL IMPERIALISM IMPERIALIST IMPERIALISTS IMPERIL IMPERILED IMPERIOUS IMPERIOUSLY IMPERMANENCE IMPERMANENT IMPERMEABLE IMPERMISSIBLE IMPERSONAL IMPERSONALLY IMPERSONATE IMPERSONATED IMPERSONATES IMPERSONATING IMPERSONATION IMPERSONATIONS IMPERTINENT IMPERTINENTLY IMPERVIOUS IMPERVIOUSLY IMPETUOUS IMPETUOUSLY IMPETUS IMPINGE IMPINGED IMPINGES IMPINGING IMPIOUS IMPLACABLE IMPLANT IMPLANTED IMPLANTING IMPLANTS IMPLAUSIBLE IMPLEMENT IMPLEMENTABLE IMPLEMENTATION IMPLEMENTATIONS IMPLEMENTED IMPLEMENTER IMPLEMENTING IMPLEMENTOR IMPLEMENTORS IMPLEMENTS IMPLICANT IMPLICANTS IMPLICATE IMPLICATED IMPLICATES IMPLICATING IMPLICATION IMPLICATIONS IMPLICIT IMPLICITLY IMPLICITNESS IMPLIED IMPLIES IMPLORE IMPLORED IMPLORING IMPLY IMPLYING IMPOLITE IMPORT IMPORTANCE IMPORTANT IMPORTANTLY IMPORTATION IMPORTED IMPORTER IMPORTERS IMPORTING IMPORTS IMPOSE IMPOSED IMPOSES IMPOSING IMPOSITION IMPOSITIONS IMPOSSIBILITIES IMPOSSIBILITY IMPOSSIBLE IMPOSSIBLY IMPOSTOR IMPOSTORS IMPOTENCE IMPOTENCY IMPOTENT IMPOUND IMPOVERISH IMPOVERISHED IMPOVERISHMENT IMPRACTICABLE IMPRACTICAL IMPRACTICALITY IMPRACTICALLY IMPRECISE IMPRECISELY IMPRECISION IMPREGNABLE IMPREGNATE IMPRESS IMPRESSED IMPRESSER IMPRESSES IMPRESSIBLE IMPRESSING IMPRESSION IMPRESSIONABLE IMPRESSIONIST IMPRESSIONISTIC IMPRESSIONS IMPRESSIVE IMPRESSIVELY IMPRESSIVENESS IMPRESSMENT IMPRIMATUR IMPRINT IMPRINTED IMPRINTING IMPRINTS IMPRISON IMPRISONED IMPRISONING IMPRISONMENT IMPRISONMENTS IMPRISONS IMPROBABILITY IMPROBABLE IMPROMPTU IMPROPER IMPROPERLY IMPROPRIETY IMPROVE IMPROVED IMPROVEMENT IMPROVEMENTS IMPROVES IMPROVING IMPROVISATION IMPROVISATIONAL IMPROVISATIONS IMPROVISE IMPROVISED IMPROVISER IMPROVISERS IMPROVISES IMPROVISING IMPRUDENT IMPS IMPUDENT IMPUDENTLY IMPUGN IMPULSE IMPULSES IMPULSION IMPULSIVE IMPUNITY IMPURE IMPURITIES IMPURITY IMPUTE IMPUTED INABILITY INACCESSIBLE INACCURACIES INACCURACY INACCURATE INACTION INACTIVATE INACTIVE INACTIVITY INADEQUACIES INADEQUACY INADEQUATE INADEQUATELY INADEQUATENESS INADMISSIBILITY INADMISSIBLE INADVERTENT INADVERTENTLY INADVISABLE INALIENABLE INALTERABLE INANE INANIMATE INANIMATELY INANNA INAPPLICABLE INAPPROACHABLE INAPPROPRIATE INAPPROPRIATENESS INASMUCH INATTENTION INAUDIBLE INAUGURAL INAUGURATE INAUGURATED INAUGURATING INAUGURATION INAUSPICIOUS INBOARD INBOUND INBREED INCA INCALCULABLE INCANDESCENT INCANTATION INCAPABLE INCAPACITATE INCAPACITATING INCARCERATE INCARNATION INCARNATIONS INCAS INCENDIARIES INCENDIARY INCENSE INCENSED INCENSES INCENTIVE INCENTIVES INCEPTION INCESSANT INCESSANTLY INCEST INCESTUOUS INCH INCHED INCHES INCHING INCIDENCE INCIDENT INCIDENTAL INCIDENTALLY INCIDENTALS INCIDENTS INCINERATE INCIPIENT INCISIVE INCITE INCITED INCITEMENT INCITES INCITING INCLEMENT INCLINATION INCLINATIONS INCLINE INCLINED INCLINES INCLINING INCLOSE INCLOSED INCLOSES INCLOSING INCLUDE INCLUDED INCLUDES INCLUDING INCLUSION INCLUSIONS INCLUSIVE INCLUSIVELY INCLUSIVENESS INCOHERENCE INCOHERENT INCOHERENTLY INCOME INCOMES INCOMING INCOMMENSURABLE INCOMMENSURATE INCOMMUNICABLE INCOMPARABLE INCOMPARABLY INCOMPATIBILITIES INCOMPATIBILITY INCOMPATIBLE INCOMPATIBLY INCOMPETENCE INCOMPETENT INCOMPETENTS INCOMPLETE INCOMPLETELY INCOMPLETENESS INCOMPREHENSIBILITY INCOMPREHENSIBLE INCOMPREHENSIBLY INCOMPREHENSION INCOMPRESSIBLE INCOMPUTABLE INCONCEIVABLE INCONCLUSIVE INCONGRUITY INCONGRUOUS INCONSEQUENTIAL INCONSEQUENTIALLY INCONSIDERABLE INCONSIDERATE INCONSIDERATELY INCONSIDERATENESS INCONSISTENCIES INCONSISTENCY INCONSISTENT INCONSISTENTLY INCONSPICUOUS INCONTESTABLE INCONTROVERTIBLE INCONTROVERTIBLY INCONVENIENCE INCONVENIENCED INCONVENIENCES INCONVENIENCING INCONVENIENT INCONVENIENTLY INCONVERTIBLE INCORPORATE INCORPORATED INCORPORATES INCORPORATING INCORPORATION INCORRECT INCORRECTLY INCORRECTNESS INCORRIGIBLE INCREASE INCREASED INCREASES INCREASING INCREASINGLY INCREDIBLE INCREDIBLY INCREDULITY INCREDULOUS INCREDULOUSLY INCREMENT INCREMENTAL INCREMENTALLY INCREMENTED INCREMENTER INCREMENTING INCREMENTS INCRIMINATE INCUBATE INCUBATED INCUBATES INCUBATING INCUBATION INCUBATOR INCUBATORS INCULCATE INCUMBENT INCUR INCURABLE INCURRED INCURRING INCURS INCURSION INDEBTED INDEBTEDNESS INDECENT INDECIPHERABLE INDECISION INDECISIVE INDEED INDEFATIGABLE INDEFENSIBLE INDEFINITE INDEFINITELY INDEFINITENESS INDELIBLE INDEMNIFY INDEMNITY INDENT INDENTATION INDENTATIONS INDENTED INDENTING INDENTS INDENTURE INDEPENDENCE INDEPENDENT INDEPENDENTLY INDESCRIBABLE INDESTRUCTIBLE INDETERMINACIES INDETERMINACY INDETERMINATE INDETERMINATELY INDEX INDEXABLE INDEXED INDEXES INDEXING INDIA INDIAN INDIANA INDIANAPOLIS INDIANS INDICATE INDICATED INDICATES INDICATING INDICATION INDICATIONS INDICATIVE INDICATOR INDICATORS INDICES INDICT INDICTMENT INDICTMENTS INDIES INDIFFERENCE INDIFFERENT INDIFFERENTLY INDIGENOUS INDIGENOUSLY INDIGENOUSNESS INDIGESTIBLE INDIGESTION INDIGNANT INDIGNANTLY INDIGNATION INDIGNITIES INDIGNITY INDIGO INDIRA INDIRECT INDIRECTED INDIRECTING INDIRECTION INDIRECTIONS INDIRECTLY INDIRECTS INDISCREET INDISCRETION INDISCRIMINATE INDISCRIMINATELY INDISPENSABILITY INDISPENSABLE INDISPENSABLY INDISPUTABLE INDISTINCT INDISTINGUISHABLE INDIVIDUAL INDIVIDUALISM INDIVIDUALISTIC INDIVIDUALITY INDIVIDUALIZE INDIVIDUALIZED INDIVIDUALIZES INDIVIDUALIZING INDIVIDUALLY INDIVIDUALS INDIVISIBILITY INDIVISIBLE INDO INDOCHINA INDOCHINESE INDOCTRINATE INDOCTRINATED INDOCTRINATES INDOCTRINATING INDOCTRINATION INDOEUROPEAN INDOLENT INDOLENTLY INDOMITABLE INDONESIA INDONESIAN INDOOR INDOORS INDUBITABLE INDUCE INDUCED INDUCEMENT INDUCEMENTS INDUCER INDUCES INDUCING INDUCT INDUCTANCE INDUCTANCES INDUCTED INDUCTEE INDUCTING INDUCTION INDUCTIONS INDUCTIVE INDUCTIVELY INDUCTOR INDUCTORS INDUCTS INDULGE INDULGED INDULGENCE INDULGENCES INDULGENT INDULGING INDUS INDUSTRIAL INDUSTRIALISM INDUSTRIALIST INDUSTRIALISTS INDUSTRIALIZATION INDUSTRIALIZED INDUSTRIALLY INDUSTRIALS INDUSTRIES INDUSTRIOUS INDUSTRIOUSLY INDUSTRIOUSNESS INDUSTRY INDY INEFFECTIVE INEFFECTIVELY INEFFECTIVENESS INEFFECTUAL INEFFICIENCIES INEFFICIENCY INEFFICIENT INEFFICIENTLY INELEGANT INELIGIBLE INEPT INEQUALITIES INEQUALITY INEQUITABLE INEQUITY INERT INERTIA INERTIAL INERTLY INERTNESS INESCAPABLE INESCAPABLY INESSENTIAL INESTIMABLE INEVITABILITIES INEVITABILITY INEVITABLE INEVITABLY INEXACT INEXCUSABLE INEXCUSABLY INEXHAUSTIBLE INEXORABLE INEXORABLY INEXPENSIVE INEXPENSIVELY INEXPERIENCE INEXPERIENCED INEXPLICABLE INFALLIBILITY INFALLIBLE INFALLIBLY INFAMOUS INFAMOUSLY INFAMY INFANCY INFANT INFANTILE INFANTRY INFANTRYMAN INFANTRYMEN INFANTS INFARCT INFATUATE INFEASIBLE INFECT INFECTED INFECTING INFECTION INFECTIONS INFECTIOUS INFECTIOUSLY INFECTIVE INFECTS INFER INFERENCE INFERENCES INFERENTIAL INFERIOR INFERIORITY INFERIORS INFERNAL INFERNALLY INFERNO INFERNOS INFERRED INFERRING INFERS INFERTILE INFEST INFESTED INFESTING INFESTS INFIDEL INFIDELITY INFIDELS INFIGHTING INFILTRATE INFINITE INFINITELY INFINITENESS INFINITESIMAL INFINITIVE INFINITIVES INFINITUDE INFINITUM INFINITY INFIRM INFIRMARY INFIRMITY INFIX INFLAME INFLAMED INFLAMMABLE INFLAMMATION INFLAMMATORY INFLATABLE INFLATE INFLATED INFLATER INFLATES INFLATING INFLATION INFLATIONARY INFLEXIBILITY INFLEXIBLE INFLICT INFLICTED INFLICTING INFLICTS INFLOW INFLUENCE INFLUENCED INFLUENCES INFLUENCING INFLUENTIAL INFLUENTIALLY INFLUENZA INFORM INFORMAL INFORMALITY INFORMALLY INFORMANT INFORMANTS INFORMATICA INFORMATION INFORMATIONAL INFORMATIVE INFORMATIVELY INFORMED INFORMER INFORMERS INFORMING INFORMS INFRA INFRARED INFRASTRUCTURE INFREQUENT INFREQUENTLY INFRINGE INFRINGED INFRINGEMENT INFRINGEMENTS INFRINGES INFRINGING INFURIATE INFURIATED INFURIATES INFURIATING INFURIATION INFUSE INFUSED INFUSES INFUSING INFUSION INFUSIONS INGENIOUS INGENIOUSLY INGENIOUSNESS INGENUITY INGENUOUS INGERSOLL INGEST INGESTION INGLORIOUS INGOT INGRAM INGRATE INGRATIATE INGRATITUDE INGREDIENT INGREDIENTS INGROWN INHABIT INHABITABLE INHABITANCE INHABITANT INHABITANTS INHABITED INHABITING INHABITS INHALE INHALED INHALER INHALES INHALING INHERE INHERENT INHERENTLY INHERES INHERIT INHERITABLE INHERITANCE INHERITANCES INHERITED INHERITING INHERITOR INHERITORS INHERITRESS INHERITRESSES INHERITRICES INHERITRIX INHERITS INHIBIT INHIBITED INHIBITING INHIBITION INHIBITIONS INHIBITOR INHIBITORS INHIBITORY INHIBITS INHOMOGENEITIES INHOMOGENEITY INHOMOGENEOUS INHOSPITABLE INHUMAN INHUMANE INIMICAL INIMITABLE INIQUITIES INIQUITY INITIAL INITIALED INITIALING INITIALIZATION INITIALIZATIONS INITIALIZE INITIALIZED INITIALIZER INITIALIZERS INITIALIZES INITIALIZING INITIALLY INITIALS INITIATE INITIATED INITIATES INITIATING INITIATION INITIATIONS INITIATIVE INITIATIVES INITIATOR INITIATORS INJECT INJECTED INJECTING INJECTION INJECTIONS INJECTIVE INJECTS INJUDICIOUS INJUN INJUNCTION INJUNCTIONS INJUNS INJURE INJURED INJURES INJURIES INJURING INJURIOUS INJURY INJUSTICE INJUSTICES INK INKED INKER INKERS INKING INKINGS INKLING INKLINGS INKS INLAID INLAND INLAY INLET INLETS INLINE INMAN INMATE INMATES INN INNARDS INNATE INNATELY INNER INNERMOST INNING INNINGS INNOCENCE INNOCENT INNOCENTLY INNOCENTS INNOCUOUS INNOCUOUSLY INNOCUOUSNESS INNOVATE INNOVATION INNOVATIONS INNOVATIVE INNS INNUENDO INNUMERABILITY INNUMERABLE INNUMERABLY INOCULATE INOPERABLE INOPERATIVE INOPPORTUNE INORDINATE INORDINATELY INORGANIC INPUT INPUTS INQUEST INQUIRE INQUIRED INQUIRER INQUIRERS INQUIRES INQUIRIES INQUIRING INQUIRY INQUISITION INQUISITIONS INQUISITIVE INQUISITIVELY INQUISITIVENESS INROAD INROADS INSANE INSANELY INSANITY INSATIABLE INSCRIBE INSCRIBED INSCRIBES INSCRIBING INSCRIPTION INSCRIPTIONS INSCRUTABLE INSECT INSECTICIDE INSECTS INSECURE INSECURELY INSEMINATE INSENSIBLE INSENSITIVE INSENSITIVELY INSENSITIVITY INSEPARABLE INSERT INSERTED INSERTING INSERTION INSERTIONS INSERTS INSET INSIDE INSIDER INSIDERS INSIDES INSIDIOUS INSIDIOUSLY INSIDIOUSNESS INSIGHT INSIGHTFUL INSIGHTS INSIGNIA INSIGNIFICANCE INSIGNIFICANT INSINCERE INSINCERITY INSINUATE INSINUATED INSINUATES INSINUATING INSINUATION INSINUATIONS INSIPID INSIST INSISTED INSISTENCE INSISTENT INSISTENTLY INSISTING INSISTS INSOFAR INSOLENCE INSOLENT INSOLENTLY INSOLUBLE INSOLVABLE INSOLVENT INSOMNIA INSOMNIAC INSPECT INSPECTED INSPECTING INSPECTION INSPECTIONS INSPECTOR INSPECTORS INSPECTS INSPIRATION INSPIRATIONS INSPIRE INSPIRED INSPIRER INSPIRES INSPIRING INSTABILITIES INSTABILITY INSTALL INSTALLATION INSTALLATIONS INSTALLED INSTALLER INSTALLERS INSTALLING INSTALLMENT INSTALLMENTS INSTALLS INSTANCE INSTANCES INSTANT INSTANTANEOUS INSTANTANEOUSLY INSTANTER INSTANTIATE INSTANTIATED INSTANTIATES INSTANTIATING INSTANTIATION INSTANTIATIONS INSTANTLY INSTANTS INSTEAD INSTIGATE INSTIGATED INSTIGATES INSTIGATING INSTIGATOR INSTIGATORS INSTILL INSTINCT INSTINCTIVE INSTINCTIVELY INSTINCTS INSTINCTUAL INSTITUTE INSTITUTED INSTITUTER INSTITUTERS INSTITUTES INSTITUTING INSTITUTION INSTITUTIONAL INSTITUTIONALIZE INSTITUTIONALIZED INSTITUTIONALIZES INSTITUTIONALIZING INSTITUTIONALLY INSTITUTIONS INSTRUCT INSTRUCTED INSTRUCTING INSTRUCTION INSTRUCTIONAL INSTRUCTIONS INSTRUCTIVE INSTRUCTIVELY INSTRUCTOR INSTRUCTORS INSTRUCTS INSTRUMENT INSTRUMENTAL INSTRUMENTALIST INSTRUMENTALISTS INSTRUMENTALLY INSTRUMENTALS INSTRUMENTATION INSTRUMENTED INSTRUMENTING INSTRUMENTS INSUBORDINATE INSUFFERABLE INSUFFICIENT INSUFFICIENTLY INSULAR INSULATE INSULATED INSULATES INSULATING INSULATION INSULATOR INSULATORS INSULIN INSULT INSULTED INSULTING INSULTS INSUPERABLE INSUPPORTABLE INSURANCE INSURE INSURED INSURER INSURERS INSURES INSURGENT INSURGENTS INSURING INSURMOUNTABLE INSURRECTION INSURRECTIONS INTACT INTANGIBLE INTANGIBLES INTEGER INTEGERS INTEGRABLE INTEGRAL INTEGRALS INTEGRAND INTEGRATE INTEGRATED INTEGRATES INTEGRATING INTEGRATION INTEGRATIONS INTEGRATIVE INTEGRITY INTEL INTELLECT INTELLECTS INTELLECTUAL INTELLECTUALLY INTELLECTUALS INTELLIGENCE INTELLIGENT INTELLIGENTLY INTELLIGENTSIA INTELLIGIBILITY INTELLIGIBLE INTELLIGIBLY INTELSAT INTEMPERATE INTEND INTENDED INTENDING INTENDS INTENSE INTENSELY INTENSIFICATION INTENSIFIED INTENSIFIER INTENSIFIERS INTENSIFIES INTENSIFY INTENSIFYING INTENSITIES INTENSITY INTENSIVE INTENSIVELY INTENT INTENTION INTENTIONAL INTENTIONALLY INTENTIONED INTENTIONS INTENTLY INTENTNESS INTENTS INTER INTERACT INTERACTED INTERACTING INTERACTION INTERACTIONS INTERACTIVE INTERACTIVELY INTERACTIVITY INTERACTS INTERCEPT INTERCEPTED INTERCEPTING INTERCEPTION INTERCEPTOR INTERCEPTS INTERCHANGE INTERCHANGEABILITY INTERCHANGEABLE INTERCHANGEABLY INTERCHANGED INTERCHANGER INTERCHANGES INTERCHANGING INTERCHANGINGS INTERCHANNEL INTERCITY INTERCOM INTERCOMMUNICATE INTERCOMMUNICATED INTERCOMMUNICATES INTERCOMMUNICATING INTERCOMMUNICATION INTERCONNECT INTERCONNECTED INTERCONNECTING INTERCONNECTION INTERCONNECTIONS INTERCONNECTS INTERCONTINENTAL INTERCOURSE INTERDATA INTERDEPENDENCE INTERDEPENDENCIES INTERDEPENDENCY INTERDEPENDENT INTERDICT INTERDICTION INTERDISCIPLINARY INTEREST INTERESTED INTERESTING INTERESTINGLY INTERESTS INTERFACE INTERFACED INTERFACER INTERFACES INTERFACING INTERFERE INTERFERED INTERFERENCE INTERFERENCES INTERFERES INTERFERING INTERFERINGLY INTERFEROMETER INTERFEROMETRIC INTERFEROMETRY INTERFRAME INTERGROUP INTERIM INTERIOR INTERIORS INTERJECT INTERLACE INTERLACED INTERLACES INTERLACING INTERLEAVE INTERLEAVED INTERLEAVES INTERLEAVING INTERLINK INTERLINKED INTERLINKS INTERLISP INTERMEDIARY INTERMEDIATE INTERMEDIATES INTERMINABLE INTERMINGLE INTERMINGLED INTERMINGLES INTERMINGLING INTERMISSION INTERMITTENT INTERMITTENTLY INTERMIX INTERMIXED INTERMODULE INTERN INTERNAL INTERNALIZE INTERNALIZED INTERNALIZES INTERNALIZING INTERNALLY INTERNALS INTERNATIONAL INTERNATIONALITY INTERNATIONALLY INTERNED INTERNET INTERNET INTERNETWORK INTERNING INTERNS INTERNSHIP INTEROFFICE INTERPERSONAL INTERPLAY INTERPOL INTERPOLATE INTERPOLATED INTERPOLATES INTERPOLATING INTERPOLATION INTERPOLATIONS INTERPOSE INTERPOSED INTERPOSES INTERPOSING INTERPRET INTERPRETABLE INTERPRETATION INTERPRETATIONS INTERPRETED INTERPRETER INTERPRETERS INTERPRETING INTERPRETIVE INTERPRETIVELY INTERPRETS INTERPROCESS INTERRELATE INTERRELATED INTERRELATES INTERRELATING INTERRELATION INTERRELATIONS INTERRELATIONSHIP INTERRELATIONSHIPS INTERROGATE INTERROGATED INTERROGATES INTERROGATING INTERROGATION INTERROGATIONS INTERROGATIVE INTERRUPT INTERRUPTED INTERRUPTIBLE INTERRUPTING INTERRUPTION INTERRUPTIONS INTERRUPTIVE INTERRUPTS INTERSECT INTERSECTED INTERSECTING INTERSECTION INTERSECTIONS INTERSECTS INTERSPERSE INTERSPERSED INTERSPERSES INTERSPERSING INTERSPERSION INTERSTAGE INTERSTATE INTERTWINE INTERTWINED INTERTWINES INTERTWINING INTERVAL INTERVALS INTERVENE INTERVENED INTERVENES INTERVENING INTERVENTION INTERVENTIONS INTERVIEW INTERVIEWED INTERVIEWEE INTERVIEWER INTERVIEWERS INTERVIEWING INTERVIEWS INTERWOVEN INTESTATE INTESTINAL INTESTINE INTESTINES INTIMACY INTIMATE INTIMATED INTIMATELY INTIMATING INTIMATION INTIMATIONS INTIMIDATE INTIMIDATED INTIMIDATES INTIMIDATING INTIMIDATION INTO INTOLERABLE INTOLERABLY INTOLERANCE INTOLERANT INTONATION INTONATIONS INTONE INTOXICANT INTOXICATE INTOXICATED INTOXICATING INTOXICATION INTRACTABILITY INTRACTABLE INTRACTABLY INTRAGROUP INTRALINE INTRAMURAL INTRAMUSCULAR INTRANSIGENT INTRANSITIVE INTRANSITIVELY INTRAOFFICE INTRAPROCESS INTRASTATE INTRAVENOUS INTREPID INTRICACIES INTRICACY INTRICATE INTRICATELY INTRIGUE INTRIGUED INTRIGUES INTRIGUING INTRINSIC INTRINSICALLY INTRODUCE INTRODUCED INTRODUCES INTRODUCING INTRODUCTION INTRODUCTIONS INTRODUCTORY INTROSPECT INTROSPECTION INTROSPECTIONS INTROSPECTIVE INTROVERT INTROVERTED INTRUDE INTRUDED INTRUDER INTRUDERS INTRUDES INTRUDING INTRUSION INTRUSIONS INTRUST INTUBATE INTUBATED INTUBATES INTUBATION INTUITION INTUITIONIST INTUITIONS INTUITIVE INTUITIVELY INUNDATE INVADE INVADED INVADER INVADERS INVADES INVADING INVALID INVALIDATE INVALIDATED INVALIDATES INVALIDATING INVALIDATION INVALIDATIONS INVALIDITIES INVALIDITY INVALIDLY INVALIDS INVALUABLE INVARIABLE INVARIABLY INVARIANCE INVARIANT INVARIANTLY INVARIANTS INVASION INVASIONS INVECTIVE INVENT INVENTED INVENTING INVENTION INVENTIONS INVENTIVE INVENTIVELY INVENTIVENESS INVENTOR INVENTORIES INVENTORS INVENTORY INVENTS INVERNESS INVERSE INVERSELY INVERSES INVERSION INVERSIONS INVERT INVERTEBRATE INVERTEBRATES INVERTED INVERTER INVERTERS INVERTIBLE INVERTING INVERTS INVEST INVESTED INVESTIGATE INVESTIGATED INVESTIGATES INVESTIGATING INVESTIGATION INVESTIGATIONS INVESTIGATIVE INVESTIGATOR INVESTIGATORS INVESTIGATORY INVESTING INVESTMENT INVESTMENTS INVESTOR INVESTORS INVESTS INVETERATE INVIGORATE INVINCIBLE INVISIBILITY INVISIBLE INVISIBLY INVITATION INVITATIONS INVITE INVITED INVITES INVITING INVOCABLE INVOCATION INVOCATIONS INVOICE INVOICED INVOICES INVOICING INVOKE INVOKED INVOKER INVOKES INVOKING INVOLUNTARILY INVOLUNTARY INVOLVE INVOLVED INVOLVEMENT INVOLVEMENTS INVOLVES INVOLVING INWARD INWARDLY INWARDNESS INWARDS IODINE ION IONIAN IONIANS IONICIZATION IONICIZATIONS IONICIZE IONICIZES IONOSPHERE IONOSPHERIC IONS IOTA IOWA IRA IRAN IRANIAN IRANIANS IRANIZE IRANIZES IRAQ IRAQI IRAQIS IRATE IRATELY IRATENESS IRE IRELAND IRENE IRES IRIS IRISH IRISHIZE IRISHIZES IRISHMAN IRISHMEN IRK IRKED IRKING IRKS IRKSOME IRMA IRON IRONED IRONIC IRONICAL IRONICALLY IRONIES IRONING IRONINGS IRONS IRONY IROQUOIS IRRADIATE IRRATIONAL IRRATIONALLY IRRATIONALS IRRAWADDY IRRECONCILABLE IRRECOVERABLE IRREDUCIBLE IRREDUCIBLY IRREFLEXIVE IRREFUTABLE IRREGULAR IRREGULARITIES IRREGULARITY IRREGULARLY IRREGULARS IRRELEVANCE IRRELEVANCES IRRELEVANT IRRELEVANTLY IRREPLACEABLE IRREPRESSIBLE IRREPRODUCIBILITY IRREPRODUCIBLE IRRESISTIBLE IRRESPECTIVE IRRESPECTIVELY IRRESPONSIBLE IRRESPONSIBLY IRRETRIEVABLY IRREVERENT IRREVERSIBILITY IRREVERSIBLE IRREVERSIBLY IRREVOCABLE IRREVOCABLY IRRIGATE IRRIGATED IRRIGATES IRRIGATING IRRIGATION IRRITABLE IRRITANT IRRITATE IRRITATED IRRITATES IRRITATING IRRITATION IRRITATIONS IRVIN IRVINE IRVING IRWIN ISAAC ISAACS ISAACSON ISABEL ISABELLA ISADORE ISAIAH ISFAHAN ISING ISIS ISLAM ISLAMABAD ISLAMIC ISLAMIZATION ISLAMIZATIONS ISLAMIZE ISLAMIZES ISLAND ISLANDER ISLANDERS ISLANDIA ISLANDS ISLE ISLES ISLET ISLETS ISOLATE ISOLATED ISOLATES ISOLATING ISOLATION ISOLATIONS ISOLDE ISOMETRIC ISOMORPHIC ISOMORPHICALLY ISOMORPHISM ISOMORPHISMS ISOTOPE ISOTOPES ISRAEL ISRAELI ISRAELIS ISRAELITE ISRAELITES ISRAELITIZE ISRAELITIZES ISSUANCE ISSUE ISSUED ISSUER ISSUERS ISSUES ISSUING ISTANBUL ISTHMUS ISTVAN ITALIAN ITALIANIZATION ITALIANIZATIONS ITALIANIZE ITALIANIZER ITALIANIZERS ITALIANIZES ITALIANS ITALIC ITALICIZE ITALICIZED ITALICS ITALY ITCH ITCHES ITCHING ITEL ITEM ITEMIZATION ITEMIZATIONS ITEMIZE ITEMIZED ITEMIZES ITEMIZING ITEMS ITERATE ITERATED ITERATES ITERATING ITERATION ITERATIONS ITERATIVE ITERATIVELY ITERATOR ITERATORS ITHACA ITHACAN ITINERARIES ITINERARY ITO ITS ITSELF IVAN IVANHOE IVERSON IVIES IVORY IVY IZAAK IZVESTIA JAB JABBED JABBING JABLONSKY JABS JACK JACKASS JACKET JACKETED JACKETS JACKIE JACKING JACKKNIFE JACKMAN JACKPOT JACKSON JACKSONIAN JACKSONS JACKSONVILLE JACKY JACOB JACOBEAN JACOBI JACOBIAN JACOBINIZE JACOBITE JACOBS JACOBSEN JACOBSON JACOBUS JACOBY JACQUELINE JACQUES JADE JADED JAEGER JAGUAR JAIL JAILED JAILER JAILERS JAILING JAILS JAIME JAKARTA JAKE JAKES JAM JAMAICA JAMAICAN JAMES JAMESON JAMESTOWN JAMMED JAMMING JAMS JANE JANEIRO JANESVILLE JANET JANICE JANIS JANITOR JANITORS JANOS JANSEN JANSENIST JANUARIES JANUARY JANUS JAPAN JAPANESE JAPANIZATION JAPANIZATIONS JAPANIZE JAPANIZED JAPANIZES JAPANIZING JAR JARGON JARRED JARRING JARRINGLY JARS JARVIN JASON JASTROW JAUNDICE JAUNT JAUNTINESS JAUNTS JAUNTY JAVA JAVANESE JAVELIN JAVELINS JAW JAWBONE JAWS JAY JAYCEE JAYCEES JAZZ JAZZY JEALOUS JEALOUSIES JEALOUSLY JEALOUSY JEAN JEANNE JEANNIE JEANS JED JEEP JEEPS JEER JEERS JEFF JEFFERSON JEFFERSONIAN JEFFERSONIANS JEFFREY JEHOVAH JELLIES JELLO JELLY JELLYFISH JENKINS JENNIE JENNIFER JENNINGS JENNY JENSEN JEOPARDIZE JEOPARDIZED JEOPARDIZES JEOPARDIZING JEOPARDY JEREMIAH JEREMY JERES JERICHO JERK JERKED JERKINESS JERKING JERKINGS JERKS JERKY JEROBOAM JEROME JERRY JERSEY JERSEYS JERUSALEM JESSE JESSICA JESSIE JESSY JEST JESTED JESTER JESTING JESTS JESUIT JESUITISM JESUITIZE JESUITIZED JESUITIZES JESUITIZING JESUITS JESUS JET JETLINER JETS JETTED JETTING JEW JEWEL JEWELED JEWELER JEWELL JEWELLED JEWELRIES JEWELRY JEWELS JEWETT JEWISH JEWISHNESS JEWS JIFFY JIG JIGS JIGSAW JILL JIM JIMENEZ JIMMIE JINGLE JINGLED JINGLING JINNY JITTER JITTERBUG JITTERY JOAN JOANNA JOANNE JOAQUIN JOB JOBREL JOBS JOCKEY JOCKSTRAP JOCUND JODY JOE JOEL JOES JOG JOGGING JOGS JOHANN JOHANNA JOHANNES JOHANNESBURG JOHANSEN JOHANSON JOHN JOHNNIE JOHNNY JOHNS JOHNSEN JOHNSON JOHNSTON JOHNSTOWN JOIN JOINED JOINER JOINERS JOINING JOINS JOINT JOINTLY JOINTS JOKE JOKED JOKER JOKERS JOKES JOKING JOKINGLY JOLIET JOLLA JOLLY JOLT JOLTED JOLTING JOLTS JON JONAS JONATHAN JONATHANIZATION JONATHANIZATIONS JONES JONESES JONQUIL JOPLIN JORDAN JORDANIAN JORGE JORGENSEN JORGENSON JOSE JOSEF JOSEPH JOSEPHINE JOSEPHSON JOSEPHUS JOSHUA JOSIAH JOSTLE JOSTLED JOSTLES JOSTLING JOT JOTS JOTTED JOTTING JOULE JOURNAL JOURNALISM JOURNALIST JOURNALISTS JOURNALIZE JOURNALIZED JOURNALIZES JOURNALIZING JOURNALS JOURNEY JOURNEYED JOURNEYING JOURNEYINGS JOURNEYMAN JOURNEYMEN JOURNEYS JOUST JOUSTED JOUSTING JOUSTS JOVANOVICH JOVE JOVIAL JOVIAN JOY JOYCE JOYFUL JOYFULLY JOYOUS JOYOUSLY JOYOUSNESS JOYRIDE JOYS JOYSTICK JUAN JUANITA JUBAL JUBILEE JUDAICA JUDAISM JUDAS JUDD JUDDER JUDDERED JUDDERING JUDDERS JUDE JUDEA JUDGE JUDGED JUDGES JUDGING JUDGMENT JUDGMENTS JUDICIAL JUDICIARY JUDICIOUS JUDICIOUSLY JUDITH JUDO JUDSON JUDY JUG JUGGLE JUGGLER JUGGLERS JUGGLES JUGGLING JUGOSLAVIA JUGS JUICE JUICES JUICIEST JUICY JUKES JULES JULIA JULIAN JULIE JULIES JULIET JULIO JULIUS JULY JUMBLE JUMBLED JUMBLES JUMBO JUMP JUMPED JUMPER JUMPERS JUMPING JUMPS JUMPY JUNCTION JUNCTIONS JUNCTURE JUNCTURES JUNE JUNEAU JUNES JUNG JUNGIAN JUNGLE JUNGLES JUNIOR JUNIORS JUNIPER JUNK JUNKER JUNKERS JUNKS JUNKY JUNO JUNTA JUPITER JURA JURAS JURASSIC JURE JURIES JURISDICTION JURISDICTIONS JURISPRUDENCE JURIST JUROR JURORS JURY JUST JUSTICE JUSTICES JUSTIFIABLE JUSTIFIABLY JUSTIFICATION JUSTIFICATIONS JUSTIFIED JUSTIFIER JUSTIFIERS JUSTIFIES JUSTIFY JUSTIFYING JUSTINE JUSTINIAN JUSTLY JUSTNESS JUT JUTISH JUTLAND JUTTING JUVENILE JUVENILES JUXTAPOSE JUXTAPOSED JUXTAPOSES JUXTAPOSING KABUKI KABUL KADDISH KAFKA KAFKAESQUE KAHN KAJAR KALAMAZOO KALI KALMUK KAMCHATKA KAMIKAZE KAMIKAZES KAMPALA KAMPUCHEA KANARESE KANE KANGAROO KANJI KANKAKEE KANNADA KANSAS KANT KANTIAN KAPLAN KAPPA KARACHI KARAMAZOV KARATE KAREN KARL KAROL KARP KASHMIR KASKASKIA KATE KATHARINE KATHERINE KATHLEEN KATHY KATIE KATMANDU KATOWICE KATZ KAUFFMAN KAUFMAN KAY KEATON KEATS KEEGAN KEEL KEELED KEELING KEELS KEEN KEENAN KEENER KEENEST KEENLY KEENNESS KEEP KEEPER KEEPERS KEEPING KEEPS KEITH KELLER KELLEY KELLOGG KELLY KELSEY KELVIN KEMP KEN KENDALL KENILWORTH KENNAN KENNECOTT KENNEDY KENNEL KENNELS KENNETH KENNEY KENNING KENNY KENOSHA KENSINGTON KENT KENTON KENTUCKY KENYA KENYON KEPLER KEPT KERCHIEF KERCHIEFS KERMIT KERN KERNEL KERNELS KERNIGHAN KEROSENE KEROUAC KERR KESSLER KETCHUP KETTERING KETTLE KETTLES KEVIN KEWASKUM KEWAUNEE KEY KEYBOARD KEYBOARDS KEYED KEYES KEYHOLE KEYING KEYNES KEYNESIAN KEYNOTE KEYPAD KEYPADS KEYS KEYSTROKE KEYSTROKES KEYWORD KEYWORDS KHARTOUM KHMER KHRUSHCHEV KHRUSHCHEVS KICK KICKAPOO KICKED KICKER KICKERS KICKING KICKOFF KICKS KID KIDDE KIDDED KIDDIE KIDDING KIDNAP KIDNAPPER KIDNAPPERS KIDNAPPING KIDNAPPINGS KIDNAPS KIDNEY KIDNEYS KIDS KIEFFER KIEL KIEV KIEWIT KIGALI KIKUYU KILGORE KILIMANJARO KILL KILLEBREW KILLED KILLER KILLERS KILLING KILLINGLY KILLINGS KILLJOY KILLS KILOBIT KILOBITS KILOBLOCK KILOBYTE KILOBYTES KILOGRAM KILOGRAMS KILOHERTZ KILOHM KILOJOULE KILOMETER KILOMETERS KILOTON KILOVOLT KILOWATT KILOWORD KIM KIMBALL KIMBERLY KIMONO KIN KIND KINDER KINDERGARTEN KINDEST KINDHEARTED KINDLE KINDLED KINDLES KINDLING KINDLY KINDNESS KINDRED KINDS KINETIC KING KINGDOM KINGDOMS KINGLY KINGPIN KINGS KINGSBURY KINGSLEY KINGSTON KINGSTOWN KINGWOOD KINK KINKY KINNEY KINNICKINNIC KINSEY KINSHASHA KINSHIP KINSMAN KIOSK KIOWA KIPLING KIRBY KIRCHNER KIRCHOFF KIRK KIRKLAND KIRKPATRICK KIRKWOOD KIROV KISS KISSED KISSER KISSERS KISSES KISSING KIT KITAKYUSHU KITCHEN KITCHENETTE KITCHENS KITE KITED KITES KITING KITS KITTEN KITTENISH KITTENS KITTY KIWANIS KLAN KLAUS KLAXON KLEIN KLEINROCK KLINE KLUDGE KLUDGES KLUX KLYSTRON KNACK KNAPP KNAPSACK KNAPSACKS KNAUER KNAVE KNAVES KNEAD KNEADS KNEE KNEECAP KNEED KNEEING KNEEL KNEELED KNEELING KNEELS KNEES KNELL KNELLS KNELT KNEW KNICKERBOCKER KNICKERBOCKERS KNIFE KNIFED KNIFES KNIFING KNIGHT KNIGHTED KNIGHTHOOD KNIGHTING KNIGHTLY KNIGHTS KNIGHTSBRIDGE KNIT KNITS KNIVES KNOB KNOBELOCH KNOBS KNOCK KNOCKDOWN KNOCKED KNOCKER KNOCKERS KNOCKING KNOCKOUT KNOCKS KNOLL KNOLLS KNOSSOS KNOT KNOTS KNOTT KNOTTED KNOTTING KNOW KNOWABLE KNOWER KNOWHOW KNOWING KNOWINGLY KNOWLEDGE KNOWLEDGEABLE KNOWLES KNOWLTON KNOWN KNOWS KNOX KNOXVILLE KNUCKLE KNUCKLED KNUCKLES KNUDSEN KNUDSON KNUTH KNUTSEN KNUTSON KOALA KOBAYASHI KOCH KOCHAB KODACHROME KODAK KODIAK KOENIG KOENIGSBERG KOHLER KONG KONRAD KOPPERS KORAN KOREA KOREAN KOREANS KOSHER KOVACS KOWALEWSKI KOWALSKI KOWLOON KOWTOW KRAEMER KRAKATOA KRAKOW KRAMER KRAUSE KREBS KREMLIN KRESGE KRIEGER KRISHNA KRISTIN KRONECKER KRUEGER KRUGER KRUSE KUALA KUDO KUENNING KUHN KUMAR KURD KURDISH KURT KUWAIT KUWAITI KYOTO LAB LABAN LABEL LABELED LABELING LABELLED LABELLER LABELLERS LABELLING LABELS LABOR LABORATORIES LABORATORY LABORED LABORER LABORERS LABORING LABORINGS LABORIOUS LABORIOUSLY LABORS LABRADOR LABS LABYRINTH LABYRINTHS LAC LACE LACED LACERATE LACERATED LACERATES LACERATING LACERATION LACERATIONS LACERTA LACES LACEY LACHESIS LACING LACK LACKAWANNA LACKED LACKEY LACKING LACKS LACQUER LACQUERED LACQUERS LACROSSE LACY LAD LADDER LADEN LADIES LADING LADLE LADS LADY LADYLIKE LAFAYETTE LAG LAGER LAGERS LAGOON LAGOONS LAGOS LAGRANGE LAGRANGIAN LAGS LAGUERRE LAGUNA LAHORE LAID LAIDLAW LAIN LAIR LAIRS LAISSEZ LAKE LAKEHURST LAKES LAKEWOOD LAMAR LAMARCK LAMB LAMBDA LAMBDAS LAMBERT LAMBS LAME LAMED LAMELY LAMENESS LAMENT LAMENTABLE LAMENTATION LAMENTATIONS LAMENTED LAMENTING LAMENTS LAMES LAMINAR LAMING LAMP LAMPLIGHT LAMPOON LAMPORT LAMPREY LAMPS LANA LANCASHIRE LANCASTER LANCE LANCED LANCELOT LANCER LANCES LAND LANDED LANDER LANDERS LANDFILL LANDING LANDINGS LANDIS LANDLADIES LANDLADY LANDLORD LANDLORDS LANDMARK LANDMARKS LANDOWNER LANDOWNERS LANDS LANDSCAPE LANDSCAPED LANDSCAPES LANDSCAPING LANDSLIDE LANDWEHR LANE LANES LANG LANGE LANGELAND LANGFORD LANGLEY LANGMUIR LANGUAGE LANGUAGES LANGUID LANGUIDLY LANGUIDNESS LANGUISH LANGUISHED LANGUISHES LANGUISHING LANKA LANSING LANTERN LANTERNS LAO LAOCOON LAOS LAOTIAN LAOTIANS LAP LAPEL LAPELS LAPLACE LAPLACIAN LAPPING LAPS LAPSE LAPSED LAPSES LAPSING LARAMIE LARD LARDER LAREDO LARES LARGE LARGELY LARGENESS LARGER LARGEST LARK LARKIN LARKS LARRY LARS LARSEN LARSON LARVA LARVAE LARYNX LASCIVIOUS LASER LASERS LASH LASHED LASHES LASHING LASHINGS LASS LASSES LASSO LAST LASTED LASTING LASTLY LASTS LASZLO LATCH LATCHED LATCHES LATCHING LATE LATELY LATENCY LATENESS LATENT LATER LATERAL LATERALLY LATERAN LATEST LATEX LATHE LATHROP LATIN LATINATE LATINITY LATINIZATION LATINIZATIONS LATINIZE LATINIZED LATINIZER LATINIZERS LATINIZES LATINIZING LATITUDE LATITUDES LATRINE LATRINES LATROBE LATTER LATTERLY LATTICE LATTICES LATTIMER LATVIA LAUDABLE LAUDERDALE LAUE LAUGH LAUGHABLE LAUGHABLY LAUGHED LAUGHING LAUGHINGLY LAUGHINGSTOCK LAUGHLIN LAUGHS LAUGHTER LAUNCH LAUNCHED LAUNCHER LAUNCHES LAUNCHING LAUNCHINGS LAUNDER LAUNDERED LAUNDERER LAUNDERING LAUNDERINGS LAUNDERS LAUNDROMAT LAUNDROMATS LAUNDRY LAUREATE LAUREL LAURELS LAUREN LAURENCE LAURENT LAURENTIAN LAURIE LAUSANNE LAVA LAVATORIES LAVATORY LAVENDER LAVISH LAVISHED LAVISHING LAVISHLY LAVOISIER LAW LAWBREAKER LAWFORD LAWFUL LAWFULLY LAWGIVER LAWLESS LAWLESSNESS LAWN LAWNS LAWRENCE LAWRENCEVILLE LAWS LAWSON LAWSUIT LAWSUITS LAWYER LAWYERS LAX LAXATIVE LAY LAYER LAYERED LAYERING LAYERS LAYING LAYMAN LAYMEN LAYOFF LAYOFFS LAYOUT LAYOUTS LAYS LAYTON LAZARUS LAZED LAZIER LAZIEST LAZILY LAZINESS LAZING LAZY LAZYBONES LEAD LEADED LEADEN LEADER LEADERS LEADERSHIP LEADERSHIPS LEADING LEADINGS LEADS LEAF LEAFED LEAFIEST LEAFING LEAFLESS LEAFLET LEAFLETS LEAFY LEAGUE LEAGUED LEAGUER LEAGUERS LEAGUES LEAK LEAKAGE LEAKAGES LEAKED LEAKING LEAKS LEAKY LEAN LEANDER LEANED LEANER LEANEST LEANING LEANNESS LEANS LEAP LEAPED LEAPFROG LEAPING LEAPS LEAPT LEAR LEARN LEARNED LEARNER LEARNERS LEARNING LEARNS LEARY LEASE LEASED LEASES LEASH LEASHES LEASING LEAST LEATHER LEATHERED LEATHERN LEATHERNECK LEATHERS LEAVE LEAVED LEAVEN LEAVENED LEAVENING LEAVENWORTH LEAVES LEAVING LEAVINGS LEBANESE LEBANON LEBESGUE LECHERY LECTURE LECTURED LECTURER LECTURERS LECTURES LECTURING LED LEDGE LEDGER LEDGERS LEDGES LEE LEECH LEECHES LEEDS LEEK LEER LEERY LEES LEEUWENHOEK LEEWARD LEEWAY LEFT LEFTIST LEFTISTS LEFTMOST LEFTOVER LEFTOVERS LEFTWARD LEG LEGACIES LEGACY LEGAL LEGALITY LEGALIZATION LEGALIZE LEGALIZED LEGALIZES LEGALIZING LEGALLY LEGEND LEGENDARY LEGENDRE LEGENDS LEGER LEGERS LEGGED LEGGINGS LEGIBILITY LEGIBLE LEGIBLY LEGION LEGIONS LEGISLATE LEGISLATED LEGISLATES LEGISLATING LEGISLATION LEGISLATIVE LEGISLATOR LEGISLATORS LEGISLATURE LEGISLATURES LEGITIMACY LEGITIMATE LEGITIMATELY LEGS LEGUME LEHIGH LEHMAN LEIBNIZ LEIDEN LEIGH LEIGHTON LEILA LEIPZIG LEISURE LEISURELY LELAND LEMKE LEMMA LEMMAS LEMMING LEMMINGS LEMON LEMONADE LEMONS LEMUEL LEN LENA LEND LENDER LENDERS LENDING LENDS LENGTH LENGTHEN LENGTHENED LENGTHENING LENGTHENS LENGTHLY LENGTHS LENGTHWISE LENGTHY LENIENCY LENIENT LENIENTLY LENIN LENINGRAD LENINISM LENINIST LENNOX LENNY LENORE LENS LENSES LENT LENTEN LENTIL LENTILS LEO LEON LEONA LEONARD LEONARDO LEONE LEONID LEOPARD LEOPARDS LEOPOLD LEOPOLDVILLE LEPER LEPROSY LEROY LESBIAN LESBIANS LESLIE LESOTHO LESS LESSEN LESSENED LESSENING LESSENS LESSER LESSON LESSONS LESSOR LEST LESTER LET LETHAL LETHE LETITIA LETS LETTER LETTERED LETTERER LETTERHEAD LETTERING LETTERS LETTING LETTUCE LEUKEMIA LEV LEVEE LEVEES LEVEL LEVELED LEVELER LEVELING LEVELLED LEVELLER LEVELLEST LEVELLING LEVELLY LEVELNESS LEVELS LEVER LEVERAGE LEVERS LEVI LEVIABLE LEVIED LEVIES LEVIN LEVINE LEVIS LEVITICUS LEVITT LEVITY LEVY LEVYING LEW LEWD LEWDLY LEWDNESS LEWELLYN LEXICAL LEXICALLY LEXICOGRAPHIC LEXICOGRAPHICAL LEXICOGRAPHICALLY LEXICON LEXICONS LEXINGTON LEYDEN LIABILITIES LIABILITY LIABLE LIAISON LIAISONS LIAR LIARS LIBEL LIBELOUS LIBERACE LIBERAL LIBERALIZE LIBERALIZED LIBERALIZES LIBERALIZING LIBERALLY LIBERALS LIBERATE LIBERATED LIBERATES LIBERATING LIBERATION LIBERATOR LIBERATORS LIBERIA LIBERTARIAN LIBERTIES LIBERTY LIBIDO LIBRARIAN LIBRARIANS LIBRARIES LIBRARY LIBRETTO LIBREVILLE LIBYA LIBYAN LICE LICENSE LICENSED LICENSEE LICENSES LICENSING LICENSOR LICENTIOUS LICHEN LICHENS LICHTER LICK LICKED LICKING LICKS LICORICE LID LIDS LIE LIEBERMAN LIECHTENSTEIN LIED LIEGE LIEN LIENS LIES LIEU LIEUTENANT LIEUTENANTS LIFE LIFEBLOOD LIFEBOAT LIFEGUARD LIFELESS LIFELESSNESS LIFELIKE LIFELONG LIFER LIFESPAN LIFESTYLE LIFESTYLES LIFETIME LIFETIMES LIFT LIFTED LIFTER LIFTERS LIFTING LIFTS LIGAMENT LIGATURE LIGGET LIGGETT LIGHT LIGHTED LIGHTEN LIGHTENS LIGHTER LIGHTERS LIGHTEST LIGHTFACE LIGHTHEARTED LIGHTHOUSE LIGHTHOUSES LIGHTING LIGHTLY LIGHTNESS LIGHTNING LIGHTNINGS LIGHTS LIGHTWEIGHT LIKE LIKED LIKELIER LIKELIEST LIKELIHOOD LIKELIHOODS LIKELINESS LIKELY LIKEN LIKENED LIKENESS LIKENESSES LIKENING LIKENS LIKES LIKEWISE LIKING LILA LILAC LILACS LILIAN LILIES LILLIAN LILLIPUT LILLIPUTIAN LILLIPUTIANIZE LILLIPUTIANIZES LILLY LILY LIMA LIMAN LIMB LIMBER LIMBO LIMBS LIME LIMELIGHT LIMERICK LIMES LIMESTONE LIMIT LIMITABILITY LIMITABLY LIMITATION LIMITATIONS LIMITED LIMITER LIMITERS LIMITING LIMITLESS LIMITS LIMOUSINE LIMP LIMPED LIMPING LIMPLY LIMPNESS LIMPS LIN LINCOLN LIND LINDA LINDBERG LINDBERGH LINDEN LINDHOLM LINDQUIST LINDSAY LINDSEY LINDSTROM LINDY LINE LINEAR LINEARITIES LINEARITY LINEARIZABLE LINEARIZE LINEARIZED LINEARIZES LINEARIZING LINEARLY LINED LINEN LINENS LINER LINERS LINES LINEUP LINGER LINGERED LINGERIE LINGERING LINGERS LINGO LINGUA LINGUIST LINGUISTIC LINGUISTICALLY LINGUISTICS LINGUISTS LINING LININGS LINK LINKAGE LINKAGES LINKED LINKER LINKERS LINKING LINKS LINNAEUS LINOLEUM LINOTYPE LINSEED LINT LINTON LINUS LINUX LION LIONEL LIONESS LIONESSES LIONS LIP LIPPINCOTT LIPS LIPSCHITZ LIPSCOMB LIPSTICK LIPTON LIQUID LIQUIDATE LIQUIDATION LIQUIDATIONS LIQUIDITY LIQUIDS LIQUOR LIQUORS LISA LISBON LISE LISP LISPED LISPING LISPS LISS LISSAJOUS LIST LISTED LISTEN LISTENED LISTENER LISTENERS LISTENING LISTENS LISTER LISTERIZE LISTERIZES LISTERS LISTING LISTINGS LISTLESS LISTON LISTS LIT LITANY LITER LITERACY LITERAL LITERALLY LITERALNESS LITERALS LITERARY LITERATE LITERATURE LITERATURES LITERS LITHE LITHOGRAPH LITHOGRAPHY LITHUANIA LITHUANIAN LITIGANT LITIGATE LITIGATION LITIGIOUS LITMUS LITTER LITTERBUG LITTERED LITTERING LITTERS LITTLE LITTLENESS LITTLER LITTLEST LITTLETON LITTON LIVABLE LIVABLY LIVE LIVED LIVELIHOOD LIVELY LIVENESS LIVER LIVERIED LIVERMORE LIVERPOOL LIVERPUDLIAN LIVERS LIVERY LIVES LIVESTOCK LIVID LIVING LIVINGSTON LIZ LIZARD LIZARDS LIZZIE LIZZY LLOYD LOAD LOADED LOADER LOADERS LOADING LOADINGS LOADS LOAF LOAFED LOAFER LOAN LOANED LOANING LOANS LOATH LOATHE LOATHED LOATHING LOATHLY LOATHSOME LOAVES LOBBIED LOBBIES LOBBY LOBBYING LOBE LOBES LOBSTER LOBSTERS LOCAL LOCALITIES LOCALITY LOCALIZATION LOCALIZE LOCALIZED LOCALIZES LOCALIZING LOCALLY LOCALS LOCATE LOCATED LOCATES LOCATING LOCATION LOCATIONS LOCATIVE LOCATIVES LOCATOR LOCATORS LOCI LOCK LOCKE LOCKED LOCKER LOCKERS LOCKHART LOCKHEED LOCKIAN LOCKING LOCKINGS LOCKOUT LOCKOUTS LOCKS LOCKSMITH LOCKSTEP LOCKUP LOCKUPS LOCKWOOD LOCOMOTION LOCOMOTIVE LOCOMOTIVES LOCUS LOCUST LOCUSTS LODGE LODGED LODGER LODGES LODGING LODGINGS LODOWICK LOEB LOFT LOFTINESS LOFTS LOFTY LOGAN LOGARITHM LOGARITHMIC LOGARITHMICALLY LOGARITHMS LOGGED LOGGER LOGGERS LOGGING LOGIC LOGICAL LOGICALLY LOGICIAN LOGICIANS LOGICS LOGIN LOGINS LOGISTIC LOGISTICS LOGJAM LOGO LOGS LOIN LOINCLOTH LOINS LOIRE LOIS LOITER LOITERED LOITERER LOITERING LOITERS LOKI LOLA LOMB LOMBARD LOMBARDY LOME LONDON LONDONDERRY LONDONER LONDONIZATION LONDONIZATIONS LONDONIZE LONDONIZES LONE LONELIER LONELIEST LONELINESS LONELY LONER LONERS LONESOME LONG LONGED LONGER LONGEST LONGEVITY LONGFELLOW LONGHAND LONGING LONGINGS LONGITUDE LONGITUDES LONGS LONGSTANDING LONGSTREET LOOK LOOKAHEAD LOOKED LOOKER LOOKERS LOOKING LOOKOUT LOOKS LOOKUP LOOKUPS LOOM LOOMED LOOMING LOOMIS LOOMS LOON LOOP LOOPED LOOPHOLE LOOPHOLES LOOPING LOOPS LOOSE LOOSED LOOSELEAF LOOSELY LOOSEN LOOSENED LOOSENESS LOOSENING LOOSENS LOOSER LOOSES LOOSEST LOOSING LOOT LOOTED LOOTER LOOTING LOOTS LOPEZ LOPSIDED LORD LORDLY LORDS LORDSHIP LORE LORELEI LOREN LORENTZIAN LORENZ LORETTA LORINDA LORRAINE LORRY LOS LOSE LOSER LOSERS LOSES LOSING LOSS LOSSES LOSSIER LOSSIEST LOSSY LOST LOT LOTHARIO LOTION LOTS LOTTE LOTTERY LOTTIE LOTUS LOU LOUD LOUDER LOUDEST LOUDLY LOUDNESS LOUDSPEAKER LOUDSPEAKERS LOUIS LOUISA LOUISE LOUISIANA LOUISIANAN LOUISVILLE LOUNGE LOUNGED LOUNGES LOUNGING LOUNSBURY LOURDES LOUSE LOUSY LOUT LOUVRE LOVABLE LOVABLY LOVE LOVED LOVEJOY LOVELACE LOVELAND LOVELIER LOVELIES LOVELIEST LOVELINESS LOVELORN LOVELY LOVER LOVERS LOVES LOVING LOVINGLY LOW LOWE LOWELL LOWER LOWERED LOWERING LOWERS LOWEST LOWLAND LOWLANDS LOWLIEST LOWLY LOWNESS LOWRY LOWS LOY LOYAL LOYALLY LOYALTIES LOYALTY LOYOLA LUBBOCK LUBELL LUBRICANT LUBRICATE LUBRICATION LUCAS LUCERNE LUCIA LUCIAN LUCID LUCIEN LUCIFER LUCILLE LUCIUS LUCK LUCKED LUCKIER LUCKIEST LUCKILY LUCKLESS LUCKS LUCKY LUCRATIVE LUCRETIA LUCRETIUS LUCY LUDICROUS LUDICROUSLY LUDICROUSNESS LUDLOW LUDMILLA LUDWIG LUFTHANSA LUFTWAFFE LUGGAGE LUIS LUKE LUKEWARM LULL LULLABY LULLED LULLS LUMBER LUMBERED LUMBERING LUMINOUS LUMINOUSLY LUMMOX LUMP LUMPED LUMPING LUMPS LUMPUR LUMPY LUNAR LUNATIC LUNCH LUNCHED LUNCHEON LUNCHEONS LUNCHES LUNCHING LUND LUNDBERG LUNDQUIST LUNG LUNGED LUNGS LURA LURCH LURCHED LURCHES LURCHING LURE LURED LURES LURING LURK LURKED LURKING LURKS LUSAKA LUSCIOUS LUSCIOUSLY LUSCIOUSNESS LUSH LUST LUSTER LUSTFUL LUSTILY LUSTINESS LUSTROUS LUSTS LUSTY LUTE LUTES LUTHER LUTHERAN LUTHERANIZE LUTHERANIZER LUTHERANIZERS LUTHERANIZES LUTZ LUXEMBOURG LUXEMBURG LUXURIANT LUXURIANTLY LUXURIES LUXURIOUS LUXURIOUSLY LUXURY LUZON LYDIA LYING LYKES LYLE LYMAN LYMPH LYNCH LYNCHBURG LYNCHED LYNCHER LYNCHES LYNDON LYNN LYNX LYNXES LYON LYONS LYRA LYRE LYRIC LYRICS LYSENKO MABEL MAC MACADAMIA MACARTHUR MACARTHUR MACASSAR MACAULAY MACAULAYAN MACAULAYISM MACAULAYISMS MACBETH MACDONALD MACDONALD MACDOUGALL MACDOUGALL MACDRAW MACE MACED MACEDON MACEDONIA MACEDONIAN MACES MACGREGOR MACGREGOR MACH MACHIAVELLI MACHIAVELLIAN MACHINATION MACHINE MACHINED MACHINELIKE MACHINERY MACHINES MACHINING MACHO MACINTOSH MACINTOSH MACINTOSH MACKENZIE MACKENZIE MACKEREL MACKEY MACKINAC MACKINAW MACMAHON MACMILLAN MACMILLAN MACON MACPAINT MACRO MACROECONOMICS MACROMOLECULE MACROMOLECULES MACROPHAGE MACROS MACROSCOPIC MAD MADAGASCAR MADAM MADAME MADAMES MADDEN MADDENING MADDER MADDEST MADDOX MADE MADEIRA MADELEINE MADELINE MADHOUSE MADHYA MADISON MADLY MADMAN MADMEN MADNESS MADONNA MADONNAS MADRAS MADRID MADSEN MAE MAELSTROM MAESTRO MAFIA MAFIOSI MAGAZINE MAGAZINES MAGDALENE MAGELLAN MAGELLANIC MAGENTA MAGGIE MAGGOT MAGGOTS MAGIC MAGICAL MAGICALLY MAGICIAN MAGICIANS MAGILL MAGISTRATE MAGISTRATES MAGNA MAGNESIUM MAGNET MAGNETIC MAGNETICALLY MAGNETISM MAGNETISMS MAGNETIZABLE MAGNETIZED MAGNETO MAGNIFICATION MAGNIFICENCE MAGNIFICENT MAGNIFICENTLY MAGNIFIED MAGNIFIER MAGNIFIES MAGNIFY MAGNIFYING MAGNITUDE MAGNITUDES MAGNOLIA MAGNUM MAGNUSON MAGOG MAGPIE MAGRUDER MAGUIRE MAGUIRES MAHARASHTRA MAHAYANA MAHAYANIST MAHOGANY MAHONEY MAID MAIDEN MAIDENS MAIDS MAIER MAIL MAILABLE MAILBOX MAILBOXES MAILED MAILER MAILING MAILINGS MAILMAN MAILMEN MAILS MAIM MAIMED MAIMING MAIMS MAIN MAINE MAINFRAME MAINFRAMES MAINLAND MAINLINE MAINLY MAINS MAINSTAY MAINSTREAM MAINTAIN MAINTAINABILITY MAINTAINABLE MAINTAINED MAINTAINER MAINTAINERS MAINTAINING MAINTAINS MAINTENANCE MAINTENANCES MAIZE MAJESTIC MAJESTIES MAJESTY MAJOR MAJORCA MAJORED MAJORING MAJORITIES MAJORITY MAJORS MAKABLE MAKE MAKER MAKERS MAKES MAKESHIFT MAKEUP MAKEUPS MAKING MAKINGS MALABAR MALADIES MALADY MALAGASY MALAMUD MALARIA MALAWI MALAY MALAYIZE MALAYIZES MALAYSIA MALAYSIAN MALCOLM MALCONTENT MALDEN MALDIVE MALE MALEFACTOR MALEFACTORS MALENESS MALES MALEVOLENT MALFORMED MALFUNCTION MALFUNCTIONED MALFUNCTIONING MALFUNCTIONS MALI MALIBU MALICE MALICIOUS MALICIOUSLY MALICIOUSNESS MALIGN MALIGNANT MALIGNANTLY MALL MALLARD MALLET MALLETS MALLORY MALNUTRITION MALONE MALONEY MALPRACTICE MALRAUX MALT MALTA MALTED MALTESE MALTHUS MALTHUSIAN MALTON MALTS MAMA MAMMA MAMMAL MAMMALIAN MAMMALS MAMMAS MAMMOTH MAN MANAGE MANAGEABLE MANAGEABLENESS MANAGED MANAGEMENT MANAGEMENTS MANAGER MANAGERIAL MANAGERS MANAGES MANAGING MANAGUA MANAMA MANCHESTER MANCHURIA MANDARIN MANDATE MANDATED MANDATES MANDATING MANDATORY MANDELBROT MANDIBLE MANE MANES MANEUVER MANEUVERED MANEUVERING MANEUVERS MANFRED MANGER MANGERS MANGLE MANGLED MANGLER MANGLES MANGLING MANHATTAN MANHATTANIZE MANHATTANIZES MANHOLE MANHOOD MANIA MANIAC MANIACAL MANIACS MANIC MANICURE MANICURED MANICURES MANICURING MANIFEST MANIFESTATION MANIFESTATIONS MANIFESTED MANIFESTING MANIFESTLY MANIFESTS MANIFOLD MANIFOLDS MANILA MANIPULABILITY MANIPULABLE MANIPULATABLE MANIPULATE MANIPULATED MANIPULATES MANIPULATING MANIPULATION MANIPULATIONS MANIPULATIVE MANIPULATOR MANIPULATORS MANIPULATORY MANITOBA MANITOWOC MANKIND MANKOWSKI MANLEY MANLY MANN MANNED MANNER MANNERED MANNERLY MANNERS MANNING MANOMETER MANOMETERS MANOR MANORS MANPOWER MANS MANSFIELD MANSION MANSIONS MANSLAUGHTER MANTEL MANTELS MANTIS MANTISSA MANTISSAS MANTLE MANTLEPIECE MANTLES MANUAL MANUALLY MANUALS MANUEL MANUFACTURE MANUFACTURED MANUFACTURER MANUFACTURERS MANUFACTURES MANUFACTURING MANURE MANUSCRIPT MANUSCRIPTS MANVILLE MANY MAO MAORI MAP MAPLE MAPLECREST MAPLES MAPPABLE MAPPED MAPPING MAPPINGS MAPS MARATHON MARBLE MARBLES MARBLING MARC MARCEAU MARCEL MARCELLO MARCH MARCHED MARCHER MARCHES MARCHING MARCIA MARCO MARCOTTE MARCUS MARCY MARDI MARDIS MARE MARES MARGARET MARGARINE MARGERY MARGIN MARGINAL MARGINALLY MARGINS MARGO MARGUERITE MARIANNE MARIE MARIETTA MARIGOLD MARIJUANA MARILYN MARIN MARINA MARINADE MARINATE MARINE MARINER MARINES MARINO MARIO MARION MARIONETTE MARITAL MARITIME MARJORIE MARJORY MARK MARKABLE MARKED MARKEDLY MARKER MARKERS MARKET MARKETABILITY MARKETABLE MARKETED MARKETING MARKETINGS MARKETPLACE MARKETPLACES MARKETS MARKHAM MARKING MARKINGS MARKISM MARKOV MARKOVIAN MARKOVITZ MARKS MARLBORO MARLBOROUGH MARLENE MARLOWE MARMALADE MARMOT MAROON MARQUETTE MARQUIS MARRIAGE MARRIAGEABLE MARRIAGES MARRIED MARRIES MARRIOTT MARROW MARRY MARRYING MARS MARSEILLES MARSH MARSHA MARSHAL MARSHALED MARSHALING MARSHALL MARSHALLED MARSHALLING MARSHALS MARSHES MARSHMALLOW MART MARTEN MARTHA MARTIAL MARTIAN MARTIANS MARTINEZ MARTINGALE MARTINI MARTINIQUE MARTINSON MARTS MARTY MARTYR MARTYRDOM MARTYRS MARVEL MARVELED MARVELLED MARVELLING MARVELOUS MARVELOUSLY MARVELOUSNESS MARVELS MARVIN MARX MARXIAN MARXISM MARXISMS MARXIST MARY MARYLAND MARYLANDERS MASCARA MASCULINE MASCULINELY MASCULINITY MASERU MASH MASHED MASHES MASHING MASK MASKABLE MASKED MASKER MASKING MASKINGS MASKS MASOCHIST MASOCHISTS MASON MASONIC MASONITE MASONRY MASONS MASQUERADE MASQUERADER MASQUERADES MASQUERADING MASS MASSACHUSETTS MASSACRE MASSACRED MASSACRES MASSAGE MASSAGES MASSAGING MASSED MASSES MASSEY MASSING MASSIVE MAST MASTED MASTER MASTERED MASTERFUL MASTERFULLY MASTERING MASTERINGS MASTERLY MASTERMIND MASTERPIECE MASTERPIECES MASTERS MASTERY MASTODON MASTS MASTURBATE MASTURBATED MASTURBATES MASTURBATING MASTURBATION MAT MATCH MATCHABLE MATCHED MATCHER MATCHERS MATCHES MATCHING MATCHINGS MATCHLESS MATE MATED MATEO MATER MATERIAL MATERIALIST MATERIALIZE MATERIALIZED MATERIALIZES MATERIALIZING MATERIALLY MATERIALS MATERNAL MATERNALLY MATERNITY MATES MATH MATHEMATICA MATHEMATICAL MATHEMATICALLY MATHEMATICIAN MATHEMATICIANS MATHEMATICS MATHEMATIK MATHEWSON MATHIAS MATHIEU MATILDA MATING MATINGS MATISSE MATISSES MATRIARCH MATRIARCHAL MATRICES MATRICULATE MATRICULATION MATRIMONIAL MATRIMONY MATRIX MATROID MATRON MATRONLY MATS MATSON MATSUMOTO MATT MATTED MATTER MATTERED MATTERS MATTHEW MATTHEWS MATTIE MATTRESS MATTRESSES MATTSON MATURATION MATURE MATURED MATURELY MATURES MATURING MATURITIES MATURITY MAUDE MAUL MAUREEN MAURICE MAURICIO MAURINE MAURITANIA MAURITIUS MAUSOLEUM MAVERICK MAVIS MAWR MAX MAXIM MAXIMA MAXIMAL MAXIMALLY MAXIMILIAN MAXIMIZE MAXIMIZED MAXIMIZER MAXIMIZERS MAXIMIZES MAXIMIZING MAXIMS MAXIMUM MAXIMUMS MAXINE MAXTOR MAXWELL MAXWELLIAN MAY MAYA MAYANS MAYBE MAYER MAYFAIR MAYFLOWER MAYHAP MAYHEM MAYNARD MAYO MAYONNAISE MAYOR MAYORAL MAYORS MAZDA MAZE MAZES MBABANE MCADAM MCADAMS MCALLISTER MCBRIDE MCCABE MCCALL MCCALLUM MCCANN MCCARTHY MCCARTY MCCAULEY MCCLAIN MCCLELLAN MCCLURE MCCLUSKEY MCCONNEL MCCONNELL MCCORMICK MCCOY MCCRACKEN MCCULLOUGH MCDANIEL MCDERMOTT MCDONALD MCDONNELL MCDOUGALL MCDOWELL MCELHANEY MCELROY MCFADDEN MCFARLAND MCGEE MCGILL MCGINNIS MCGOVERN MCGOWAN MCGRATH MCGRAW MCGREGOR MCGUIRE MCHUGH MCINTOSH MCINTYRE MCKAY MCKEE MCKENNA MCKENZIE MCKEON MCKESSON MCKINLEY MCKINNEY MCKNIGHT MCLANAHAN MCLAUGHLIN MCLEAN MCLEOD MCMAHON MCMARTIN MCMILLAN MCMULLEN MCNALLY MCNAUGHTON MCNEIL MCNULTY MCPHERSON MEAD MEADOW MEADOWS MEAGER MEAGERLY MEAGERNESS MEAL MEALS MEALTIME MEALY MEAN MEANDER MEANDERED MEANDERING MEANDERS MEANER MEANEST MEANING MEANINGFUL MEANINGFULLY MEANINGFULNESS MEANINGLESS MEANINGLESSLY MEANINGLESSNESS MEANINGS MEANLY MEANNESS MEANS MEANT MEANTIME MEANWHILE MEASLE MEASLES MEASURABLE MEASURABLY MEASURE MEASURED MEASUREMENT MEASUREMENTS MEASURER MEASURES MEASURING MEAT MEATS MEATY MECCA MECHANIC MECHANICAL MECHANICALLY MECHANICS MECHANISM MECHANISMS MECHANIZATION MECHANIZATIONS MECHANIZE MECHANIZED MECHANIZES MECHANIZING MEDAL MEDALLION MEDALLIONS MEDALS MEDDLE MEDDLED MEDDLER MEDDLES MEDDLING MEDEA MEDFIELD MEDFORD MEDIA MEDIAN MEDIANS MEDIATE MEDIATED MEDIATES MEDIATING MEDIATION MEDIATIONS MEDIATOR MEDIC MEDICAID MEDICAL MEDICALLY MEDICARE MEDICI MEDICINAL MEDICINALLY MEDICINE MEDICINES MEDICIS MEDICS MEDIEVAL MEDIOCRE MEDIOCRITY MEDITATE MEDITATED MEDITATES MEDITATING MEDITATION MEDITATIONS MEDITATIVE MEDITERRANEAN MEDITERRANEANIZATION MEDITERRANEANIZATIONS MEDITERRANEANIZE MEDITERRANEANIZES MEDIUM MEDIUMS MEDLEY MEDUSA MEDUSAN MEEK MEEKER MEEKEST MEEKLY MEEKNESS MEET MEETING MEETINGHOUSE MEETINGS MEETS MEG MEGABAUD MEGABIT MEGABITS MEGABYTE MEGABYTES MEGAHERTZ MEGALOMANIA MEGATON MEGAVOLT MEGAWATT MEGAWORD MEGAWORDS MEGOHM MEIER MEIJI MEISTER MEISTERSINGER MEKONG MEL MELAMPUS MELANCHOLY MELANESIA MELANESIAN MELANIE MELBOURNE MELCHER MELINDA MELISANDE MELISSA MELLON MELLOW MELLOWED MELLOWING MELLOWNESS MELLOWS MELODIES MELODIOUS MELODIOUSLY MELODIOUSNESS MELODRAMA MELODRAMAS MELODRAMATIC MELODY MELON MELONS MELPOMENE MELT MELTED MELTING MELTINGLY MELTS MELVILLE MELVIN MEMBER MEMBERS MEMBERSHIP MEMBERSHIPS MEMBRANE MEMENTO MEMO MEMOIR MEMOIRS MEMORABILIA MEMORABLE MEMORABLENESS MEMORANDA MEMORANDUM MEMORIAL MEMORIALLY MEMORIALS MEMORIES MEMORIZATION MEMORIZE MEMORIZED MEMORIZER MEMORIZES MEMORIZING MEMORY MEMORYLESS MEMOS MEMPHIS MEN MENACE MENACED MENACING MENAGERIE MENARCHE MENCKEN MEND MENDACIOUS MENDACITY MENDED MENDEL MENDELIAN MENDELIZE MENDELIZES MENDELSSOHN MENDER MENDING MENDOZA MENDS MENELAUS MENIAL MENIALS MENLO MENNONITE MENNONITES MENOMINEE MENORCA MENS MENSCH MENSTRUATE MENSURABLE MENSURATION MENTAL MENTALITIES MENTALITY MENTALLY MENTION MENTIONABLE MENTIONED MENTIONER MENTIONERS MENTIONING MENTIONS MENTOR MENTORS MENU MENUS MENZIES MEPHISTOPHELES MERCANTILE MERCATOR MERCEDES MERCENARIES MERCENARINESS MERCENARY MERCHANDISE MERCHANDISER MERCHANDISING MERCHANT MERCHANTS MERCIFUL MERCIFULLY MERCILESS MERCILESSLY MERCK MERCURIAL MERCURY MERCY MERE MEREDITH MERELY MEREST MERGE MERGED MERGER MERGERS MERGES MERGING MERIDIAN MERINGUE MERIT MERITED MERITING MERITORIOUS MERITORIOUSLY MERITORIOUSNESS MERITS MERIWETHER MERLE MERMAID MERRIAM MERRICK MERRIEST MERRILL MERRILY MERRIMAC MERRIMACK MERRIMENT MERRITT MERRY MERRYMAKE MERVIN MESCALINE MESH MESON MESOPOTAMIA MESOZOIC MESQUITE MESS MESSAGE MESSAGES MESSED MESSENGER MESSENGERS MESSES MESSIAH MESSIAHS MESSIER MESSIEST MESSILY MESSINESS MESSING MESSY MET META METABOLIC METABOLISM METACIRCULAR METACIRCULARITY METAL METALANGUAGE METALLIC METALLIZATION METALLIZATIONS METALLURGY METALS METAMATHEMATICAL METAMORPHOSIS METAPHOR METAPHORICAL METAPHORICALLY METAPHORS METAPHYSICAL METAPHYSICALLY METAPHYSICS METAVARIABLE METCALF METE METED METEOR METEORIC METEORITE METEORITIC METEOROLOGY METEORS METER METERING METERS METES METHANE METHOD METHODICAL METHODICALLY METHODICALNESS METHODISM METHODIST METHODISTS METHODOLOGICAL METHODOLOGICALLY METHODOLOGIES METHODOLOGISTS METHODOLOGY METHODS METHUEN METHUSELAH METHUSELAHS METICULOUSLY METING METRECAL METRIC METRICAL METRICS METRO METRONOME METROPOLIS METROPOLITAN METS METTLE METTLESOME METZLER MEW MEWED MEWS MEXICAN MEXICANIZE MEXICANIZES MEXICANS MEXICO MEYER MEYERS MIAMI MIASMA MICA MICE MICHAEL MICHAELS MICHEL MICHELANGELO MICHELE MICHELIN MICHELSON MICHIGAN MICK MICKEY MICKIE MICKY MICRO MICROARCHITECTS MICROARCHITECTURE MICROARCHITECTURES MICROBIAL MICROBICIDAL MICROBICIDE MICROCODE MICROCODED MICROCODES MICROCODING MICROCOMPUTER MICROCOMPUTERS MICROCOSM MICROCYCLE MICROCYCLES MICROECONOMICS MICROELECTRONICS MICROFILM MICROFILMS MICROFINANCE MICROGRAMMING MICROINSTRUCTION MICROINSTRUCTIONS MICROJUMP MICROJUMPS MICROLEVEL MICRON MICRONESIA MICRONESIAN MICROOPERATIONS MICROPHONE MICROPHONES MICROPHONING MICROPORT MICROPROCEDURE MICROPROCEDURES MICROPROCESSING MICROPROCESSOR MICROPROCESSORS MICROPROGRAM MICROPROGRAMMABLE MICROPROGRAMMED MICROPROGRAMMER MICROPROGRAMMING MICROPROGRAMS MICROS MICROSCOPE MICROSCOPES MICROSCOPIC MICROSCOPY MICROSECOND MICROSECONDS MICROSOFT MICROSTORE MICROSYSTEMS MICROVAX MICROVAXES MICROWAVE MICROWAVES MICROWORD MICROWORDS MID MIDAS MIDDAY MIDDLE MIDDLEBURY MIDDLEMAN MIDDLEMEN MIDDLES MIDDLESEX MIDDLETON MIDDLETOWN MIDDLING MIDGET MIDLANDIZE MIDLANDIZES MIDNIGHT MIDNIGHTS MIDPOINT MIDPOINTS MIDRANGE MIDSCALE MIDSECTION MIDSHIPMAN MIDSHIPMEN MIDST MIDSTREAM MIDSTS MIDSUMMER MIDWAY MIDWEEK MIDWEST MIDWESTERN MIDWESTERNER MIDWESTERNERS MIDWIFE MIDWINTER MIDWIVES MIEN MIGHT MIGHTIER MIGHTIEST MIGHTILY MIGHTINESS MIGHTY MIGRANT MIGRATE MIGRATED MIGRATES MIGRATING MIGRATION MIGRATIONS MIGRATORY MIGUEL MIKE MIKHAIL MIKOYAN MILAN MILD MILDER MILDEST MILDEW MILDLY MILDNESS MILDRED MILE MILEAGE MILES MILESTONE MILESTONES MILITANT MILITANTLY MILITARILY MILITARISM MILITARY MILITIA MILK MILKED MILKER MILKERS MILKINESS MILKING MILKMAID MILKMAIDS MILKS MILKY MILL MILLARD MILLED MILLENNIUM MILLER MILLET MILLIAMMETER MILLIAMPERE MILLIE MILLIJOULE MILLIKAN MILLIMETER MILLIMETERS MILLINERY MILLING MILLINGTON MILLION MILLIONAIRE MILLIONAIRES MILLIONS MILLIONTH MILLIPEDE MILLIPEDES MILLISECOND MILLISECONDS MILLIVOLT MILLIVOLTMETER MILLIWATT MILLS MILLSTONE MILLSTONES MILNE MILQUETOAST MILQUETOASTS MILTON MILTONIAN MILTONIC MILTONISM MILTONIST MILTONIZE MILTONIZED MILTONIZES MILTONIZING MILWAUKEE MIMEOGRAPH MIMI MIMIC MIMICKED MIMICKING MIMICS MINARET MINCE MINCED MINCEMEAT MINCES MINCING MIND MINDANAO MINDED MINDFUL MINDFULLY MINDFULNESS MINDING MINDLESS MINDLESSLY MINDS MINE MINED MINEFIELD MINER MINERAL MINERALS MINERS MINERVA MINES MINESWEEPER MINGLE MINGLED MINGLES MINGLING MINI MINIATURE MINIATURES MINIATURIZATION MINIATURIZE MINIATURIZED MINIATURIZES MINIATURIZING MINICOMPUTER MINICOMPUTERS MINIMA MINIMAL MINIMALLY MINIMAX MINIMIZATION MINIMIZATIONS MINIMIZE MINIMIZED MINIMIZER MINIMIZERS MINIMIZES MINIMIZING MINIMUM MINING MINION MINIS MINISTER MINISTERED MINISTERING MINISTERS MINISTRIES MINISTRY MINK MINKS MINNEAPOLIS MINNESOTA MINNIE MINNOW MINNOWS MINOAN MINOR MINORING MINORITIES MINORITY MINORS MINOS MINOTAUR MINSK MINSKY MINSTREL MINSTRELS MINT MINTED MINTER MINTING MINTS MINUEND MINUET MINUS MINUSCULE MINUTE MINUTELY MINUTEMAN MINUTEMEN MINUTENESS MINUTER MINUTES MIOCENE MIPS MIRA MIRACLE MIRACLES MIRACULOUS MIRACULOUSLY MIRAGE MIRANDA MIRE MIRED MIRES MIRFAK MIRIAM MIRROR MIRRORED MIRRORING MIRRORS MIRTH MISANTHROPE MISBEHAVING MISCALCULATION MISCALCULATIONS MISCARRIAGE MISCARRY MISCEGENATION MISCELLANEOUS MISCELLANEOUSLY MISCELLANEOUSNESS MISCHIEF MISCHIEVOUS MISCHIEVOUSLY MISCHIEVOUSNESS MISCONCEPTION MISCONCEPTIONS MISCONDUCT MISCONSTRUE MISCONSTRUED MISCONSTRUES MISDEMEANORS MISER MISERABLE MISERABLENESS MISERABLY MISERIES MISERLY MISERS MISERY MISFIT MISFITS MISFORTUNE MISFORTUNES MISGIVING MISGIVINGS MISGUIDED MISHAP MISHAPS MISINFORMED MISJUDGED MISJUDGMENT MISLEAD MISLEADING MISLEADS MISLED MISMANAGEMENT MISMATCH MISMATCHED MISMATCHES MISMATCHING MISNOMER MISPLACE MISPLACED MISPLACES MISPLACING MISPRONUNCIATION MISREPRESENTATION MISREPRESENTATIONS MISS MISSED MISSES MISSHAPEN MISSILE MISSILES MISSING MISSION MISSIONARIES MISSIONARY MISSIONER MISSIONS MISSISSIPPI MISSISSIPPIAN MISSISSIPPIANS MISSIVE MISSOULA MISSOURI MISSPELL MISSPELLED MISSPELLING MISSPELLINGS MISSPELLS MISSY MIST MISTAKABLE MISTAKE MISTAKEN MISTAKENLY MISTAKES MISTAKING MISTED MISTER MISTERS MISTINESS MISTING MISTLETOE MISTRESS MISTRUST MISTRUSTED MISTS MISTY MISTYPE MISTYPED MISTYPES MISTYPING MISUNDERSTAND MISUNDERSTANDER MISUNDERSTANDERS MISUNDERSTANDING MISUNDERSTANDINGS MISUNDERSTOOD MISUSE MISUSED MISUSES MISUSING MITCH MITCHELL MITER MITIGATE MITIGATED MITIGATES MITIGATING MITIGATION MITIGATIVE MITRE MITRES MITTEN MITTENS MIX MIXED MIXER MIXERS MIXES MIXING MIXTURE MIXTURES MIXUP MIZAR MNEMONIC MNEMONICALLY MNEMONICS MOAN MOANED MOANS MOAT MOATS MOB MOBIL MOBILE MOBILITY MOBS MOBSTER MOCCASIN MOCCASINS MOCK MOCKED MOCKER MOCKERY MOCKING MOCKINGBIRD MOCKS MOCKUP MODAL MODALITIES MODALITY MODALLY MODE MODEL MODELED MODELING MODELINGS MODELS MODEM MODEMS MODERATE MODERATED MODERATELY MODERATENESS MODERATES MODERATING MODERATION MODERN MODERNITY MODERNIZE MODERNIZED MODERNIZER MODERNIZING MODERNLY MODERNNESS MODERNS MODES MODEST MODESTLY MODESTO MODESTY MODICUM MODIFIABILITY MODIFIABLE MODIFICATION MODIFICATIONS MODIFIED MODIFIER MODIFIERS MODIFIES MODIFY MODIFYING MODULA MODULAR MODULARITY MODULARIZATION MODULARIZE MODULARIZED MODULARIZES MODULARIZING MODULARLY MODULATE MODULATED MODULATES MODULATING MODULATION MODULATIONS MODULATOR MODULATORS MODULE MODULES MODULI MODULO MODULUS MODUS MOE MOEN MOGADISCIO MOGADISHU MOGHUL MOHAMMED MOHAMMEDAN MOHAMMEDANISM MOHAMMEDANIZATION MOHAMMEDANIZATIONS MOHAMMEDANIZE MOHAMMEDANIZES MOHAWK MOHR MOINES MOISEYEV MOIST MOISTEN MOISTLY MOISTNESS MOISTURE MOLAR MOLASSES MOLD MOLDAVIA MOLDED MOLDER MOLDING MOLDS MOLE MOLECULAR MOLECULE MOLECULES MOLEHILL MOLES MOLEST MOLESTED MOLESTING MOLESTS MOLIERE MOLINE MOLL MOLLIE MOLLIFY MOLLUSK MOLLY MOLLYCODDLE MOLOCH MOLOCHIZE MOLOCHIZES MOLOTOV MOLTEN MOLUCCAS MOMENT MOMENTARILY MOMENTARINESS MOMENTARY MOMENTOUS MOMENTOUSLY MOMENTOUSNESS MOMENTS MOMENTUM MOMMY MONA MONACO MONADIC MONARCH MONARCHIES MONARCHS MONARCHY MONASH MONASTERIES MONASTERY MONASTIC MONDAY MONDAYS MONET MONETARISM MONETARY MONEY MONEYED MONEYS MONFORT MONGOLIA MONGOLIAN MONGOLIANISM MONGOOSE MONICA MONITOR MONITORED MONITORING MONITORS MONK MONKEY MONKEYED MONKEYING MONKEYS MONKISH MONKS MONMOUTH MONOALPHABETIC MONOCEROS MONOCHROMATIC MONOCHROME MONOCOTYLEDON MONOCULAR MONOGAMOUS MONOGAMY MONOGRAM MONOGRAMS MONOGRAPH MONOGRAPHES MONOGRAPHS MONOLITH MONOLITHIC MONOLOGUE MONONGAHELA MONOPOLIES MONOPOLIZE MONOPOLIZED MONOPOLIZING MONOPOLY MONOPROGRAMMED MONOPROGRAMMING MONOSTABLE MONOTHEISM MONOTONE MONOTONIC MONOTONICALLY MONOTONICITY MONOTONOUS MONOTONOUSLY MONOTONOUSNESS MONOTONY MONROE MONROVIA MONSANTO MONSOON MONSTER MONSTERS MONSTROSITY MONSTROUS MONSTROUSLY MONT MONTAGUE MONTAIGNE MONTANA MONTANAN MONTCLAIR MONTENEGRIN MONTENEGRO MONTEREY MONTEVERDI MONTEVIDEO MONTGOMERY MONTH MONTHLY MONTHS MONTICELLO MONTMARTRE MONTPELIER MONTRACHET MONTREAL MONTY MONUMENT MONUMENTAL MONUMENTALLY MONUMENTS MOO MOOD MOODINESS MOODS MOODY MOON MOONED MOONEY MOONING MOONLIGHT MOONLIGHTER MOONLIGHTING MOONLIKE MOONLIT MOONS MOONSHINE MOOR MOORE MOORED MOORING MOORINGS MOORISH MOORS MOOSE MOOT MOP MOPED MOPS MORAINE MORAL MORALE MORALITIES MORALITY MORALLY MORALS MORAN MORASS MORATORIUM MORAVIA MORAVIAN MORAVIANIZED MORAVIANIZEDS MORBID MORBIDLY MORBIDNESS MORE MOREHOUSE MORELAND MOREOVER MORES MORESBY MORGAN MORIARTY MORIBUND MORLEY MORMON MORN MORNING MORNINGS MOROCCAN MOROCCO MORON MOROSE MORPHINE MORPHISM MORPHISMS MORPHOLOGICAL MORPHOLOGY MORRILL MORRIS MORRISON MORRISSEY MORRISTOWN MORROW MORSE MORSEL MORSELS MORTAL MORTALITY MORTALLY MORTALS MORTAR MORTARED MORTARING MORTARS MORTEM MORTGAGE MORTGAGES MORTICIAN MORTIFICATION MORTIFIED MORTIFIES MORTIFY MORTIFYING MORTIMER MORTON MOSAIC MOSAICS MOSCONE MOSCOW MOSER MOSES MOSLEM MOSLEMIZE MOSLEMIZES MOSLEMS MOSQUE MOSQUITO MOSQUITOES MOSS MOSSBERG MOSSES MOSSY MOST MOSTLY MOTEL MOTELS MOTH MOTHBALL MOTHBALLS MOTHER MOTHERED MOTHERER MOTHERERS MOTHERHOOD MOTHERING MOTHERLAND MOTHERLY MOTHERS MOTIF MOTIFS MOTION MOTIONED MOTIONING MOTIONLESS MOTIONLESSLY MOTIONLESSNESS MOTIONS MOTIVATE MOTIVATED MOTIVATES MOTIVATING MOTIVATION MOTIVATIONS MOTIVE MOTIVES MOTLEY MOTOR MOTORCAR MOTORCARS MOTORCYCLE MOTORCYCLES MOTORING MOTORIST MOTORISTS MOTORIZE MOTORIZED MOTORIZES MOTORIZING MOTOROLA MOTORS MOTTO MOTTOES MOULD MOULDING MOULTON MOUND MOUNDED MOUNDS MOUNT MOUNTABLE MOUNTAIN MOUNTAINEER MOUNTAINEERING MOUNTAINEERS MOUNTAINOUS MOUNTAINOUSLY MOUNTAINS MOUNTED MOUNTER MOUNTING MOUNTINGS MOUNTS MOURN MOURNED MOURNER MOURNERS MOURNFUL MOURNFULLY MOURNFULNESS MOURNING MOURNS MOUSE MOUSER MOUSES MOUSETRAP MOUSY MOUTH MOUTHE MOUTHED MOUTHES MOUTHFUL MOUTHING MOUTHPIECE MOUTHS MOUTON MOVABLE MOVE MOVED MOVEMENT MOVEMENTS MOVER MOVERS MOVES MOVIE MOVIES MOVING MOVINGS MOW MOWED MOWER MOWS MOYER MOZART MUCH MUCK MUCKER MUCKING MUCUS MUD MUDD MUDDIED MUDDINESS MUDDLE MUDDLED MUDDLEHEAD MUDDLER MUDDLERS MUDDLES MUDDLING MUDDY MUELLER MUENSTER MUFF MUFFIN MUFFINS MUFFLE MUFFLED MUFFLER MUFFLES MUFFLING MUFFS MUG MUGGING MUGS MUHAMMAD MUIR MUKDEN MULATTO MULBERRIES MULBERRY MULE MULES MULL MULLAH MULLEN MULTI MULTIBIT MULTIBUS MULTIBYTE MULTICAST MULTICASTING MULTICASTS MULTICELLULAR MULTICOMPUTER MULTICS MULTICS MULTIDIMENSIONAL MULTILATERAL MULTILAYER MULTILAYERED MULTILEVEL MULTIMEDIA MULTINATIONAL MULTIPLE MULTIPLES MULTIPLEX MULTIPLEXED MULTIPLEXER MULTIPLEXERS MULTIPLEXES MULTIPLEXING MULTIPLEXOR MULTIPLEXORS MULTIPLICAND MULTIPLICANDS MULTIPLICATION MULTIPLICATIONS MULTIPLICATIVE MULTIPLICATIVES MULTIPLICITY MULTIPLIED MULTIPLIER MULTIPLIERS MULTIPLIES MULTIPLY MULTIPLYING MULTIPROCESS MULTIPROCESSING MULTIPROCESSOR MULTIPROCESSORS MULTIPROGRAM MULTIPROGRAMMED MULTIPROGRAMMING MULTISTAGE MULTITUDE MULTITUDES MULTIUSER MULTIVARIATE MULTIWORD MUMBLE MUMBLED MUMBLER MUMBLERS MUMBLES MUMBLING MUMBLINGS MUMFORD MUMMIES MUMMY MUNCH MUNCHED MUNCHING MUNCIE MUNDANE MUNDANELY MUNDT MUNG MUNICH MUNICIPAL MUNICIPALITIES MUNICIPALITY MUNICIPALLY MUNITION MUNITIONS MUNROE MUNSEY MUNSON MUONG MURAL MURDER MURDERED MURDERER MURDERERS MURDERING MURDEROUS MURDEROUSLY MURDERS MURIEL MURKY MURMUR MURMURED MURMURER MURMURING MURMURS MURPHY MURRAY MURROW MUSCAT MUSCLE MUSCLED MUSCLES MUSCLING MUSCOVITE MUSCOVY MUSCULAR MUSCULATURE MUSE MUSED MUSES MUSEUM MUSEUMS MUSH MUSHROOM MUSHROOMED MUSHROOMING MUSHROOMS MUSHY MUSIC MUSICAL MUSICALLY MUSICALS MUSICIAN MUSICIANLY MUSICIANS MUSICOLOGY MUSING MUSINGS MUSK MUSKEGON MUSKET MUSKETS MUSKOX MUSKOXEN MUSKRAT MUSKRATS MUSKS MUSLIM MUSLIMS MUSLIN MUSSEL MUSSELS MUSSOLINI MUSSOLINIS MUSSORGSKY MUST MUSTACHE MUSTACHED MUSTACHES MUSTARD MUSTER MUSTINESS MUSTS MUSTY MUTABILITY MUTABLE MUTABLENESS MUTANDIS MUTANT MUTATE MUTATED MUTATES MUTATING MUTATION MUTATIONS MUTATIS MUTATIVE MUTE MUTED MUTELY MUTENESS MUTILATE MUTILATED MUTILATES MUTILATING MUTILATION MUTINIES MUTINY MUTT MUTTER MUTTERED MUTTERER MUTTERERS MUTTERING MUTTERS MUTTON MUTUAL MUTUALLY MUZAK MUZO MUZZLE MUZZLES MYCENAE MYCENAEAN MYERS MYNHEER MYRA MYRIAD MYRON MYRTLE MYSELF MYSORE MYSTERIES MYSTERIOUS MYSTERIOUSLY MYSTERIOUSNESS MYSTERY MYSTIC MYSTICAL MYSTICS MYSTIFY MYTH MYTHICAL MYTHOLOGIES MYTHOLOGY NAB NABISCO NABLA NABLAS NADIA NADINE NADIR NAG NAGASAKI NAGGED NAGGING NAGOYA NAGS NAGY NAIL NAILED NAILING NAILS NAIR NAIROBI NAIVE NAIVELY NAIVENESS NAIVETE NAKAMURA NAKAYAMA NAKED NAKEDLY NAKEDNESS NAKOMA NAME NAMEABLE NAMED NAMELESS NAMELESSLY NAMELY NAMER NAMERS NAMES NAMESAKE NAMESAKES NAMING NAN NANCY NANETTE NANKING NANOINSTRUCTION NANOINSTRUCTIONS NANOOK NANOPROGRAM NANOPROGRAMMING NANOSECOND NANOSECONDS NANOSTORE NANOSTORES NANTUCKET NAOMI NAP NAPKIN NAPKINS NAPLES NAPOLEON NAPOLEONIC NAPOLEONIZE NAPOLEONIZES NAPS NARBONNE NARCISSUS NARCOTIC NARCOTICS NARRAGANSETT NARRATE NARRATION NARRATIVE NARRATIVES NARROW NARROWED NARROWER NARROWEST NARROWING NARROWLY NARROWNESS NARROWS NARY NASA NASAL NASALLY NASAS NASH NASHUA NASHVILLE NASSAU NASTIER NASTIEST NASTILY NASTINESS NASTY NAT NATAL NATALIE NATCHEZ NATE NATHAN NATHANIEL NATION NATIONAL NATIONALIST NATIONALISTS NATIONALITIES NATIONALITY NATIONALIZATION NATIONALIZE NATIONALIZED NATIONALIZES NATIONALIZING NATIONALLY NATIONALS NATIONHOOD NATIONS NATIONWIDE NATIVE NATIVELY NATIVES NATIVITY NATO NATOS NATURAL NATURALISM NATURALIST NATURALIZATION NATURALLY NATURALNESS NATURALS NATURE NATURED NATURES NAUGHT NAUGHTIER NAUGHTINESS NAUGHTY NAUR NAUSEA NAUSEATE NAUSEUM NAVAHO NAVAJO NAVAL NAVALLY NAVEL NAVIES NAVIGABLE NAVIGATE NAVIGATED NAVIGATES NAVIGATING NAVIGATION NAVIGATOR NAVIGATORS NAVONA NAVY NAY NAZARENE NAZARETH NAZI NAZIS NAZISM NDJAMENA NEAL NEANDERTHAL NEAPOLITAN NEAR NEARBY NEARED NEARER NEAREST NEARING NEARLY NEARNESS NEARS NEARSIGHTED NEAT NEATER NEATEST NEATLY NEATNESS NEBRASKA NEBRASKAN NEBUCHADNEZZAR NEBULA NEBULAR NEBULOUS NECESSARIES NECESSARILY NECESSARY NECESSITATE NECESSITATED NECESSITATES NECESSITATING NECESSITATION NECESSITIES NECESSITY NECK NECKING NECKLACE NECKLACES NECKLINE NECKS NECKTIE NECKTIES NECROSIS NECTAR NED NEED NEEDED NEEDFUL NEEDHAM NEEDING NEEDLE NEEDLED NEEDLER NEEDLERS NEEDLES NEEDLESS NEEDLESSLY NEEDLESSNESS NEEDLEWORK NEEDLING NEEDS NEEDY NEFF NEGATE NEGATED NEGATES NEGATING NEGATION NEGATIONS NEGATIVE NEGATIVELY NEGATIVES NEGATOR NEGATORS NEGLECT NEGLECTED NEGLECTING NEGLECTS NEGLIGEE NEGLIGENCE NEGLIGENT NEGLIGIBLE NEGOTIABLE NEGOTIATE NEGOTIATED NEGOTIATES NEGOTIATING NEGOTIATION NEGOTIATIONS NEGRO NEGROES NEGROID NEGROIZATION NEGROIZATIONS NEGROIZE NEGROIZES NEHRU NEIGH NEIGHBOR NEIGHBORHOOD NEIGHBORHOODS NEIGHBORING NEIGHBORLY NEIGHBORS NEIL NEITHER NELL NELLIE NELSEN NELSON NEMESIS NEOCLASSIC NEON NEONATAL NEOPHYTE NEOPHYTES NEPAL NEPALI NEPHEW NEPHEWS NEPTUNE NERO NERVE NERVES NERVOUS NERVOUSLY NERVOUSNESS NESS NEST NESTED NESTER NESTING NESTLE NESTLED NESTLES NESTLING NESTOR NESTS NET NETHER NETHERLANDS NETS NETTED NETTING NETTLE NETTLED NETWORK NETWORKED NETWORKING NETWORKS NEUMANN NEURAL NEURITIS NEUROLOGICAL NEUROLOGISTS NEURON NEURONS NEUROSES NEUROSIS NEUROTIC NEUTER NEUTRAL NEUTRALITIES NEUTRALITY NEUTRALIZE NEUTRALIZED NEUTRALIZING NEUTRALLY NEUTRINO NEUTRINOS NEUTRON NEVA NEVADA NEVER NEVERTHELESS NEVINS NEW NEWARK NEWBOLD NEWBORN NEWBURY NEWBURYPORT NEWCASTLE NEWCOMER NEWCOMERS NEWELL NEWER NEWEST NEWFOUNDLAND NEWLY NEWLYWED NEWMAN NEWMANIZE NEWMANIZES NEWNESS NEWPORT NEWS NEWSCAST NEWSGROUP NEWSLETTER NEWSLETTERS NEWSMAN NEWSMEN NEWSPAPER NEWSPAPERS NEWSSTAND NEWSWEEK NEWSWEEKLY NEWT NEWTON NEWTONIAN NEXT NGUYEN NIAGARA NIAMEY NIBBLE NIBBLED NIBBLER NIBBLERS NIBBLES NIBBLING NIBELUNG NICARAGUA NICCOLO NICE NICELY NICENESS NICER NICEST NICHE NICHOLAS NICHOLLS NICHOLS NICHOLSON NICK NICKED NICKEL NICKELS NICKER NICKING NICKLAUS NICKNAME NICKNAMED NICKNAMES NICKS NICODEMUS NICOSIA NICOTINE NIECE NIECES NIELSEN NIELSON NIETZSCHE NIFTY NIGER NIGERIA NIGERIAN NIGH NIGHT NIGHTCAP NIGHTCLUB NIGHTFALL NIGHTGOWN NIGHTINGALE NIGHTINGALES NIGHTLY NIGHTMARE NIGHTMARES NIGHTMARISH NIGHTS NIGHTTIME NIHILISM NIJINSKY NIKKO NIKOLAI NIL NILE NILSEN NILSSON NIMBLE NIMBLENESS NIMBLER NIMBLY NIMBUS NINA NINE NINEFOLD NINES NINETEEN NINETEENS NINETEENTH NINETIES NINETIETH NINETY NINEVEH NINTH NIOBE NIP NIPPLE NIPPON NIPPONIZE NIPPONIZES NIPS NITRIC NITROGEN NITROUS NITTY NIXON NOAH NOBEL NOBILITY NOBLE NOBLEMAN NOBLENESS NOBLER NOBLES NOBLEST NOBLY NOBODY NOCTURNAL NOCTURNALLY NOD NODAL NODDED NODDING NODE NODES NODS NODULAR NODULE NOEL NOETHERIAN NOISE NOISELESS NOISELESSLY NOISES NOISIER NOISILY NOISINESS NOISY NOLAN NOLL NOMENCLATURE NOMINAL NOMINALLY NOMINATE NOMINATED NOMINATING NOMINATION NOMINATIVE NOMINEE NON NONADAPTIVE NONBIODEGRADABLE NONBLOCKING NONCE NONCHALANT NONCOMMERCIAL NONCOMMUNICATION NONCONSECUTIVELY NONCONSERVATIVE NONCRITICAL NONCYCLIC NONDECREASING NONDESCRIPT NONDESCRIPTLY NONDESTRUCTIVELY NONDETERMINACY NONDETERMINATE NONDETERMINATELY NONDETERMINISM NONDETERMINISTIC NONDETERMINISTICALLY NONE NONEMPTY NONETHELESS NONEXISTENCE NONEXISTENT NONEXTENSIBLE NONFUNCTIONAL NONGOVERNMENTAL NONIDEMPOTENT NONINTERACTING NONINTERFERENCE NONINTERLEAVED NONINTRUSIVE NONINTUITIVE NONINVERTING NONLINEAR NONLINEARITIES NONLINEARITY NONLINEARLY NONLOCAL NONMASKABLE NONMATHEMATICAL NONMILITARY NONNEGATIVE NONNEGLIGIBLE NONNUMERICAL NONOGENARIAN NONORTHOGONAL NONORTHOGONALITY NONPERISHABLE NONPERSISTENT NONPORTABLE NONPROCEDURAL NONPROCEDURALLY NONPROFIT NONPROGRAMMABLE NONPROGRAMMER NONSEGMENTED NONSENSE NONSENSICAL NONSEQUENTIAL NONSPECIALIST NONSPECIALISTS NONSTANDARD NONSYNCHRONOUS NONTECHNICAL NONTERMINAL NONTERMINALS NONTERMINATING NONTERMINATION NONTHERMAL NONTRANSPARENT NONTRIVIAL NONUNIFORM NONUNIFORMITY NONZERO NOODLE NOOK NOOKS NOON NOONDAY NOONS NOONTIDE NOONTIME NOOSE NOR NORA NORDHOFF NORDIC NORDSTROM NOREEN NORFOLK NORM NORMA NORMAL NORMALCY NORMALITY NORMALIZATION NORMALIZE NORMALIZED NORMALIZES NORMALIZING NORMALLY NORMALS NORMAN NORMANDY NORMANIZATION NORMANIZATIONS NORMANIZE NORMANIZER NORMANIZERS NORMANIZES NORMATIVE NORMS NORRIS NORRISTOWN NORSE NORTH NORTHAMPTON NORTHBOUND NORTHEAST NORTHEASTER NORTHEASTERN NORTHERLY NORTHERN NORTHERNER NORTHERNERS NORTHERNLY NORTHFIELD NORTHROP NORTHRUP NORTHUMBERLAND NORTHWARD NORTHWARDS NORTHWEST NORTHWESTERN NORTON NORWALK NORWAY NORWEGIAN NORWICH NOSE NOSED NOSES NOSING NOSTALGIA NOSTALGIC NOSTRADAMUS NOSTRAND NOSTRIL NOSTRILS NOT NOTABLE NOTABLES NOTABLY NOTARIZE NOTARIZED NOTARIZES NOTARIZING NOTARY NOTATION NOTATIONAL NOTATIONS NOTCH NOTCHED NOTCHES NOTCHING NOTE NOTEBOOK NOTEBOOKS NOTED NOTES NOTEWORTHY NOTHING NOTHINGNESS NOTHINGS NOTICE NOTICEABLE NOTICEABLY NOTICED NOTICES NOTICING NOTIFICATION NOTIFICATIONS NOTIFIED NOTIFIER NOTIFIERS NOTIFIES NOTIFY NOTIFYING NOTING NOTION NOTIONS NOTORIETY NOTORIOUS NOTORIOUSLY NOTRE NOTTINGHAM NOTWITHSTANDING NOUAKCHOTT NOUN NOUNS NOURISH NOURISHED NOURISHES NOURISHING NOURISHMENT NOVAK NOVEL NOVELIST NOVELISTS NOVELS NOVELTIES NOVELTY NOVEMBER NOVEMBERS NOVICE NOVICES NOVOSIBIRSK NOW NOWADAYS NOWHERE NOXIOUS NOYES NOZZLE NUANCE NUANCES NUBIA NUBIAN NUBILE NUCLEAR NUCLEI NUCLEIC NUCLEOTIDE NUCLEOTIDES NUCLEUS NUCLIDE NUDE NUDGE NUDGED NUDITY NUGENT NUGGET NUISANCE NUISANCES NULL NULLARY NULLED NULLIFIED NULLIFIERS NULLIFIES NULLIFY NULLIFYING NULLS NUMB NUMBED NUMBER NUMBERED NUMBERER NUMBERING NUMBERLESS NUMBERS NUMBING NUMBLY NUMBNESS NUMBS NUMERABLE NUMERAL NUMERALS NUMERATOR NUMERATORS NUMERIC NUMERICAL NUMERICALLY NUMERICS NUMEROUS NUMISMATIC NUMISMATIST NUN NUNS NUPTIAL NURSE NURSED NURSERIES NURSERY NURSES NURSING NURTURE NURTURED NURTURES NURTURING NUT NUTATE NUTRIA NUTRIENT NUTRITION NUTRITIOUS NUTS NUTSHELL NUTSHELLS NUZZLE NYLON NYMPH NYMPHOMANIA NYMPHOMANIAC NYMPHS NYQUIST OAF OAK OAKEN OAKLAND OAKLEY OAKMONT OAKS OAR OARS OASES OASIS OAT OATEN OATH OATHS OATMEAL OATS OBEDIENCE OBEDIENCES OBEDIENT OBEDIENTLY OBELISK OBERLIN OBERON OBESE OBEY OBEYED OBEYING OBEYS OBFUSCATE OBFUSCATORY OBITUARY OBJECT OBJECTED OBJECTING OBJECTION OBJECTIONABLE OBJECTIONS OBJECTIVE OBJECTIVELY OBJECTIVES OBJECTOR OBJECTORS OBJECTS OBLIGATED OBLIGATION OBLIGATIONS OBLIGATORY OBLIGE OBLIGED OBLIGES OBLIGING OBLIGINGLY OBLIQUE OBLIQUELY OBLIQUENESS OBLITERATE OBLITERATED OBLITERATES OBLITERATING OBLITERATION OBLIVION OBLIVIOUS OBLIVIOUSLY OBLIVIOUSNESS OBLONG OBNOXIOUS OBOE OBSCENE OBSCURE OBSCURED OBSCURELY OBSCURER OBSCURES OBSCURING OBSCURITIES OBSCURITY OBSEQUIOUS OBSERVABLE OBSERVANCE OBSERVANCES OBSERVANT OBSERVATION OBSERVATIONS OBSERVATORY OBSERVE OBSERVED OBSERVER OBSERVERS OBSERVES OBSERVING OBSESSION OBSESSIONS OBSESSIVE OBSOLESCENCE OBSOLESCENT OBSOLETE OBSOLETED OBSOLETES OBSOLETING OBSTACLE OBSTACLES OBSTINACY OBSTINATE OBSTINATELY OBSTRUCT OBSTRUCTED OBSTRUCTING OBSTRUCTION OBSTRUCTIONS OBSTRUCTIVE OBTAIN OBTAINABLE OBTAINABLY OBTAINED OBTAINING OBTAINS OBVIATE OBVIATED OBVIATES OBVIATING OBVIATION OBVIATIONS OBVIOUS OBVIOUSLY OBVIOUSNESS OCCAM OCCASION OCCASIONAL OCCASIONALLY OCCASIONED OCCASIONING OCCASIONINGS OCCASIONS OCCIDENT OCCIDENTAL OCCIDENTALIZATION OCCIDENTALIZATIONS OCCIDENTALIZE OCCIDENTALIZED OCCIDENTALIZES OCCIDENTALIZING OCCIDENTALS OCCIPITAL OCCLUDE OCCLUDED OCCLUDES OCCLUSION OCCLUSIONS OCCULT OCCUPANCIES OCCUPANCY OCCUPANT OCCUPANTS OCCUPATION OCCUPATIONAL OCCUPATIONALLY OCCUPATIONS OCCUPIED OCCUPIER OCCUPIES OCCUPY OCCUPYING OCCUR OCCURRED OCCURRENCE OCCURRENCES OCCURRING OCCURS OCEAN OCEANIA OCEANIC OCEANOGRAPHY OCEANS OCONOMOWOC OCTAGON OCTAGONAL OCTAHEDRA OCTAHEDRAL OCTAHEDRON OCTAL OCTANE OCTAVE OCTAVES OCTAVIA OCTET OCTETS OCTOBER OCTOBERS OCTOGENARIAN OCTOPUS ODD ODDER ODDEST ODDITIES ODDITY ODDLY ODDNESS ODDS ODE ODERBERG ODERBERGS ODES ODESSA ODIN ODIOUS ODIOUSLY ODIOUSNESS ODIUM ODOR ODOROUS ODOROUSLY ODOROUSNESS ODORS ODYSSEUS ODYSSEY OEDIPAL OEDIPALLY OEDIPUS OFF OFFENBACH OFFEND OFFENDED OFFENDER OFFENDERS OFFENDING OFFENDS OFFENSE OFFENSES OFFENSIVE OFFENSIVELY OFFENSIVENESS OFFER OFFERED OFFERER OFFERERS OFFERING OFFERINGS OFFERS OFFHAND OFFICE OFFICEMATE OFFICER OFFICERS OFFICES OFFICIAL OFFICIALDOM OFFICIALLY OFFICIALS OFFICIATE OFFICIO OFFICIOUS OFFICIOUSLY OFFICIOUSNESS OFFING OFFLOAD OFFS OFFSET OFFSETS OFFSETTING OFFSHORE OFFSPRING OFT OFTEN OFTENTIMES OGDEN OHIO OHM OHMMETER OIL OILCLOTH OILED OILER OILERS OILIER OILIEST OILING OILS OILY OINTMENT OJIBWA OKAMOTO OKAY OKINAWA OKLAHOMA OKLAHOMAN OLAF OLAV OLD OLDEN OLDENBURG OLDER OLDEST OLDNESS OLDSMOBILE OLDUVAI OLDY OLEANDER OLEG OLEOMARGARINE OLGA OLIGARCHY OLIGOCENE OLIN OLIVE OLIVER OLIVERS OLIVES OLIVETTI OLIVIA OLIVIER OLSEN OLSON OLYMPIA OLYMPIAN OLYMPIANIZE OLYMPIANIZES OLYMPIC OLYMPICS OLYMPUS OMAHA OMAN OMEGA OMELET OMEN OMENS OMICRON OMINOUS OMINOUSLY OMINOUSNESS OMISSION OMISSIONS OMIT OMITS OMITTED OMITTING OMNIBUS OMNIDIRECTIONAL OMNIPOTENT OMNIPRESENT OMNISCIENT OMNISCIENTLY OMNIVORE ONANISM ONCE ONCOLOGY ONE ONEIDA ONENESS ONEROUS ONES ONESELF ONETIME ONGOING ONION ONIONS ONLINE ONLOOKER ONLY ONONDAGA ONRUSH ONSET ONSETS ONSLAUGHT ONTARIO ONTO ONTOLOGY ONUS ONWARD ONWARDS ONYX OOZE OOZED OPACITY OPAL OPALS OPAQUE OPAQUELY OPAQUENESS OPCODE OPEC OPEL OPEN OPENED OPENER OPENERS OPENING OPENINGS OPENLY OPENNESS OPENS OPERA OPERABLE OPERAND OPERANDI OPERANDS OPERAS OPERATE OPERATED OPERATES OPERATING OPERATION OPERATIONAL OPERATIONALLY OPERATIONS OPERATIVE OPERATIVES OPERATOR OPERATORS OPERETTA OPHIUCHUS OPHIUCUS OPIATE OPINION OPINIONS OPIUM OPOSSUM OPPENHEIMER OPPONENT OPPONENTS OPPORTUNE OPPORTUNELY OPPORTUNISM OPPORTUNISTIC OPPORTUNITIES OPPORTUNITY OPPOSABLE OPPOSE OPPOSED OPPOSES OPPOSING OPPOSITE OPPOSITELY OPPOSITENESS OPPOSITES OPPOSITION OPPRESS OPPRESSED OPPRESSES OPPRESSING OPPRESSION OPPRESSIVE OPPRESSOR OPPRESSORS OPPROBRIUM OPT OPTED OPTHALMIC OPTIC OPTICAL OPTICALLY OPTICS OPTIMA OPTIMAL OPTIMALITY OPTIMALLY OPTIMISM OPTIMIST OPTIMISTIC OPTIMISTICALLY OPTIMIZATION OPTIMIZATIONS OPTIMIZE OPTIMIZED OPTIMIZER OPTIMIZERS OPTIMIZES OPTIMIZING OPTIMUM OPTING OPTION OPTIONAL OPTIONALLY OPTIONS OPTOACOUSTIC OPTOMETRIST OPTOMETRY OPTS OPULENCE OPULENT OPUS ORACLE ORACLES ORAL ORALLY ORANGE ORANGES ORANGUTAN ORATION ORATIONS ORATOR ORATORIES ORATORS ORATORY ORB ORBIT ORBITAL ORBITALLY ORBITED ORBITER ORBITERS ORBITING ORBITS ORCHARD ORCHARDS ORCHESTRA ORCHESTRAL ORCHESTRAS ORCHESTRATE ORCHID ORCHIDS ORDAIN ORDAINED ORDAINING ORDAINS ORDEAL ORDER ORDERED ORDERING ORDERINGS ORDERLIES ORDERLY ORDERS ORDINAL ORDINANCE ORDINANCES ORDINARILY ORDINARINESS ORDINARY ORDINATE ORDINATES ORDINATION ORE OREGANO OREGON OREGONIANS ORES ORESTEIA ORESTES ORGAN ORGANIC ORGANISM ORGANISMS ORGANIST ORGANISTS ORGANIZABLE ORGANIZATION ORGANIZATIONAL ORGANIZATIONALLY ORGANIZATIONS ORGANIZE ORGANIZED ORGANIZER ORGANIZERS ORGANIZES ORGANIZING ORGANS ORGASM ORGIASTIC ORGIES ORGY ORIENT ORIENTAL ORIENTALIZATION ORIENTALIZATIONS ORIENTALIZE ORIENTALIZED ORIENTALIZES ORIENTALIZING ORIENTALS ORIENTATION ORIENTATIONS ORIENTED ORIENTING ORIENTS ORIFICE ORIFICES ORIGIN ORIGINAL ORIGINALITY ORIGINALLY ORIGINALS ORIGINATE ORIGINATED ORIGINATES ORIGINATING ORIGINATION ORIGINATOR ORIGINATORS ORIGINS ORIN ORINOCO ORIOLE ORION ORKNEY ORLANDO ORLEANS ORLICK ORLY ORNAMENT ORNAMENTAL ORNAMENTALLY ORNAMENTATION ORNAMENTED ORNAMENTING ORNAMENTS ORNATE ORNERY ORONO ORPHAN ORPHANAGE ORPHANED ORPHANS ORPHEUS ORPHIC ORPHICALLY ORR ORTEGA ORTHANT ORTHODONTIST ORTHODOX ORTHODOXY ORTHOGONAL ORTHOGONALITY ORTHOGONALLY ORTHOPEDIC ORVILLE ORWELL ORWELLIAN OSAKA OSBERT OSBORN OSBORNE OSCAR OSCILLATE OSCILLATED OSCILLATES OSCILLATING OSCILLATION OSCILLATIONS OSCILLATOR OSCILLATORS OSCILLATORY OSCILLOSCOPE OSCILLOSCOPES OSGOOD OSHKOSH OSIRIS OSLO OSMOSIS OSMOTIC OSSIFY OSTENSIBLE OSTENSIBLY OSTENTATIOUS OSTEOPATH OSTEOPATHIC OSTEOPATHY OSTEOPOROSIS OSTRACISM OSTRANDER OSTRICH OSTRICHES OSWALD OTHELLO OTHER OTHERS OTHERWISE OTHERWORLDLY OTIS OTT OTTAWA OTTER OTTERS OTTO OTTOMAN OTTOMANIZATION OTTOMANIZATIONS OTTOMANIZE OTTOMANIZES OUAGADOUGOU OUCH OUGHT OUNCE OUNCES OUR OURS OURSELF OURSELVES OUST OUT OUTBOUND OUTBREAK OUTBREAKS OUTBURST OUTBURSTS OUTCAST OUTCASTS OUTCOME OUTCOMES OUTCRIES OUTCRY OUTDATED OUTDO OUTDOOR OUTDOORS OUTER OUTERMOST OUTFIT OUTFITS OUTFITTED OUTGOING OUTGREW OUTGROW OUTGROWING OUTGROWN OUTGROWS OUTGROWTH OUTING OUTLANDISH OUTLAST OUTLASTS OUTLAW OUTLAWED OUTLAWING OUTLAWS OUTLAY OUTLAYS OUTLET OUTLETS OUTLINE OUTLINED OUTLINES OUTLINING OUTLIVE OUTLIVED OUTLIVES OUTLIVING OUTLOOK OUTLYING OUTNUMBERED OUTPERFORM OUTPERFORMED OUTPERFORMING OUTPERFORMS OUTPOST OUTPOSTS OUTPUT OUTPUTS OUTPUTTING OUTRAGE OUTRAGED OUTRAGEOUS OUTRAGEOUSLY OUTRAGES OUTRIGHT OUTRUN OUTRUNS OUTS OUTSET OUTSIDE OUTSIDER OUTSIDERS OUTSKIRTS OUTSTANDING OUTSTANDINGLY OUTSTRETCHED OUTSTRIP OUTSTRIPPED OUTSTRIPPING OUTSTRIPS OUTVOTE OUTVOTED OUTVOTES OUTVOTING OUTWARD OUTWARDLY OUTWEIGH OUTWEIGHED OUTWEIGHING OUTWEIGHS OUTWIT OUTWITS OUTWITTED OUTWITTING OVAL OVALS OVARIES OVARY OVEN OVENS OVER OVERALL OVERALLS OVERBOARD OVERCAME OVERCOAT OVERCOATS OVERCOME OVERCOMES OVERCOMING OVERCROWD OVERCROWDED OVERCROWDING OVERCROWDS OVERDONE OVERDOSE OVERDRAFT OVERDRAFTS OVERDUE OVEREMPHASIS OVEREMPHASIZED OVERESTIMATE OVERESTIMATED OVERESTIMATES OVERESTIMATING OVERESTIMATION OVERFLOW OVERFLOWED OVERFLOWING OVERFLOWS OVERGROWN OVERHANG OVERHANGING OVERHANGS OVERHAUL OVERHAULING OVERHEAD OVERHEADS OVERHEAR OVERHEARD OVERHEARING OVERHEARS OVERJOY OVERJOYED OVERKILL OVERLAND OVERLAP OVERLAPPED OVERLAPPING OVERLAPS OVERLAY OVERLAYING OVERLAYS OVERLOAD OVERLOADED OVERLOADING OVERLOADS OVERLOOK OVERLOOKED OVERLOOKING OVERLOOKS OVERLY OVERNIGHT OVERNIGHTER OVERNIGHTERS OVERPOWER OVERPOWERED OVERPOWERING OVERPOWERS OVERPRINT OVERPRINTED OVERPRINTING OVERPRINTS OVERPRODUCTION OVERRIDDEN OVERRIDE OVERRIDES OVERRIDING OVERRODE OVERRULE OVERRULED OVERRULES OVERRUN OVERRUNNING OVERRUNS OVERSEAS OVERSEE OVERSEEING OVERSEER OVERSEERS OVERSEES OVERSHADOW OVERSHADOWED OVERSHADOWING OVERSHADOWS OVERSHOOT OVERSHOT OVERSIGHT OVERSIGHTS OVERSIMPLIFIED OVERSIMPLIFIES OVERSIMPLIFY OVERSIMPLIFYING OVERSIZED OVERSTATE OVERSTATED OVERSTATEMENT OVERSTATEMENTS OVERSTATES OVERSTATING OVERSTOCKS OVERSUBSCRIBED OVERT OVERTAKE OVERTAKEN OVERTAKER OVERTAKERS OVERTAKES OVERTAKING OVERTHREW OVERTHROW OVERTHROWN OVERTIME OVERTLY OVERTONE OVERTONES OVERTOOK OVERTURE OVERTURES OVERTURN OVERTURNED OVERTURNING OVERTURNS OVERUSE OVERVIEW OVERVIEWS OVERWHELM OVERWHELMED OVERWHELMING OVERWHELMINGLY OVERWHELMS OVERWORK OVERWORKED OVERWORKING OVERWORKS OVERWRITE OVERWRITES OVERWRITING OVERWRITTEN OVERZEALOUS OVID OWE OWED OWEN OWENS OWES OWING OWL OWLS OWN OWNED OWNER OWNERS OWNERSHIP OWNERSHIPS OWNING OWNS OXEN OXFORD OXIDE OXIDES OXIDIZE OXIDIZED OXNARD OXONIAN OXYGEN OYSTER OYSTERS OZARK OZARKS OZONE OZZIE PABLO PABST PACE PACED PACEMAKER PACER PACERS PACES PACIFIC PACIFICATION PACIFIED PACIFIER PACIFIES PACIFISM PACIFIST PACIFY PACING PACK PACKAGE PACKAGED PACKAGER PACKAGERS PACKAGES PACKAGING PACKAGINGS PACKARD PACKARDS PACKED PACKER PACKERS PACKET PACKETS PACKING PACKS PACKWOOD PACT PACTS PAD PADDED PADDING PADDLE PADDOCK PADDY PADLOCK PADS PAGAN PAGANINI PAGANS PAGE PAGEANT PAGEANTRY PAGEANTS PAGED PAGER PAGERS PAGES PAGINATE PAGINATED PAGINATES PAGINATING PAGINATION PAGING PAGODA PAID PAIL PAILS PAIN PAINE PAINED PAINFUL PAINFULLY PAINLESS PAINS PAINSTAKING PAINSTAKINGLY PAINT PAINTED PAINTER PAINTERS PAINTING PAINTINGS PAINTS PAIR PAIRED PAIRING PAIRINGS PAIRS PAIRWISE PAJAMA PAJAMAS PAKISTAN PAKISTANI PAKISTANIS PAL PALACE PALACES PALATE PALATES PALATINE PALE PALED PALELY PALENESS PALEOLITHIC PALEOZOIC PALER PALERMO PALES PALEST PALESTINE PALESTINIAN PALFREY PALINDROME PALINDROMIC PALING PALL PALLADIAN PALLADIUM PALLIATE PALLIATIVE PALLID PALM PALMED PALMER PALMING PALMOLIVE PALMS PALMYRA PALO PALOMAR PALPABLE PALS PALSY PAM PAMELA PAMPER PAMPHLET PAMPHLETS PAN PANACEA PANACEAS PANAMA PANAMANIAN PANCAKE PANCAKES PANCHO PANDA PANDANUS PANDAS PANDEMIC PANDEMONIUM PANDER PANDORA PANE PANEL PANELED PANELING PANELIST PANELISTS PANELS PANES PANG PANGAEA PANGS PANIC PANICKED PANICKING PANICKY PANICS PANNED PANNING PANORAMA PANORAMIC PANS PANSIES PANSY PANT PANTED PANTHEISM PANTHEIST PANTHEON PANTHER PANTHERS PANTIES PANTING PANTOMIME PANTRIES PANTRY PANTS PANTY PANTYHOSE PAOLI PAPA PAPAL PAPER PAPERBACK PAPERBACKS PAPERED PAPERER PAPERERS PAPERING PAPERINGS PAPERS PAPERWEIGHT PAPERWORK PAPOOSE PAPPAS PAPUA PAPYRUS PAR PARABOLA PARABOLIC PARABOLOID PARABOLOIDAL PARACHUTE PARACHUTED PARACHUTES PARADE PARADED PARADES PARADIGM PARADIGMS PARADING PARADISE PARADOX PARADOXES PARADOXICAL PARADOXICALLY PARAFFIN PARAGON PARAGONS PARAGRAPH PARAGRAPHING PARAGRAPHS PARAGUAY PARAGUAYAN PARAGUAYANS PARAKEET PARALLAX PARALLEL PARALLELED PARALLELING PARALLELISM PARALLELIZE PARALLELIZED PARALLELIZES PARALLELIZING PARALLELOGRAM PARALLELOGRAMS PARALLELS PARALYSIS PARALYZE PARALYZED PARALYZES PARALYZING PARAMETER PARAMETERIZABLE PARAMETERIZATION PARAMETERIZATIONS PARAMETERIZE PARAMETERIZED PARAMETERIZES PARAMETERIZING PARAMETERLESS PARAMETERS PARAMETRIC PARAMETRIZED PARAMILITARY PARAMOUNT PARAMUS PARANOIA PARANOIAC PARANOID PARANORMAL PARAPET PARAPETS PARAPHERNALIA PARAPHRASE PARAPHRASED PARAPHRASES PARAPHRASING PARAPSYCHOLOGY PARASITE PARASITES PARASITIC PARASITICS PARASOL PARBOIL PARC PARCEL PARCELED PARCELING PARCELS PARCH PARCHED PARCHMENT PARDON PARDONABLE PARDONABLY PARDONED PARDONER PARDONERS PARDONING PARDONS PARE PAREGORIC PARENT PARENTAGE PARENTAL PARENTHESES PARENTHESIS PARENTHESIZED PARENTHESIZES PARENTHESIZING PARENTHETIC PARENTHETICAL PARENTHETICALLY PARENTHOOD PARENTS PARES PARETO PARIAH PARIMUTUEL PARING PARINGS PARIS PARISH PARISHES PARISHIONER PARISIAN PARISIANIZATION PARISIANIZATIONS PARISIANIZE PARISIANIZES PARITY PARK PARKE PARKED PARKER PARKERS PARKERSBURG PARKHOUSE PARKING PARKINSON PARKINSONIAN PARKLAND PARKLIKE PARKS PARKWAY PARLAY PARLEY PARLIAMENT PARLIAMENTARIAN PARLIAMENTARY PARLIAMENTS PARLOR PARLORS PARMESAN PAROCHIAL PARODY PAROLE PAROLED PAROLES PAROLING PARR PARRIED PARRISH PARROT PARROTING PARROTS PARRS PARRY PARS PARSE PARSED PARSER PARSERS PARSES PARSI PARSIFAL PARSIMONY PARSING PARSINGS PARSLEY PARSON PARSONS PART PARTAKE PARTAKER PARTAKES PARTAKING PARTED PARTER PARTERS PARTHENON PARTHIA PARTIAL PARTIALITY PARTIALLY PARTICIPANT PARTICIPANTS PARTICIPATE PARTICIPATED PARTICIPATES PARTICIPATING PARTICIPATION PARTICIPLE PARTICLE PARTICLES PARTICULAR PARTICULARLY PARTICULARS PARTICULATE PARTIES PARTING PARTINGS PARTISAN PARTISANS PARTITION PARTITIONED PARTITIONING PARTITIONS PARTLY PARTNER PARTNERED PARTNERS PARTNERSHIP PARTOOK PARTRIDGE PARTRIDGES PARTS PARTY PASADENA PASCAL PASCAL PASO PASS PASSAGE PASSAGES PASSAGEWAY PASSAIC PASSE PASSED PASSENGER PASSENGERS PASSER PASSERS PASSES PASSING PASSION PASSIONATE PASSIONATELY PASSIONS PASSIVATE PASSIVE PASSIVELY PASSIVENESS PASSIVITY PASSOVER PASSPORT PASSPORTS PASSWORD PASSWORDS PAST PASTE PASTED PASTEL PASTERNAK PASTES PASTEUR PASTIME PASTIMES PASTING PASTNESS PASTOR PASTORAL PASTORS PASTRY PASTS PASTURE PASTURES PAT PATAGONIA PATAGONIANS PATCH PATCHED PATCHES PATCHING PATCHWORK PATCHY PATE PATEN PATENT PATENTABLE PATENTED PATENTER PATENTERS PATENTING PATENTLY PATENTS PATERNAL PATERNALLY PATERNOSTER PATERSON PATH PATHETIC PATHNAME PATHNAMES PATHOGEN PATHOGENESIS PATHOLOGICAL PATHOLOGY PATHOS PATHS PATHWAY PATHWAYS PATIENCE PATIENT PATIENTLY PATIENTS PATINA PATIO PATRIARCH PATRIARCHAL PATRIARCHS PATRIARCHY PATRICE PATRICIA PATRICIAN PATRICIANS PATRICK PATRIMONIAL PATRIMONY PATRIOT PATRIOTIC PATRIOTISM PATRIOTS PATROL PATROLLED PATROLLING PATROLMAN PATROLMEN PATROLS PATRON PATRONAGE PATRONIZE PATRONIZED PATRONIZES PATRONIZING PATRONS PATS PATSIES PATSY PATTER PATTERED PATTERING PATTERINGS PATTERN PATTERNED PATTERNING PATTERNS PATTERS PATTERSON PATTI PATTIES PATTON PATTY PAUCITY PAUL PAULA PAULETTE PAULI PAULINE PAULING PAULINIZE PAULINIZES PAULO PAULSEN PAULSON PAULUS PAUNCH PAUNCHY PAUPER PAUSE PAUSED PAUSES PAUSING PAVE PAVED PAVEMENT PAVEMENTS PAVES PAVILION PAVILIONS PAVING PAVLOV PAVLOVIAN PAW PAWING PAWN PAWNS PAWNSHOP PAWS PAWTUCKET PAY PAYABLE PAYCHECK PAYCHECKS PAYED PAYER PAYERS PAYING PAYMENT PAYMENTS PAYNE PAYNES PAYNIZE PAYNIZES PAYOFF PAYOFFS PAYROLL PAYS PAYSON PAZ PEA PEABODY PEACE PEACEABLE PEACEFUL PEACEFULLY PEACEFULNESS PEACETIME PEACH PEACHES PEACHTREE PEACOCK PEACOCKS PEAK PEAKED PEAKS PEAL PEALE PEALED PEALING PEALS PEANUT PEANUTS PEAR PEARCE PEARL PEARLS PEARLY PEARS PEARSON PEAS PEASANT PEASANTRY PEASANTS PEASE PEAT PEBBLE PEBBLES PECCARY PECK PECKED PECKING PECKS PECOS PECTORAL PECULIAR PECULIARITIES PECULIARITY PECULIARLY PECUNIARY PEDAGOGIC PEDAGOGICAL PEDAGOGICALLY PEDAGOGY PEDAL PEDANT PEDANTIC PEDANTRY PEDDLE PEDDLER PEDDLERS PEDESTAL PEDESTRIAN PEDESTRIANS PEDIATRIC PEDIATRICIAN PEDIATRICS PEDIGREE PEDRO PEEK PEEKED PEEKING PEEKS PEEL PEELED PEELING PEELS PEEP PEEPED PEEPER PEEPHOLE PEEPING PEEPS PEER PEERED PEERING PEERLESS PEERS PEG PEGASUS PEGBOARD PEGGY PEGS PEIPING PEJORATIVE PEKING PELHAM PELICAN PELLAGRA PELOPONNESE PELT PELTING PELTS PELVIC PELVIS PEMBROKE PEN PENAL PENALIZE PENALIZED PENALIZES PENALIZING PENALTIES PENALTY PENANCE PENCE PENCHANT PENCIL PENCILED PENCILS PEND PENDANT PENDED PENDING PENDLETON PENDS PENDULUM PENDULUMS PENELOPE PENETRABLE PENETRATE PENETRATED PENETRATES PENETRATING PENETRATINGLY PENETRATION PENETRATIONS PENETRATIVE PENETRATOR PENETRATORS PENGUIN PENGUINS PENH PENICILLIN PENINSULA PENINSULAS PENIS PENISES PENITENT PENITENTIARY PENN PENNED PENNIES PENNILESS PENNING PENNSYLVANIA PENNY PENROSE PENS PENSACOLA PENSION PENSIONER PENSIONS PENSIVE PENT PENTAGON PENTAGONS PENTATEUCH PENTECOST PENTECOSTAL PENTHOUSE PENULTIMATE PENUMBRA PEONY PEOPLE PEOPLED PEOPLES PEORIA PEP PEPPER PEPPERED PEPPERING PEPPERMINT PEPPERONI PEPPERS PEPPERY PEPPY PEPSI PEPSICO PEPSICO PEPTIDE PER PERCEIVABLE PERCEIVABLY PERCEIVE PERCEIVED PERCEIVER PERCEIVERS PERCEIVES PERCEIVING PERCENT PERCENTAGE PERCENTAGES PERCENTILE PERCENTILES PERCENTS PERCEPTIBLE PERCEPTIBLY PERCEPTION PERCEPTIONS PERCEPTIVE PERCEPTIVELY PERCEPTUAL PERCEPTUALLY PERCH PERCHANCE PERCHED PERCHES PERCHING PERCIVAL PERCUSSION PERCUTANEOUS PERCY PEREMPTORY PERENNIAL PERENNIALLY PEREZ PERFECT PERFECTED PERFECTIBLE PERFECTING PERFECTION PERFECTIONIST PERFECTIONISTS PERFECTLY PERFECTNESS PERFECTS PERFORCE PERFORM PERFORMANCE PERFORMANCES PERFORMED PERFORMER PERFORMERS PERFORMING PERFORMS PERFUME PERFUMED PERFUMES PERFUMING PERFUNCTORY PERGAMON PERHAPS PERICLEAN PERICLES PERIHELION PERIL PERILLA PERILOUS PERILOUSLY PERILS PERIMETER PERIOD PERIODIC PERIODICAL PERIODICALLY PERIODICALS PERIODS PERIPHERAL PERIPHERALLY PERIPHERALS PERIPHERIES PERIPHERY PERISCOPE PERISH PERISHABLE PERISHABLES PERISHED PERISHER PERISHERS PERISHES PERISHING PERJURE PERJURY PERK PERKINS PERKY PERLE PERMANENCE PERMANENT PERMANENTLY PERMEABLE PERMEATE PERMEATED PERMEATES PERMEATING PERMEATION PERMIAN PERMISSIBILITY PERMISSIBLE PERMISSIBLY PERMISSION PERMISSIONS PERMISSIVE PERMISSIVELY PERMIT PERMITS PERMITTED PERMITTING PERMUTATION PERMUTATIONS PERMUTE PERMUTED PERMUTES PERMUTING PERNICIOUS PERNOD PEROXIDE PERPENDICULAR PERPENDICULARLY PERPENDICULARS PERPETRATE PERPETRATED PERPETRATES PERPETRATING PERPETRATION PERPETRATIONS PERPETRATOR PERPETRATORS PERPETUAL PERPETUALLY PERPETUATE PERPETUATED PERPETUATES PERPETUATING PERPETUATION PERPETUITY PERPLEX PERPLEXED PERPLEXING PERPLEXITY PERRY PERSECUTE PERSECUTED PERSECUTES PERSECUTING PERSECUTION PERSECUTOR PERSECUTORS PERSEID PERSEPHONE PERSEUS PERSEVERANCE PERSEVERE PERSEVERED PERSEVERES PERSEVERING PERSHING PERSIA PERSIAN PERSIANIZATION PERSIANIZATIONS PERSIANIZE PERSIANIZES PERSIANS PERSIST PERSISTED PERSISTENCE PERSISTENT PERSISTENTLY PERSISTING PERSISTS PERSON PERSONAGE PERSONAGES PERSONAL PERSONALITIES PERSONALITY PERSONALIZATION PERSONALIZE PERSONALIZED PERSONALIZES PERSONALIZING PERSONALLY PERSONIFICATION PERSONIFIED PERSONIFIES PERSONIFY PERSONIFYING PERSONNEL PERSONS PERSPECTIVE PERSPECTIVES PERSPICUOUS PERSPICUOUSLY PERSPIRATION PERSPIRE PERSUADABLE PERSUADE PERSUADED PERSUADER PERSUADERS PERSUADES PERSUADING PERSUASION PERSUASIONS PERSUASIVE PERSUASIVELY PERSUASIVENESS PERTAIN PERTAINED PERTAINING PERTAINS PERTH PERTINENT PERTURB PERTURBATION PERTURBATIONS PERTURBED PERU PERUSAL PERUSE PERUSED PERUSER PERUSERS PERUSES PERUSING PERUVIAN PERUVIANIZE PERUVIANIZES PERUVIANS PERVADE PERVADED PERVADES PERVADING PERVASIVE PERVASIVELY PERVERSION PERVERT PERVERTED PERVERTS PESSIMISM PESSIMIST PESSIMISTIC PEST PESTER PESTICIDE PESTILENCE PESTILENT PESTS PET PETAL PETALS PETE PETER PETERS PETERSBURG PETERSEN PETERSON PETITION PETITIONED PETITIONER PETITIONING PETITIONS PETKIEWICZ PETRI PETROLEUM PETS PETTED PETTER PETTERS PETTIBONE PETTICOAT PETTICOATS PETTINESS PETTING PETTY PETULANCE PETULANT PEUGEOT PEW PEWAUKEE PEWS PEWTER PFIZER PHAEDRA PHANTOM PHANTOMS PHARMACEUTIC PHARMACIST PHARMACOLOGY PHARMACOPOEIA PHARMACY PHASE PHASED PHASER PHASERS PHASES PHASING PHEASANT PHEASANTS PHELPS PHENOMENA PHENOMENAL PHENOMENALLY PHENOMENOLOGICAL PHENOMENOLOGICALLY PHENOMENOLOGIES PHENOMENOLOGY PHENOMENON PHI PHIGS PHIL PHILADELPHIA PHILANTHROPY PHILCO PHILHARMONIC PHILIP PHILIPPE PHILIPPIANS PHILIPPINE PHILIPPINES PHILISTINE PHILISTINES PHILISTINIZE PHILISTINIZES PHILLIES PHILLIP PHILLIPS PHILLY PHILOSOPHER PHILOSOPHERS PHILOSOPHIC PHILOSOPHICAL PHILOSOPHICALLY PHILOSOPHIES PHILOSOPHIZE PHILOSOPHIZED PHILOSOPHIZER PHILOSOPHIZERS PHILOSOPHIZES PHILOSOPHIZING PHILOSOPHY PHIPPS PHOBOS PHOENICIA PHOENIX PHONE PHONED PHONEME PHONEMES PHONEMIC PHONES PHONETIC PHONETICS PHONING PHONOGRAPH PHONOGRAPHS PHONY PHOSGENE PHOSPHATE PHOSPHATES PHOSPHOR PHOSPHORESCENT PHOSPHORIC PHOSPHORUS PHOTO PHOTOCOPIED PHOTOCOPIER PHOTOCOPIERS PHOTOCOPIES PHOTOCOPY PHOTOCOPYING PHOTODIODE PHOTODIODES PHOTOGENIC PHOTOGRAPH PHOTOGRAPHED PHOTOGRAPHER PHOTOGRAPHERS PHOTOGRAPHIC PHOTOGRAPHING PHOTOGRAPHS PHOTOGRAPHY PHOTON PHOTOS PHOTOSENSITIVE PHOTOTYPESETTER PHOTOTYPESETTERS PHRASE PHRASED PHRASEOLOGY PHRASES PHRASING PHRASINGS PHYLA PHYLLIS PHYLUM PHYSIC PHYSICAL PHYSICALLY PHYSICALNESS PHYSICALS PHYSICIAN PHYSICIANS PHYSICIST PHYSICISTS PHYSICS PHYSIOLOGICAL PHYSIOLOGICALLY PHYSIOLOGY PHYSIOTHERAPIST PHYSIOTHERAPY PHYSIQUE PHYTOPLANKTON PIANIST PIANO PIANOS PICA PICAS PICASSO PICAYUNE PICCADILLY PICCOLO PICK PICKAXE PICKED PICKER PICKERING PICKERS PICKET PICKETED PICKETER PICKETERS PICKETING PICKETS PICKETT PICKFORD PICKING PICKINGS PICKLE PICKLED PICKLES PICKLING PICKMAN PICKS PICKUP PICKUPS PICKY PICNIC PICNICKED PICNICKING PICNICS PICOFARAD PICOJOULE PICOSECOND PICT PICTORIAL PICTORIALLY PICTURE PICTURED PICTURES PICTURESQUE PICTURESQUENESS PICTURING PIDDLE PIDGIN PIE PIECE PIECED PIECEMEAL PIECES PIECEWISE PIECING PIEDFORT PIEDMONT PIER PIERCE PIERCED PIERCES PIERCING PIERRE PIERS PIERSON PIES PIETY PIEZOELECTRIC PIG PIGEON PIGEONHOLE PIGEONS PIGGISH PIGGY PIGGYBACK PIGGYBACKED PIGGYBACKING PIGGYBACKS PIGMENT PIGMENTATION PIGMENTED PIGMENTS PIGPEN PIGS PIGSKIN PIGTAIL PIKE PIKER PIKES PILATE PILE PILED PILERS PILES PILFER PILFERAGE PILGRIM PILGRIMAGE PILGRIMAGES PILGRIMS PILING PILINGS PILL PILLAGE PILLAGED PILLAR PILLARED PILLARS PILLORY PILLOW PILLOWS PILLS PILLSBURY PILOT PILOTING PILOTS PIMP PIMPLE PIN PINAFORE PINBALL PINCH PINCHED PINCHES PINCHING PINCUSHION PINE PINEAPPLE PINEAPPLES PINED PINEHURST PINES PING PINHEAD PINHOLE PINING PINION PINK PINKER PINKEST PINKIE PINKISH PINKLY PINKNESS PINKS PINNACLE PINNACLES PINNED PINNING PINNINGS PINOCHLE PINPOINT PINPOINTING PINPOINTS PINS PINSCHER PINSKY PINT PINTO PINTS PINWHEEL PION PIONEER PIONEERED PIONEERING PIONEERS PIOTR PIOUS PIOUSLY PIP PIPE PIPED PIPELINE PIPELINED PIPELINES PIPELINING PIPER PIPERS PIPES PIPESTONE PIPETTE PIPING PIQUE PIRACY PIRAEUS PIRATE PIRATES PISA PISCATAWAY PISCES PISS PISTACHIO PISTIL PISTILS PISTOL PISTOLS PISTON PISTONS PIT PITCH PITCHED PITCHER PITCHERS PITCHES PITCHFORK PITCHING PITEOUS PITEOUSLY PITFALL PITFALLS PITH PITHED PITHES PITHIER PITHIEST PITHINESS PITHING PITHY PITIABLE PITIED PITIER PITIERS PITIES PITIFUL PITIFULLY PITILESS PITILESSLY PITNEY PITS PITT PITTED PITTSBURGH PITTSBURGHERS PITTSFIELD PITTSTON PITUITARY PITY PITYING PITYINGLY PIUS PIVOT PIVOTAL PIVOTING PIVOTS PIXEL PIXELS PIZARRO PIZZA PLACARD PLACARDS PLACATE PLACE PLACEBO PLACED PLACEHOLDER PLACEMENT PLACEMENTS PLACENTA PLACENTAL PLACER PLACES PLACID PLACIDLY PLACING PLAGIARISM PLAGIARIST PLAGUE PLAGUED PLAGUES PLAGUING PLAID PLAIDS PLAIN PLAINER PLAINEST PLAINFIELD PLAINLY PLAINNESS PLAINS PLAINTEXT PLAINTEXTS PLAINTIFF PLAINTIFFS PLAINTIVE PLAINTIVELY PLAINTIVENESS PLAINVIEW PLAIT PLAITS PLAN PLANAR PLANARITY PLANCK PLANE PLANED PLANELOAD PLANER PLANERS PLANES PLANET PLANETARIA PLANETARIUM PLANETARY PLANETESIMAL PLANETOID PLANETS PLANING PLANK PLANKING PLANKS PLANKTON PLANNED PLANNER PLANNERS PLANNING PLANOCONCAVE PLANOCONVEX PLANS PLANT PLANTATION PLANTATIONS PLANTED PLANTER PLANTERS PLANTING PLANTINGS PLANTS PLAQUE PLASMA PLASTER PLASTERED PLASTERER PLASTERING PLASTERS PLASTIC PLASTICITY PLASTICS PLATE PLATEAU PLATEAUS PLATED PLATELET PLATELETS PLATEN PLATENS PLATES PLATFORM PLATFORMS PLATING PLATINUM PLATITUDE PLATO PLATONIC PLATONISM PLATONIST PLATOON PLATTE PLATTER PLATTERS PLATTEVILLE PLAUSIBILITY PLAUSIBLE PLAY PLAYABLE PLAYBACK PLAYBOY PLAYED PLAYER PLAYERS PLAYFUL PLAYFULLY PLAYFULNESS PLAYGROUND PLAYGROUNDS PLAYHOUSE PLAYING PLAYMATE PLAYMATES PLAYOFF PLAYROOM PLAYS PLAYTHING PLAYTHINGS PLAYTIME PLAYWRIGHT PLAYWRIGHTS PLAYWRITING PLAZA PLEA PLEAD PLEADED PLEADER PLEADING PLEADS PLEAS PLEASANT PLEASANTLY PLEASANTNESS PLEASE PLEASED PLEASES PLEASING PLEASINGLY PLEASURE PLEASURES PLEAT PLEBEIAN PLEBIAN PLEBISCITE PLEBISCITES PLEDGE PLEDGED PLEDGES PLEIADES PLEISTOCENE PLENARY PLENIPOTENTIARY PLENTEOUS PLENTIFUL PLENTIFULLY PLENTY PLETHORA PLEURISY PLEXIGLAS PLIABLE PLIANT PLIED PLIERS PLIES PLIGHT PLINY PLIOCENE PLOD PLODDING PLOT PLOTS PLOTTED PLOTTER PLOTTERS PLOTTING PLOW PLOWED PLOWER PLOWING PLOWMAN PLOWS PLOWSHARE PLOY PLOYS PLUCK PLUCKED PLUCKING PLUCKS PLUCKY PLUG PLUGGABLE PLUGGED PLUGGING PLUGS PLUM PLUMAGE PLUMB PLUMBED PLUMBING PLUMBS PLUME PLUMED PLUMES PLUMMET PLUMMETING PLUMP PLUMPED PLUMPNESS PLUMS PLUNDER PLUNDERED PLUNDERER PLUNDERERS PLUNDERING PLUNDERS PLUNGE PLUNGED PLUNGER PLUNGERS PLUNGES PLUNGING PLUNK PLURAL PLURALITY PLURALS PLUS PLUSES PLUSH PLUTARCH PLUTO PLUTONIUM PLY PLYMOUTH PLYWOOD PNEUMATIC PNEUMONIA POACH POACHER POACHES POCAHONTAS POCKET POCKETBOOK POCKETBOOKS POCKETED POCKETFUL POCKETING POCKETS POCONO POCONOS POD PODIA PODIUM PODS PODUNK POE POEM POEMS POET POETIC POETICAL POETICALLY POETICS POETRIES POETRY POETS POGO POGROM POIGNANCY POIGNANT POINCARE POINDEXTER POINT POINTED POINTEDLY POINTER POINTERS POINTING POINTLESS POINTS POINTY POISE POISED POISES POISON POISONED POISONER POISONING POISONOUS POISONOUSNESS POISONS POISSON POKE POKED POKER POKERFACE POKES POKING POLAND POLAR POLARIS POLARITIES POLARITY POLAROID POLE POLECAT POLED POLEMIC POLEMICS POLES POLICE POLICED POLICEMAN POLICEMEN POLICES POLICIES POLICING POLICY POLING POLIO POLISH POLISHED POLISHER POLISHERS POLISHES POLISHING POLITBURO POLITE POLITELY POLITENESS POLITER POLITEST POLITIC POLITICAL POLITICALLY POLITICIAN POLITICIANS POLITICKING POLITICS POLK POLKA POLL POLLARD POLLED POLLEN POLLING POLLOI POLLS POLLUTANT POLLUTE POLLUTED POLLUTES POLLUTING POLLUTION POLLUX POLO POLYALPHABETIC POLYGON POLYGONS POLYHYMNIA POLYMER POLYMERS POLYMORPHIC POLYNESIA POLYNESIAN POLYNOMIAL POLYNOMIALS POLYPHEMUS POLYTECHNIC POLYTHEIST POMERANIA POMERANIAN POMONA POMP POMPADOUR POMPEII POMPEY POMPOSITY POMPOUS POMPOUSLY POMPOUSNESS PONCE PONCHARTRAIN PONCHO POND PONDER PONDERED PONDERING PONDEROUS PONDERS PONDS PONG PONIES PONTIAC PONTIFF PONTIFIC PONTIFICATE PONY POOCH POODLE POOL POOLE POOLED POOLING POOLS POOR POORER POOREST POORLY POORNESS POP POPCORN POPE POPEK POPEKS POPISH POPLAR POPLIN POPPED POPPIES POPPING POPPY POPS POPSICLE POPSICLES POPULACE POPULAR POPULARITY POPULARIZATION POPULARIZE POPULARIZED POPULARIZES POPULARIZING POPULARLY POPULATE POPULATED POPULATES POPULATING POPULATION POPULATIONS POPULOUS POPULOUSNESS PORCELAIN PORCH PORCHES PORCINE PORCUPINE PORCUPINES PORE PORED PORES PORING PORK PORKER PORNOGRAPHER PORNOGRAPHIC PORNOGRAPHY POROUS PORPOISE PORRIDGE PORT PORTABILITY PORTABLE PORTAGE PORTAL PORTALS PORTE PORTED PORTEND PORTENDED PORTENDING PORTENDS PORTENT PORTENTOUS PORTER PORTERHOUSE PORTERS PORTFOLIO PORTFOLIOS PORTIA PORTICO PORTING PORTION PORTIONS PORTLAND PORTLY PORTMANTEAU PORTO PORTRAIT PORTRAITS PORTRAY PORTRAYAL PORTRAYED PORTRAYING PORTRAYS PORTS PORTSMOUTH PORTUGAL PORTUGUESE POSE POSED POSEIDON POSER POSERS POSES POSH POSING POSIT POSITED POSITING POSITION POSITIONAL POSITIONED POSITIONING POSITIONS POSITIVE POSITIVELY POSITIVENESS POSITIVES POSITRON POSITS POSNER POSSE POSSESS POSSESSED POSSESSES POSSESSING POSSESSION POSSESSIONAL POSSESSIONS POSSESSIVE POSSESSIVELY POSSESSIVENESS POSSESSOR POSSESSORS POSSIBILITIES POSSIBILITY POSSIBLE POSSIBLY POSSUM POSSUMS POST POSTAGE POSTAL POSTCARD POSTCONDITION POSTDOCTORAL POSTED POSTER POSTERIOR POSTERIORI POSTERITY POSTERS POSTFIX POSTGRADUATE POSTING POSTLUDE POSTMAN POSTMARK POSTMASTER POSTMASTERS POSTMORTEM POSTOPERATIVE POSTORDER POSTPONE POSTPONED POSTPONING POSTPROCESS POSTPROCESSOR POSTS POSTSCRIPT POSTSCRIPTS POSTULATE POSTULATED POSTULATES POSTULATING POSTULATION POSTULATIONS POSTURE POSTURES POT POTABLE POTASH POTASSIUM POTATO POTATOES POTBELLY POTEMKIN POTENT POTENTATE POTENTATES POTENTIAL POTENTIALITIES POTENTIALITY POTENTIALLY POTENTIALS POTENTIATING POTENTIOMETER POTENTIOMETERS POTHOLE POTION POTLATCH POTOMAC POTPOURRI POTS POTSDAM POTTAWATOMIE POTTED POTTER POTTERS POTTERY POTTING POTTS POUCH POUCHES POUGHKEEPSIE POULTICE POULTRY POUNCE POUNCED POUNCES POUNCING POUND POUNDED POUNDER POUNDERS POUNDING POUNDS POUR POURED POURER POURERS POURING POURS POUSSIN POUSSINS POUT POUTED POUTING POUTS POVERTY POWDER POWDERED POWDERING POWDERPUFF POWDERS POWDERY POWELL POWER POWERED POWERFUL POWERFULLY POWERFULNESS POWERING POWERLESS POWERLESSLY POWERLESSNESS POWERS POX POYNTING PRACTICABLE PRACTICABLY PRACTICAL PRACTICALITY PRACTICALLY PRACTICE PRACTICED PRACTICES PRACTICING PRACTITIONER PRACTITIONERS PRADESH PRADO PRAGMATIC PRAGMATICALLY PRAGMATICS PRAGMATISM PRAGMATIST PRAGUE PRAIRIE PRAISE PRAISED PRAISER PRAISERS PRAISES PRAISEWORTHY PRAISING PRAISINGLY PRANCE PRANCED PRANCER PRANCING PRANK PRANKS PRATE PRATT PRATTVILLE PRAVDA PRAY PRAYED PRAYER PRAYERS PRAYING PREACH PREACHED PREACHER PREACHERS PREACHES PREACHING PREALLOCATE PREALLOCATED PREALLOCATING PREAMBLE PREAMBLES PREASSIGN PREASSIGNED PREASSIGNING PREASSIGNS PRECAMBRIAN PRECARIOUS PRECARIOUSLY PRECARIOUSNESS PRECAUTION PRECAUTIONS PRECEDE PRECEDED PRECEDENCE PRECEDENCES PRECEDENT PRECEDENTED PRECEDENTS PRECEDES PRECEDING PRECEPT PRECEPTS PRECESS PRECESSION PRECINCT PRECINCTS PRECIOUS PRECIOUSLY PRECIOUSNESS PRECIPICE PRECIPITABLE PRECIPITATE PRECIPITATED PRECIPITATELY PRECIPITATENESS PRECIPITATES PRECIPITATING PRECIPITATION PRECIPITOUS PRECIPITOUSLY PRECISE PRECISELY PRECISENESS PRECISION PRECISIONS PRECLUDE PRECLUDED PRECLUDES PRECLUDING PRECOCIOUS PRECOCIOUSLY PRECOCITY PRECOMPUTE PRECOMPUTED PRECOMPUTING PRECONCEIVE PRECONCEIVED PRECONCEPTION PRECONCEPTIONS PRECONDITION PRECONDITIONED PRECONDITIONS PRECURSOR PRECURSORS PREDATE PREDATED PREDATES PREDATING PREDATORY PREDECESSOR PREDECESSORS PREDEFINE PREDEFINED PREDEFINES PREDEFINING PREDEFINITION PREDEFINITIONS PREDETERMINATION PREDETERMINE PREDETERMINED PREDETERMINES PREDETERMINING PREDICAMENT PREDICATE PREDICATED PREDICATES PREDICATING PREDICATION PREDICATIONS PREDICT PREDICTABILITY PREDICTABLE PREDICTABLY PREDICTED PREDICTING PREDICTION PREDICTIONS PREDICTIVE PREDICTOR PREDICTS PREDILECTION PREDILECTIONS PREDISPOSITION PREDOMINANT PREDOMINANTLY PREDOMINATE PREDOMINATED PREDOMINATELY PREDOMINATES PREDOMINATING PREDOMINATION PREEMINENCE PREEMINENT PREEMPT PREEMPTED PREEMPTING PREEMPTION PREEMPTIVE PREEMPTOR PREEMPTS PREEN PREEXISTING PREFAB PREFABRICATE PREFACE PREFACED PREFACES PREFACING PREFER PREFERABLE PREFERABLY PREFERENCE PREFERENCES PREFERENTIAL PREFERENTIALLY PREFERRED PREFERRING PREFERS PREFIX PREFIXED PREFIXES PREFIXING PREGNANCY PREGNANT PREHISTORIC PREINITIALIZE PREINITIALIZED PREINITIALIZES PREINITIALIZING PREJUDGE PREJUDGED PREJUDICE PREJUDICED PREJUDICES PREJUDICIAL PRELATE PRELIMINARIES PRELIMINARY PRELUDE PRELUDES PREMATURE PREMATURELY PREMATURITY PREMEDITATED PREMEDITATION PREMIER PREMIERS PREMISE PREMISES PREMIUM PREMIUMS PREMONITION PRENATAL PRENTICE PRENTICED PRENTICING PREOCCUPATION PREOCCUPIED PREOCCUPIES PREOCCUPY PREP PREPARATION PREPARATIONS PREPARATIVE PREPARATIVES PREPARATORY PREPARE PREPARED PREPARES PREPARING PREPEND PREPENDED PREPENDING PREPOSITION PREPOSITIONAL PREPOSITIONS PREPOSTEROUS PREPOSTEROUSLY PREPROCESSED PREPROCESSING PREPROCESSOR PREPROCESSORS PREPRODUCTION PREPROGRAMMED PREREQUISITE PREREQUISITES PREROGATIVE PREROGATIVES PRESBYTERIAN PRESBYTERIANISM PRESBYTERIANIZE PRESBYTERIANIZES PRESCOTT PRESCRIBE PRESCRIBED PRESCRIBES PRESCRIPTION PRESCRIPTIONS PRESCRIPTIVE PRESELECT PRESELECTED PRESELECTING PRESELECTS PRESENCE PRESENCES PRESENT PRESENTATION PRESENTATIONS PRESENTED PRESENTER PRESENTING PRESENTLY PRESENTNESS PRESENTS PRESERVATION PRESERVATIONS PRESERVE PRESERVED PRESERVER PRESERVERS PRESERVES PRESERVING PRESET PRESIDE PRESIDED PRESIDENCY PRESIDENT PRESIDENTIAL PRESIDENTS PRESIDES PRESIDING PRESLEY PRESS PRESSED PRESSER PRESSES PRESSING PRESSINGS PRESSURE PRESSURED PRESSURES PRESSURING PRESSURIZE PRESSURIZED PRESTIDIGITATE PRESTIGE PRESTIGIOUS PRESTON PRESUMABLY PRESUME PRESUMED PRESUMES PRESUMING PRESUMPTION PRESUMPTIONS PRESUMPTIVE PRESUMPTUOUS PRESUMPTUOUSNESS PRESUPPOSE PRESUPPOSED PRESUPPOSES PRESUPPOSING PRESUPPOSITION PRETEND PRETENDED PRETENDER PRETENDERS PRETENDING PRETENDS PRETENSE PRETENSES PRETENSION PRETENSIONS PRETENTIOUS PRETENTIOUSLY PRETENTIOUSNESS PRETEXT PRETEXTS PRETORIA PRETORIAN PRETTIER PRETTIEST PRETTILY PRETTINESS PRETTY PREVAIL PREVAILED PREVAILING PREVAILINGLY PREVAILS PREVALENCE PREVALENT PREVALENTLY PREVENT PREVENTABLE PREVENTABLY PREVENTED PREVENTING PREVENTION PREVENTIVE PREVENTIVES PREVENTS PREVIEW PREVIEWED PREVIEWING PREVIEWS PREVIOUS PREVIOUSLY PREY PREYED PREYING PREYS PRIAM PRICE PRICED PRICELESS PRICER PRICERS PRICES PRICING PRICK PRICKED PRICKING PRICKLY PRICKS PRIDE PRIDED PRIDES PRIDING PRIEST PRIESTLEY PRIGGISH PRIM PRIMA PRIMACY PRIMAL PRIMARIES PRIMARILY PRIMARY PRIMATE PRIME PRIMED PRIMENESS PRIMER PRIMERS PRIMES PRIMEVAL PRIMING PRIMITIVE PRIMITIVELY PRIMITIVENESS PRIMITIVES PRIMROSE PRINCE PRINCELY PRINCES PRINCESS PRINCESSES PRINCETON PRINCIPAL PRINCIPALITIES PRINCIPALITY PRINCIPALLY PRINCIPALS PRINCIPIA PRINCIPLE PRINCIPLED PRINCIPLES PRINT PRINTABLE PRINTABLY PRINTED PRINTER PRINTERS PRINTING PRINTOUT PRINTS PRIOR PRIORI PRIORITIES PRIORITY PRIORY PRISCILLA PRISM PRISMS PRISON PRISONER PRISONERS PRISONS PRISTINE PRITCHARD PRIVACIES PRIVACY PRIVATE PRIVATELY PRIVATES PRIVATION PRIVATIONS PRIVIES PRIVILEGE PRIVILEGED PRIVILEGES PRIVY PRIZE PRIZED PRIZER PRIZERS PRIZES PRIZEWINNING PRIZING PRO PROBABILISTIC PROBABILISTICALLY PROBABILITIES PROBABILITY PROBABLE PROBABLY PROBATE PROBATED PROBATES PROBATING PROBATION PROBATIVE PROBE PROBED PROBES PROBING PROBINGS PROBITY PROBLEM PROBLEMATIC PROBLEMATICAL PROBLEMATICALLY PROBLEMS PROCAINE PROCEDURAL PROCEDURALLY PROCEDURE PROCEDURES PROCEED PROCEEDED PROCEEDING PROCEEDINGS PROCEEDS PROCESS PROCESSED PROCESSES PROCESSING PROCESSION PROCESSOR PROCESSORS PROCLAIM PROCLAIMED PROCLAIMER PROCLAIMERS PROCLAIMING PROCLAIMS PROCLAMATION PROCLAMATIONS PROCLIVITIES PROCLIVITY PROCOTOLS PROCRASTINATE PROCRASTINATED PROCRASTINATES PROCRASTINATING PROCRASTINATION PROCREATE PROCRUSTEAN PROCRUSTEANIZE PROCRUSTEANIZES PROCRUSTES PROCTER PROCURE PROCURED PROCUREMENT PROCUREMENTS PROCURER PROCURERS PROCURES PROCURING PROCYON PROD PRODIGAL PRODIGALLY PRODIGIOUS PRODIGY PRODUCE PRODUCED PRODUCER PRODUCERS PRODUCES PRODUCIBLE PRODUCING PRODUCT PRODUCTION PRODUCTIONS PRODUCTIVE PRODUCTIVELY PRODUCTIVITY PRODUCTS PROFANE PROFANELY PROFESS PROFESSED PROFESSES PROFESSING PROFESSION PROFESSIONAL PROFESSIONALISM PROFESSIONALLY PROFESSIONALS PROFESSIONS PROFESSOR PROFESSORIAL PROFESSORS PROFFER PROFFERED PROFFERS PROFICIENCY PROFICIENT PROFICIENTLY PROFILE PROFILED PROFILES PROFILING PROFIT PROFITABILITY PROFITABLE PROFITABLY PROFITED PROFITEER PROFITEERS PROFITING PROFITS PROFITTED PROFLIGATE PROFOUND PROFOUNDEST PROFOUNDLY PROFUNDITY PROFUSE PROFUSION PROGENITOR PROGENY PROGNOSIS PROGNOSTICATE PROGRAM PROGRAMMABILITY PROGRAMMABLE PROGRAMMED PROGRAMMER PROGRAMMERS PROGRAMMING PROGRAMS PROGRESS PROGRESSED PROGRESSES PROGRESSING PROGRESSION PROGRESSIONS PROGRESSIVE PROGRESSIVELY PROHIBIT PROHIBITED PROHIBITING PROHIBITION PROHIBITIONS PROHIBITIVE PROHIBITIVELY PROHIBITORY PROHIBITS PROJECT PROJECTED PROJECTILE PROJECTING PROJECTION PROJECTIONS PROJECTIVE PROJECTIVELY PROJECTOR PROJECTORS PROJECTS PROKOFIEFF PROKOFIEV PROLATE PROLEGOMENA PROLETARIAT PROLIFERATE PROLIFERATED PROLIFERATES PROLIFERATING PROLIFERATION PROLIFIC PROLIX PROLOG PROLOGUE PROLONG PROLONGATE PROLONGED PROLONGING PROLONGS PROMENADE PROMENADES PROMETHEAN PROMETHEUS PROMINENCE PROMINENT PROMINENTLY PROMISCUOUS PROMISE PROMISED PROMISES PROMISING PROMONTORY PROMOTE PROMOTED PROMOTER PROMOTERS PROMOTES PROMOTING PROMOTION PROMOTIONAL PROMOTIONS PROMPT PROMPTED PROMPTER PROMPTEST PROMPTING PROMPTINGS PROMPTLY PROMPTNESS PROMPTS PROMULGATE PROMULGATED PROMULGATES PROMULGATING PROMULGATION PRONE PRONENESS PRONG PRONGED PRONGS PRONOUN PRONOUNCE PRONOUNCEABLE PRONOUNCED PRONOUNCEMENT PRONOUNCEMENTS PRONOUNCES PRONOUNCING PRONOUNS PRONUNCIATION PRONUNCIATIONS PROOF PROOFREAD PROOFREADER PROOFS PROP PROPAGANDA PROPAGANDIST PROPAGATE PROPAGATED PROPAGATES PROPAGATING PROPAGATION PROPAGATIONS PROPANE PROPEL PROPELLANT PROPELLED PROPELLER PROPELLERS PROPELLING PROPELS PROPENSITY PROPER PROPERLY PROPERNESS PROPERTIED PROPERTIES PROPERTY PROPHECIES PROPHECY PROPHESIED PROPHESIER PROPHESIES PROPHESY PROPHET PROPHETIC PROPHETS PROPITIOUS PROPONENT PROPONENTS PROPORTION PROPORTIONAL PROPORTIONALLY PROPORTIONATELY PROPORTIONED PROPORTIONING PROPORTIONMENT PROPORTIONS PROPOS PROPOSAL PROPOSALS PROPOSE PROPOSED PROPOSER PROPOSES PROPOSING PROPOSITION PROPOSITIONAL PROPOSITIONALLY PROPOSITIONED PROPOSITIONING PROPOSITIONS PROPOUND PROPOUNDED PROPOUNDING PROPOUNDS PROPRIETARY PROPRIETOR PROPRIETORS PROPRIETY PROPS PROPULSION PROPULSIONS PRORATE PRORATED PRORATES PROS PROSCENIUM PROSCRIBE PROSCRIPTION PROSE PROSECUTE PROSECUTED PROSECUTES PROSECUTING PROSECUTION PROSECUTIONS PROSECUTOR PROSELYTIZE PROSELYTIZED PROSELYTIZES PROSELYTIZING PROSERPINE PROSODIC PROSODICS PROSPECT PROSPECTED PROSPECTING PROSPECTION PROSPECTIONS PROSPECTIVE PROSPECTIVELY PROSPECTIVES PROSPECTOR PROSPECTORS PROSPECTS PROSPECTUS PROSPER PROSPERED PROSPERING PROSPERITY PROSPEROUS PROSPERS PROSTATE PROSTHETIC PROSTITUTE PROSTITUTION PROSTRATE PROSTRATION PROTAGONIST PROTEAN PROTECT PROTECTED PROTECTING PROTECTION PROTECTIONS PROTECTIVE PROTECTIVELY PROTECTIVENESS PROTECTOR PROTECTORATE PROTECTORS PROTECTS PROTEGE PROTEGES PROTEIN PROTEINS PROTEST PROTESTANT PROTESTANTISM PROTESTANTIZE PROTESTANTIZES PROTESTATION PROTESTATIONS PROTESTED PROTESTING PROTESTINGLY PROTESTOR PROTESTS PROTISTA PROTOCOL PROTOCOLS PROTON PROTONS PROTOPHYTA PROTOPLASM PROTOTYPE PROTOTYPED PROTOTYPES PROTOTYPICAL PROTOTYPICALLY PROTOTYPING PROTOZOA PROTOZOAN PROTRACT PROTRUDE PROTRUDED PROTRUDES PROTRUDING PROTRUSION PROTRUSIONS PROTUBERANT PROUD PROUDER PROUDEST PROUDLY PROUST PROVABILITY PROVABLE PROVABLY PROVE PROVED PROVEN PROVENANCE PROVENCE PROVER PROVERB PROVERBIAL PROVERBS PROVERS PROVES PROVIDE PROVIDED PROVIDENCE PROVIDENT PROVIDER PROVIDERS PROVIDES PROVIDING PROVINCE PROVINCES PROVINCIAL PROVING PROVISION PROVISIONAL PROVISIONALLY PROVISIONED PROVISIONING PROVISIONS PROVISO PROVOCATION PROVOKE PROVOKED PROVOKES PROVOST PROW PROWESS PROWL PROWLED PROWLER PROWLERS PROWLING PROWS PROXIMAL PROXIMATE PROXIMITY PROXMIRE PROXY PRUDENCE PRUDENT PRUDENTIAL PRUDENTLY PRUNE PRUNED PRUNER PRUNERS PRUNES PRUNING PRURIENT PRUSSIA PRUSSIAN PRUSSIANIZATION PRUSSIANIZATIONS PRUSSIANIZE PRUSSIANIZER PRUSSIANIZERS PRUSSIANIZES PRY PRYING PSALM PSALMS PSEUDO PSEUDOFILES PSEUDOINSTRUCTION PSEUDOINSTRUCTIONS PSEUDONYM PSEUDOPARALLELISM PSILOCYBIN PSYCH PSYCHE PSYCHEDELIC PSYCHES PSYCHIATRIC PSYCHIATRIST PSYCHIATRISTS PSYCHIATRY PSYCHIC PSYCHO PSYCHOANALYSIS PSYCHOANALYST PSYCHOANALYTIC PSYCHOBIOLOGY PSYCHOLOGICAL PSYCHOLOGICALLY PSYCHOLOGIST PSYCHOLOGISTS PSYCHOLOGY PSYCHOPATH PSYCHOPATHIC PSYCHOPHYSIC PSYCHOSES PSYCHOSIS PSYCHOSOCIAL PSYCHOSOMATIC PSYCHOTHERAPEUTIC PSYCHOTHERAPIST PSYCHOTHERAPY PSYCHOTIC PTOLEMAIC PTOLEMAISTS PTOLEMY PUB PUBERTY PUBLIC PUBLICATION PUBLICATIONS PUBLICITY PUBLICIZE PUBLICIZED PUBLICIZES PUBLICIZING PUBLICLY PUBLISH PUBLISHED PUBLISHER PUBLISHERS PUBLISHES PUBLISHING PUBS PUCCINI PUCKER PUCKERED PUCKERING PUCKERS PUDDING PUDDINGS PUDDLE PUDDLES PUDDLING PUERTO PUFF PUFFED PUFFIN PUFFING PUFFS PUGH PUKE PULASKI PULITZER PULL PULLED PULLER PULLEY PULLEYS PULLING PULLINGS PULLMAN PULLMANIZE PULLMANIZES PULLMANS PULLOVER PULLS PULMONARY PULP PULPING PULPIT PULPITS PULSAR PULSATE PULSATION PULSATIONS PULSE PULSED PULSES PULSING PUMA PUMICE PUMMEL PUMP PUMPED PUMPING PUMPKIN PUMPKINS PUMPS PUN PUNCH PUNCHED PUNCHER PUNCHES PUNCHING PUNCTUAL PUNCTUALLY PUNCTUATION PUNCTURE PUNCTURED PUNCTURES PUNCTURING PUNDIT PUNGENT PUNIC PUNISH PUNISHABLE PUNISHED PUNISHES PUNISHING PUNISHMENT PUNISHMENTS PUNITIVE PUNJAB PUNJABI PUNS PUNT PUNTED PUNTING PUNTS PUNY PUP PUPA PUPIL PUPILS PUPPET PUPPETEER PUPPETS PUPPIES PUPPY PUPS PURCELL PURCHASE PURCHASED PURCHASER PURCHASERS PURCHASES PURCHASING PURDUE PURE PURELY PURER PUREST PURGATORY PURGE PURGED PURGES PURGING PURIFICATION PURIFICATIONS PURIFIED PURIFIER PURIFIERS PURIFIES PURIFY PURIFYING PURINA PURIST PURITAN PURITANIC PURITANIZE PURITANIZER PURITANIZERS PURITANIZES PURITY PURPLE PURPLER PURPLEST PURPORT PURPORTED PURPORTEDLY PURPORTER PURPORTERS PURPORTING PURPORTS PURPOSE PURPOSED PURPOSEFUL PURPOSEFULLY PURPOSELY PURPOSES PURPOSIVE PURR PURRED PURRING PURRS PURSE PURSED PURSER PURSES PURSUANT PURSUE PURSUED PURSUER PURSUERS PURSUES PURSUING PURSUIT PURSUITS PURVEYOR PURVIEW PUS PUSAN PUSEY PUSH PUSHBUTTON PUSHDOWN PUSHED PUSHER PUSHERS PUSHES PUSHING PUSS PUSSY PUSSYCAT PUT PUTNAM PUTS PUTT PUTTER PUTTERING PUTTERS PUTTING PUTTY PUZZLE PUZZLED PUZZLEMENT PUZZLER PUZZLERS PUZZLES PUZZLING PUZZLINGS PYGMALION PYGMIES PYGMY PYLE PYONGYANG PYOTR PYRAMID PYRAMIDS PYRE PYREX PYRRHIC PYTHAGORAS PYTHAGOREAN PYTHAGOREANIZE PYTHAGOREANIZES PYTHAGOREANS PYTHON QATAR QUA QUACK QUACKED QUACKERY QUACKS QUAD QUADRANGLE QUADRANGULAR QUADRANT QUADRANTS QUADRATIC QUADRATICAL QUADRATICALLY QUADRATICS QUADRATURE QUADRATURES QUADRENNIAL QUADRILATERAL QUADRILLION QUADRUPLE QUADRUPLED QUADRUPLES QUADRUPLING QUADRUPOLE QUAFF QUAGMIRE QUAGMIRES QUAHOG QUAIL QUAILS QUAINT QUAINTLY QUAINTNESS QUAKE QUAKED QUAKER QUAKERESS QUAKERIZATION QUAKERIZATIONS QUAKERIZE QUAKERIZES QUAKERS QUAKES QUAKING QUALIFICATION QUALIFICATIONS QUALIFIED QUALIFIER QUALIFIERS QUALIFIES QUALIFY QUALIFYING QUALITATIVE QUALITATIVELY QUALITIES QUALITY QUALM QUANDARIES QUANDARY QUANTA QUANTICO QUANTIFIABLE QUANTIFICATION QUANTIFICATIONS QUANTIFIED QUANTIFIER QUANTIFIERS QUANTIFIES QUANTIFY QUANTIFYING QUANTILE QUANTITATIVE QUANTITATIVELY QUANTITIES QUANTITY QUANTIZATION QUANTIZE QUANTIZED QUANTIZES QUANTIZING QUANTUM QUARANTINE QUARANTINES QUARANTINING QUARK QUARREL QUARRELED QUARRELING QUARRELS QUARRELSOME QUARRIES QUARRY QUART QUARTER QUARTERBACK QUARTERED QUARTERING QUARTERLY QUARTERMASTER QUARTERS QUARTET QUARTETS QUARTILE QUARTS QUARTZ QUARTZITE QUASAR QUASH QUASHED QUASHES QUASHING QUASI QUASIMODO QUATERNARY QUAVER QUAVERED QUAVERING QUAVERS QUAY QUEASY QUEBEC QUEEN QUEENLY QUEENS QUEENSLAND QUEER QUEERER QUEEREST QUEERLY QUEERNESS QUELL QUELLING QUENCH QUENCHED QUENCHES QUENCHING QUERIED QUERIES QUERY QUERYING QUEST QUESTED QUESTER QUESTERS QUESTING QUESTION QUESTIONABLE QUESTIONABLY QUESTIONED QUESTIONER QUESTIONERS QUESTIONING QUESTIONINGLY QUESTIONINGS QUESTIONNAIRE QUESTIONNAIRES QUESTIONS QUESTS QUEUE QUEUED QUEUEING QUEUER QUEUERS QUEUES QUEUING QUEZON QUIBBLE QUICHUA QUICK QUICKEN QUICKENED QUICKENING QUICKENS QUICKER QUICKEST QUICKIE QUICKLIME QUICKLY QUICKNESS QUICKSAND QUICKSILVER QUIESCENT QUIET QUIETED QUIETER QUIETEST QUIETING QUIETLY QUIETNESS QUIETS QUIETUDE QUILL QUILT QUILTED QUILTING QUILTS QUINCE QUININE QUINN QUINT QUINTET QUINTILLION QUIP QUIRINAL QUIRK QUIRKY QUIT QUITE QUITO QUITS QUITTER QUITTERS QUITTING QUIVER QUIVERED QUIVERING QUIVERS QUIXOTE QUIXOTIC QUIXOTISM QUIZ QUIZZED QUIZZES QUIZZICAL QUIZZING QUO QUONSET QUORUM QUOTA QUOTAS QUOTATION QUOTATIONS QUOTE QUOTED QUOTES QUOTH QUOTIENT QUOTIENTS QUOTING RABAT RABBI RABBIT RABBITS RABBLE RABID RABIES RABIN RACCOON RACCOONS RACE RACED RACER RACERS RACES RACETRACK RACHEL RACHMANINOFF RACIAL RACIALLY RACINE RACING RACK RACKED RACKET RACKETEER RACKETEERING RACKETEERS RACKETS RACKING RACKS RADAR RADARS RADCLIFFE RADIAL RADIALLY RADIAN RADIANCE RADIANT RADIANTLY RADIATE RADIATED RADIATES RADIATING RADIATION RADIATIONS RADIATOR RADIATORS RADICAL RADICALLY RADICALS RADICES RADII RADIO RADIOACTIVE RADIOASTRONOMY RADIOED RADIOGRAPHY RADIOING RADIOLOGY RADIOS RADISH RADISHES RADIUM RADIUS RADIX RADON RAE RAFAEL RAFFERTY RAFT RAFTER RAFTERS RAFTS RAG RAGE RAGED RAGES RAGGED RAGGEDLY RAGGEDNESS RAGING RAGS RAGUSAN RAGWEED RAID RAIDED RAIDER RAIDERS RAIDING RAIDS RAIL RAILED RAILER RAILERS RAILING RAILROAD RAILROADED RAILROADER RAILROADERS RAILROADING RAILROADS RAILS RAILWAY RAILWAYS RAIMENT RAIN RAINBOW RAINCOAT RAINCOATS RAINDROP RAINDROPS RAINED RAINFALL RAINIER RAINIEST RAINING RAINS RAINSTORM RAINY RAISE RAISED RAISER RAISERS RAISES RAISIN RAISING RAKE RAKED RAKES RAKING RALEIGH RALLIED RALLIES RALLY RALLYING RALPH RALSTON RAM RAMADA RAMAN RAMBLE RAMBLER RAMBLES RAMBLING RAMBLINGS RAMIFICATION RAMIFICATIONS RAMIREZ RAMO RAMONA RAMP RAMPAGE RAMPANT RAMPART RAMPS RAMROD RAMS RAMSEY RAN RANCH RANCHED RANCHER RANCHERS RANCHES RANCHING RANCID RAND RANDALL RANDOLPH RANDOM RANDOMIZATION RANDOMIZE RANDOMIZED RANDOMIZES RANDOMLY RANDOMNESS RANDY RANG RANGE RANGED RANGELAND RANGER RANGERS RANGES RANGING RANGOON RANGY RANIER RANK RANKED RANKER RANKERS RANKEST RANKIN RANKINE RANKING RANKINGS RANKLE RANKLY RANKNESS RANKS RANSACK RANSACKED RANSACKING RANSACKS RANSOM RANSOMER RANSOMING RANSOMS RANT RANTED RANTER RANTERS RANTING RANTS RAOUL RAP RAPACIOUS RAPE RAPED RAPER RAPES RAPHAEL RAPID RAPIDITY RAPIDLY RAPIDS RAPIER RAPING RAPPORT RAPPROCHEMENT RAPS RAPT RAPTLY RAPTURE RAPTURES RAPTUROUS RAPUNZEL RARE RARELY RARENESS RARER RAREST RARITAN RARITY RASCAL RASCALLY RASCALS RASH RASHER RASHLY RASHNESS RASMUSSEN RASP RASPBERRY RASPED RASPING RASPS RASTER RASTUS RAT RATE RATED RATER RATERS RATES RATFOR RATHER RATIFICATION RATIFIED RATIFIES RATIFY RATIFYING RATING RATINGS RATIO RATION RATIONAL RATIONALE RATIONALES RATIONALITIES RATIONALITY RATIONALIZATION RATIONALIZATIONS RATIONALIZE RATIONALIZED RATIONALIZES RATIONALIZING RATIONALLY RATIONALS RATIONING RATIONS RATIOS RATS RATTLE RATTLED RATTLER RATTLERS RATTLES RATTLESNAKE RATTLESNAKES RATTLING RAUCOUS RAUL RAVAGE RAVAGED RAVAGER RAVAGERS RAVAGES RAVAGING RAVE RAVED RAVEN RAVENING RAVENOUS RAVENOUSLY RAVENS RAVES RAVINE RAVINES RAVING RAVINGS RAW RAWER RAWEST RAWLINGS RAWLINS RAWLINSON RAWLY RAWNESS RAWSON RAY RAYBURN RAYLEIGH RAYMOND RAYMONDVILLE RAYS RAYTHEON RAZE RAZOR RAZORS REABBREVIATE REABBREVIATED REABBREVIATES REABBREVIATING REACH REACHABILITY REACHABLE REACHABLY REACHED REACHER REACHES REACHING REACQUIRED REACT REACTED REACTING REACTION REACTIONARIES REACTIONARY REACTIONS REACTIVATE REACTIVATED REACTIVATES REACTIVATING REACTIVATION REACTIVE REACTIVELY REACTIVITY REACTOR REACTORS REACTS READ READABILITY READABLE READER READERS READIED READIER READIES READIEST READILY READINESS READING READINGS READJUSTED READOUT READOUTS READS READY READYING REAGAN REAL REALEST REALIGN REALIGNED REALIGNING REALIGNS REALISM REALIST REALISTIC REALISTICALLY REALISTS REALITIES REALITY REALIZABLE REALIZABLY REALIZATION REALIZATIONS REALIZE REALIZED REALIZES REALIZING REALLOCATE REALLY REALM REALMS REALNESS REALS REALTOR REAM REANALYZE REANALYZES REANALYZING REAP REAPED REAPER REAPING REAPPEAR REAPPEARED REAPPEARING REAPPEARS REAPPRAISAL REAPPRAISALS REAPS REAR REARED REARING REARRANGE REARRANGEABLE REARRANGED REARRANGEMENT REARRANGEMENTS REARRANGES REARRANGING REARREST REARRESTED REARS REASON REASONABLE REASONABLENESS REASONABLY REASONED REASONER REASONING REASONINGS REASONS REASSEMBLE REASSEMBLED REASSEMBLES REASSEMBLING REASSEMBLY REASSESSMENT REASSESSMENTS REASSIGN REASSIGNED REASSIGNING REASSIGNMENT REASSIGNMENTS REASSIGNS REASSURE REASSURED REASSURES REASSURING REAWAKEN REAWAKENED REAWAKENING REAWAKENS REBATE REBATES REBECCA REBEL REBELLED REBELLING REBELLION REBELLIONS REBELLIOUS REBELLIOUSLY REBELLIOUSNESS REBELS REBIND REBINDING REBINDS REBOOT REBOOTED REBOOTING REBOOTS REBOUND REBOUNDED REBOUNDING REBOUNDS REBROADCAST REBROADCASTING REBROADCASTS REBUFF REBUFFED REBUILD REBUILDING REBUILDS REBUILT REBUKE REBUKED REBUKES REBUKING REBUTTAL REBUTTED REBUTTING RECALCITRANT RECALCULATE RECALCULATED RECALCULATES RECALCULATING RECALCULATION RECALCULATIONS RECALIBRATE RECALIBRATED RECALIBRATES RECALIBRATING RECALL RECALLED RECALLING RECALLS RECANT RECAPITULATE RECAPITULATED RECAPITULATES RECAPITULATION RECAPTURE RECAPTURED RECAPTURES RECAPTURING RECAST RECASTING RECASTS RECEDE RECEDED RECEDES RECEDING RECEIPT RECEIPTS RECEIVABLE RECEIVE RECEIVED RECEIVER RECEIVERS RECEIVES RECEIVING RECENT RECENTLY RECENTNESS RECEPTACLE RECEPTACLES RECEPTION RECEPTIONIST RECEPTIONS RECEPTIVE RECEPTIVELY RECEPTIVENESS RECEPTIVITY RECEPTOR RECESS RECESSED RECESSES RECESSION RECESSIVE RECIFE RECIPE RECIPES RECIPIENT RECIPIENTS RECIPROCAL RECIPROCALLY RECIPROCATE RECIPROCATED RECIPROCATES RECIPROCATING RECIPROCATION RECIPROCITY RECIRCULATE RECIRCULATED RECIRCULATES RECIRCULATING RECITAL RECITALS RECITATION RECITATIONS RECITE RECITED RECITER RECITES RECITING RECKLESS RECKLESSLY RECKLESSNESS RECKON RECKONED RECKONER RECKONING RECKONINGS RECKONS RECLAIM RECLAIMABLE RECLAIMED RECLAIMER RECLAIMERS RECLAIMING RECLAIMS RECLAMATION RECLAMATIONS RECLASSIFICATION RECLASSIFIED RECLASSIFIES RECLASSIFY RECLASSIFYING RECLINE RECLINING RECODE RECODED RECODES RECODING RECOGNITION RECOGNITIONS RECOGNIZABILITY RECOGNIZABLE RECOGNIZABLY RECOGNIZE RECOGNIZED RECOGNIZER RECOGNIZERS RECOGNIZES RECOGNIZING RECOIL RECOILED RECOILING RECOILS RECOLLECT RECOLLECTED RECOLLECTING RECOLLECTION RECOLLECTIONS RECOMBINATION RECOMBINE RECOMBINED RECOMBINES RECOMBINING RECOMMEND RECOMMENDATION RECOMMENDATIONS RECOMMENDED RECOMMENDER RECOMMENDING RECOMMENDS RECOMPENSE RECOMPILE RECOMPILED RECOMPILES RECOMPILING RECOMPUTE RECOMPUTED RECOMPUTES RECOMPUTING RECONCILE RECONCILED RECONCILER RECONCILES RECONCILIATION RECONCILING RECONFIGURABLE RECONFIGURATION RECONFIGURATIONS RECONFIGURE RECONFIGURED RECONFIGURER RECONFIGURES RECONFIGURING RECONNECT RECONNECTED RECONNECTING RECONNECTION RECONNECTS RECONSIDER RECONSIDERATION RECONSIDERED RECONSIDERING RECONSIDERS RECONSTITUTED RECONSTRUCT RECONSTRUCTED RECONSTRUCTING RECONSTRUCTION RECONSTRUCTS RECONVERTED RECONVERTS RECORD RECORDED RECORDER RECORDERS RECORDING RECORDINGS RECORDS RECOUNT RECOUNTED RECOUNTING RECOUNTS RECOURSE RECOVER RECOVERABLE RECOVERED RECOVERIES RECOVERING RECOVERS RECOVERY RECREATE RECREATED RECREATES RECREATING RECREATION RECREATIONAL RECREATIONS RECREATIVE RECRUIT RECRUITED RECRUITER RECRUITING RECRUITS RECTA RECTANGLE RECTANGLES RECTANGULAR RECTIFY RECTOR RECTORS RECTUM RECTUMS RECUPERATE RECUR RECURRENCE RECURRENCES RECURRENT RECURRENTLY RECURRING RECURS RECURSE RECURSED RECURSES RECURSING RECURSION RECURSIONS RECURSIVE RECURSIVELY RECYCLABLE RECYCLE RECYCLED RECYCLES RECYCLING RED REDBREAST REDCOAT REDDEN REDDENED REDDER REDDEST REDDISH REDDISHNESS REDECLARE REDECLARED REDECLARES REDECLARING REDEEM REDEEMED REDEEMER REDEEMERS REDEEMING REDEEMS REDEFINE REDEFINED REDEFINES REDEFINING REDEFINITION REDEFINITIONS REDEMPTION REDESIGN REDESIGNED REDESIGNING REDESIGNS REDEVELOPMENT REDFORD REDHEAD REDHOOK REDIRECT REDIRECTED REDIRECTING REDIRECTION REDIRECTIONS REDISPLAY REDISPLAYED REDISPLAYING REDISPLAYS REDISTRIBUTE REDISTRIBUTED REDISTRIBUTES REDISTRIBUTING REDLY REDMOND REDNECK REDNESS REDO REDONE REDOUBLE REDOUBLED REDRAW REDRAWN REDRESS REDRESSED REDRESSES REDRESSING REDS REDSTONE REDUCE REDUCED REDUCER REDUCERS REDUCES REDUCIBILITY REDUCIBLE REDUCIBLY REDUCING REDUCTION REDUCTIONS REDUNDANCIES REDUNDANCY REDUNDANT REDUNDANTLY REDWOOD REED REEDS REEDUCATION REEDVILLE REEF REEFER REEFS REEL REELECT REELECTED REELECTING REELECTS REELED REELER REELING REELS REEMPHASIZE REEMPHASIZED REEMPHASIZES REEMPHASIZING REENABLED REENFORCEMENT REENTER REENTERED REENTERING REENTERS REENTRANT REESE REESTABLISH REESTABLISHED REESTABLISHES REESTABLISHING REEVALUATE REEVALUATED REEVALUATES REEVALUATING REEVALUATION REEVES REEXAMINE REEXAMINED REEXAMINES REEXAMINING REEXECUTED REFER REFEREE REFEREED REFEREEING REFEREES REFERENCE REFERENCED REFERENCER REFERENCES REFERENCING REFERENDA REFERENDUM REFERENDUMS REFERENT REFERENTIAL REFERENTIALITY REFERENTIALLY REFERENTS REFERRAL REFERRALS REFERRED REFERRING REFERS REFILL REFILLABLE REFILLED REFILLING REFILLS REFINE REFINED REFINEMENT REFINEMENTS REFINER REFINERY REFINES REFINING REFLECT REFLECTED REFLECTING REFLECTION REFLECTIONS REFLECTIVE REFLECTIVELY REFLECTIVITY REFLECTOR REFLECTORS REFLECTS REFLEX REFLEXES REFLEXIVE REFLEXIVELY REFLEXIVENESS REFLEXIVITY REFORESTATION REFORM REFORMABLE REFORMAT REFORMATION REFORMATORY REFORMATS REFORMATTED REFORMATTING REFORMED REFORMER REFORMERS REFORMING REFORMS REFORMULATE REFORMULATED REFORMULATES REFORMULATING REFORMULATION REFRACT REFRACTED REFRACTION REFRACTORY REFRAGMENT REFRAIN REFRAINED REFRAINING REFRAINS REFRESH REFRESHED REFRESHER REFRESHERS REFRESHES REFRESHING REFRESHINGLY REFRESHMENT REFRESHMENTS REFRIGERATE REFRIGERATOR REFRIGERATORS REFUEL REFUELED REFUELING REFUELS REFUGE REFUGEE REFUGEES REFUSAL REFUSE REFUSED REFUSES REFUSING REFUTABLE REFUTATION REFUTE REFUTED REFUTER REFUTES REFUTING REGAIN REGAINED REGAINING REGAINS REGAL REGALED REGALLY REGARD REGARDED REGARDING REGARDLESS REGARDS REGATTA REGENERATE REGENERATED REGENERATES REGENERATING REGENERATION REGENERATIVE REGENERATOR REGENERATORS REGENT REGENTS REGIME REGIMEN REGIMENT REGIMENTATION REGIMENTED REGIMENTS REGIMES REGINA REGINALD REGION REGIONAL REGIONALLY REGIONS REGIS REGISTER REGISTERED REGISTERING REGISTERS REGISTRAR REGISTRATION REGISTRATIONS REGISTRY REGRESS REGRESSED REGRESSES REGRESSING REGRESSION REGRESSIONS REGRESSIVE REGRET REGRETFUL REGRETFULLY REGRETS REGRETTABLE REGRETTABLY REGRETTED REGRETTING REGROUP REGROUPED REGROUPING REGULAR REGULARITIES REGULARITY REGULARLY REGULARS REGULATE REGULATED REGULATES REGULATING REGULATION REGULATIONS REGULATIVE REGULATOR REGULATORS REGULATORY REGULUS REHABILITATE REHEARSAL REHEARSALS REHEARSE REHEARSED REHEARSER REHEARSES REHEARSING REICH REICHENBERG REICHSTAG REID REIGN REIGNED REIGNING REIGNS REILLY REIMBURSABLE REIMBURSE REIMBURSED REIMBURSEMENT REIMBURSEMENTS REIN REINCARNATE REINCARNATED REINCARNATION REINDEER REINED REINFORCE REINFORCED REINFORCEMENT REINFORCEMENTS REINFORCER REINFORCES REINFORCING REINHARD REINHARDT REINHOLD REINITIALIZE REINITIALIZED REINITIALIZING REINS REINSERT REINSERTED REINSERTING REINSERTS REINSTATE REINSTATED REINSTATEMENT REINSTATES REINSTATING REINTERPRET REINTERPRETED REINTERPRETING REINTERPRETS REINTRODUCE REINTRODUCED REINTRODUCES REINTRODUCING REINVENT REINVENTED REINVENTING REINVENTS REITERATE REITERATED REITERATES REITERATING REITERATION REJECT REJECTED REJECTING REJECTION REJECTIONS REJECTOR REJECTORS REJECTS REJOICE REJOICED REJOICER REJOICES REJOICING REJOIN REJOINDER REJOINED REJOINING REJOINS RELABEL RELABELED RELABELING RELABELLED RELABELLING RELABELS RELAPSE RELATE RELATED RELATER RELATES RELATING RELATION RELATIONAL RELATIONALLY RELATIONS RELATIONSHIP RELATIONSHIPS RELATIVE RELATIVELY RELATIVENESS RELATIVES RELATIVISM RELATIVISTIC RELATIVISTICALLY RELATIVITY RELAX RELAXATION RELAXATIONS RELAXED RELAXER RELAXES RELAXING RELAY RELAYED RELAYING RELAYS RELEASE RELEASED RELEASES RELEASING RELEGATE RELEGATED RELEGATES RELEGATING RELENT RELENTED RELENTING RELENTLESS RELENTLESSLY RELENTLESSNESS RELENTS RELEVANCE RELEVANCES RELEVANT RELEVANTLY RELIABILITY RELIABLE RELIABLY RELIANCE RELIANT RELIC RELICS RELIED RELIEF RELIES RELIEVE RELIEVED RELIEVER RELIEVERS RELIEVES RELIEVING RELIGION RELIGIONS RELIGIOUS RELIGIOUSLY RELIGIOUSNESS RELINK RELINQUISH RELINQUISHED RELINQUISHES RELINQUISHING RELISH RELISHED RELISHES RELISHING RELIVE RELIVES RELIVING RELOAD RELOADED RELOADER RELOADING RELOADS RELOCATABLE RELOCATE RELOCATED RELOCATES RELOCATING RELOCATION RELOCATIONS RELUCTANCE RELUCTANT RELUCTANTLY RELY RELYING REMAIN REMAINDER REMAINDERS REMAINED REMAINING REMAINS REMARK REMARKABLE REMARKABLENESS REMARKABLY REMARKED REMARKING REMARKS REMBRANDT REMEDIAL REMEDIED REMEDIES REMEDY REMEDYING REMEMBER REMEMBERED REMEMBERING REMEMBERS REMEMBRANCE REMEMBRANCES REMIND REMINDED REMINDER REMINDERS REMINDING REMINDS REMINGTON REMINISCENCE REMINISCENCES REMINISCENT REMINISCENTLY REMISS REMISSION REMIT REMITTANCE REMNANT REMNANTS REMODEL REMODELED REMODELING REMODELS REMONSTRATE REMONSTRATED REMONSTRATES REMONSTRATING REMONSTRATION REMONSTRATIVE REMORSE REMORSEFUL REMOTE REMOTELY REMOTENESS REMOTEST REMOVABLE REMOVAL REMOVALS REMOVE REMOVED REMOVER REMOVES REMOVING REMUNERATE REMUNERATION REMUS REMY RENA RENAISSANCE RENAL RENAME RENAMED RENAMES RENAMING RENAULT RENAULTS REND RENDER RENDERED RENDERING RENDERINGS RENDERS RENDEZVOUS RENDING RENDITION RENDITIONS RENDS RENE RENEE RENEGADE RENEGOTIABLE RENEW RENEWABLE RENEWAL RENEWED RENEWER RENEWING RENEWS RENO RENOIR RENOUNCE RENOUNCES RENOUNCING RENOVATE RENOVATED RENOVATION RENOWN RENOWNED RENSSELAER RENT RENTAL RENTALS RENTED RENTING RENTS RENUMBER RENUMBERING RENUMBERS RENUNCIATE RENUNCIATION RENVILLE REOCCUR REOPEN REOPENED REOPENING REOPENS REORDER REORDERED REORDERING REORDERS REORGANIZATION REORGANIZATIONS REORGANIZE REORGANIZED REORGANIZES REORGANIZING REPACKAGE REPAID REPAIR REPAIRED REPAIRER REPAIRING REPAIRMAN REPAIRMEN REPAIRS REPARATION REPARATIONS REPARTEE REPARTITION REPAST REPASTS REPAY REPAYING REPAYS REPEAL REPEALED REPEALER REPEALING REPEALS REPEAT REPEATABLE REPEATED REPEATEDLY REPEATER REPEATERS REPEATING REPEATS REPEL REPELLED REPELLENT REPELS REPENT REPENTANCE REPENTED REPENTING REPENTS REPERCUSSION REPERCUSSIONS REPERTOIRE REPERTORY REPETITION REPETITIONS REPETITIOUS REPETITIVE REPETITIVELY REPETITIVENESS REPHRASE REPHRASED REPHRASES REPHRASING REPINE REPLACE REPLACEABLE REPLACED REPLACEMENT REPLACEMENTS REPLACER REPLACES REPLACING REPLAY REPLAYED REPLAYING REPLAYS REPLENISH REPLENISHED REPLENISHES REPLENISHING REPLETE REPLETENESS REPLETION REPLICA REPLICAS REPLICATE REPLICATED REPLICATES REPLICATING REPLICATION REPLICATIONS REPLIED REPLIES REPLY REPLYING REPORT REPORTED REPORTEDLY REPORTER REPORTERS REPORTING REPORTS REPOSE REPOSED REPOSES REPOSING REPOSITION REPOSITIONED REPOSITIONING REPOSITIONS REPOSITORIES REPOSITORY REPREHENSIBLE REPRESENT REPRESENTABLE REPRESENTABLY REPRESENTATION REPRESENTATIONAL REPRESENTATIONALLY REPRESENTATIONS REPRESENTATIVE REPRESENTATIVELY REPRESENTATIVENESS REPRESENTATIVES REPRESENTED REPRESENTING REPRESENTS REPRESS REPRESSED REPRESSES REPRESSING REPRESSION REPRESSIONS REPRESSIVE REPRIEVE REPRIEVED REPRIEVES REPRIEVING REPRIMAND REPRINT REPRINTED REPRINTING REPRINTS REPRISAL REPRISALS REPROACH REPROACHED REPROACHES REPROACHING REPROBATE REPRODUCE REPRODUCED REPRODUCER REPRODUCERS REPRODUCES REPRODUCIBILITIES REPRODUCIBILITY REPRODUCIBLE REPRODUCIBLY REPRODUCING REPRODUCTION REPRODUCTIONS REPROGRAM REPROGRAMMED REPROGRAMMING REPROGRAMS REPROOF REPROVE REPROVER REPTILE REPTILES REPTILIAN REPUBLIC REPUBLICAN REPUBLICANS REPUBLICS REPUDIATE REPUDIATED REPUDIATES REPUDIATING REPUDIATION REPUDIATIONS REPUGNANT REPULSE REPULSED REPULSES REPULSING REPULSION REPULSIONS REPULSIVE REPUTABLE REPUTABLY REPUTATION REPUTATIONS REPUTE REPUTED REPUTEDLY REPUTES REQUEST REQUESTED REQUESTER REQUESTERS REQUESTING REQUESTS REQUIRE REQUIRED REQUIREMENT REQUIREMENTS REQUIRES REQUIRING REQUISITE REQUISITES REQUISITION REQUISITIONED REQUISITIONING REQUISITIONS REREAD REREGISTER REROUTE REROUTED REROUTES REROUTING RERUN RERUNS RESCHEDULE RESCIND RESCUE RESCUED RESCUER RESCUERS RESCUES RESCUING RESEARCH RESEARCHED RESEARCHER RESEARCHERS RESEARCHES RESEARCHING RESELECT RESELECTED RESELECTING RESELECTS RESELL RESELLING RESEMBLANCE RESEMBLANCES RESEMBLE RESEMBLED RESEMBLES RESEMBLING RESENT RESENTED RESENTFUL RESENTFULLY RESENTING RESENTMENT RESENTS RESERPINE RESERVATION RESERVATIONS RESERVE RESERVED RESERVER RESERVES RESERVING RESERVOIR RESERVOIRS RESET RESETS RESETTING RESETTINGS RESIDE RESIDED RESIDENCE RESIDENCES RESIDENT RESIDENTIAL RESIDENTIALLY RESIDENTS RESIDES RESIDING RESIDUAL RESIDUE RESIDUES RESIGN RESIGNATION RESIGNATIONS RESIGNED RESIGNING RESIGNS RESILIENT RESIN RESINS RESIST RESISTABLE RESISTANCE RESISTANCES RESISTANT RESISTANTLY RESISTED RESISTIBLE RESISTING RESISTIVE RESISTIVITY RESISTOR RESISTORS RESISTS RESOLUTE RESOLUTELY RESOLUTENESS RESOLUTION RESOLUTIONS RESOLVABLE RESOLVE RESOLVED RESOLVER RESOLVERS RESOLVES RESOLVING RESONANCE RESONANCES RESONANT RESONATE RESORT RESORTED RESORTING RESORTS RESOUND RESOUNDING RESOUNDS RESOURCE RESOURCEFUL RESOURCEFULLY RESOURCEFULNESS RESOURCES RESPECT RESPECTABILITY RESPECTABLE RESPECTABLY RESPECTED RESPECTER RESPECTFUL RESPECTFULLY RESPECTFULNESS RESPECTING RESPECTIVE RESPECTIVELY RESPECTS RESPIRATION RESPIRATOR RESPIRATORY RESPITE RESPLENDENT RESPLENDENTLY RESPOND RESPONDED RESPONDENT RESPONDENTS RESPONDER RESPONDING RESPONDS RESPONSE RESPONSES RESPONSIBILITIES RESPONSIBILITY RESPONSIBLE RESPONSIBLENESS RESPONSIBLY RESPONSIVE RESPONSIVELY RESPONSIVENESS REST RESTART RESTARTED RESTARTING RESTARTS RESTATE RESTATED RESTATEMENT RESTATES RESTATING RESTAURANT RESTAURANTS RESTAURATEUR RESTED RESTFUL RESTFULLY RESTFULNESS RESTING RESTITUTION RESTIVE RESTLESS RESTLESSLY RESTLESSNESS RESTORATION RESTORATIONS RESTORE RESTORED RESTORER RESTORERS RESTORES RESTORING RESTRAIN RESTRAINED RESTRAINER RESTRAINERS RESTRAINING RESTRAINS RESTRAINT RESTRAINTS RESTRICT RESTRICTED RESTRICTING RESTRICTION RESTRICTIONS RESTRICTIVE RESTRICTIVELY RESTRICTS RESTROOM RESTRUCTURE RESTRUCTURED RESTRUCTURES RESTRUCTURING RESTS RESULT RESULTANT RESULTANTLY RESULTANTS RESULTED RESULTING RESULTS RESUMABLE RESUME RESUMED RESUMES RESUMING RESUMPTION RESUMPTIONS RESURGENT RESURRECT RESURRECTED RESURRECTING RESURRECTION RESURRECTIONS RESURRECTOR RESURRECTORS RESURRECTS RESUSCITATE RESYNCHRONIZATION RESYNCHRONIZE RESYNCHRONIZED RESYNCHRONIZING RETAIL RETAILER RETAILERS RETAILING RETAIN RETAINED RETAINER RETAINERS RETAINING RETAINMENT RETAINS RETALIATE RETALIATION RETALIATORY RETARD RETARDED RETARDER RETARDING RETCH RETENTION RETENTIONS RETENTIVE RETENTIVELY RETENTIVENESS RETICLE RETICLES RETICULAR RETICULATE RETICULATED RETICULATELY RETICULATES RETICULATING RETICULATION RETINA RETINAL RETINAS RETINUE RETIRE RETIRED RETIREE RETIREMENT RETIREMENTS RETIRES RETIRING RETORT RETORTED RETORTS RETRACE RETRACED RETRACES RETRACING RETRACT RETRACTED RETRACTING RETRACTION RETRACTIONS RETRACTS RETRAIN RETRAINED RETRAINING RETRAINS RETRANSLATE RETRANSLATED RETRANSMISSION RETRANSMISSIONS RETRANSMIT RETRANSMITS RETRANSMITTED RETRANSMITTING RETREAT RETREATED RETREATING RETREATS RETRIBUTION RETRIED RETRIER RETRIERS RETRIES RETRIEVABLE RETRIEVAL RETRIEVALS RETRIEVE RETRIEVED RETRIEVER RETRIEVERS RETRIEVES RETRIEVING RETROACTIVE RETROACTIVELY RETROFIT RETROFITTING RETROGRADE RETROSPECT RETROSPECTION RETROSPECTIVE RETRY RETRYING RETURN RETURNABLE RETURNED RETURNER RETURNING RETURNS RETYPE RETYPED RETYPES RETYPING REUB REUBEN REUNION REUNIONS REUNITE REUNITED REUNITING REUSABLE REUSE REUSED REUSES REUSING REUTERS REUTHER REVAMP REVAMPED REVAMPING REVAMPS REVEAL REVEALED REVEALING REVEALS REVEL REVELATION REVELATIONS REVELED REVELER REVELING REVELRY REVELS REVENGE REVENGER REVENUE REVENUERS REVENUES REVERBERATE REVERE REVERED REVERENCE REVEREND REVERENDS REVERENT REVERENTLY REVERES REVERIE REVERIFIED REVERIFIES REVERIFY REVERIFYING REVERING REVERSAL REVERSALS REVERSE REVERSED REVERSELY REVERSER REVERSES REVERSIBLE REVERSING REVERSION REVERT REVERTED REVERTING REVERTS REVIEW REVIEWED REVIEWER REVIEWERS REVIEWING REVIEWS REVILE REVILED REVILER REVILING REVISE REVISED REVISER REVISES REVISING REVISION REVISIONARY REVISIONS REVISIT REVISITED REVISITING REVISITS REVIVAL REVIVALS REVIVE REVIVED REVIVER REVIVES REVIVING REVOCABLE REVOCATION REVOKE REVOKED REVOKER REVOKES REVOKING REVOLT REVOLTED REVOLTER REVOLTING REVOLTINGLY REVOLTS REVOLUTION REVOLUTIONARIES REVOLUTIONARY REVOLUTIONIZE REVOLUTIONIZED REVOLUTIONIZER REVOLUTIONS REVOLVE REVOLVED REVOLVER REVOLVERS REVOLVES REVOLVING REVULSION REWARD REWARDED REWARDING REWARDINGLY REWARDS REWIND REWINDING REWINDS REWIRE REWORK REWORKED REWORKING REWORKS REWOUND REWRITE REWRITES REWRITING REWRITTEN REX REYKJAVIK REYNOLDS RHAPSODY RHEA RHEIMS RHEINHOLDT RHENISH RHESUS RHETORIC RHEUMATIC RHEUMATISM RHINE RHINESTONE RHINO RHINOCEROS RHO RHODA RHODE RHODES RHODESIA RHODODENDRON RHOMBIC RHOMBUS RHUBARB RHYME RHYMED RHYMES RHYMING RHYTHM RHYTHMIC RHYTHMICALLY RHYTHMS RIB RIBALD RIBBED RIBBING RIBBON RIBBONS RIBOFLAVIN RIBONUCLEIC RIBS RICA RICAN RICANISM RICANS RICE RICH RICHARD RICHARDS RICHARDSON RICHER RICHES RICHEST RICHEY RICHFIELD RICHLAND RICHLY RICHMOND RICHNESS RICHTER RICK RICKENBAUGH RICKETS RICKETTSIA RICKETY RICKSHAW RICKSHAWS RICO RICOCHET RID RIDDANCE RIDDEN RIDDING RIDDLE RIDDLED RIDDLES RIDDLING RIDE RIDER RIDERS RIDES RIDGE RIDGEFIELD RIDGEPOLE RIDGES RIDGWAY RIDICULE RIDICULED RIDICULES RIDICULING RIDICULOUS RIDICULOUSLY RIDICULOUSNESS RIDING RIDS RIEMANN RIEMANNIAN RIFLE RIFLED RIFLEMAN RIFLER RIFLES RIFLING RIFT RIG RIGA RIGEL RIGGING RIGGS RIGHT RIGHTED RIGHTEOUS RIGHTEOUSLY RIGHTEOUSNESS RIGHTER RIGHTFUL RIGHTFULLY RIGHTFULNESS RIGHTING RIGHTLY RIGHTMOST RIGHTNESS RIGHTS RIGHTWARD RIGID RIGIDITY RIGIDLY RIGOR RIGOROUS RIGOROUSLY RIGORS RIGS RILEY RILKE RILL RIM RIME RIMS RIND RINDS RINEHART RING RINGED RINGER RINGERS RINGING RINGINGLY RINGINGS RINGS RINGSIDE RINK RINSE RINSED RINSER RINSES RINSING RIO RIORDAN RIOT RIOTED RIOTER RIOTERS RIOTING RIOTOUS RIOTS RIP RIPE RIPELY RIPEN RIPENESS RIPLEY RIPOFF RIPPED RIPPING RIPPLE RIPPLED RIPPLES RIPPLING RIPS RISC RISE RISEN RISER RISERS RISES RISING RISINGS RISK RISKED RISKING RISKS RISKY RITCHIE RITE RITES RITTER RITUAL RITUALLY RITUALS RITZ RIVAL RIVALED RIVALLED RIVALLING RIVALRIES RIVALRY RIVALS RIVER RIVERBANK RIVERFRONT RIVERS RIVERSIDE RIVERVIEW RIVET RIVETER RIVETS RIVIERA RIVULET RIVULETS RIYADH ROACH ROAD ROADBED ROADBLOCK ROADS ROADSIDE ROADSTER ROADSTERS ROADWAY ROADWAYS ROAM ROAMED ROAMING ROAMS ROAR ROARED ROARER ROARING ROARS ROAST ROASTED ROASTER ROASTING ROASTS ROB ROBBED ROBBER ROBBERIES ROBBERS ROBBERY ROBBIE ROBBIN ROBBING ROBBINS ROBE ROBED ROBERT ROBERTA ROBERTO ROBERTS ROBERTSON ROBERTSONS ROBES ROBIN ROBING ROBINS ROBINSON ROBINSONVILLE ROBOT ROBOTIC ROBOTICS ROBOTS ROBS ROBUST ROBUSTLY ROBUSTNESS ROCCO ROCHESTER ROCHFORD ROCK ROCKABYE ROCKAWAY ROCKAWAYS ROCKED ROCKEFELLER ROCKER ROCKERS ROCKET ROCKETED ROCKETING ROCKETS ROCKFORD ROCKIES ROCKING ROCKLAND ROCKS ROCKVILLE ROCKWELL ROCKY ROD RODE RODENT RODENTS RODEO RODGERS RODNEY RODRIGUEZ RODS ROE ROENTGEN ROGER ROGERS ROGUE ROGUES ROLAND ROLE ROLES ROLL ROLLBACK ROLLED ROLLER ROLLERS ROLLIE ROLLING ROLLINS ROLLS ROMAN ROMANCE ROMANCER ROMANCERS ROMANCES ROMANCING ROMANESQUE ROMANIA ROMANIZATIONS ROMANIZER ROMANIZERS ROMANIZES ROMANO ROMANS ROMANTIC ROMANTICS ROME ROMELDALE ROMEO ROMP ROMPED ROMPER ROMPING ROMPS ROMULUS RON RONALD RONNIE ROOF ROOFED ROOFER ROOFING ROOFS ROOFTOP ROOK ROOKIE ROOM ROOMED ROOMER ROOMERS ROOMFUL ROOMING ROOMMATE ROOMS ROOMY ROONEY ROOSEVELT ROOSEVELTIAN ROOST ROOSTER ROOSTERS ROOT ROOTED ROOTER ROOTING ROOTS ROPE ROPED ROPER ROPERS ROPES ROPING ROQUEMORE RORSCHACH ROSA ROSABELLE ROSALIE ROSARY ROSE ROSEBUD ROSEBUDS ROSEBUSH ROSELAND ROSELLA ROSEMARY ROSEN ROSENBERG ROSENBLUM ROSENTHAL ROSENZWEIG ROSES ROSETTA ROSETTE ROSIE ROSINESS ROSS ROSSI ROSTER ROSTRUM ROSWELL ROSY ROT ROTARIAN ROTARIANS ROTARY ROTATE ROTATED ROTATES ROTATING ROTATION ROTATIONAL ROTATIONS ROTATOR ROTH ROTHSCHILD ROTOR ROTS ROTTEN ROTTENNESS ROTTERDAM ROTTING ROTUND ROTUNDA ROUGE ROUGH ROUGHED ROUGHEN ROUGHER ROUGHEST ROUGHLY ROUGHNECK ROUGHNESS ROULETTE ROUND ROUNDABOUT ROUNDED ROUNDEDNESS ROUNDER ROUNDEST ROUNDHEAD ROUNDHOUSE ROUNDING ROUNDLY ROUNDNESS ROUNDOFF ROUNDS ROUNDTABLE ROUNDUP ROUNDWORM ROURKE ROUSE ROUSED ROUSES ROUSING ROUSSEAU ROUSTABOUT ROUT ROUTE ROUTED ROUTER ROUTERS ROUTES ROUTINE ROUTINELY ROUTINES ROUTING ROUTINGS ROVE ROVED ROVER ROVES ROVING ROW ROWBOAT ROWDY ROWE ROWED ROWENA ROWER ROWING ROWLAND ROWLEY ROWS ROXBURY ROXY ROY ROYAL ROYALIST ROYALISTS ROYALLY ROYALTIES ROYALTY ROYCE ROZELLE RUANDA RUB RUBAIYAT RUBBED RUBBER RUBBERS RUBBERY RUBBING RUBBISH RUBBLE RUBDOWN RUBE RUBEN RUBENS RUBIES RUBIN RUBLE RUBLES RUBOUT RUBS RUBY RUDDER RUDDERS RUDDINESS RUDDY RUDE RUDELY RUDENESS RUDIMENT RUDIMENTARY RUDIMENTS RUDOLF RUDOLPH RUDY RUDYARD RUE RUEFULLY RUFFIAN RUFFIANLY RUFFIANS RUFFLE RUFFLED RUFFLES RUFUS RUG RUGGED RUGGEDLY RUGGEDNESS RUGS RUIN RUINATION RUINATIONS RUINED RUINING RUINOUS RUINOUSLY RUINS RULE RULED RULER RULERS RULES RULING RULINGS RUM RUMANIA RUMANIAN RUMANIANS RUMBLE RUMBLED RUMBLER RUMBLES RUMBLING RUMEN RUMFORD RUMMAGE RUMMEL RUMMY RUMOR RUMORED RUMORS RUMP RUMPLE RUMPLED RUMPLY RUMPUS RUN RUNAWAY RUNDOWN RUNG RUNGE RUNGS RUNNABLE RUNNER RUNNERS RUNNING RUNNYMEDE RUNOFF RUNS RUNT RUNTIME RUNYON RUPEE RUPPERT RUPTURE RUPTURED RUPTURES RUPTURING RURAL RURALLY RUSH RUSHED RUSHER RUSHES RUSHING RUSHMORE RUSS RUSSELL RUSSET RUSSIA RUSSIAN RUSSIANIZATIONS RUSSIANIZES RUSSIANS RUSSO RUST RUSTED RUSTIC RUSTICATE RUSTICATED RUSTICATES RUSTICATING RUSTICATION RUSTING RUSTLE RUSTLED RUSTLER RUSTLERS RUSTLING RUSTS RUSTY RUT RUTGERS RUTH RUTHERFORD RUTHLESS RUTHLESSLY RUTHLESSNESS RUTLAND RUTLEDGE RUTS RWANDA RYAN RYDBERG RYDER RYE SABBATH SABBATHIZE SABBATHIZES SABBATICAL SABER SABERS SABINA SABINE SABLE SABLES SABOTAGE SACHS SACK SACKER SACKING SACKS SACRAMENT SACRAMENTO SACRED SACREDLY SACREDNESS SACRIFICE SACRIFICED SACRIFICER SACRIFICERS SACRIFICES SACRIFICIAL SACRIFICIALLY SACRIFICING SACRILEGE SACRILEGIOUS SACROSANCT SAD SADDEN SADDENED SADDENS SADDER SADDEST SADDLE SADDLEBAG SADDLED SADDLES SADIE SADISM SADIST SADISTIC SADISTICALLY SADISTS SADLER SADLY SADNESS SAFARI SAFE SAFEGUARD SAFEGUARDED SAFEGUARDING SAFEGUARDS SAFEKEEPING SAFELY SAFENESS SAFER SAFES SAFEST SAFETIES SAFETY SAFFRON SAG SAGA SAGACIOUS SAGACITY SAGE SAGEBRUSH SAGELY SAGES SAGGING SAGINAW SAGITTAL SAGITTARIUS SAGS SAGUARO SAHARA SAID SAIGON SAIL SAILBOAT SAILED SAILFISH SAILING SAILOR SAILORLY SAILORS SAILS SAINT SAINTED SAINTHOOD SAINTLY SAINTS SAKE SAKES SAL SALAAM SALABLE SALAD SALADS SALAMANDER SALAMI SALARIED SALARIES SALARY SALE SALEM SALERNO SALES SALESGIRL SALESIAN SALESLADY SALESMAN SALESMEN SALESPERSON SALIENT SALINA SALINE SALISBURY SALISH SALIVA SALIVARY SALIVATE SALK SALLE SALLIES SALLOW SALLY SALLYING SALMON SALON SALONS SALOON SALOONS SALT SALTED SALTER SALTERS SALTIER SALTIEST SALTINESS SALTING SALTON SALTS SALTY SALUTARY SALUTATION SALUTATIONS SALUTE SALUTED SALUTES SALUTING SALVADOR SALVADORAN SALVAGE SALVAGED SALVAGER SALVAGES SALVAGING SALVATION SALVATORE SALVE SALVER SALVES SALZ SAM SAMARITAN SAME SAMENESS SAMMY SAMOA SAMOAN SAMPLE SAMPLED SAMPLER SAMPLERS SAMPLES SAMPLING SAMPLINGS SAMPSON SAMSON SAMUEL SAMUELS SAMUELSON SAN SANA SANATORIA SANATORIUM SANBORN SANCHEZ SANCHO SANCTIFICATION SANCTIFIED SANCTIFY SANCTIMONIOUS SANCTION SANCTIONED SANCTIONING SANCTIONS SANCTITY SANCTUARIES SANCTUARY SANCTUM SAND SANDAL SANDALS SANDBAG SANDBURG SANDED SANDER SANDERLING SANDERS SANDERSON SANDIA SANDING SANDMAN SANDPAPER SANDRA SANDS SANDSTONE SANDUSKY SANDWICH SANDWICHES SANDY SANE SANELY SANER SANEST SANFORD SANG SANGUINE SANHEDRIN SANITARIUM SANITARY SANITATION SANITY SANK SANSKRIT SANSKRITIC SANSKRITIZE SANTA SANTAYANA SANTIAGO SANTO SAO SAP SAPIENS SAPLING SAPLINGS SAPPHIRE SAPPHO SAPS SAPSUCKER SARA SARACEN SARACENS SARAH SARAN SARASOTA SARATOGA SARCASM SARCASMS SARCASTIC SARDINE SARDINIA SARDONIC SARGENT SARI SARTRE SASH SASKATCHEWAN SASKATOON SAT SATAN SATANIC SATANISM SATANIST SATCHEL SATCHELS SATE SATED SATELLITE SATELLITES SATES SATIN SATING SATIRE SATIRES SATIRIC SATISFACTION SATISFACTIONS SATISFACTORILY SATISFACTORY SATISFIABILITY SATISFIABLE SATISFIED SATISFIES SATISFY SATISFYING SATURATE SATURATED SATURATES SATURATING SATURATION SATURDAY SATURDAYS SATURN SATURNALIA SATURNISM SATYR SAUCE SAUCEPAN SAUCEPANS SAUCER SAUCERS SAUCES SAUCY SAUD SAUDI SAUKVILLE SAUL SAULT SAUNDERS SAUNTER SAUSAGE SAUSAGES SAVAGE SAVAGED SAVAGELY SAVAGENESS SAVAGER SAVAGERS SAVAGES SAVAGING SAVANNAH SAVE SAVED SAVER SAVERS SAVES SAVING SAVINGS SAVIOR SAVIORS SAVIOUR SAVONAROLA SAVOR SAVORED SAVORING SAVORS SAVORY SAVOY SAVOYARD SAVOYARDS SAW SAWDUST SAWED SAWFISH SAWING SAWMILL SAWMILLS SAWS SAWTOOTH SAX SAXON SAXONIZATION SAXONIZATIONS SAXONIZE SAXONIZES SAXONS SAXONY SAXOPHONE SAXTON SAY SAYER SAYERS SAYING SAYINGS SAYS SCAB SCABBARD SCABBARDS SCABROUS SCAFFOLD SCAFFOLDING SCAFFOLDINGS SCAFFOLDS SCALA SCALABLE SCALAR SCALARS SCALD SCALDED SCALDING SCALE SCALED SCALES SCALING SCALINGS SCALLOP SCALLOPED SCALLOPS SCALP SCALPS SCALY SCAMPER SCAMPERING SCAMPERS SCAN SCANDAL SCANDALOUS SCANDALS SCANDINAVIA SCANDINAVIAN SCANDINAVIANS SCANNED SCANNER SCANNERS SCANNING SCANS SCANT SCANTIER SCANTIEST SCANTILY SCANTINESS SCANTLY SCANTY SCAPEGOAT SCAR SCARBOROUGH SCARCE SCARCELY SCARCENESS SCARCER SCARCITY SCARE SCARECROW SCARED SCARES SCARF SCARING SCARLATTI SCARLET SCARS SCARSDALE SCARVES SCARY SCATTER SCATTERBRAIN SCATTERED SCATTERING SCATTERS SCENARIO SCENARIOS SCENE SCENERY SCENES SCENIC SCENT SCENTED SCENTS SCEPTER SCEPTERS SCHAEFER SCHAEFFER SCHAFER SCHAFFNER SCHANTZ SCHAPIRO SCHEDULABLE SCHEDULE SCHEDULED SCHEDULER SCHEDULERS SCHEDULES SCHEDULING SCHEHERAZADE SCHELLING SCHEMA SCHEMAS SCHEMATA SCHEMATIC SCHEMATICALLY SCHEMATICS SCHEME SCHEMED SCHEMER SCHEMERS SCHEMES SCHEMING SCHILLER SCHISM SCHIZOPHRENIA SCHLESINGER SCHLITZ SCHLOSS SCHMIDT SCHMITT SCHNABEL SCHNEIDER SCHOENBERG SCHOFIELD SCHOLAR SCHOLARLY SCHOLARS SCHOLARSHIP SCHOLARSHIPS SCHOLASTIC SCHOLASTICALLY SCHOLASTICS SCHOOL SCHOOLBOY SCHOOLBOYS SCHOOLED SCHOOLER SCHOOLERS SCHOOLHOUSE SCHOOLHOUSES SCHOOLING SCHOOLMASTER SCHOOLMASTERS SCHOOLROOM SCHOOLROOMS SCHOOLS SCHOONER SCHOPENHAUER SCHOTTKY SCHROEDER SCHROEDINGER SCHUBERT SCHULTZ SCHULZ SCHUMACHER SCHUMAN SCHUMANN SCHUSTER SCHUYLER SCHUYLKILL SCHWAB SCHWARTZ SCHWEITZER SCIENCE SCIENCES SCIENTIFIC SCIENTIFICALLY SCIENTIST SCIENTISTS SCISSOR SCISSORED SCISSORING SCISSORS SCLEROSIS SCLEROTIC SCOFF SCOFFED SCOFFER SCOFFING SCOFFS SCOLD SCOLDED SCOLDING SCOLDS SCOOP SCOOPED SCOOPING SCOOPS SCOOT SCOPE SCOPED SCOPES SCOPING SCORCH SCORCHED SCORCHER SCORCHES SCORCHING SCORE SCOREBOARD SCORECARD SCORED SCORER SCORERS SCORES SCORING SCORINGS SCORN SCORNED SCORNER SCORNFUL SCORNFULLY SCORNING SCORNS SCORPIO SCORPION SCORPIONS SCOT SCOTCH SCOTCHGARD SCOTCHMAN SCOTIA SCOTIAN SCOTLAND SCOTS SCOTSMAN SCOTSMEN SCOTT SCOTTISH SCOTTSDALE SCOTTY SCOUNDREL SCOUNDRELS SCOUR SCOURED SCOURGE SCOURING SCOURS SCOUT SCOUTED SCOUTING SCOUTS SCOW SCOWL SCOWLED SCOWLING SCOWLS SCRAM SCRAMBLE SCRAMBLED SCRAMBLER SCRAMBLES SCRAMBLING SCRANTON SCRAP SCRAPE SCRAPED SCRAPER SCRAPERS SCRAPES SCRAPING SCRAPINGS SCRAPPED SCRAPS SCRATCH SCRATCHED SCRATCHER SCRATCHERS SCRATCHES SCRATCHING SCRATCHY SCRAWL SCRAWLED SCRAWLING SCRAWLS SCRAWNY SCREAM SCREAMED SCREAMER SCREAMERS SCREAMING SCREAMS SCREECH SCREECHED SCREECHES SCREECHING SCREEN SCREENED SCREENING SCREENINGS SCREENPLAY SCREENS SCREW SCREWBALL SCREWDRIVER SCREWED SCREWING SCREWS SCRIBBLE SCRIBBLED SCRIBBLER SCRIBBLES SCRIBE SCRIBES SCRIBING SCRIBNERS SCRIMMAGE SCRIPPS SCRIPT SCRIPTS SCRIPTURE SCRIPTURES SCROLL SCROLLED SCROLLING SCROLLS SCROOGE SCROUNGE SCRUB SCRUMPTIOUS SCRUPLE SCRUPULOUS SCRUPULOUSLY SCRUTINIZE SCRUTINIZED SCRUTINIZING SCRUTINY SCUBA SCUD SCUFFLE SCUFFLED SCUFFLES SCUFFLING SCULPT SCULPTED SCULPTOR SCULPTORS SCULPTS SCULPTURE SCULPTURED SCULPTURES SCURRIED SCURRY SCURVY SCUTTLE SCUTTLED SCUTTLES SCUTTLING SCYLLA SCYTHE SCYTHES SCYTHIA SEA SEABOARD SEABORG SEABROOK SEACOAST SEACOASTS SEAFOOD SEAGATE SEAGRAM SEAGULL SEAHORSE SEAL SEALED SEALER SEALING SEALS SEALY SEAM SEAMAN SEAMED SEAMEN SEAMING SEAMS SEAMY SEAN SEAPORT SEAPORTS SEAQUARIUM SEAR SEARCH SEARCHED SEARCHER SEARCHERS SEARCHES SEARCHING SEARCHINGLY SEARCHINGS SEARCHLIGHT SEARED SEARING SEARINGLY SEARS SEAS SEASHORE SEASHORES SEASIDE SEASON SEASONABLE SEASONABLY SEASONAL SEASONALLY SEASONED SEASONER SEASONERS SEASONING SEASONINGS SEASONS SEAT SEATED SEATING SEATS SEATTLE SEAWARD SEAWEED SEBASTIAN SECANT SECEDE SECEDED SECEDES SECEDING SECESSION SECLUDE SECLUDED SECLUSION SECOND SECONDARIES SECONDARILY SECONDARY SECONDED SECONDER SECONDERS SECONDHAND SECONDING SECONDLY SECONDS SECRECY SECRET SECRETARIAL SECRETARIAT SECRETARIES SECRETARY SECRETE SECRETED SECRETES SECRETING SECRETION SECRETIONS SECRETIVE SECRETIVELY SECRETLY SECRETS SECT SECTARIAN SECTION SECTIONAL SECTIONED SECTIONING SECTIONS SECTOR SECTORS SECTS SECULAR SECURE SECURED SECURELY SECURES SECURING SECURINGS SECURITIES SECURITY SEDAN SEDATE SEDGE SEDGWICK SEDIMENT SEDIMENTARY SEDIMENTS SEDITION SEDITIOUS SEDUCE SEDUCED SEDUCER SEDUCERS SEDUCES SEDUCING SEDUCTION SEDUCTIVE SEE SEED SEEDED SEEDER SEEDERS SEEDING SEEDINGS SEEDLING SEEDLINGS SEEDS SEEDY SEEING SEEK SEEKER SEEKERS SEEKING SEEKS SEELEY SEEM SEEMED SEEMING SEEMINGLY SEEMLY SEEMS SEEN SEEP SEEPAGE SEEPED SEEPING SEEPS SEER SEERS SEERSUCKER SEES SEETHE SEETHED SEETHES SEETHING SEGMENT SEGMENTATION SEGMENTATIONS SEGMENTED SEGMENTING SEGMENTS SEGOVIA SEGREGATE SEGREGATED SEGREGATES SEGREGATING SEGREGATION SEGUNDO SEIDEL SEISMIC SEISMOGRAPH SEISMOLOGY SEIZE SEIZED SEIZES SEIZING SEIZURE SEIZURES SELDOM SELECT SELECTED SELECTING SELECTION SELECTIONS SELECTIVE SELECTIVELY SELECTIVITY SELECTMAN SELECTMEN SELECTOR SELECTORS SELECTRIC SELECTS SELENA SELENIUM SELF SELFISH SELFISHLY SELFISHNESS SELFRIDGE SELFSAME SELKIRK SELL SELLER SELLERS SELLING SELLOUT SELLS SELMA SELTZER SELVES SELWYN SEMANTIC SEMANTICAL SEMANTICALLY SEMANTICIST SEMANTICISTS SEMANTICS SEMAPHORE SEMAPHORES SEMBLANCE SEMESTER SEMESTERS SEMI SEMIAUTOMATED SEMICOLON SEMICOLONS SEMICONDUCTOR SEMICONDUCTORS SEMINAL SEMINAR SEMINARIAN SEMINARIES SEMINARS SEMINARY SEMINOLE SEMIPERMANENT SEMIPERMANENTLY SEMIRAMIS SEMITE SEMITIC SEMITICIZE SEMITICIZES SEMITIZATION SEMITIZATIONS SEMITIZE SEMITIZES SENATE SENATES SENATOR SENATORIAL SENATORS SEND SENDER SENDERS SENDING SENDS SENECA SENEGAL SENILE SENIOR SENIORITY SENIORS SENSATION SENSATIONAL SENSATIONALLY SENSATIONS SENSE SENSED SENSELESS SENSELESSLY SENSELESSNESS SENSES SENSIBILITIES SENSIBILITY SENSIBLE SENSIBLY SENSING SENSITIVE SENSITIVELY SENSITIVENESS SENSITIVES SENSITIVITIES SENSITIVITY SENSOR SENSORS SENSORY SENSUAL SENSUOUS SENT SENTENCE SENTENCED SENTENCES SENTENCING SENTENTIAL SENTIMENT SENTIMENTAL SENTIMENTALLY SENTIMENTS SENTINEL SENTINELS SENTRIES SENTRY SEOUL SEPARABLE SEPARATE SEPARATED SEPARATELY SEPARATENESS SEPARATES SEPARATING SEPARATION SEPARATIONS SEPARATOR SEPARATORS SEPIA SEPOY SEPT SEPTEMBER SEPTEMBERS SEPULCHER SEPULCHERS SEQUEL SEQUELS SEQUENCE SEQUENCED SEQUENCER SEQUENCERS SEQUENCES SEQUENCING SEQUENCINGS SEQUENTIAL SEQUENTIALITY SEQUENTIALIZE SEQUENTIALIZED SEQUENTIALIZES SEQUENTIALIZING SEQUENTIALLY SEQUESTER SEQUOIA SERAFIN SERBIA SERBIAN SERBIANS SERENDIPITOUS SERENDIPITY SERENE SERENELY SERENITY SERF SERFS SERGEANT SERGEANTS SERGEI SERIAL SERIALIZABILITY SERIALIZABLE SERIALIZATION SERIALIZATIONS SERIALIZE SERIALIZED SERIALIZES SERIALIZING SERIALLY SERIALS SERIES SERIF SERIOUS SERIOUSLY SERIOUSNESS SERMON SERMONS SERPENS SERPENT SERPENTINE SERPENTS SERRA SERUM SERUMS SERVANT SERVANTS SERVE SERVED SERVER SERVERS SERVES SERVICE SERVICEABILITY SERVICEABLE SERVICED SERVICEMAN SERVICEMEN SERVICES SERVICING SERVILE SERVING SERVINGS SERVITUDE SERVO SERVOMECHANISM SESAME SESSION SESSIONS SET SETBACK SETH SETS SETTABLE SETTER SETTERS SETTING SETTINGS SETTLE SETTLED SETTLEMENT SETTLEMENTS SETTLER SETTLERS SETTLES SETTLING SETUP SETUPS SEVEN SEVENFOLD SEVENS SEVENTEEN SEVENTEENS SEVENTEENTH SEVENTH SEVENTIES SEVENTIETH SEVENTY SEVER SEVERAL SEVERALFOLD SEVERALLY SEVERANCE SEVERE SEVERED SEVERELY SEVERER SEVEREST SEVERING SEVERITIES SEVERITY SEVERN SEVERS SEVILLE SEW SEWAGE SEWARD SEWED SEWER SEWERS SEWING SEWS SEX SEXED SEXES SEXIST SEXTANS SEXTET SEXTILLION SEXTON SEXTUPLE SEXTUPLET SEXUAL SEXUALITY SEXUALLY SEXY SEYCHELLES SEYMOUR SHABBY SHACK SHACKED SHACKLE SHACKLED SHACKLES SHACKLING SHACKS SHADE SHADED SHADES SHADIER SHADIEST SHADILY SHADINESS SHADING SHADINGS SHADOW SHADOWED SHADOWING SHADOWS SHADOWY SHADY SHAFER SHAFFER SHAFT SHAFTS SHAGGY SHAKABLE SHAKABLY SHAKE SHAKEDOWN SHAKEN SHAKER SHAKERS SHAKES SHAKESPEARE SHAKESPEAREAN SHAKESPEARIAN SHAKESPEARIZE SHAKESPEARIZES SHAKINESS SHAKING SHAKY SHALE SHALL SHALLOW SHALLOWER SHALLOWLY SHALLOWNESS SHAM SHAMBLES SHAME SHAMED SHAMEFUL SHAMEFULLY SHAMELESS SHAMELESSLY SHAMES SHAMING SHAMPOO SHAMROCK SHAMS SHANGHAI SHANGHAIED SHANGHAIING SHANGHAIINGS SHANGHAIS SHANNON SHANTIES SHANTUNG SHANTY SHAPE SHAPED SHAPELESS SHAPELESSLY SHAPELESSNESS SHAPELY SHAPER SHAPERS SHAPES SHAPING SHAPIRO SHARABLE SHARD SHARE SHAREABLE SHARECROPPER SHARECROPPERS SHARED SHAREHOLDER SHAREHOLDERS SHARER SHARERS SHARES SHARI SHARING SHARK SHARKS SHARON SHARP SHARPE SHARPEN SHARPENED SHARPENING SHARPENS SHARPER SHARPEST SHARPLY SHARPNESS SHARPSHOOT SHASTA SHATTER SHATTERED SHATTERING SHATTERPROOF SHATTERS SHATTUCK SHAVE SHAVED SHAVEN SHAVES SHAVING SHAVINGS SHAWANO SHAWL SHAWLS SHAWNEE SHE SHEA SHEAF SHEAR SHEARED SHEARER SHEARING SHEARS SHEATH SHEATHING SHEATHS SHEAVES SHEBOYGAN SHED SHEDDING SHEDIR SHEDS SHEEHAN SHEEN SHEEP SHEEPSKIN SHEER SHEERED SHEET SHEETED SHEETING SHEETS SHEFFIELD SHEIK SHEILA SHELBY SHELDON SHELF SHELL SHELLED SHELLER SHELLEY SHELLING SHELLS SHELTER SHELTERED SHELTERING SHELTERS SHELTON SHELVE SHELVED SHELVES SHELVING SHENANDOAH SHENANIGAN SHEPARD SHEPHERD SHEPHERDS SHEPPARD SHERATON SHERBET SHERIDAN SHERIFF SHERIFFS SHERLOCK SHERMAN SHERRILL SHERRY SHERWIN SHERWOOD SHIBBOLETH SHIED SHIELD SHIELDED SHIELDING SHIELDS SHIES SHIFT SHIFTED SHIFTER SHIFTERS SHIFTIER SHIFTIEST SHIFTILY SHIFTINESS SHIFTING SHIFTS SHIFTY SHIITE SHIITES SHILL SHILLING SHILLINGS SHILLONG SHILOH SHIMMER SHIMMERING SHIN SHINBONE SHINE SHINED SHINER SHINERS SHINES SHINGLE SHINGLES SHINING SHININGLY SHINTO SHINTOISM SHINTOIZE SHINTOIZES SHINY SHIP SHIPBOARD SHIPBUILDING SHIPLEY SHIPMATE SHIPMENT SHIPMENTS SHIPPED SHIPPER SHIPPERS SHIPPING SHIPS SHIPSHAPE SHIPWRECK SHIPWRECKED SHIPWRECKS SHIPYARD SHIRE SHIRK SHIRKER SHIRKING SHIRKS SHIRLEY SHIRT SHIRTING SHIRTS SHIT SHIVA SHIVER SHIVERED SHIVERER SHIVERING SHIVERS SHMUEL SHOAL SHOALS SHOCK SHOCKED SHOCKER SHOCKERS SHOCKING SHOCKINGLY SHOCKLEY SHOCKS SHOD SHODDY SHOE SHOED SHOEHORN SHOEING SHOELACE SHOEMAKER SHOES SHOESTRING SHOJI SHONE SHOOK SHOOT SHOOTER SHOOTERS SHOOTING SHOOTINGS SHOOTS SHOP SHOPKEEPER SHOPKEEPERS SHOPPED SHOPPER SHOPPERS SHOPPING SHOPS SHOPWORN SHORE SHORELINE SHORES SHOREWOOD SHORN SHORT SHORTAGE SHORTAGES SHORTCOMING SHORTCOMINGS SHORTCUT SHORTCUTS SHORTED SHORTEN SHORTENED SHORTENING SHORTENS SHORTER SHORTEST SHORTFALL SHORTHAND SHORTHANDED SHORTING SHORTISH SHORTLY SHORTNESS SHORTS SHORTSIGHTED SHORTSTOP SHOSHONE SHOT SHOTGUN SHOTGUNS SHOTS SHOULD SHOULDER SHOULDERED SHOULDERING SHOULDERS SHOUT SHOUTED SHOUTER SHOUTERS SHOUTING SHOUTS SHOVE SHOVED SHOVEL SHOVELED SHOVELS SHOVES SHOVING SHOW SHOWBOAT SHOWCASE SHOWDOWN SHOWED SHOWER SHOWERED SHOWERING SHOWERS SHOWING SHOWINGS SHOWN SHOWPIECE SHOWROOM SHOWS SHOWY SHRANK SHRAPNEL SHRED SHREDDER SHREDDING SHREDS SHREVEPORT SHREW SHREWD SHREWDEST SHREWDLY SHREWDNESS SHREWS SHRIEK SHRIEKED SHRIEKING SHRIEKS SHRILL SHRILLED SHRILLING SHRILLNESS SHRILLY SHRIMP SHRINE SHRINES SHRINK SHRINKABLE SHRINKAGE SHRINKING SHRINKS SHRIVEL SHRIVELED SHROUD SHROUDED SHRUB SHRUBBERY SHRUBS SHRUG SHRUGS SHRUNK SHRUNKEN SHU SHUDDER SHUDDERED SHUDDERING SHUDDERS SHUFFLE SHUFFLEBOARD SHUFFLED SHUFFLES SHUFFLING SHULMAN SHUN SHUNS SHUNT SHUT SHUTDOWN SHUTDOWNS SHUTOFF SHUTOUT SHUTS SHUTTER SHUTTERED SHUTTERS SHUTTING SHUTTLE SHUTTLECOCK SHUTTLED SHUTTLES SHUTTLING SHY SHYLOCK SHYLOCKIAN SHYLY SHYNESS SIAM SIAMESE SIAN SIBERIA SIBERIAN SIBLEY SIBLING SIBLINGS SICILIAN SICILIANA SICILIANS SICILY SICK SICKEN SICKER SICKEST SICKLE SICKLY SICKNESS SICKNESSES SICKROOM SIDE SIDEARM SIDEBAND SIDEBOARD SIDEBOARDS SIDEBURNS SIDECAR SIDED SIDELIGHT SIDELIGHTS SIDELINE SIDEREAL SIDES SIDESADDLE SIDESHOW SIDESTEP SIDETRACK SIDEWALK SIDEWALKS SIDEWAYS SIDEWISE SIDING SIDINGS SIDNEY SIEGE SIEGEL SIEGES SIEGFRIED SIEGLINDA SIEGMUND SIEMENS SIENA SIERRA SIEVE SIEVES SIFFORD SIFT SIFTED SIFTER SIFTING SIGGRAPH SIGH SIGHED SIGHING SIGHS SIGHT SIGHTED SIGHTING SIGHTINGS SIGHTLY SIGHTS SIGHTSEEING SIGMA SIGMUND SIGN SIGNAL SIGNALED SIGNALING SIGNALLED SIGNALLING SIGNALLY SIGNALS SIGNATURE SIGNATURES SIGNED SIGNER SIGNERS SIGNET SIGNIFICANCE SIGNIFICANT SIGNIFICANTLY SIGNIFICANTS SIGNIFICATION SIGNIFIED SIGNIFIES SIGNIFY SIGNIFYING SIGNING SIGNS SIKH SIKHES SIKHS SIKKIM SIKKIMESE SIKORSKY SILAS SILENCE SILENCED SILENCER SILENCERS SILENCES SILENCING SILENT SILENTLY SILHOUETTE SILHOUETTED SILHOUETTES SILICA SILICATE SILICON SILICONE SILK SILKEN SILKIER SILKIEST SILKILY SILKINE SILKS SILKY SILL SILLIEST SILLINESS SILLS SILLY SILO SILT SILTED SILTING SILTS SILVER SILVERED SILVERING SILVERMAN SILVERS SILVERSMITH SILVERSTEIN SILVERWARE SILVERY SIMILAR SIMILARITIES SIMILARITY SIMILARLY SIMILE SIMILITUDE SIMLA SIMMER SIMMERED SIMMERING SIMMERS SIMMONS SIMMONSVILLE SIMMS SIMON SIMONS SIMONSON SIMPLE SIMPLEMINDED SIMPLENESS SIMPLER SIMPLEST SIMPLETON SIMPLEX SIMPLICITIES SIMPLICITY SIMPLIFICATION SIMPLIFICATIONS SIMPLIFIED SIMPLIFIER SIMPLIFIERS SIMPLIFIES SIMPLIFY SIMPLIFYING SIMPLISTIC SIMPLY SIMPSON SIMS SIMULA SIMULA SIMULATE SIMULATED SIMULATES SIMULATING SIMULATION SIMULATIONS SIMULATOR SIMULATORS SIMULCAST SIMULTANEITY SIMULTANEOUS SIMULTANEOUSLY SINAI SINATRA SINBAD SINCE SINCERE SINCERELY SINCEREST SINCERITY SINCLAIR SINE SINES SINEW SINEWS SINEWY SINFUL SINFULLY SINFULNESS SING SINGABLE SINGAPORE SINGBORG SINGE SINGED SINGER SINGERS SINGING SINGINGLY SINGLE SINGLED SINGLEHANDED SINGLENESS SINGLES SINGLET SINGLETON SINGLETONS SINGLING SINGLY SINGS SINGSONG SINGULAR SINGULARITIES SINGULARITY SINGULARLY SINISTER SINK SINKED SINKER SINKERS SINKHOLE SINKING SINKS SINNED SINNER SINNERS SINNING SINS SINUOUS SINUS SINUSOID SINUSOIDAL SINUSOIDS SIOUX SIP SIPHON SIPHONING SIPPING SIPS SIR SIRE SIRED SIREN SIRENS SIRES SIRIUS SIRS SIRUP SISTER SISTERLY SISTERS SISTINE SISYPHEAN SISYPHUS SIT SITE SITED SITES SITING SITS SITTER SITTERS SITTING SITTINGS SITU SITUATE SITUATED SITUATES SITUATING SITUATION SITUATIONAL SITUATIONALLY SITUATIONS SIVA SIX SIXES SIXFOLD SIXGUN SIXPENCE SIXTEEN SIXTEENS SIXTEENTH SIXTH SIXTIES SIXTIETH SIXTY SIZABLE SIZE SIZED SIZES SIZING SIZINGS SIZZLE SKATE SKATED SKATER SKATERS SKATES SKATING SKELETAL SKELETON SKELETONS SKEPTIC SKEPTICAL SKEPTICALLY SKEPTICISM SKEPTICS SKETCH SKETCHBOOK SKETCHED SKETCHES SKETCHILY SKETCHING SKETCHPAD SKETCHY SKEW SKEWED SKEWER SKEWERS SKEWING SKEWS SKI SKID SKIDDING SKIED SKIES SKIFF SKIING SKILL SKILLED SKILLET SKILLFUL SKILLFULLY SKILLFULNESS SKILLS SKIM SKIMMED SKIMMING SKIMP SKIMPED SKIMPING SKIMPS SKIMPY SKIMS SKIN SKINDIVE SKINNED SKINNER SKINNERS SKINNING SKINNY SKINS SKIP SKIPPED SKIPPER SKIPPERS SKIPPING SKIPPY SKIPS SKIRMISH SKIRMISHED SKIRMISHER SKIRMISHERS SKIRMISHES SKIRMISHING SKIRT SKIRTED SKIRTING SKIRTS SKIS SKIT SKOPJE SKULK SKULKED SKULKER SKULKING SKULKS SKULL SKULLCAP SKULLDUGGERY SKULLS SKUNK SKUNKS SKY SKYE SKYHOOK SKYJACK SKYLARK SKYLARKING SKYLARKS SKYLIGHT SKYLIGHTS SKYLINE SKYROCKETS SKYSCRAPER SKYSCRAPERS SLAB SLACK SLACKEN SLACKER SLACKING SLACKLY SLACKNESS SLACKS SLAIN SLAM SLAMMED SLAMMING SLAMS SLANDER SLANDERER SLANDEROUS SLANDERS SLANG SLANT SLANTED SLANTING SLANTS SLAP SLAPPED SLAPPING SLAPS SLAPSTICK SLASH SLASHED SLASHES SLASHING SLAT SLATE SLATED SLATER SLATES SLATS SLAUGHTER SLAUGHTERED SLAUGHTERHOUSE SLAUGHTERING SLAUGHTERS SLAV SLAVE SLAVER SLAVERY SLAVES SLAVIC SLAVICIZE SLAVICIZES SLAVISH SLAVIZATION SLAVIZATIONS SLAVIZE SLAVIZES SLAVONIC SLAVONICIZE SLAVONICIZES SLAVS SLAY SLAYER SLAYERS SLAYING SLAYS SLED SLEDDING SLEDGE SLEDGEHAMMER SLEDGES SLEDS SLEEK SLEEP SLEEPER SLEEPERS SLEEPILY SLEEPINESS SLEEPING SLEEPLESS SLEEPLESSLY SLEEPLESSNESS SLEEPS SLEEPWALK SLEEPY SLEET SLEEVE SLEEVES SLEIGH SLEIGHS SLEIGHT SLENDER SLENDERER SLEPT SLESINGER SLEUTH SLEW SLEWING SLICE SLICED SLICER SLICERS SLICES SLICING SLICK SLICKER SLICKERS SLICKS SLID SLIDE SLIDER SLIDERS SLIDES SLIDING SLIGHT SLIGHTED SLIGHTER SLIGHTEST SLIGHTING SLIGHTLY SLIGHTNESS SLIGHTS SLIM SLIME SLIMED SLIMLY SLIMY SLING SLINGING SLINGS SLINGSHOT SLIP SLIPPAGE SLIPPED SLIPPER SLIPPERINESS SLIPPERS SLIPPERY SLIPPING SLIPS SLIT SLITHER SLITS SLIVER SLOAN SLOANE SLOB SLOCUM SLOGAN SLOGANS SLOOP SLOP SLOPE SLOPED SLOPER SLOPERS SLOPES SLOPING SLOPPED SLOPPINESS SLOPPING SLOPPY SLOPS SLOT SLOTH SLOTHFUL SLOTHS SLOTS SLOTTED SLOTTING SLOUCH SLOUCHED SLOUCHES SLOUCHING SLOVAKIA SLOVENIA SLOW SLOWDOWN SLOWED SLOWER SLOWEST SLOWING SLOWLY SLOWNESS SLOWS SLUDGE SLUG SLUGGISH SLUGGISHLY SLUGGISHNESS SLUGS SLUICE SLUM SLUMBER SLUMBERED SLUMMING SLUMP SLUMPED SLUMPS SLUMS SLUNG SLUR SLURP SLURRING SLURRY SLURS SLY SLYLY SMACK SMACKED SMACKING SMACKS SMALL SMALLER SMALLEST SMALLEY SMALLISH SMALLNESS SMALLPOX SMALLTIME SMALLWOOD SMART SMARTED SMARTER SMARTEST SMARTLY SMARTNESS SMASH SMASHED SMASHER SMASHERS SMASHES SMASHING SMASHINGLY SMATTERING SMEAR SMEARED SMEARING SMEARS SMELL SMELLED SMELLING SMELLS SMELLY SMELT SMELTER SMELTS SMILE SMILED SMILES SMILING SMILINGLY SMIRK SMITE SMITH SMITHEREENS SMITHFIELD SMITHS SMITHSON SMITHSONIAN SMITHTOWN SMITHY SMITTEN SMOCK SMOCKING SMOCKS SMOG SMOKABLE SMOKE SMOKED SMOKER SMOKERS SMOKES SMOKESCREEN SMOKESTACK SMOKIES SMOKING SMOKY SMOLDER SMOLDERED SMOLDERING SMOLDERS SMOOCH SMOOTH SMOOTHBORE SMOOTHED SMOOTHER SMOOTHES SMOOTHEST SMOOTHING SMOOTHLY SMOOTHNESS SMOTE SMOTHER SMOTHERED SMOTHERING SMOTHERS SMUCKER SMUDGE SMUG SMUGGLE SMUGGLED SMUGGLER SMUGGLERS SMUGGLES SMUGGLING SMUT SMUTTY SMYRNA SMYTHE SNACK SNAFU SNAG SNAIL SNAILS SNAKE SNAKED SNAKELIKE SNAKES SNAP SNAPDRAGON SNAPPED SNAPPER SNAPPERS SNAPPILY SNAPPING SNAPPY SNAPS SNAPSHOT SNAPSHOTS SNARE SNARED SNARES SNARING SNARK SNARL SNARLED SNARLING SNATCH SNATCHED SNATCHES SNATCHING SNAZZY SNEAD SNEAK SNEAKED SNEAKER SNEAKERS SNEAKIER SNEAKIEST SNEAKILY SNEAKINESS SNEAKING SNEAKS SNEAKY SNEED SNEER SNEERED SNEERING SNEERS SNEEZE SNEEZED SNEEZES SNEEZING SNIDER SNIFF SNIFFED SNIFFING SNIFFLE SNIFFS SNIFTER SNIGGER SNIP SNIPE SNIPPET SNIVEL SNOB SNOBBERY SNOBBISH SNODGRASS SNOOP SNOOPED SNOOPING SNOOPS SNOOPY SNORE SNORED SNORES SNORING SNORKEL SNORT SNORTED SNORTING SNORTS SNOTTY SNOUT SNOUTS SNOW SNOWBALL SNOWBELT SNOWED SNOWFALL SNOWFLAKE SNOWIER SNOWIEST SNOWILY SNOWING SNOWMAN SNOWMEN SNOWS SNOWSHOE SNOWSHOES SNOWSTORM SNOWY SNUB SNUFF SNUFFED SNUFFER SNUFFING SNUFFS SNUG SNUGGLE SNUGGLED SNUGGLES SNUGGLING SNUGLY SNUGNESS SNYDER SOAK SOAKED SOAKING SOAKS SOAP SOAPED SOAPING SOAPS SOAPY SOAR SOARED SOARING SOARS SOB SOBBING SOBER SOBERED SOBERING SOBERLY SOBERNESS SOBERS SOBRIETY SOBS SOCCER SOCIABILITY SOCIABLE SOCIABLY SOCIAL SOCIALISM SOCIALIST SOCIALISTS SOCIALIZE SOCIALIZED SOCIALIZES SOCIALIZING SOCIALLY SOCIETAL SOCIETIES SOCIETY SOCIOECONOMIC SOCIOLOGICAL SOCIOLOGICALLY SOCIOLOGIST SOCIOLOGISTS SOCIOLOGY SOCK SOCKED SOCKET SOCKETS SOCKING SOCKS SOCRATES SOCRATIC SOD SODA SODDY SODIUM SODOMY SODS SOFA SOFAS SOFIA SOFT SOFTBALL SOFTEN SOFTENED SOFTENING SOFTENS SOFTER SOFTEST SOFTLY SOFTNESS SOFTWARE SOFTWARES SOGGY SOIL SOILED SOILING SOILS SOIREE SOJOURN SOJOURNER SOJOURNERS SOL SOLACE SOLACED SOLAR SOLD SOLDER SOLDERED SOLDIER SOLDIERING SOLDIERLY SOLDIERS SOLE SOLELY SOLEMN SOLEMNITY SOLEMNLY SOLEMNNESS SOLENOID SOLES SOLICIT SOLICITATION SOLICITED SOLICITING SOLICITOR SOLICITOUS SOLICITS SOLICITUDE SOLID SOLIDARITY SOLIDIFICATION SOLIDIFIED SOLIDIFIES SOLIDIFY SOLIDIFYING SOLIDITY SOLIDLY SOLIDNESS SOLIDS SOLILOQUY SOLITAIRE SOLITARY SOLITUDE SOLITUDES SOLLY SOLO SOLOMON SOLON SOLOS SOLOVIEV SOLSTICE SOLUBILITY SOLUBLE SOLUTION SOLUTIONS SOLVABLE SOLVE SOLVED SOLVENT SOLVENTS SOLVER SOLVERS SOLVES SOLVING SOMALI SOMALIA SOMALIS SOMATIC SOMBER SOMBERLY SOME SOMEBODY SOMEDAY SOMEHOW SOMEONE SOMEPLACE SOMERS SOMERSAULT SOMERSET SOMERVILLE SOMETHING SOMETIME SOMETIMES SOMEWHAT SOMEWHERE SOMMELIER SOMMERFELD SOMNOLENT SON SONAR SONATA SONENBERG SONG SONGBOOK SONGS SONIC SONNET SONNETS SONNY SONOMA SONORA SONS SONY SOON SOONER SOONEST SOOT SOOTH SOOTHE SOOTHED SOOTHER SOOTHES SOOTHING SOOTHSAYER SOPHIA SOPHIAS SOPHIE SOPHISTICATED SOPHISTICATION SOPHISTRY SOPHOCLEAN SOPHOCLES SOPHOMORE SOPHOMORES SOPRANO SORCERER SORCERERS SORCERY SORDID SORDIDLY SORDIDNESS SORE SORELY SORENESS SORENSEN SORENSON SORER SORES SOREST SORGHUM SORORITY SORREL SORRENTINE SORRIER SORRIEST SORROW SORROWFUL SORROWFULLY SORROWS SORRY SORT SORTED SORTER SORTERS SORTIE SORTING SORTS SOUGHT SOUL SOULFUL SOULS SOUND SOUNDED SOUNDER SOUNDEST SOUNDING SOUNDINGS SOUNDLY SOUNDNESS SOUNDPROOF SOUNDS SOUP SOUPED SOUPS SOUR SOURCE SOURCES SOURDOUGH SOURED SOURER SOUREST SOURING SOURLY SOURNESS SOURS SOUSA SOUTH SOUTHAMPTON SOUTHBOUND SOUTHEAST SOUTHEASTERN SOUTHERN SOUTHERNER SOUTHERNERS SOUTHERNMOST SOUTHERNWOOD SOUTHEY SOUTHFIELD SOUTHLAND SOUTHPAW SOUTHWARD SOUTHWEST SOUTHWESTERN SOUVENIR SOVEREIGN SOVEREIGNS SOVEREIGNTY SOVIET SOVIETS SOW SOWN SOY SOYA SOYBEAN SPA SPACE SPACECRAFT SPACED SPACER SPACERS SPACES SPACESHIP SPACESHIPS SPACESUIT SPACEWAR SPACING SPACINGS SPACIOUS SPADED SPADES SPADING SPAFFORD SPAHN SPAIN SPALDING SPAN SPANDREL SPANIARD SPANIARDIZATION SPANIARDIZATIONS SPANIARDIZE SPANIARDIZES SPANIARDS SPANIEL SPANISH SPANISHIZE SPANISHIZES SPANK SPANKED SPANKING SPANKS SPANNED SPANNER SPANNERS SPANNING SPANS SPARC SPARCSTATION SPARE SPARED SPARELY SPARENESS SPARER SPARES SPAREST SPARING SPARINGLY SPARK SPARKED SPARKING SPARKLE SPARKLING SPARKMAN SPARKS SPARRING SPARROW SPARROWS SPARSE SPARSELY SPARSENESS SPARSER SPARSEST SPARTA SPARTAN SPARTANIZE SPARTANIZES SPASM SPASTIC SPAT SPATE SPATES SPATIAL SPATIALLY SPATTER SPATTERED SPATULA SPAULDING SPAWN SPAWNED SPAWNING SPAWNS SPAYED SPEAK SPEAKABLE SPEAKEASY SPEAKER SPEAKERPHONE SPEAKERPHONES SPEAKERS SPEAKING SPEAKS SPEAR SPEARED SPEARMINT SPEARS SPEC SPECIAL SPECIALIST SPECIALISTS SPECIALIZATION SPECIALIZATIONS SPECIALIZE SPECIALIZED SPECIALIZES SPECIALIZING SPECIALLY SPECIALS SPECIALTIES SPECIALTY SPECIE SPECIES SPECIFIABLE SPECIFIC SPECIFICALLY SPECIFICATION SPECIFICATIONS SPECIFICITY SPECIFICS SPECIFIED SPECIFIER SPECIFIERS SPECIFIES SPECIFY SPECIFYING SPECIMEN SPECIMENS SPECIOUS SPECK SPECKLE SPECKLED SPECKLES SPECKS SPECTACLE SPECTACLED SPECTACLES SPECTACULAR SPECTACULARLY SPECTATOR SPECTATORS SPECTER SPECTERS SPECTOR SPECTRA SPECTRAL SPECTROGRAM SPECTROGRAMS SPECTROGRAPH SPECTROGRAPHIC SPECTROGRAPHY SPECTROMETER SPECTROPHOTOMETER SPECTROPHOTOMETRY SPECTROSCOPE SPECTROSCOPIC SPECTROSCOPY SPECTRUM SPECULATE SPECULATED SPECULATES SPECULATING SPECULATION SPECULATIONS SPECULATIVE SPECULATOR SPECULATORS SPED SPEECH SPEECHES SPEECHLESS SPEECHLESSNESS SPEED SPEEDBOAT SPEEDED SPEEDER SPEEDERS SPEEDILY SPEEDING SPEEDOMETER SPEEDS SPEEDUP SPEEDUPS SPEEDY SPELL SPELLBOUND SPELLED SPELLER SPELLERS SPELLING SPELLINGS SPELLS SPENCER SPENCERIAN SPEND SPENDER SPENDERS SPENDING SPENDS SPENGLERIAN SPENT SPERM SPERRY SPHERE SPHERES SPHERICAL SPHERICALLY SPHEROID SPHEROIDAL SPHINX SPICA SPICE SPICED SPICES SPICINESS SPICY SPIDER SPIDERS SPIDERY SPIEGEL SPIES SPIGOT SPIKE SPIKED SPIKES SPILL SPILLED SPILLER SPILLING SPILLS SPILT SPIN SPINACH SPINAL SPINALLY SPINDLE SPINDLED SPINDLING SPINE SPINNAKER SPINNER SPINNERS SPINNING SPINOFF SPINS SPINSTER SPINY SPIRAL SPIRALED SPIRALING SPIRALLY SPIRE SPIRES SPIRIT SPIRITED SPIRITEDLY SPIRITING SPIRITS SPIRITUAL SPIRITUALLY SPIRITUALS SPIRO SPIT SPITE SPITED SPITEFUL SPITEFULLY SPITEFULNESS SPITES SPITFIRE SPITING SPITS SPITTING SPITTLE SPITZ SPLASH SPLASHED SPLASHES SPLASHING SPLASHY SPLEEN SPLENDID SPLENDIDLY SPLENDOR SPLENETIC SPLICE SPLICED SPLICER SPLICERS SPLICES SPLICING SPLICINGS SPLINE SPLINES SPLINT SPLINTER SPLINTERED SPLINTERS SPLINTERY SPLIT SPLITS SPLITTER SPLITTERS SPLITTING SPLURGE SPOIL SPOILAGE SPOILED SPOILER SPOILERS SPOILING SPOILS SPOKANE SPOKE SPOKED SPOKEN SPOKES SPOKESMAN SPOKESMEN SPONGE SPONGED SPONGER SPONGERS SPONGES SPONGING SPONGY SPONSOR SPONSORED SPONSORING SPONSORS SPONSORSHIP SPONTANEITY SPONTANEOUS SPONTANEOUSLY SPOOF SPOOK SPOOKY SPOOL SPOOLED SPOOLER SPOOLERS SPOOLING SPOOLS SPOON SPOONED SPOONFUL SPOONING SPOONS SPORADIC SPORE SPORES SPORT SPORTED SPORTING SPORTINGLY SPORTIVE SPORTS SPORTSMAN SPORTSMEN SPORTSWEAR SPORTSWRITER SPORTSWRITING SPORTY SPOSATO SPOT SPOTLESS SPOTLESSLY SPOTLIGHT SPOTS SPOTTED SPOTTER SPOTTERS SPOTTING SPOTTY SPOUSE SPOUSES SPOUT SPOUTED SPOUTING SPOUTS SPRAGUE SPRAIN SPRANG SPRAWL SPRAWLED SPRAWLING SPRAWLS SPRAY SPRAYED SPRAYER SPRAYING SPRAYS SPREAD SPREADER SPREADERS SPREADING SPREADINGS SPREADS SPREADSHEET SPREE SPREES SPRIG SPRIGHTLY SPRING SPRINGBOARD SPRINGER SPRINGERS SPRINGFIELD SPRINGIER SPRINGIEST SPRINGINESS SPRINGING SPRINGS SPRINGTIME SPRINGY SPRINKLE SPRINKLED SPRINKLER SPRINKLES SPRINKLING SPRINT SPRINTED SPRINTER SPRINTERS SPRINTING SPRINTS SPRITE SPROCKET SPROUL SPROUT SPROUTED SPROUTING SPRUCE SPRUCED SPRUNG SPUDS SPUN SPUNK SPUR SPURIOUS SPURN SPURNED SPURNING SPURNS SPURS SPURT SPURTED SPURTING SPURTS SPUTTER SPUTTERED SPY SPYGLASS SPYING SQUABBLE SQUABBLED SQUABBLES SQUABBLING SQUAD SQUADRON SQUADRONS SQUADS SQUALID SQUALL SQUALLS SQUANDER SQUARE SQUARED SQUARELY SQUARENESS SQUARER SQUARES SQUAREST SQUARESVILLE SQUARING SQUASH SQUASHED SQUASHING SQUAT SQUATS SQUATTING SQUAW SQUAWK SQUAWKED SQUAWKING SQUAWKS SQUEAK SQUEAKED SQUEAKING SQUEAKS SQUEAKY SQUEAL SQUEALED SQUEALING SQUEALS SQUEAMISH SQUEEZE SQUEEZED SQUEEZER SQUEEZES SQUEEZING SQUELCH SQUIBB SQUID SQUINT SQUINTED SQUINTING SQUIRE SQUIRES SQUIRM SQUIRMED SQUIRMS SQUIRMY SQUIRREL SQUIRRELED SQUIRRELING SQUIRRELS SQUIRT SQUISHY SRI STAB STABBED STABBING STABILE STABILITIES STABILITY STABILIZE STABILIZED STABILIZER STABILIZERS STABILIZES STABILIZING STABLE STABLED STABLER STABLES STABLING STABLY STABS STACK STACKED STACKING STACKS STACY STADIA STADIUM STAFF STAFFED STAFFER STAFFERS STAFFING STAFFORD STAFFORDSHIRE STAFFS STAG STAGE STAGECOACH STAGECOACHES STAGED STAGER STAGERS STAGES STAGGER STAGGERED STAGGERING STAGGERS STAGING STAGNANT STAGNATE STAGNATION STAGS STAHL STAID STAIN STAINED STAINING STAINLESS STAINS STAIR STAIRCASE STAIRCASES STAIRS STAIRWAY STAIRWAYS STAIRWELL STAKE STAKED STAKES STALACTITE STALE STALEMATE STALEY STALIN STALINIST STALINS STALK STALKED STALKING STALL STALLED STALLING STALLINGS STALLION STALLS STALWART STALWARTLY STAMEN STAMENS STAMFORD STAMINA STAMMER STAMMERED STAMMERER STAMMERING STAMMERS STAMP STAMPED STAMPEDE STAMPEDED STAMPEDES STAMPEDING STAMPER STAMPERS STAMPING STAMPS STAN STANCH STANCHEST STANCHION STAND STANDARD STANDARDIZATION STANDARDIZE STANDARDIZED STANDARDIZES STANDARDIZING STANDARDLY STANDARDS STANDBY STANDING STANDINGS STANDISH STANDOFF STANDPOINT STANDPOINTS STANDS STANDSTILL STANFORD STANHOPE STANLEY STANS STANTON STANZA STANZAS STAPHYLOCOCCUS STAPLE STAPLER STAPLES STAPLETON STAPLING STAR STARBOARD STARCH STARCHED STARDOM STARE STARED STARER STARES STARFISH STARGATE STARING STARK STARKEY STARKLY STARLET STARLIGHT STARLING STARR STARRED STARRING STARRY STARS START STARTED STARTER STARTERS STARTING STARTLE STARTLED STARTLES STARTLING STARTS STARTUP STARTUPS STARVATION STARVE STARVED STARVES STARVING STATE STATED STATELY STATEMENT STATEMENTS STATEN STATES STATESMAN STATESMANLIKE STATESMEN STATEWIDE STATIC STATICALLY STATING STATION STATIONARY STATIONED STATIONER STATIONERY STATIONING STATIONMASTER STATIONS STATISTIC STATISTICAL STATISTICALLY STATISTICIAN STATISTICIANS STATISTICS STATLER STATUE STATUES STATUESQUE STATUESQUELY STATUESQUENESS STATUETTE STATURE STATUS STATUSES STATUTE STATUTES STATUTORILY STATUTORINESS STATUTORY STAUFFER STAUNCH STAUNCHEST STAUNCHLY STAUNTON STAVE STAVED STAVES STAY STAYED STAYING STAYS STEAD STEADFAST STEADFASTLY STEADFASTNESS STEADIED STEADIER STEADIES STEADIEST STEADILY STEADINESS STEADY STEADYING STEAK STEAKS STEAL STEALER STEALING STEALS STEALTH STEALTHILY STEALTHY STEAM STEAMBOAT STEAMBOATS STEAMED STEAMER STEAMERS STEAMING STEAMS STEAMSHIP STEAMSHIPS STEAMY STEARNS STEED STEEL STEELE STEELED STEELERS STEELING STEELMAKER STEELS STEELY STEEN STEEP STEEPED STEEPER STEEPEST STEEPING STEEPLE STEEPLES STEEPLY STEEPNESS STEEPS STEER STEERABLE STEERED STEERING STEERS STEFAN STEGOSAURUS STEINBECK STEINBERG STEINER STELLA STELLAR STEM STEMMED STEMMING STEMS STENCH STENCHES STENCIL STENCILS STENDHAL STENDLER STENOGRAPHER STENOGRAPHERS STENOTYPE STEP STEPCHILD STEPHAN STEPHANIE STEPHEN STEPHENS STEPHENSON STEPMOTHER STEPMOTHERS STEPPED STEPPER STEPPING STEPS STEPSON STEPWISE STEREO STEREOS STEREOSCOPIC STEREOTYPE STEREOTYPED STEREOTYPES STEREOTYPICAL STERILE STERILIZATION STERILIZATIONS STERILIZE STERILIZED STERILIZER STERILIZES STERILIZING STERLING STERN STERNBERG STERNLY STERNNESS STERNO STERNS STETHOSCOPE STETSON STETSONS STEUBEN STEVE STEVEDORE STEVEN STEVENS STEVENSON STEVIE STEW STEWARD STEWARDESS STEWARDS STEWART STEWED STEWS STICK STICKER STICKERS STICKIER STICKIEST STICKILY STICKINESS STICKING STICKLEBACK STICKS STICKY STIFF STIFFEN STIFFENS STIFFER STIFFEST STIFFLY STIFFNESS STIFFS STIFLE STIFLED STIFLES STIFLING STIGMA STIGMATA STILE STILES STILETTO STILL STILLBIRTH STILLBORN STILLED STILLER STILLEST STILLING STILLNESS STILLS STILLWELL STILT STILTS STIMSON STIMULANT STIMULANTS STIMULATE STIMULATED STIMULATES STIMULATING STIMULATION STIMULATIONS STIMULATIVE STIMULI STIMULUS STING STINGING STINGS STINGY STINK STINKER STINKERS STINKING STINKS STINT STIPEND STIPENDS STIPULATE STIPULATED STIPULATES STIPULATING STIPULATION STIPULATIONS STIR STIRLING STIRRED STIRRER STIRRERS STIRRING STIRRINGLY STIRRINGS STIRRUP STIRS STITCH STITCHED STITCHES STITCHING STOCHASTIC STOCHASTICALLY STOCK STOCKADE STOCKADES STOCKBROKER STOCKED STOCKER STOCKERS STOCKHOLDER STOCKHOLDERS STOCKHOLM STOCKING STOCKINGS STOCKPILE STOCKROOM STOCKS STOCKTON STOCKY STODGY STOICHIOMETRY STOKE STOKES STOLE STOLEN STOLES STOLID STOMACH STOMACHED STOMACHER STOMACHES STOMACHING STOMP STONE STONED STONEHENGE STONES STONING STONY STOOD STOOGE STOOL STOOP STOOPED STOOPING STOOPS STOP STOPCOCK STOPCOCKS STOPGAP STOPOVER STOPPABLE STOPPAGE STOPPED STOPPER STOPPERS STOPPING STOPS STOPWATCH STORAGE STORAGES STORE STORED STOREHOUSE STOREHOUSES STOREKEEPER STOREROOM STORES STOREY STOREYED STOREYS STORIED STORIES STORING STORK STORKS STORM STORMED STORMIER STORMIEST STORMINESS STORMING STORMS STORMY STORY STORYBOARD STORYTELLER STOUFFER STOUT STOUTER STOUTEST STOUTLY STOUTNESS STOVE STOVES STOW STOWE STOWED STRADDLE STRAFE STRAGGLE STRAGGLED STRAGGLER STRAGGLERS STRAGGLES STRAGGLING STRAIGHT STRAIGHTAWAY STRAIGHTEN STRAIGHTENED STRAIGHTENS STRAIGHTER STRAIGHTEST STRAIGHTFORWARD STRAIGHTFORWARDLY STRAIGHTFORWARDNESS STRAIGHTNESS STRAIGHTWAY STRAIN STRAINED STRAINER STRAINERS STRAINING STRAINS STRAIT STRAITEN STRAITS STRAND STRANDED STRANDING STRANDS STRANGE STRANGELY STRANGENESS STRANGER STRANGERS STRANGEST STRANGLE STRANGLED STRANGLER STRANGLERS STRANGLES STRANGLING STRANGLINGS STRANGULATION STRANGULATIONS STRAP STRAPS STRASBOURG STRATAGEM STRATAGEMS STRATEGIC STRATEGIES STRATEGIST STRATEGY STRATFORD STRATIFICATION STRATIFICATIONS STRATIFIED STRATIFIES STRATIFY STRATOSPHERE STRATOSPHERIC STRATTON STRATUM STRAUSS STRAVINSKY STRAW STRAWBERRIES STRAWBERRY STRAWS STRAY STRAYED STRAYS STREAK STREAKED STREAKS STREAM STREAMED STREAMER STREAMERS STREAMING STREAMLINE STREAMLINED STREAMLINER STREAMLINES STREAMLINING STREAMS STREET STREETCAR STREETCARS STREETERS STREETS STRENGTH STRENGTHEN STRENGTHENED STRENGTHENER STRENGTHENING STRENGTHENS STRENGTHS STRENUOUS STRENUOUSLY STREPTOCOCCUS STRESS STRESSED STRESSES STRESSFUL STRESSING STRETCH STRETCHED STRETCHER STRETCHERS STRETCHES STRETCHING STREW STREWN STREWS STRICKEN STRICKLAND STRICT STRICTER STRICTEST STRICTLY STRICTNESS STRICTURE STRIDE STRIDER STRIDES STRIDING STRIFE STRIKE STRIKEBREAKER STRIKER STRIKERS STRIKES STRIKING STRIKINGLY STRINDBERG STRING STRINGED STRINGENT STRINGENTLY STRINGER STRINGERS STRINGIER STRINGIEST STRINGINESS STRINGING STRINGS STRINGY STRIP STRIPE STRIPED STRIPES STRIPPED STRIPPER STRIPPERS STRIPPING STRIPS STRIPTEASE STRIVE STRIVEN STRIVES STRIVING STRIVINGS STROBE STROBED STROBES STROBOSCOPIC STRODE STROKE STROKED STROKER STROKERS STROKES STROKING STROLL STROLLED STROLLER STROLLING STROLLS STROM STROMBERG STRONG STRONGER STRONGEST STRONGHEART STRONGHOLD STRONGLY STRONTIUM STROVE STRUCK STRUCTURAL STRUCTURALLY STRUCTURE STRUCTURED STRUCTURER STRUCTURES STRUCTURING STRUGGLE STRUGGLED STRUGGLES STRUGGLING STRUNG STRUT STRUTS STRUTTING STRYCHNINE STU STUART STUB STUBBLE STUBBLEFIELD STUBBLEFIELDS STUBBORN STUBBORNLY STUBBORNNESS STUBBY STUBS STUCCO STUCK STUD STUDEBAKER STUDENT STUDENTS STUDIED STUDIES STUDIO STUDIOS STUDIOUS STUDIOUSLY STUDS STUDY STUDYING STUFF STUFFED STUFFIER STUFFIEST STUFFING STUFFS STUFFY STUMBLE STUMBLED STUMBLES STUMBLING STUMP STUMPED STUMPING STUMPS STUN STUNG STUNNING STUNNINGLY STUNT STUNTS STUPEFY STUPEFYING STUPENDOUS STUPENDOUSLY STUPID STUPIDEST STUPIDITIES STUPIDITY STUPIDLY STUPOR STURBRIDGE STURDINESS STURDY STURGEON STURM STUTTER STUTTGART STUYVESANT STYGIAN STYLE STYLED STYLER STYLERS STYLES STYLI STYLING STYLISH STYLISHLY STYLISHNESS STYLISTIC STYLISTICALLY STYLIZED STYLUS STYROFOAM STYX SUAVE SUB SUBATOMIC SUBCHANNEL SUBCHANNELS SUBCLASS SUBCLASSES SUBCOMMITTEES SUBCOMPONENT SUBCOMPONENTS SUBCOMPUTATION SUBCOMPUTATIONS SUBCONSCIOUS SUBCONSCIOUSLY SUBCULTURE SUBCULTURES SUBCYCLE SUBCYCLES SUBDIRECTORIES SUBDIRECTORY SUBDIVIDE SUBDIVIDED SUBDIVIDES SUBDIVIDING SUBDIVISION SUBDIVISIONS SUBDOMAINS SUBDUE SUBDUED SUBDUES SUBDUING SUBEXPRESSION SUBEXPRESSIONS SUBFIELD SUBFIELDS SUBFILE SUBFILES SUBGOAL SUBGOALS SUBGRAPH SUBGRAPHS SUBGROUP SUBGROUPS SUBINTERVAL SUBINTERVALS SUBJECT SUBJECTED SUBJECTING SUBJECTION SUBJECTIVE SUBJECTIVELY SUBJECTIVITY SUBJECTS SUBLANGUAGE SUBLANGUAGES SUBLAYER SUBLAYERS SUBLIMATION SUBLIMATIONS SUBLIME SUBLIMED SUBLIST SUBLISTS SUBMARINE SUBMARINER SUBMARINERS SUBMARINES SUBMERGE SUBMERGED SUBMERGES SUBMERGING SUBMISSION SUBMISSIONS SUBMISSIVE SUBMIT SUBMITS SUBMITTAL SUBMITTED SUBMITTING SUBMODE SUBMODES SUBMODULE SUBMODULES SUBMULTIPLEXED SUBNET SUBNETS SUBNETWORK SUBNETWORKS SUBOPTIMAL SUBORDINATE SUBORDINATED SUBORDINATES SUBORDINATION SUBPARTS SUBPHASES SUBPOENA SUBPROBLEM SUBPROBLEMS SUBPROCESSES SUBPROGRAM SUBPROGRAMS SUBPROJECT SUBPROOF SUBPROOFS SUBRANGE SUBRANGES SUBROUTINE SUBROUTINES SUBS SUBSCHEMA SUBSCHEMAS SUBSCRIBE SUBSCRIBED SUBSCRIBER SUBSCRIBERS SUBSCRIBES SUBSCRIBING SUBSCRIPT SUBSCRIPTED SUBSCRIPTING SUBSCRIPTION SUBSCRIPTIONS SUBSCRIPTS SUBSECTION SUBSECTIONS SUBSEGMENT SUBSEGMENTS SUBSEQUENCE SUBSEQUENCES SUBSEQUENT SUBSEQUENTLY SUBSERVIENT SUBSET SUBSETS SUBSIDE SUBSIDED SUBSIDES SUBSIDIARIES SUBSIDIARY SUBSIDIES SUBSIDING SUBSIDIZE SUBSIDIZED SUBSIDIZES SUBSIDIZING SUBSIDY SUBSIST SUBSISTED SUBSISTENCE SUBSISTENT SUBSISTING SUBSISTS SUBSLOT SUBSLOTS SUBSPACE SUBSPACES SUBSTANCE SUBSTANCES SUBSTANTIAL SUBSTANTIALLY SUBSTANTIATE SUBSTANTIATED SUBSTANTIATES SUBSTANTIATING SUBSTANTIATION SUBSTANTIATIONS SUBSTANTIVE SUBSTANTIVELY SUBSTANTIVITY SUBSTATION SUBSTATIONS SUBSTITUTABILITY SUBSTITUTABLE SUBSTITUTE SUBSTITUTED SUBSTITUTES SUBSTITUTING SUBSTITUTION SUBSTITUTIONS SUBSTRATE SUBSTRATES SUBSTRING SUBSTRINGS SUBSTRUCTURE SUBSTRUCTURES SUBSUME SUBSUMED SUBSUMES SUBSUMING SUBSYSTEM SUBSYSTEMS SUBTASK SUBTASKS SUBTERFUGE SUBTERRANEAN SUBTITLE SUBTITLED SUBTITLES SUBTLE SUBTLENESS SUBTLER SUBTLEST SUBTLETIES SUBTLETY SUBTLY SUBTOTAL SUBTRACT SUBTRACTED SUBTRACTING SUBTRACTION SUBTRACTIONS SUBTRACTOR SUBTRACTORS SUBTRACTS SUBTRAHEND SUBTRAHENDS SUBTREE SUBTREES SUBUNIT SUBUNITS SUBURB SUBURBAN SUBURBIA SUBURBS SUBVERSION SUBVERSIVE SUBVERT SUBVERTED SUBVERTER SUBVERTING SUBVERTS SUBWAY SUBWAYS SUCCEED SUCCEEDED SUCCEEDING SUCCEEDS SUCCESS SUCCESSES SUCCESSFUL SUCCESSFULLY SUCCESSION SUCCESSIONS SUCCESSIVE SUCCESSIVELY SUCCESSOR SUCCESSORS SUCCINCT SUCCINCTLY SUCCINCTNESS SUCCOR SUCCUMB SUCCUMBED SUCCUMBING SUCCUMBS SUCH SUCK SUCKED SUCKER SUCKERS SUCKING SUCKLE SUCKLING SUCKS SUCTION SUDAN SUDANESE SUDANIC SUDDEN SUDDENLY SUDDENNESS SUDS SUDSING SUE SUED SUES SUEZ SUFFER SUFFERANCE SUFFERED SUFFERER SUFFERERS SUFFERING SUFFERINGS SUFFERS SUFFICE SUFFICED SUFFICES SUFFICIENCY SUFFICIENT SUFFICIENTLY SUFFICING SUFFIX SUFFIXED SUFFIXER SUFFIXES SUFFIXING SUFFOCATE SUFFOCATED SUFFOCATES SUFFOCATING SUFFOCATION SUFFOLK SUFFRAGE SUFFRAGETTE SUGAR SUGARED SUGARING SUGARINGS SUGARS SUGGEST SUGGESTED SUGGESTIBLE SUGGESTING SUGGESTION SUGGESTIONS SUGGESTIVE SUGGESTIVELY SUGGESTS SUICIDAL SUICIDALLY SUICIDE SUICIDES SUING SUIT SUITABILITY SUITABLE SUITABLENESS SUITABLY SUITCASE SUITCASES SUITE SUITED SUITERS SUITES SUITING SUITOR SUITORS SUITS SUKARNO SULFA SULFUR SULFURIC SULFUROUS SULK SULKED SULKINESS SULKING SULKS SULKY SULLEN SULLENLY SULLENNESS SULLIVAN SULPHATE SULPHUR SULPHURED SULPHURIC SULTAN SULTANS SULTRY SULZBERGER SUM SUMAC SUMATRA SUMERIA SUMERIAN SUMMAND SUMMANDS SUMMARIES SUMMARILY SUMMARIZATION SUMMARIZATIONS SUMMARIZE SUMMARIZED SUMMARIZES SUMMARIZING SUMMARY SUMMATION SUMMATIONS SUMMED SUMMER SUMMERDALE SUMMERS SUMMERTIME SUMMING SUMMIT SUMMITRY SUMMON SUMMONED SUMMONER SUMMONERS SUMMONING SUMMONS SUMMONSES SUMNER SUMPTUOUS SUMS SUMTER SUN SUNBEAM SUNBEAMS SUNBELT SUNBONNET SUNBURN SUNBURNT SUNDAY SUNDAYS SUNDER SUNDIAL SUNDOWN SUNDRIES SUNDRY SUNFLOWER SUNG SUNGLASS SUNGLASSES SUNK SUNKEN SUNLIGHT SUNLIT SUNNED SUNNING SUNNY SUNNYVALE SUNRISE SUNS SUNSET SUNSHINE SUNSPOT SUNTAN SUNTANNED SUNTANNING SUPER SUPERB SUPERBLOCK SUPERBLY SUPERCOMPUTER SUPERCOMPUTERS SUPEREGO SUPEREGOS SUPERFICIAL SUPERFICIALLY SUPERFLUITIES SUPERFLUITY SUPERFLUOUS SUPERFLUOUSLY SUPERGROUP SUPERGROUPS SUPERHUMAN SUPERHUMANLY SUPERIMPOSE SUPERIMPOSED SUPERIMPOSES SUPERIMPOSING SUPERINTEND SUPERINTENDENT SUPERINTENDENTS SUPERIOR SUPERIORITY SUPERIORS SUPERLATIVE SUPERLATIVELY SUPERLATIVES SUPERMARKET SUPERMARKETS SUPERMINI SUPERMINIS SUPERNATURAL SUPERPOSE SUPERPOSED SUPERPOSES SUPERPOSING SUPERPOSITION SUPERSCRIPT SUPERSCRIPTED SUPERSCRIPTING SUPERSCRIPTS SUPERSEDE SUPERSEDED SUPERSEDES SUPERSEDING SUPERSET SUPERSETS SUPERSTITION SUPERSTITIONS SUPERSTITIOUS SUPERUSER SUPERVISE SUPERVISED SUPERVISES SUPERVISING SUPERVISION SUPERVISOR SUPERVISORS SUPERVISORY SUPINE SUPPER SUPPERS SUPPLANT SUPPLANTED SUPPLANTING SUPPLANTS SUPPLE SUPPLEMENT SUPPLEMENTAL SUPPLEMENTARY SUPPLEMENTED SUPPLEMENTING SUPPLEMENTS SUPPLENESS SUPPLICATION SUPPLIED SUPPLIER SUPPLIERS SUPPLIES SUPPLY SUPPLYING SUPPORT SUPPORTABLE SUPPORTED SUPPORTER SUPPORTERS SUPPORTING SUPPORTINGLY SUPPORTIVE SUPPORTIVELY SUPPORTS SUPPOSE SUPPOSED SUPPOSEDLY SUPPOSES SUPPOSING SUPPOSITION SUPPOSITIONS SUPPRESS SUPPRESSED SUPPRESSES SUPPRESSING SUPPRESSION SUPPRESSOR SUPPRESSORS SUPRANATIONAL SUPREMACY SUPREME SUPREMELY SURCHARGE SURE SURELY SURENESS SURETIES SURETY SURF SURFACE SURFACED SURFACENESS SURFACES SURFACING SURGE SURGED SURGEON SURGEONS SURGERY SURGES SURGICAL SURGICALLY SURGING SURLINESS SURLY SURMISE SURMISED SURMISES SURMOUNT SURMOUNTED SURMOUNTING SURMOUNTS SURNAME SURNAMES SURPASS SURPASSED SURPASSES SURPASSING SURPLUS SURPLUSES SURPRISE SURPRISED SURPRISES SURPRISING SURPRISINGLY SURREAL SURRENDER SURRENDERED SURRENDERING SURRENDERS SURREPTITIOUS SURREY SURROGATE SURROGATES SURROUND SURROUNDED SURROUNDING SURROUNDINGS SURROUNDS SURTAX SURVEY SURVEYED SURVEYING SURVEYOR SURVEYORS SURVEYS SURVIVAL SURVIVALS SURVIVE SURVIVED SURVIVES SURVIVING SURVIVOR SURVIVORS SUS SUSAN SUSANNE SUSCEPTIBLE SUSIE SUSPECT SUSPECTED SUSPECTING SUSPECTS SUSPEND SUSPENDED SUSPENDER SUSPENDERS SUSPENDING SUSPENDS SUSPENSE SUSPENSES SUSPENSION SUSPENSIONS SUSPICION SUSPICIONS SUSPICIOUS SUSPICIOUSLY SUSQUEHANNA SUSSEX SUSTAIN SUSTAINED SUSTAINING SUSTAINS SUSTENANCE SUTHERLAND SUTTON SUTURE SUTURES SUWANEE SUZANNE SUZERAINTY SUZUKI SVELTE SVETLANA SWAB SWABBING SWAGGER SWAGGERED SWAGGERING SWAHILI SWAIN SWAINS SWALLOW SWALLOWED SWALLOWING SWALLOWS SWALLOWTAIL SWAM SWAMI SWAMP SWAMPED SWAMPING SWAMPS SWAMPY SWAN SWANK SWANKY SWANLIKE SWANS SWANSEA SWANSON SWAP SWAPPED SWAPPING SWAPS SWARM SWARMED SWARMING SWARMS SWARTHMORE SWARTHOUT SWARTHY SWARTZ SWASTIKA SWAT SWATTED SWAY SWAYED SWAYING SWAZILAND SWEAR SWEARER SWEARING SWEARS SWEAT SWEATED SWEATER SWEATERS SWEATING SWEATS SWEATSHIRT SWEATY SWEDE SWEDEN SWEDES SWEDISH SWEENEY SWEENEYS SWEEP SWEEPER SWEEPERS SWEEPING SWEEPINGS SWEEPS SWEEPSTAKES SWEET SWEETEN SWEETENED SWEETENER SWEETENERS SWEETENING SWEETENINGS SWEETENS SWEETER SWEETEST SWEETHEART SWEETHEARTS SWEETISH SWEETLY SWEETNESS SWEETS SWELL SWELLED SWELLING SWELLINGS SWELLS SWELTER SWENSON SWEPT SWERVE SWERVED SWERVES SWERVING SWIFT SWIFTER SWIFTEST SWIFTLY SWIFTNESS SWIM SWIMMER SWIMMERS SWIMMING SWIMMINGLY SWIMS SWIMSUIT SWINBURNE SWINDLE SWINE SWING SWINGER SWINGERS SWINGING SWINGS SWINK SWIPE SWIRL SWIRLED SWIRLING SWISH SWISHED SWISS SWITCH SWITCHBLADE SWITCHBOARD SWITCHBOARDS SWITCHED SWITCHER SWITCHERS SWITCHES SWITCHING SWITCHINGS SWITCHMAN SWITZER SWITZERLAND SWIVEL SWIZZLE SWOLLEN SWOON SWOOP SWOOPED SWOOPING SWOOPS SWORD SWORDFISH SWORDS SWORE SWORN SWUM SWUNG SYBIL SYCAMORE SYCOPHANT SYCOPHANTIC SYDNEY SYKES SYLLABLE SYLLABLES SYLLOGISM SYLLOGISMS SYLLOGISTIC SYLOW SYLVAN SYLVANIA SYLVESTER SYLVIA SYLVIE SYMBIOSIS SYMBIOTIC SYMBOL SYMBOLIC SYMBOLICALLY SYMBOLICS SYMBOLISM SYMBOLIZATION SYMBOLIZE SYMBOLIZED SYMBOLIZES SYMBOLIZING SYMBOLS SYMINGTON SYMMETRIC SYMMETRICAL SYMMETRICALLY SYMMETRIES SYMMETRY SYMPATHETIC SYMPATHIES SYMPATHIZE SYMPATHIZED SYMPATHIZER SYMPATHIZERS SYMPATHIZES SYMPATHIZING SYMPATHIZINGLY SYMPATHY SYMPHONIC SYMPHONIES SYMPHONY SYMPOSIA SYMPOSIUM SYMPOSIUMS SYMPTOM SYMPTOMATIC SYMPTOMS SYNAGOGUE SYNAPSE SYNAPSES SYNAPTIC SYNCHRONISM SYNCHRONIZATION SYNCHRONIZE SYNCHRONIZED SYNCHRONIZER SYNCHRONIZERS SYNCHRONIZES SYNCHRONIZING SYNCHRONOUS SYNCHRONOUSLY SYNCHRONY SYNCHROTRON SYNCOPATE SYNDICATE SYNDICATED SYNDICATES SYNDICATION SYNDROME SYNDROMES SYNERGISM SYNERGISTIC SYNERGY SYNGE SYNOD SYNONYM SYNONYMOUS SYNONYMOUSLY SYNONYMS SYNOPSES SYNOPSIS SYNTACTIC SYNTACTICAL SYNTACTICALLY SYNTAX SYNTAXES SYNTHESIS SYNTHESIZE SYNTHESIZED SYNTHESIZER SYNTHESIZERS SYNTHESIZES SYNTHESIZING SYNTHETIC SYNTHETICS SYRACUSE SYRIA SYRIAN SYRIANIZE SYRIANIZES SYRIANS SYRINGE SYRINGES SYRUP SYRUPY SYSTEM SYSTEMATIC SYSTEMATICALLY SYSTEMATIZE SYSTEMATIZED SYSTEMATIZES SYSTEMATIZING SYSTEMIC SYSTEMS SYSTEMWIDE SZILARD TAB TABERNACLE TABERNACLES TABLE TABLEAU TABLEAUS TABLECLOTH TABLECLOTHS TABLED TABLES TABLESPOON TABLESPOONFUL TABLESPOONFULS TABLESPOONS TABLET TABLETS TABLING TABOO TABOOS TABS TABULAR TABULATE TABULATED TABULATES TABULATING TABULATION TABULATIONS TABULATOR TABULATORS TACHOMETER TACHOMETERS TACIT TACITLY TACITUS TACK TACKED TACKING TACKLE TACKLES TACOMA TACT TACTIC TACTICS TACTILE TAFT TAG TAGGED TAGGING TAGS TAHITI TAHOE TAIL TAILED TAILING TAILOR TAILORED TAILORING TAILORS TAILS TAINT TAINTED TAIPEI TAIWAN TAIWANESE TAKE TAKEN TAKER TAKERS TAKES TAKING TAKINGS TALE TALENT TALENTED TALENTS TALES TALK TALKATIVE TALKATIVELY TALKATIVENESS TALKED TALKER TALKERS TALKIE TALKING TALKS TALL TALLADEGA TALLAHASSEE TALLAHATCHIE TALLAHOOSA TALLCHIEF TALLER TALLEST TALLEYRAND TALLNESS TALLOW TALLY TALMUD TALMUDISM TALMUDIZATION TALMUDIZATIONS TALMUDIZE TALMUDIZES TAME TAMED TAMELY TAMENESS TAMER TAMES TAMIL TAMING TAMMANY TAMMANYIZE TAMMANYIZES TAMPA TAMPER TAMPERED TAMPERING TAMPERS TAN TANAKA TANANARIVE TANDEM TANG TANGANYIKA TANGENT TANGENTIAL TANGENTS TANGIBLE TANGIBLY TANGLE TANGLED TANGY TANK TANKER TANKERS TANKS TANNENBAUM TANNER TANNERS TANTALIZING TANTALIZINGLY TANTALUS TANTAMOUNT TANTRUM TANTRUMS TANYA TANZANIA TAOISM TAOIST TAOS TAP TAPE TAPED TAPER TAPERED TAPERING TAPERS TAPES TAPESTRIES TAPESTRY TAPING TAPINGS TAPPED TAPPER TAPPERS TAPPING TAPROOT TAPROOTS TAPS TAR TARA TARBELL TARDINESS TARDY TARGET TARGETED TARGETING TARGETS TARIFF TARIFFS TARRY TARRYTOWN TART TARTARY TARTLY TARTNESS TARTUFFE TARZAN TASK TASKED TASKING TASKS TASMANIA TASS TASSEL TASSELS TASTE TASTED TASTEFUL TASTEFULLY TASTEFULNESS TASTELESS TASTELESSLY TASTER TASTERS TASTES TASTING TATE TATTER TATTERED TATTOO TATTOOED TATTOOS TAU TAUGHT TAUNT TAUNTED TAUNTER TAUNTING TAUNTS TAURUS TAUT TAUTLY TAUTNESS TAUTOLOGICAL TAUTOLOGICALLY TAUTOLOGIES TAUTOLOGY TAVERN TAVERNS TAWNEY TAWNY TAX TAXABLE TAXATION TAXED TAXES TAXI TAXICAB TAXICABS TAXIED TAXIING TAXING TAXIS TAXONOMIC TAXONOMICALLY TAXONOMY TAXPAYER TAXPAYERS TAYLOR TAYLORIZE TAYLORIZES TAYLORS TCHAIKOVSKY TEA TEACH TEACHABLE TEACHER TEACHERS TEACHES TEACHING TEACHINGS TEACUP TEAM TEAMED TEAMING TEAMS TEAR TEARED TEARFUL TEARFULLY TEARING TEARS TEAS TEASE TEASED TEASES TEASING TEASPOON TEASPOONFUL TEASPOONFULS TEASPOONS TECHNICAL TECHNICALITIES TECHNICALITY TECHNICALLY TECHNICIAN TECHNICIANS TECHNION TECHNIQUE TECHNIQUES TECHNOLOGICAL TECHNOLOGICALLY TECHNOLOGIES TECHNOLOGIST TECHNOLOGISTS TECHNOLOGY TED TEDDY TEDIOUS TEDIOUSLY TEDIOUSNESS TEDIUM TEEM TEEMED TEEMING TEEMS TEEN TEENAGE TEENAGED TEENAGER TEENAGERS TEENS TEETH TEETHE TEETHED TEETHES TEETHING TEFLON TEGUCIGALPA TEHERAN TEHRAN TEKTRONIX TELECOMMUNICATION TELECOMMUNICATIONS TELEDYNE TELEFUNKEN TELEGRAM TELEGRAMS TELEGRAPH TELEGRAPHED TELEGRAPHER TELEGRAPHERS TELEGRAPHIC TELEGRAPHING TELEGRAPHS TELEMANN TELEMETRY TELEOLOGICAL TELEOLOGICALLY TELEOLOGY TELEPATHY TELEPHONE TELEPHONED TELEPHONER TELEPHONERS TELEPHONES TELEPHONIC TELEPHONING TELEPHONY TELEPROCESSING TELESCOPE TELESCOPED TELESCOPES TELESCOPING TELETEX TELETEXT TELETYPE TELETYPES TELEVISE TELEVISED TELEVISES TELEVISING TELEVISION TELEVISIONS TELEVISOR TELEVISORS TELEX TELL TELLER TELLERS TELLING TELLS TELNET TELNET TEMPER TEMPERAMENT TEMPERAMENTAL TEMPERAMENTS TEMPERANCE TEMPERATE TEMPERATELY TEMPERATENESS TEMPERATURE TEMPERATURES TEMPERED TEMPERING TEMPERS TEMPEST TEMPESTUOUS TEMPESTUOUSLY TEMPLATE TEMPLATES TEMPLE TEMPLEMAN TEMPLES TEMPLETON TEMPORAL TEMPORALLY TEMPORARIES TEMPORARILY TEMPORARY TEMPT TEMPTATION TEMPTATIONS TEMPTED TEMPTER TEMPTERS TEMPTING TEMPTINGLY TEMPTS TEN TENACIOUS TENACIOUSLY TENANT TENANTS TEND TENDED TENDENCIES TENDENCY TENDER TENDERLY TENDERNESS TENDERS TENDING TENDS TENEMENT TENEMENTS TENEX TENEX TENFOLD TENNECO TENNESSEE TENNEY TENNIS TENNYSON TENOR TENORS TENS TENSE TENSED TENSELY TENSENESS TENSER TENSES TENSEST TENSING TENSION TENSIONS TENT TENTACLE TENTACLED TENTACLES TENTATIVE TENTATIVELY TENTED TENTH TENTING TENTS TENURE TERESA TERM TERMED TERMINAL TERMINALLY TERMINALS TERMINATE TERMINATED TERMINATES TERMINATING TERMINATION TERMINATIONS TERMINATOR TERMINATORS TERMING TERMINOLOGIES TERMINOLOGY TERMINUS TERMS TERMWISE TERNARY TERPSICHORE TERRA TERRACE TERRACED TERRACES TERRAIN TERRAINS TERRAN TERRE TERRESTRIAL TERRESTRIALS TERRIBLE TERRIBLY TERRIER TERRIERS TERRIFIC TERRIFIED TERRIFIES TERRIFY TERRIFYING TERRITORIAL TERRITORIES TERRITORY TERROR TERRORISM TERRORIST TERRORISTIC TERRORISTS TERRORIZE TERRORIZED TERRORIZES TERRORIZING TERRORS TERTIARY TESS TESSIE TEST TESTABILITY TESTABLE TESTAMENT TESTAMENTS TESTED TESTER TESTERS TESTICLE TESTICLES TESTIFIED TESTIFIER TESTIFIERS TESTIFIES TESTIFY TESTIFYING TESTIMONIES TESTIMONY TESTING TESTINGS TESTS TEUTONIC TEX TEX TEXACO TEXAN TEXANS TEXAS TEXASES TEXT TEXTBOOK TEXTBOOKS TEXTILE TEXTILES TEXTRON TEXTS TEXTUAL TEXTUALLY TEXTURE TEXTURED TEXTURES THAI THAILAND THALIA THAMES THAN THANK THANKED THANKFUL THANKFULLY THANKFULNESS THANKING THANKLESS THANKLESSLY THANKLESSNESS THANKS THANKSGIVING THANKSGIVINGS THAT THATCH THATCHES THATS THAW THAWED THAWING THAWS THAYER THE THEA THEATER THEATERS THEATRICAL THEATRICALLY THEATRICALS THEBES THEFT THEFTS THEIR THEIRS THELMA THEM THEMATIC THEME THEMES THEMSELVES THEN THENCE THENCEFORTH THEODORE THEODOSIAN THEODOSIUS THEOLOGICAL THEOLOGY THEOREM THEOREMS THEORETIC THEORETICAL THEORETICALLY THEORETICIANS THEORIES THEORIST THEORISTS THEORIZATION THEORIZATIONS THEORIZE THEORIZED THEORIZER THEORIZERS THEORIZES THEORIZING THEORY THERAPEUTIC THERAPIES THERAPIST THERAPISTS THERAPY THERE THEREABOUTS THEREAFTER THEREBY THEREFORE THEREIN THEREOF THEREON THERESA THERETO THEREUPON THEREWITH THERMAL THERMODYNAMIC THERMODYNAMICS THERMOFAX THERMOMETER THERMOMETERS THERMOSTAT THERMOSTATS THESE THESES THESEUS THESIS THESSALONIAN THESSALY THETIS THEY THICK THICKEN THICKENS THICKER THICKEST THICKET THICKETS THICKLY THICKNESS THIEF THIENSVILLE THIEVE THIEVES THIEVING THIGH THIGHS THIMBLE THIMBLES THIMBU THIN THING THINGS THINK THINKABLE THINKABLY THINKER THINKERS THINKING THINKS THINLY THINNER THINNESS THINNEST THIRD THIRDLY THIRDS THIRST THIRSTED THIRSTS THIRSTY THIRTEEN THIRTEENS THIRTEENTH THIRTIES THIRTIETH THIRTY THIS THISTLE THOMAS THOMISTIC THOMPSON THOMSON THONG THOR THOREAU THORN THORNBURG THORNS THORNTON THORNY THOROUGH THOROUGHFARE THOROUGHFARES THOROUGHLY THOROUGHNESS THORPE THORSTEIN THOSE THOUGH THOUGHT THOUGHTFUL THOUGHTFULLY THOUGHTFULNESS THOUGHTLESS THOUGHTLESSLY THOUGHTLESSNESS THOUGHTS THOUSAND THOUSANDS THOUSANDTH THRACE THRACIAN THRASH THRASHED THRASHER THRASHES THRASHING THREAD THREADED THREADER THREADERS THREADING THREADS THREAT THREATEN THREATENED THREATENING THREATENS THREATS THREE THREEFOLD THREES THREESCORE THRESHOLD THRESHOLDS THREW THRICE THRIFT THRIFTY THRILL THRILLED THRILLER THRILLERS THRILLING THRILLINGLY THRILLS THRIVE THRIVED THRIVES THRIVING THROAT THROATED THROATS THROB THROBBED THROBBING THROBS THRONE THRONEBERRY THRONES THRONG THRONGS THROTTLE THROTTLED THROTTLES THROTTLING THROUGH THROUGHOUT THROUGHPUT THROW THROWER THROWING THROWN THROWS THRUSH THRUST THRUSTER THRUSTERS THRUSTING THRUSTS THUBAN THUD THUDS THUG THUGS THULE THUMB THUMBED THUMBING THUMBS THUMP THUMPED THUMPING THUNDER THUNDERBOLT THUNDERBOLTS THUNDERED THUNDERER THUNDERERS THUNDERING THUNDERS THUNDERSTORM THUNDERSTORMS THURBER THURMAN THURSDAY THURSDAYS THUS THUSLY THWART THWARTED THWARTING THWARTS THYSELF TIBER TIBET TIBETAN TIBURON TICK TICKED TICKER TICKERS TICKET TICKETS TICKING TICKLE TICKLED TICKLES TICKLING TICKLISH TICKS TICONDEROGA TIDAL TIDALLY TIDE TIDED TIDES TIDIED TIDINESS TIDING TIDINGS TIDY TIDYING TIE TIECK TIED TIENTSIN TIER TIERS TIES TIFFANY TIGER TIGERS TIGHT TIGHTEN TIGHTENED TIGHTENER TIGHTENERS TIGHTENING TIGHTENINGS TIGHTENS TIGHTER TIGHTEST TIGHTLY TIGHTNESS TIGRIS TIJUANA TILDE TILE TILED TILES TILING TILL TILLABLE TILLED TILLER TILLERS TILLICH TILLIE TILLING TILLS TILT TILTED TILTING TILTS TIM TIMBER TIMBERED TIMBERING TIMBERS TIME TIMED TIMELESS TIMELESSLY TIMELESSNESS TIMELY TIMEOUT TIMEOUTS TIMER TIMERS TIMES TIMESHARE TIMESHARES TIMESHARING TIMESTAMP TIMESTAMPS TIMETABLE TIMETABLES TIMEX TIMID TIMIDITY TIMIDLY TIMING TIMINGS TIMMY TIMON TIMONIZE TIMONIZES TIMS TIN TINA TINCTURE TINGE TINGED TINGLE TINGLED TINGLES TINGLING TINIER TINIEST TINILY TININESS TINKER TINKERED TINKERING TINKERS TINKLE TINKLED TINKLES TINKLING TINNIER TINNIEST TINNILY TINNINESS TINNY TINS TINSELTOWN TINT TINTED TINTING TINTS TINY TIOGA TIP TIPPECANOE TIPPED TIPPER TIPPERARY TIPPERS TIPPING TIPS TIPTOE TIRANA TIRE TIRED TIREDLY TIRELESS TIRELESSLY TIRELESSNESS TIRES TIRESOME TIRESOMELY TIRESOMENESS TIRING TISSUE TISSUES TIT TITAN TITHE TITHER TITHES TITHING TITLE TITLED TITLES TITO TITS TITTER TITTERS TITUS TOAD TOADS TOAST TOASTED TOASTER TOASTING TOASTS TOBACCO TOBAGO TOBY TODAY TODAYS TODD TOE TOES TOGETHER TOGETHERNESS TOGGLE TOGGLED TOGGLES TOGGLING TOGO TOIL TOILED TOILER TOILET TOILETS TOILING TOILS TOKEN TOKENS TOKYO TOLAND TOLD TOLEDO TOLERABILITY TOLERABLE TOLERABLY TOLERANCE TOLERANCES TOLERANT TOLERANTLY TOLERATE TOLERATED TOLERATES TOLERATING TOLERATION TOLL TOLLED TOLLEY TOLLS TOLSTOY TOM TOMAHAWK TOMAHAWKS TOMATO TOMATOES TOMB TOMBIGBEE TOMBS TOMLINSON TOMMIE TOMOGRAPHY TOMORROW TOMORROWS TOMPKINS TON TONE TONED TONER TONES TONGS TONGUE TONGUED TONGUES TONI TONIC TONICS TONIGHT TONING TONIO TONNAGE TONS TONSIL TOO TOOK TOOL TOOLED TOOLER TOOLERS TOOLING TOOLS TOOMEY TOOTH TOOTHBRUSH TOOTHBRUSHES TOOTHPASTE TOOTHPICK TOOTHPICKS TOP TOPEKA TOPER TOPIC TOPICAL TOPICALLY TOPICS TOPMOST TOPOGRAPHY TOPOLOGICAL TOPOLOGIES TOPOLOGY TOPPLE TOPPLED TOPPLES TOPPLING TOPS TOPSY TORAH TORCH TORCHES TORE TORIES TORMENT TORMENTED TORMENTER TORMENTERS TORMENTING TORN TORNADO TORNADOES TORONTO TORPEDO TORPEDOES TORQUE TORQUEMADA TORRANCE TORRENT TORRENTS TORRID TORTOISE TORTOISES TORTURE TORTURED TORTURER TORTURERS TORTURES TORTURING TORUS TORUSES TORY TORYIZE TORYIZES TOSCA TOSCANINI TOSHIBA TOSS TOSSED TOSSES TOSSING TOTAL TOTALED TOTALING TOTALITIES TOTALITY TOTALLED TOTALLER TOTALLERS TOTALLING TOTALLY TOTALS TOTO TOTTER TOTTERED TOTTERING TOTTERS TOUCH TOUCHABLE TOUCHED TOUCHES TOUCHIER TOUCHIEST TOUCHILY TOUCHINESS TOUCHING TOUCHINGLY TOUCHY TOUGH TOUGHEN TOUGHER TOUGHEST TOUGHLY TOUGHNESS TOULOUSE TOUR TOURED TOURING TOURIST TOURISTS TOURNAMENT TOURNAMENTS TOURS TOW TOWARD TOWARDS TOWED TOWEL TOWELING TOWELLED TOWELLING TOWELS TOWER TOWERED TOWERING TOWERS TOWN TOWNLEY TOWNS TOWNSEND TOWNSHIP TOWNSHIPS TOWSLEY TOY TOYED TOYING TOYNBEE TOYOTA TOYS TRACE TRACEABLE TRACED TRACER TRACERS TRACES TRACING TRACINGS TRACK TRACKED TRACKER TRACKERS TRACKING TRACKS TRACT TRACTABILITY TRACTABLE TRACTARIANS TRACTIVE TRACTOR TRACTORS TRACTS TRACY TRADE TRADED TRADEMARK TRADEMARKS TRADEOFF TRADEOFFS TRADER TRADERS TRADES TRADESMAN TRADING TRADITION TRADITIONAL TRADITIONALLY TRADITIONS TRAFFIC TRAFFICKED TRAFFICKER TRAFFICKERS TRAFFICKING TRAFFICS TRAGEDIES TRAGEDY TRAGIC TRAGICALLY TRAIL TRAILED TRAILER TRAILERS TRAILING TRAILINGS TRAILS TRAIN TRAINED TRAINEE TRAINEES TRAINER TRAINERS TRAINING TRAINS TRAIT TRAITOR TRAITORS TRAITS TRAJECTORIES TRAJECTORY TRAMP TRAMPED TRAMPING TRAMPLE TRAMPLED TRAMPLER TRAMPLES TRAMPLING TRAMPS TRANCE TRANCES TRANQUIL TRANQUILITY TRANQUILLY TRANSACT TRANSACTION TRANSACTIONS TRANSATLANTIC TRANSCEIVE TRANSCEIVER TRANSCEIVERS TRANSCEND TRANSCENDED TRANSCENDENT TRANSCENDING TRANSCENDS TRANSCONTINENTAL TRANSCRIBE TRANSCRIBED TRANSCRIBER TRANSCRIBERS TRANSCRIBES TRANSCRIBING TRANSCRIPT TRANSCRIPTION TRANSCRIPTIONS TRANSCRIPTS TRANSFER TRANSFERABILITY TRANSFERABLE TRANSFERAL TRANSFERALS TRANSFERENCE TRANSFERRED TRANSFERRER TRANSFERRERS TRANSFERRING TRANSFERS TRANSFINITE TRANSFORM TRANSFORMABLE TRANSFORMATION TRANSFORMATIONAL TRANSFORMATIONS TRANSFORMED TRANSFORMER TRANSFORMERS TRANSFORMING TRANSFORMS TRANSGRESS TRANSGRESSED TRANSGRESSION TRANSGRESSIONS TRANSIENCE TRANSIENCY TRANSIENT TRANSIENTLY TRANSIENTS TRANSISTOR TRANSISTORIZE TRANSISTORIZED TRANSISTORIZING TRANSISTORS TRANSIT TRANSITE TRANSITION TRANSITIONAL TRANSITIONED TRANSITIONS TRANSITIVE TRANSITIVELY TRANSITIVENESS TRANSITIVITY TRANSITORY TRANSLATABILITY TRANSLATABLE TRANSLATE TRANSLATED TRANSLATES TRANSLATING TRANSLATION TRANSLATIONAL TRANSLATIONS TRANSLATOR TRANSLATORS TRANSLUCENT TRANSMISSION TRANSMISSIONS TRANSMIT TRANSMITS TRANSMITTAL TRANSMITTED TRANSMITTER TRANSMITTERS TRANSMITTING TRANSMOGRIFICATION TRANSMOGRIFY TRANSPACIFIC TRANSPARENCIES TRANSPARENCY TRANSPARENT TRANSPARENTLY TRANSPIRE TRANSPIRED TRANSPIRES TRANSPIRING TRANSPLANT TRANSPLANTED TRANSPLANTING TRANSPLANTS TRANSPONDER TRANSPONDERS TRANSPORT TRANSPORTABILITY TRANSPORTATION TRANSPORTED TRANSPORTER TRANSPORTERS TRANSPORTING TRANSPORTS TRANSPOSE TRANSPOSED TRANSPOSES TRANSPOSING TRANSPOSITION TRANSPUTER TRANSVAAL TRANSYLVANIA TRAP TRAPEZOID TRAPEZOIDAL TRAPEZOIDS TRAPPED TRAPPER TRAPPERS TRAPPING TRAPPINGS TRAPS TRASH TRASTEVERE TRAUMA TRAUMATIC TRAVAIL TRAVEL TRAVELED TRAVELER TRAVELERS TRAVELING TRAVELINGS TRAVELS TRAVERSAL TRAVERSALS TRAVERSE TRAVERSED TRAVERSES TRAVERSING TRAVESTIES TRAVESTY TRAVIS TRAY TRAYS TREACHERIES TREACHEROUS TREACHEROUSLY TREACHERY TREAD TREADING TREADS TREADWELL TREASON TREASURE TREASURED TREASURER TREASURES TREASURIES TREASURING TREASURY TREAT TREATED TREATIES TREATING TREATISE TREATISES TREATMENT TREATMENTS TREATS TREATY TREBLE TREE TREES TREETOP TREETOPS TREK TREKS TREMBLE TREMBLED TREMBLES TREMBLING TREMENDOUS TREMENDOUSLY TREMOR TREMORS TRENCH TRENCHER TRENCHES TREND TRENDING TRENDS TRENTON TRESPASS TRESPASSED TRESPASSER TRESPASSERS TRESPASSES TRESS TRESSES TREVELYAN TRIAL TRIALS TRIANGLE TRIANGLES TRIANGULAR TRIANGULARLY TRIANGULUM TRIANON TRIASSIC TRIBAL TRIBE TRIBES TRIBUNAL TRIBUNALS TRIBUNE TRIBUNES TRIBUTARY TRIBUTE TRIBUTES TRICERATOPS TRICHINELLA TRICHOTOMY TRICK TRICKED TRICKIER TRICKIEST TRICKINESS TRICKING TRICKLE TRICKLED TRICKLES TRICKLING TRICKS TRICKY TRIED TRIER TRIERS TRIES TRIFLE TRIFLER TRIFLES TRIFLING TRIGGER TRIGGERED TRIGGERING TRIGGERS TRIGONOMETRIC TRIGONOMETRY TRIGRAM TRIGRAMS TRIHEDRAL TRILATERAL TRILL TRILLED TRILLION TRILLIONS TRILLIONTH TRIM TRIMBLE TRIMLY TRIMMED TRIMMER TRIMMEST TRIMMING TRIMMINGS TRIMNESS TRIMS TRINIDAD TRINKET TRINKETS TRIO TRIP TRIPLE TRIPLED TRIPLES TRIPLET TRIPLETS TRIPLETT TRIPLING TRIPOD TRIPS TRISTAN TRIUMPH TRIUMPHAL TRIUMPHANT TRIUMPHANTLY TRIUMPHED TRIUMPHING TRIUMPHS TRIVIA TRIVIAL TRIVIALITIES TRIVIALITY TRIVIALLY TROBRIAND TROD TROJAN TROLL TROLLEY TROLLEYS TROLLS TROOP TROOPER TROOPERS TROOPS TROPEZ TROPHIES TROPHY TROPIC TROPICAL TROPICS TROT TROTS TROTSKY TROUBLE TROUBLED TROUBLEMAKER TROUBLEMAKERS TROUBLES TROUBLESHOOT TROUBLESHOOTER TROUBLESHOOTERS TROUBLESHOOTING TROUBLESHOOTS TROUBLESOME TROUBLESOMELY TROUBLING TROUGH TROUSER TROUSERS TROUT TROUTMAN TROWEL TROWELS TROY TRUANT TRUANTS TRUCE TRUCK TRUCKED TRUCKEE TRUCKER TRUCKERS TRUCKING TRUCKS TRUDEAU TRUDGE TRUDGED TRUDY TRUE TRUED TRUER TRUES TRUEST TRUING TRUISM TRUISMS TRUJILLO TRUK TRULY TRUMAN TRUMBULL TRUMP TRUMPED TRUMPET TRUMPETER TRUMPS TRUNCATE TRUNCATED TRUNCATES TRUNCATING TRUNCATION TRUNCATIONS TRUNK TRUNKS TRUST TRUSTED TRUSTEE TRUSTEES TRUSTFUL TRUSTFULLY TRUSTFULNESS TRUSTING TRUSTINGLY TRUSTS TRUSTWORTHINESS TRUSTWORTHY TRUSTY TRUTH TRUTHFUL TRUTHFULLY TRUTHFULNESS TRUTHS TRY TRYING TSUNEMATSU TUB TUBE TUBER TUBERCULOSIS TUBERS TUBES TUBING TUBS TUCK TUCKED TUCKER TUCKING TUCKS TUCSON TUDOR TUESDAY TUESDAYS TUFT TUFTS TUG TUGS TUITION TULANE TULIP TULIPS TULSA TUMBLE TUMBLED TUMBLER TUMBLERS TUMBLES TUMBLING TUMOR TUMORS TUMULT TUMULTS TUMULTUOUS TUNABLE TUNE TUNED TUNER TUNERS TUNES TUNIC TUNICS TUNING TUNIS TUNISIA TUNISIAN TUNNEL TUNNELED TUNNELS TUPLE TUPLES TURBAN TURBANS TURBULENCE TURBULENT TURBULENTLY TURF TURGID TURGIDLY TURIN TURING TURKEY TURKEYS TURKISH TURKIZE TURKIZES TURMOIL TURMOILS TURN TURNABLE TURNAROUND TURNED TURNER TURNERS TURNING TURNINGS TURNIP TURNIPS TURNOVER TURNS TURPENTINE TURQUOISE TURRET TURRETS TURTLE TURTLENECK TURTLES TUSCALOOSA TUSCAN TUSCANIZE TUSCANIZES TUSCANY TUSCARORA TUSKEGEE TUTANKHAMEN TUTANKHAMON TUTANKHAMUN TUTENKHAMON TUTOR TUTORED TUTORIAL TUTORIALS TUTORING TUTORS TUTTLE TWAIN TWANG TWAS TWEED TWELFTH TWELVE TWELVES TWENTIES TWENTIETH TWENTY TWICE TWIG TWIGS TWILIGHT TWILIGHTS TWILL TWIN TWINE TWINED TWINER TWINKLE TWINKLED TWINKLER TWINKLES TWINKLING TWINS TWIRL TWIRLED TWIRLER TWIRLING TWIRLS TWIST TWISTED TWISTER TWISTERS TWISTING TWISTS TWITCH TWITCHED TWITCHING TWITTER TWITTERED TWITTERING TWO TWOFOLD TWOMBLY TWOS TYBURN TYING TYLER TYLERIZE TYLERIZES TYNDALL TYPE TYPED TYPEOUT TYPES TYPESETTER TYPEWRITER TYPEWRITERS TYPHOID TYPHON TYPICAL TYPICALLY TYPICALNESS TYPIFIED TYPIFIES TYPIFY TYPIFYING TYPING TYPIST TYPISTS TYPO TYPOGRAPHIC TYPOGRAPHICAL TYPOGRAPHICALLY TYPOGRAPHY TYRANNICAL TYRANNOSAURUS TYRANNY TYRANT TYRANTS TYSON TZELTAL UBIQUITOUS UBIQUITOUSLY UBIQUITY UDALL UGANDA UGH UGLIER UGLIEST UGLINESS UGLY UKRAINE UKRAINIAN UKRAINIANS ULAN ULCER ULCERS ULLMAN ULSTER ULTIMATE ULTIMATELY ULTRA ULTRASONIC ULTRIX ULTRIX ULYSSES UMBRAGE UMBRELLA UMBRELLAS UMPIRE UMPIRES UNABATED UNABBREVIATED UNABLE UNACCEPTABILITY UNACCEPTABLE UNACCEPTABLY UNACCOUNTABLE UNACCUSTOMED UNACHIEVABLE UNACKNOWLEDGED UNADULTERATED UNAESTHETICALLY UNAFFECTED UNAFFECTEDLY UNAFFECTEDNESS UNAIDED UNALIENABILITY UNALIENABLE UNALTERABLY UNALTERED UNAMBIGUOUS UNAMBIGUOUSLY UNAMBITIOUS UNANALYZABLE UNANIMITY UNANIMOUS UNANIMOUSLY UNANSWERABLE UNANSWERED UNANTICIPATED UNARMED UNARY UNASSAILABLE UNASSIGNED UNASSISTED UNATTAINABILITY UNATTAINABLE UNATTENDED UNATTRACTIVE UNATTRACTIVELY UNAUTHORIZED UNAVAILABILITY UNAVAILABLE UNAVOIDABLE UNAVOIDABLY UNAWARE UNAWARENESS UNAWARES UNBALANCED UNBEARABLE UNBECOMING UNBELIEVABLE UNBIASED UNBIND UNBLOCK UNBLOCKED UNBLOCKING UNBLOCKS UNBORN UNBOUND UNBOUNDED UNBREAKABLE UNBRIDLED UNBROKEN UNBUFFERED UNCANCELLED UNCANNY UNCAPITALIZED UNCAUGHT UNCERTAIN UNCERTAINLY UNCERTAINTIES UNCERTAINTY UNCHANGEABLE UNCHANGED UNCHANGING UNCLAIMED UNCLASSIFIED UNCLE UNCLEAN UNCLEANLY UNCLEANNESS UNCLEAR UNCLEARED UNCLES UNCLOSED UNCOMFORTABLE UNCOMFORTABLY UNCOMMITTED UNCOMMON UNCOMMONLY UNCOMPROMISING UNCOMPUTABLE UNCONCERNED UNCONCERNEDLY UNCONDITIONAL UNCONDITIONALLY UNCONNECTED UNCONSCIONABLE UNCONSCIOUS UNCONSCIOUSLY UNCONSCIOUSNESS UNCONSTITUTIONAL UNCONSTRAINED UNCONTROLLABILITY UNCONTROLLABLE UNCONTROLLABLY UNCONTROLLED UNCONVENTIONAL UNCONVENTIONALLY UNCONVINCED UNCONVINCING UNCOORDINATED UNCORRECTABLE UNCORRECTED UNCOUNTABLE UNCOUNTABLY UNCOUTH UNCOVER UNCOVERED UNCOVERING UNCOVERS UNDAMAGED UNDAUNTED UNDAUNTEDLY UNDECIDABLE UNDECIDED UNDECLARED UNDECOMPOSABLE UNDEFINABILITY UNDEFINED UNDELETED UNDENIABLE UNDENIABLY UNDER UNDERBRUSH UNDERDONE UNDERESTIMATE UNDERESTIMATED UNDERESTIMATES UNDERESTIMATING UNDERESTIMATION UNDERFLOW UNDERFLOWED UNDERFLOWING UNDERFLOWS UNDERFOOT UNDERGO UNDERGOES UNDERGOING UNDERGONE UNDERGRADUATE UNDERGRADUATES UNDERGROUND UNDERLIE UNDERLIES UNDERLINE UNDERLINED UNDERLINES UNDERLING UNDERLINGS UNDERLINING UNDERLININGS UNDERLOADED UNDERLYING UNDERMINE UNDERMINED UNDERMINES UNDERMINING UNDERNEATH UNDERPINNING UNDERPINNINGS UNDERPLAY UNDERPLAYED UNDERPLAYING UNDERPLAYS UNDERSCORE UNDERSCORED UNDERSCORES UNDERSTAND UNDERSTANDABILITY UNDERSTANDABLE UNDERSTANDABLY UNDERSTANDING UNDERSTANDINGLY UNDERSTANDINGS UNDERSTANDS UNDERSTATED UNDERSTOOD UNDERTAKE UNDERTAKEN UNDERTAKER UNDERTAKERS UNDERTAKES UNDERTAKING UNDERTAKINGS UNDERTOOK UNDERWATER UNDERWAY UNDERWEAR UNDERWENT UNDERWORLD UNDERWRITE UNDERWRITER UNDERWRITERS UNDERWRITES UNDERWRITING UNDESIRABILITY UNDESIRABLE UNDETECTABLE UNDETECTED UNDETERMINED UNDEVELOPED UNDID UNDIMINISHED UNDIRECTED UNDISCIPLINED UNDISCOVERED UNDISTURBED UNDIVIDED UNDO UNDOCUMENTED UNDOES UNDOING UNDOINGS UNDONE UNDOUBTEDLY UNDRESS UNDRESSED UNDRESSES UNDRESSING UNDUE UNDULY UNEASILY UNEASINESS UNEASY UNECONOMIC UNECONOMICAL UNEMBELLISHED UNEMPLOYED UNEMPLOYMENT UNENCRYPTED UNENDING UNENLIGHTENING UNEQUAL UNEQUALED UNEQUALLY UNEQUIVOCAL UNEQUIVOCALLY UNESCO UNESSENTIAL UNEVALUATED UNEVEN UNEVENLY UNEVENNESS UNEVENTFUL UNEXCUSED UNEXPANDED UNEXPECTED UNEXPECTEDLY UNEXPLAINED UNEXPLORED UNEXTENDED UNFAIR UNFAIRLY UNFAIRNESS UNFAITHFUL UNFAITHFULLY UNFAITHFULNESS UNFAMILIAR UNFAMILIARITY UNFAMILIARLY UNFAVORABLE UNFETTERED UNFINISHED UNFIT UNFITNESS UNFLAGGING UNFOLD UNFOLDED UNFOLDING UNFOLDS UNFORESEEN UNFORGEABLE UNFORGIVING UNFORMATTED UNFORTUNATE UNFORTUNATELY UNFORTUNATES UNFOUNDED UNFRIENDLINESS UNFRIENDLY UNFULFILLED UNGRAMMATICAL UNGRATEFUL UNGRATEFULLY UNGRATEFULNESS UNGROUNDED UNGUARDED UNGUIDED UNHAPPIER UNHAPPIEST UNHAPPILY UNHAPPINESS UNHAPPY UNHARMED UNHEALTHY UNHEARD UNHEEDED UNIBUS UNICORN UNICORNS UNICYCLE UNIDENTIFIED UNIDIRECTIONAL UNIDIRECTIONALITY UNIDIRECTIONALLY UNIFICATION UNIFICATIONS UNIFIED UNIFIER UNIFIERS UNIFIES UNIFORM UNIFORMED UNIFORMITY UNIFORMLY UNIFORMS UNIFY UNIFYING UNILLUMINATING UNIMAGINABLE UNIMPEDED UNIMPLEMENTED UNIMPORTANT UNINDENTED UNINITIALIZED UNINSULATED UNINTELLIGIBLE UNINTENDED UNINTENTIONAL UNINTENTIONALLY UNINTERESTING UNINTERESTINGLY UNINTERPRETED UNINTERRUPTED UNINTERRUPTEDLY UNION UNIONIZATION UNIONIZE UNIONIZED UNIONIZER UNIONIZERS UNIONIZES UNIONIZING UNIONS UNIPLUS UNIPROCESSOR UNIQUE UNIQUELY UNIQUENESS UNIROYAL UNISOFT UNISON UNIT UNITARIAN UNITARIANIZE UNITARIANIZES UNITARIANS UNITE UNITED UNITES UNITIES UNITING UNITS UNITY UNIVAC UNIVALVE UNIVALVES UNIVERSAL UNIVERSALITY UNIVERSALLY UNIVERSALS UNIVERSE UNIVERSES UNIVERSITIES UNIVERSITY UNIX UNIX UNJUST UNJUSTIFIABLE UNJUSTIFIED UNJUSTLY UNKIND UNKINDLY UNKINDNESS UNKNOWABLE UNKNOWING UNKNOWINGLY UNKNOWN UNKNOWNS UNLABELLED UNLAWFUL UNLAWFULLY UNLEASH UNLEASHED UNLEASHES UNLEASHING UNLESS UNLIKE UNLIKELY UNLIKENESS UNLIMITED UNLINK UNLINKED UNLINKING UNLINKS UNLOAD UNLOADED UNLOADING UNLOADS UNLOCK UNLOCKED UNLOCKING UNLOCKS UNLUCKY UNMANAGEABLE UNMANAGEABLY UNMANNED UNMARKED UNMARRIED UNMASK UNMASKED UNMATCHED UNMENTIONABLE UNMERCIFUL UNMERCIFULLY UNMISTAKABLE UNMISTAKABLY UNMODIFIED UNMOVED UNNAMED UNNATURAL UNNATURALLY UNNATURALNESS UNNECESSARILY UNNECESSARY UNNEEDED UNNERVE UNNERVED UNNERVES UNNERVING UNNOTICED UNOBSERVABLE UNOBSERVED UNOBTAINABLE UNOCCUPIED UNOFFICIAL UNOFFICIALLY UNOPENED UNORDERED UNPACK UNPACKED UNPACKING UNPACKS UNPAID UNPARALLELED UNPARSED UNPLANNED UNPLEASANT UNPLEASANTLY UNPLEASANTNESS UNPLUG UNPOPULAR UNPOPULARITY UNPRECEDENTED UNPREDICTABLE UNPREDICTABLY UNPRESCRIBED UNPRESERVED UNPRIMED UNPROFITABLE UNPROJECTED UNPROTECTED UNPROVABILITY UNPROVABLE UNPROVEN UNPUBLISHED UNQUALIFIED UNQUALIFIEDLY UNQUESTIONABLY UNQUESTIONED UNQUOTED UNRAVEL UNRAVELED UNRAVELING UNRAVELS UNREACHABLE UNREAL UNREALISTIC UNREALISTICALLY UNREASONABLE UNREASONABLENESS UNREASONABLY UNRECOGNIZABLE UNRECOGNIZED UNREGULATED UNRELATED UNRELIABILITY UNRELIABLE UNREPORTED UNREPRESENTABLE UNRESOLVED UNRESPONSIVE UNREST UNRESTRAINED UNRESTRICTED UNRESTRICTEDLY UNRESTRICTIVE UNROLL UNROLLED UNROLLING UNROLLS UNRULY UNSAFE UNSAFELY UNSANITARY UNSATISFACTORY UNSATISFIABILITY UNSATISFIABLE UNSATISFIED UNSATISFYING UNSCRUPULOUS UNSEEDED UNSEEN UNSELECTED UNSELFISH UNSELFISHLY UNSELFISHNESS UNSENT UNSETTLED UNSETTLING UNSHAKEN UNSHARED UNSIGNED UNSKILLED UNSLOTTED UNSOLVABLE UNSOLVED UNSOPHISTICATED UNSOUND UNSPEAKABLE UNSPECIFIED UNSTABLE UNSTEADINESS UNSTEADY UNSTRUCTURED UNSUCCESSFUL UNSUCCESSFULLY UNSUITABLE UNSUITED UNSUPPORTED UNSURE UNSURPRISING UNSURPRISINGLY UNSYNCHRONIZED UNTAGGED UNTAPPED UNTENABLE UNTERMINATED UNTESTED UNTHINKABLE UNTHINKING UNTIDINESS UNTIDY UNTIE UNTIED UNTIES UNTIL UNTIMELY UNTO UNTOLD UNTOUCHABLE UNTOUCHABLES UNTOUCHED UNTOWARD UNTRAINED UNTRANSLATED UNTREATED UNTRIED UNTRUE UNTRUTHFUL UNTRUTHFULNESS UNTYING UNUSABLE UNUSED UNUSUAL UNUSUALLY UNVARYING UNVEIL UNVEILED UNVEILING UNVEILS UNWANTED UNWELCOME UNWHOLESOME UNWIELDINESS UNWIELDY UNWILLING UNWILLINGLY UNWILLINGNESS UNWIND UNWINDER UNWINDERS UNWINDING UNWINDS UNWISE UNWISELY UNWISER UNWISEST UNWITTING UNWITTINGLY UNWORTHINESS UNWORTHY UNWOUND UNWRAP UNWRAPPED UNWRAPPING UNWRAPS UNWRITTEN UPBRAID UPCOMING UPDATE UPDATED UPDATER UPDATES UPDATING UPGRADE UPGRADED UPGRADES UPGRADING UPHELD UPHILL UPHOLD UPHOLDER UPHOLDERS UPHOLDING UPHOLDS UPHOLSTER UPHOLSTERED UPHOLSTERER UPHOLSTERING UPHOLSTERS UPKEEP UPLAND UPLANDS UPLIFT UPLINK UPLINKS UPLOAD UPON UPPER UPPERMOST UPRIGHT UPRIGHTLY UPRIGHTNESS UPRISING UPRISINGS UPROAR UPROOT UPROOTED UPROOTING UPROOTS UPSET UPSETS UPSHOT UPSHOTS UPSIDE UPSTAIRS UPSTREAM UPTON UPTURN UPTURNED UPTURNING UPTURNS UPWARD UPWARDS URANIA URANUS URBAN URBANA URCHIN URCHINS URDU URGE URGED URGENT URGENTLY URGES URGING URGINGS URI URINATE URINATED URINATES URINATING URINATION URINE URIS URN URNS URQUHART URSA URSULA URSULINE URUGUAY URUGUAYAN URUGUAYANS USABILITY USABLE USABLY USAGE USAGES USE USED USEFUL USEFULLY USEFULNESS USELESS USELESSLY USELESSNESS USENET USENIX USER USERS USES USHER USHERED USHERING USHERS USING USUAL USUALLY USURP USURPED USURPER UTAH UTENSIL UTENSILS UTICA UTILITIES UTILITY UTILIZATION UTILIZATIONS UTILIZE UTILIZED UTILIZES UTILIZING UTMOST UTOPIA UTOPIAN UTOPIANIZE UTOPIANIZES UTOPIANS UTRECHT UTTER UTTERANCE UTTERANCES UTTERED UTTERING UTTERLY UTTERMOST UTTERS UZI VACANCIES VACANCY VACANT VACANTLY VACATE VACATED VACATES VACATING VACATION VACATIONED VACATIONER VACATIONERS VACATIONING VACATIONS VACUO VACUOUS VACUOUSLY VACUUM VACUUMED VACUUMING VADUZ VAGABOND VAGABONDS VAGARIES VAGARY VAGINA VAGINAS VAGRANT VAGRANTLY VAGUE VAGUELY VAGUENESS VAGUER VAGUEST VAIL VAIN VAINLY VALE VALENCE VALENCES VALENTINE VALENTINES VALERIE VALERY VALES VALET VALETS VALHALLA VALIANT VALIANTLY VALID VALIDATE VALIDATED VALIDATES VALIDATING VALIDATION VALIDITY VALIDLY VALIDNESS VALKYRIE VALLETTA VALLEY VALLEYS VALOIS VALOR VALPARAISO VALUABLE VALUABLES VALUABLY VALUATION VALUATIONS VALUE VALUED VALUER VALUERS VALUES VALUING VALVE VALVES VAMPIRE VAN VANCE VANCEMENT VANCOUVER VANDALIZE VANDALIZED VANDALIZES VANDALIZING VANDENBERG VANDERBILT VANDERBURGH VANDERPOEL VANE VANES VANESSA VANGUARD VANILLA VANISH VANISHED VANISHER VANISHES VANISHING VANISHINGLY VANITIES VANITY VANQUISH VANQUISHED VANQUISHES VANQUISHING VANS VANTAGE VAPOR VAPORING VAPORS VARIABILITY VARIABLE VARIABLENESS VARIABLES VARIABLY VARIAN VARIANCE VARIANCES VARIANT VARIANTLY VARIANTS VARIATION VARIATIONS VARIED VARIES VARIETIES VARIETY VARIOUS VARIOUSLY VARITYPE VARITYPING VARNISH VARNISHES VARY VARYING VARYINGS VASE VASES VASQUEZ VASSAL VASSAR VAST VASTER VASTEST VASTLY VASTNESS VAT VATICAN VATICANIZATION VATICANIZATIONS VATICANIZE VATICANIZES VATS VAUDEVILLE VAUDOIS VAUGHAN VAUGHN VAULT VAULTED VAULTER VAULTING VAULTS VAUNT VAUNTED VAX VAXES VEAL VECTOR VECTORIZATION VECTORIZING VECTORS VEDA VEER VEERED VEERING VEERS VEGA VEGANISM VEGAS VEGETABLE VEGETABLES VEGETARIAN VEGETARIANS VEGETATE VEGETATED VEGETATES VEGETATING VEGETATION VEGETATIVE VEHEMENCE VEHEMENT VEHEMENTLY VEHICLE VEHICLES VEHICULAR VEIL VEILED VEILING VEILS VEIN VEINED VEINING VEINS VELA VELASQUEZ VELLA VELOCITIES VELOCITY VELVET VENDOR VENDORS VENERABLE VENERATION VENETIAN VENETO VENEZUELA VENEZUELAN VENGEANCE VENIAL VENICE VENISON VENN VENOM VENOMOUS VENOMOUSLY VENT VENTED VENTILATE VENTILATED VENTILATES VENTILATING VENTILATION VENTRICLE VENTRICLES VENTS VENTURA VENTURE VENTURED VENTURER VENTURERS VENTURES VENTURING VENTURINGS VENUS VENUSIAN VENUSIANS VERA VERACITY VERANDA VERANDAS VERB VERBAL VERBALIZE VERBALIZED VERBALIZES VERBALIZING VERBALLY VERBOSE VERBS VERDE VERDERER VERDI VERDICT VERDURE VERGE VERGER VERGES VERGIL VERIFIABILITY VERIFIABLE VERIFICATION VERIFICATIONS VERIFIED VERIFIER VERIFIERS VERIFIES VERIFY VERIFYING VERILY VERITABLE VERLAG VERMIN VERMONT VERN VERNA VERNACULAR VERNE VERNON VERONA VERONICA VERSA VERSAILLES VERSATEC VERSATILE VERSATILITY VERSE VERSED VERSES VERSING VERSION VERSIONS VERSUS VERTEBRATE VERTEBRATES VERTEX VERTICAL VERTICALLY VERTICALNESS VERTICES VERY VESSEL VESSELS VEST VESTED VESTIGE VESTIGES VESTIGIAL VESTS VESUVIUS VETERAN VETERANS VETERINARIAN VETERINARIANS VETERINARY VETO VETOED VETOER VETOES VEX VEXATION VEXED VEXES VEXING VIA VIABILITY VIABLE VIABLY VIAL VIALS VIBRATE VIBRATED VIBRATING VIBRATION VIBRATIONS VIBRATOR VIC VICE VICEROY VICES VICHY VICINITY VICIOUS VICIOUSLY VICIOUSNESS VICISSITUDE VICISSITUDES VICKERS VICKSBURG VICKY VICTIM VICTIMIZE VICTIMIZED VICTIMIZER VICTIMIZERS VICTIMIZES VICTIMIZING VICTIMS VICTOR VICTORIA VICTORIAN VICTORIANIZE VICTORIANIZES VICTORIANS VICTORIES VICTORIOUS VICTORIOUSLY VICTORS VICTORY VICTROLA VICTUAL VICTUALER VICTUALS VIDA VIDAL VIDEO VIDEOTAPE VIDEOTAPES VIDEOTEX VIE VIED VIENNA VIENNESE VIENTIANE VIER VIES VIET VIETNAM VIETNAMESE VIEW VIEWABLE VIEWED VIEWER VIEWERS VIEWING VIEWPOINT VIEWPOINTS VIEWS VIGILANCE VIGILANT VIGILANTE VIGILANTES VIGILANTLY VIGNETTE VIGNETTES VIGOR VIGOROUS VIGOROUSLY VIKING VIKINGS VIKRAM VILE VILELY VILENESS VILIFICATION VILIFICATIONS VILIFIED VILIFIES VILIFY VILIFYING VILLA VILLAGE VILLAGER VILLAGERS VILLAGES VILLAIN VILLAINOUS VILLAINOUSLY VILLAINOUSNESS VILLAINS VILLAINY VILLAS VINCE VINCENT VINCI VINDICATE VINDICATED VINDICATION VINDICTIVE VINDICTIVELY VINDICTIVENESS VINE VINEGAR VINES VINEYARD VINEYARDS VINSON VINTAGE VIOLATE VIOLATED VIOLATES VIOLATING VIOLATION VIOLATIONS VIOLATOR VIOLATORS VIOLENCE VIOLENT VIOLENTLY VIOLET VIOLETS VIOLIN VIOLINIST VIOLINISTS VIOLINS VIPER VIPERS VIRGIL VIRGIN VIRGINIA VIRGINIAN VIRGINIANS VIRGINITY VIRGINS VIRGO VIRTUAL VIRTUALLY VIRTUE VIRTUES VIRTUOSO VIRTUOSOS VIRTUOUS VIRTUOUSLY VIRULENT VIRUS VIRUSES VISA VISAGE VISAS VISCOUNT VISCOUNTS VISCOUS VISHNU VISIBILITY VISIBLE VISIBLY VISIGOTH VISIGOTHS VISION VISIONARY VISIONS VISIT VISITATION VISITATIONS VISITED VISITING VISITOR VISITORS VISITS VISOR VISORS VISTA VISTAS VISUAL VISUALIZE VISUALIZED VISUALIZER VISUALIZES VISUALIZING VISUALLY VITA VITAE VITAL VITALITY VITALLY VITALS VITO VITUS VIVALDI VIVIAN VIVID VIVIDLY VIVIDNESS VIZIER VLADIMIR VLADIVOSTOK VOCABULARIES VOCABULARY VOCAL VOCALLY VOCALS VOCATION VOCATIONAL VOCATIONALLY VOCATIONS VOGEL VOGUE VOICE VOICED VOICER VOICERS VOICES VOICING VOID VOIDED VOIDER VOIDING VOIDS VOLATILE VOLATILITIES VOLATILITY VOLCANIC VOLCANO VOLCANOS VOLITION VOLKSWAGEN VOLKSWAGENS VOLLEY VOLLEYBALL VOLLEYBALLS VOLSTEAD VOLT VOLTA VOLTAGE VOLTAGES VOLTAIRE VOLTERRA VOLTS VOLUME VOLUMES VOLUNTARILY VOLUNTARY VOLUNTEER VOLUNTEERED VOLUNTEERING VOLUNTEERS VOLVO VOMIT VOMITED VOMITING VOMITS VORTEX VOSS VOTE VOTED VOTER VOTERS VOTES VOTING VOTIVE VOUCH VOUCHER VOUCHERS VOUCHES VOUCHING VOUGHT VOW VOWED VOWEL VOWELS VOWER VOWING VOWS VOYAGE VOYAGED VOYAGER VOYAGERS VOYAGES VOYAGING VOYAGINGS VREELAND VULCAN VULCANISM VULGAR VULGARLY VULNERABILITIES VULNERABILITY VULNERABLE VULTURE VULTURES WAALS WABASH WACKE WACKY WACO WADE WADED WADER WADES WADING WADSWORTH WAFER WAFERS WAFFLE WAFFLES WAFT WAG WAGE WAGED WAGER WAGERS WAGES WAGING WAGNER WAGNERIAN WAGNERIZE WAGNERIZES WAGON WAGONER WAGONS WAGS WAHL WAIL WAILED WAILING WAILS WAINWRIGHT WAIST WAISTCOAT WAISTCOATS WAISTS WAIT WAITE WAITED WAITER WAITERS WAITING WAITRESS WAITRESSES WAITS WAIVE WAIVED WAIVER WAIVERABLE WAIVES WAIVING WAKE WAKED WAKEFIELD WAKEN WAKENED WAKENING WAKES WAKEUP WAKING WALBRIDGE WALCOTT WALDEN WALDENSIAN WALDO WALDORF WALDRON WALES WALFORD WALGREEN WALK WALKED WALKER WALKERS WALKING WALKS WALL WALLACE WALLED WALLENSTEIN WALLER WALLET WALLETS WALLING WALLIS WALLOW WALLOWED WALLOWING WALLOWS WALLS WALNUT WALNUTS WALPOLE WALRUS WALRUSES WALSH WALT WALTER WALTERS WALTHAM WALTON WALTZ WALTZED WALTZES WALTZING WALWORTH WAN WAND WANDER WANDERED WANDERER WANDERERS WANDERING WANDERINGS WANDERS WANE WANED WANES WANG WANING WANLY WANSEE WANSLEY WANT WANTED WANTING WANTON WANTONLY WANTONNESS WANTS WAPATO WAPPINGER WAR WARBLE WARBLED WARBLER WARBLES WARBLING WARBURTON WARD WARDEN WARDENS WARDER WARDROBE WARDROBES WARDS WARE WAREHOUSE WAREHOUSES WAREHOUSING WARES WARFARE WARFIELD WARILY WARINESS WARING WARLIKE WARM WARMED WARMER WARMERS WARMEST WARMING WARMLY WARMS WARMTH WARN WARNED WARNER WARNING WARNINGLY WARNINGS WARNOCK WARNS WARP WARPED WARPING WARPS WARRANT WARRANTED WARRANTIES WARRANTING WARRANTS WARRANTY WARRED WARRING WARRIOR WARRIORS WARS WARSAW WARSHIP WARSHIPS WART WARTIME WARTS WARWICK WARY WAS WASH WASHBURN WASHED WASHER WASHERS WASHES WASHING WASHINGS WASHINGTON WASHOE WASP WASPS WASSERMAN WASTE WASTED WASTEFUL WASTEFULLY WASTEFULNESS WASTES WASTING WATANABE WATCH WATCHED WATCHER WATCHERS WATCHES WATCHFUL WATCHFULLY WATCHFULNESS WATCHING WATCHINGS WATCHMAN WATCHWORD WATCHWORDS WATER WATERBURY WATERED WATERFALL WATERFALLS WATERGATE WATERHOUSE WATERING WATERINGS WATERLOO WATERMAN WATERPROOF WATERPROOFING WATERS WATERTOWN WATERWAY WATERWAYS WATERY WATKINS WATSON WATTENBERG WATTERSON WATTS WAUKESHA WAUNONA WAUPACA WAUPUN WAUSAU WAUWATOSA WAVE WAVED WAVEFORM WAVEFORMS WAVEFRONT WAVEFRONTS WAVEGUIDES WAVELAND WAVELENGTH WAVELENGTHS WAVER WAVERS WAVES WAVING WAX WAXED WAXEN WAXER WAXERS WAXES WAXING WAXY WAY WAYNE WAYNESBORO WAYS WAYSIDE WAYWARD WEAK WEAKEN WEAKENED WEAKENING WEAKENS WEAKER WEAKEST WEAKLY WEAKNESS WEAKNESSES WEALTH WEALTHIEST WEALTHS WEALTHY WEAN WEANED WEANING WEAPON WEAPONS WEAR WEARABLE WEARER WEARIED WEARIER WEARIEST WEARILY WEARINESS WEARING WEARISOME WEARISOMELY WEARS WEARY WEARYING WEASEL WEASELS WEATHER WEATHERCOCK WEATHERCOCKS WEATHERED WEATHERFORD WEATHERING WEATHERS WEAVE WEAVER WEAVES WEAVING WEB WEBB WEBBER WEBS WEBSTER WEBSTERVILLE WEDDED WEDDING WEDDINGS WEDGE WEDGED WEDGES WEDGING WEDLOCK WEDNESDAY WEDNESDAYS WEDS WEE WEED WEEDS WEEK WEEKEND WEEKENDS WEEKLY WEEKS WEEP WEEPER WEEPING WEEPS WEHR WEI WEIBULL WEIDER WEIDMAN WEIERSTRASS WEIGH WEIGHED WEIGHING WEIGHINGS WEIGHS WEIGHT WEIGHTED WEIGHTING WEIGHTS WEIGHTY WEINBERG WEINER WEINSTEIN WEIRD WEIRDLY WEISENHEIMER WEISS WEISSMAN WEISSMULLER WELCH WELCHER WELCHES WELCOME WELCOMED WELCOMES WELCOMING WELD WELDED WELDER WELDING WELDON WELDS WELDWOOD WELFARE WELL WELLED WELLER WELLES WELLESLEY WELLING WELLINGTON WELLMAN WELLS WELLSVILLE WELMERS WELSH WELTON WENCH WENCHES WENDELL WENDY WENT WENTWORTH WEPT WERE WERNER WERTHER WESLEY WESLEYAN WESSON WEST WESTBOUND WESTBROOK WESTCHESTER WESTERN WESTERNER WESTERNERS WESTFIELD WESTHAMPTON WESTINGHOUSE WESTMINSTER WESTMORE WESTON WESTPHALIA WESTPORT WESTWARD WESTWARDS WESTWOOD WET WETLY WETNESS WETS WETTED WETTER WETTEST WETTING WEYERHAUSER WHACK WHACKED WHACKING WHACKS WHALE WHALEN WHALER WHALES WHALING WHARF WHARTON WHARVES WHAT WHATEVER WHATLEY WHATSOEVER WHEAT WHEATEN WHEATLAND WHEATON WHEATSTONE WHEEL WHEELED WHEELER WHEELERS WHEELING WHEELINGS WHEELOCK WHEELS WHELAN WHELLER WHELP WHEN WHENCE WHENEVER WHERE WHEREABOUTS WHEREAS WHEREBY WHEREIN WHEREUPON WHEREVER WHETHER WHICH WHICHEVER WHILE WHIM WHIMPER WHIMPERED WHIMPERING WHIMPERS WHIMS WHIMSICAL WHIMSICALLY WHIMSIES WHIMSY WHINE WHINED WHINES WHINING WHIP WHIPPANY WHIPPED WHIPPER WHIPPERS WHIPPING WHIPPINGS WHIPPLE WHIPS WHIRL WHIRLED WHIRLING WHIRLPOOL WHIRLPOOLS WHIRLS WHIRLWIND WHIRR WHIRRING WHISK WHISKED WHISKER WHISKERS WHISKEY WHISKING WHISKS WHISPER WHISPERED WHISPERING WHISPERINGS WHISPERS WHISTLE WHISTLED WHISTLER WHISTLERS WHISTLES WHISTLING WHIT WHITAKER WHITCOMB WHITE WHITEHALL WHITEHORSE WHITELEAF WHITELEY WHITELY WHITEN WHITENED WHITENER WHITENERS WHITENESS WHITENING WHITENS WHITER WHITES WHITESPACE WHITEST WHITEWASH WHITEWASHED WHITEWATER WHITFIELD WHITING WHITLOCK WHITMAN WHITMANIZE WHITMANIZES WHITNEY WHITTAKER WHITTIER WHITTLE WHITTLED WHITTLES WHITTLING WHIZ WHIZZED WHIZZES WHIZZING WHO WHOEVER WHOLE WHOLEHEARTED WHOLEHEARTEDLY WHOLENESS WHOLES WHOLESALE WHOLESALER WHOLESALERS WHOLESOME WHOLESOMENESS WHOLLY WHOM WHOMEVER WHOOP WHOOPED WHOOPING WHOOPS WHORE WHORES WHORL WHORLS WHOSE WHY WICHITA WICK WICKED WICKEDLY WICKEDNESS WICKER WICKS WIDE WIDEBAND WIDELY WIDEN WIDENED WIDENER WIDENING WIDENS WIDER WIDESPREAD WIDEST WIDGET WIDOW WIDOWED WIDOWER WIDOWERS WIDOWS WIDTH WIDTHS WIELAND WIELD WIELDED WIELDER WIELDING WIELDS WIER WIFE WIFELY WIG WIGGINS WIGHTMAN WIGS WIGWAM WILBUR WILCOX WILD WILDCAT WILDCATS WILDER WILDERNESS WILDEST WILDLY WILDNESS WILE WILES WILEY WILFRED WILHELM WILHELMINA WILINESS WILKES WILKIE WILKINS WILKINSON WILL WILLA WILLAMETTE WILLARD WILLCOX WILLED WILLEM WILLFUL WILLFULLY WILLIAM WILLIAMS WILLIAMSBURG WILLIAMSON WILLIE WILLIED WILLIES WILLING WILLINGLY WILLINGNESS WILLIS WILLISSON WILLOUGHBY WILLOW WILLOWS WILLS WILLY WILMA WILMETTE WILMINGTON WILSHIRE WILSON WILSONIAN WILT WILTED WILTING WILTS WILTSHIRE WILY WIN WINCE WINCED WINCES WINCHELL WINCHESTER WINCING WIND WINDED WINDER WINDERS WINDING WINDMILL WINDMILLS WINDOW WINDOWS WINDS WINDSOR WINDY WINE WINED WINEHEAD WINER WINERS WINES WINFIELD WING WINGED WINGING WINGS WINIFRED WINING WINK WINKED WINKER WINKING WINKS WINNEBAGO WINNER WINNERS WINNETKA WINNIE WINNING WINNINGLY WINNINGS WINNIPEG WINNIPESAUKEE WINOGRAD WINOOSKI WINS WINSBOROUGH WINSETT WINSLOW WINSTON WINTER WINTERED WINTERING WINTERS WINTHROP WINTRY WIPE WIPED WIPER WIPERS WIPES WIPING WIRE WIRED WIRELESS WIRES WIRETAP WIRETAPPERS WIRETAPPING WIRETAPS WIRINESS WIRING WIRY WISCONSIN WISDOM WISDOMS WISE WISED WISELY WISENHEIMER WISER WISEST WISH WISHED WISHER WISHERS WISHES WISHFUL WISHING WISP WISPS WISTFUL WISTFULLY WISTFULNESS WIT WITCH WITCHCRAFT WITCHES WITCHING WITH WITHAL WITHDRAW WITHDRAWAL WITHDRAWALS WITHDRAWING WITHDRAWN WITHDRAWS WITHDREW WITHER WITHERS WITHERSPOON WITHHELD WITHHOLD WITHHOLDER WITHHOLDERS WITHHOLDING WITHHOLDINGS WITHHOLDS WITHIN WITHOUT WITHSTAND WITHSTANDING WITHSTANDS WITHSTOOD WITNESS WITNESSED WITNESSES WITNESSING WITS WITT WITTGENSTEIN WITTY WIVES WIZARD WIZARDS WOE WOEFUL WOEFULLY WOKE WOLCOTT WOLF WOLFE WOLFF WOLFGANG WOLVERTON WOLVES WOMAN WOMANHOOD WOMANLY WOMB WOMBS WOMEN WON WONDER WONDERED WONDERFUL WONDERFULLY WONDERFULNESS WONDERING WONDERINGLY WONDERMENT WONDERS WONDROUS WONDROUSLY WONG WONT WONTED WOO WOOD WOODARD WOODBERRY WOODBURY WOODCHUCK WOODCHUCKS WOODCOCK WOODCOCKS WOODED WOODEN WOODENLY WOODENNESS WOODLAND WOODLAWN WOODMAN WOODPECKER WOODPECKERS WOODROW WOODS WOODSTOCK WOODWARD WOODWARDS WOODWORK WOODWORKING WOODY WOOED WOOER WOOF WOOFED WOOFER WOOFERS WOOFING WOOFS WOOING WOOL WOOLEN WOOLLY WOOLS WOOLWORTH WOONSOCKET WOOS WOOSTER WORCESTER WORCESTERSHIRE WORD WORDED WORDILY WORDINESS WORDING WORDS WORDSWORTH WORDY WORE WORK WORKABLE WORKABLY WORKBENCH WORKBENCHES WORKBOOK WORKBOOKS WORKED WORKER WORKERS WORKHORSE WORKHORSES WORKING WORKINGMAN WORKINGS WORKLOAD WORKMAN WORKMANSHIP WORKMEN WORKS WORKSHOP WORKSHOPS WORKSPACE WORKSTATION WORKSTATIONS WORLD WORLDLINESS WORLDLY WORLDS WORLDWIDE WORM WORMED WORMING WORMS WORN WORRIED WORRIER WORRIERS WORRIES WORRISOME WORRY WORRYING WORRYINGLY WORSE WORSHIP WORSHIPED WORSHIPER WORSHIPFUL WORSHIPING WORSHIPS WORST WORSTED WORTH WORTHIEST WORTHINESS WORTHINGTON WORTHLESS WORTHLESSNESS WORTHS WORTHWHILE WORTHWHILENESS WORTHY WOTAN WOULD WOUND WOUNDED WOUNDING WOUNDS WOVE WOVEN WRANGLE WRANGLED WRANGLER WRAP WRAPAROUND WRAPPED WRAPPER WRAPPERS WRAPPING WRAPPINGS WRAPS WRATH WREAK WREAKS WREATH WREATHED WREATHES WRECK WRECKAGE WRECKED WRECKER WRECKERS WRECKING WRECKS WREN WRENCH WRENCHED WRENCHES WRENCHING WRENS WREST WRESTLE WRESTLER WRESTLES WRESTLING WRESTLINGS WRETCH WRETCHED WRETCHEDNESS WRETCHES WRIGGLE WRIGGLED WRIGGLER WRIGGLES WRIGGLING WRIGLEY WRING WRINGER WRINGS WRINKLE WRINKLED WRINKLES WRIST WRISTS WRISTWATCH WRISTWATCHES WRIT WRITABLE WRITE WRITER WRITERS WRITES WRITHE WRITHED WRITHES WRITHING WRITING WRITINGS WRITS WRITTEN WRONG WRONGED WRONGING WRONGLY WRONGS WRONSKIAN WROTE WROUGHT WRUNG WUHAN WYANDOTTE WYATT WYETH WYLIE WYMAN WYNER WYNN WYOMING XANTHUS XAVIER XEBEC XENAKIS XENIA XENIX XEROX XEROXED XEROXES XEROXING XERXES XHOSA YAGI YAKIMA YALE YALIES YALTA YAMAHA YANK YANKED YANKEE YANKEES YANKING YANKS YANKTON YAOUNDE YAQUI YARD YARDS YARDSTICK YARDSTICKS YARMOUTH YARN YARNS YATES YAUNDE YAWN YAWNER YAWNING YEA YEAGER YEAR YEARLY YEARN YEARNED YEARNING YEARNINGS YEARS YEAS YEAST YEASTS YEATS YELL YELLED YELLER YELLING YELLOW YELLOWED YELLOWER YELLOWEST YELLOWING YELLOWISH YELLOWKNIFE YELLOWNESS YELLOWS YELLOWSTONE YELP YELPED YELPING YELPS YEMEN YENTL YEOMAN YEOMEN YERKES YES YESTERDAY YESTERDAYS YET YIDDISH YIELD YIELDED YIELDING YIELDS YODER YOKE YOKES YOKNAPATAWPHA YOKOHAMA YOKUTS YON YONDER YONKERS YORICK YORK YORKER YORKERS YORKSHIRE YORKTOWN YOSEMITE YOST YOU YOUNG YOUNGER YOUNGEST YOUNGLY YOUNGSTER YOUNGSTERS YOUNGSTOWN YOUR YOURS YOURSELF YOURSELVES YOUTH YOUTHES YOUTHFUL YOUTHFULLY YOUTHFULNESS YPSILANTI YUBA YUCATAN YUGOSLAV YUGOSLAVIA YUGOSLAVIAN YUGOSLAVIANS YUH YUKI YUKON YURI YVES YVETTE ZACHARY ZAGREB ZAIRE ZAMBIA ZAN ZANZIBAR ZEAL ZEALAND ZEALOUS ZEALOUSLY ZEALOUSNESS ZEBRA ZEBRAS ZEFFIRELLI ZEISS ZELLERBACH ZEN ZENITH ZENNIST ZERO ZEROED ZEROES ZEROING ZEROS ZEROTH ZEST ZEUS ZIEGFELD ZIEGFELDS ZIEGLER ZIGGY ZIGZAG ZILLIONS ZIMMERMAN ZINC ZION ZIONISM ZIONIST ZIONISTS ZIONS ZODIAC ZOE ZOMBA ZONAL ZONALLY ZONE ZONED ZONES ZONING ZOO ZOOLOGICAL ZOOLOGICALLY ZOOM ZOOMS ZOOS ZORN ZOROASTER ZOROASTRIAN ZULU ZULUS ZURICH
AARHUS AARON ABABA ABACK ABAFT ABANDON ABANDONED ABANDONING ABANDONMENT ABANDONS ABASE ABASED ABASEMENT ABASEMENTS ABASES ABASH ABASHED ABASHES ABASHING ABASING ABATE ABATED ABATEMENT ABATEMENTS ABATER ABATES ABATING ABBA ABBE ABBEY ABBEYS ABBOT ABBOTS ABBOTT ABBREVIATE ABBREVIATED ABBREVIATES ABBREVIATING ABBREVIATION ABBREVIATIONS ABBY ABDOMEN ABDOMENS ABDOMINAL ABDUCT ABDUCTED ABDUCTION ABDUCTIONS ABDUCTOR ABDUCTORS ABDUCTS ABE ABED ABEL ABELIAN ABELSON ABERDEEN ABERNATHY ABERRANT ABERRATION ABERRATIONS ABET ABETS ABETTED ABETTER ABETTING ABEYANCE ABHOR ABHORRED ABHORRENT ABHORRER ABHORRING ABHORS ABIDE ABIDED ABIDES ABIDING ABIDJAN ABIGAIL ABILENE ABILITIES ABILITY ABJECT ABJECTION ABJECTIONS ABJECTLY ABJECTNESS ABJURE ABJURED ABJURES ABJURING ABLATE ABLATED ABLATES ABLATING ABLATION ABLATIVE ABLAZE ABLE ABLER ABLEST ABLY ABNER ABNORMAL ABNORMALITIES ABNORMALITY ABNORMALLY ABO ABOARD ABODE ABODES ABOLISH ABOLISHED ABOLISHER ABOLISHERS ABOLISHES ABOLISHING ABOLISHMENT ABOLISHMENTS ABOLITION ABOLITIONIST ABOLITIONISTS ABOMINABLE ABOMINATE ABORIGINAL ABORIGINE ABORIGINES ABORT ABORTED ABORTING ABORTION ABORTIONS ABORTIVE ABORTIVELY ABORTS ABOS ABOUND ABOUNDED ABOUNDING ABOUNDS ABOUT ABOVE ABOVEBOARD ABOVEGROUND ABOVEMENTIONED ABRADE ABRADED ABRADES ABRADING ABRAHAM ABRAM ABRAMS ABRAMSON ABRASION ABRASIONS ABRASIVE ABREACTION ABREACTIONS ABREAST ABRIDGE ABRIDGED ABRIDGES ABRIDGING ABRIDGMENT ABROAD ABROGATE ABROGATED ABROGATES ABROGATING ABRUPT ABRUPTLY ABRUPTNESS ABSCESS ABSCESSED ABSCESSES ABSCISSA ABSCISSAS ABSCOND ABSCONDED ABSCONDING ABSCONDS ABSENCE ABSENCES ABSENT ABSENTED ABSENTEE ABSENTEEISM ABSENTEES ABSENTIA ABSENTING ABSENTLY ABSENTMINDED ABSENTS ABSINTHE ABSOLUTE ABSOLUTELY ABSOLUTENESS ABSOLUTES ABSOLUTION ABSOLVE ABSOLVED ABSOLVES ABSOLVING ABSORB ABSORBED ABSORBENCY ABSORBENT ABSORBER ABSORBING ABSORBS ABSORPTION ABSORPTIONS ABSORPTIVE ABSTAIN ABSTAINED ABSTAINER ABSTAINING ABSTAINS ABSTENTION ABSTENTIONS ABSTINENCE ABSTRACT ABSTRACTED ABSTRACTING ABSTRACTION ABSTRACTIONISM ABSTRACTIONIST ABSTRACTIONS ABSTRACTLY ABSTRACTNESS ABSTRACTOR ABSTRACTORS ABSTRACTS ABSTRUSE ABSTRUSENESS ABSURD ABSURDITIES ABSURDITY ABSURDLY ABU ABUNDANCE ABUNDANT ABUNDANTLY ABUSE ABUSED ABUSES ABUSING ABUSIVE ABUT ABUTMENT ABUTS ABUTTED ABUTTER ABUTTERS ABUTTING ABYSMAL ABYSMALLY ABYSS ABYSSES ABYSSINIA ABYSSINIAN ABYSSINIANS ACACIA ACADEMIA ACADEMIC ACADEMICALLY ACADEMICS ACADEMIES ACADEMY ACADIA ACAPULCO ACCEDE ACCEDED ACCEDES ACCELERATE ACCELERATED ACCELERATES ACCELERATING ACCELERATION ACCELERATIONS ACCELERATOR ACCELERATORS ACCELEROMETER ACCELEROMETERS ACCENT ACCENTED ACCENTING ACCENTS ACCENTUAL ACCENTUATE ACCENTUATED ACCENTUATES ACCENTUATING ACCENTUATION ACCEPT ACCEPTABILITY ACCEPTABLE ACCEPTABLY ACCEPTANCE ACCEPTANCES ACCEPTED ACCEPTER ACCEPTERS ACCEPTING ACCEPTOR ACCEPTORS ACCEPTS ACCESS ACCESSED ACCESSES ACCESSIBILITY ACCESSIBLE ACCESSIBLY ACCESSING ACCESSION ACCESSIONS ACCESSORIES ACCESSORS ACCESSORY ACCIDENT ACCIDENTAL ACCIDENTALLY ACCIDENTLY ACCIDENTS ACCLAIM ACCLAIMED ACCLAIMING ACCLAIMS ACCLAMATION ACCLIMATE ACCLIMATED ACCLIMATES ACCLIMATING ACCLIMATIZATION ACCLIMATIZED ACCOLADE ACCOLADES ACCOMMODATE ACCOMMODATED ACCOMMODATES ACCOMMODATING ACCOMMODATION ACCOMMODATIONS ACCOMPANIED ACCOMPANIES ACCOMPANIMENT ACCOMPANIMENTS ACCOMPANIST ACCOMPANISTS ACCOMPANY ACCOMPANYING ACCOMPLICE ACCOMPLICES ACCOMPLISH ACCOMPLISHED ACCOMPLISHER ACCOMPLISHERS ACCOMPLISHES ACCOMPLISHING ACCOMPLISHMENT ACCOMPLISHMENTS ACCORD ACCORDANCE ACCORDED ACCORDER ACCORDERS ACCORDING ACCORDINGLY ACCORDION ACCORDIONS ACCORDS ACCOST ACCOSTED ACCOSTING ACCOSTS ACCOUNT ACCOUNTABILITY ACCOUNTABLE ACCOUNTABLY ACCOUNTANCY ACCOUNTANT ACCOUNTANTS ACCOUNTED ACCOUNTING ACCOUNTS ACCRA ACCREDIT ACCREDITATION ACCREDITATIONS ACCREDITED ACCRETION ACCRETIONS ACCRUE ACCRUED ACCRUES ACCRUING ACCULTURATE ACCULTURATED ACCULTURATES ACCULTURATING ACCULTURATION ACCUMULATE ACCUMULATED ACCUMULATES ACCUMULATING ACCUMULATION ACCUMULATIONS ACCUMULATOR ACCUMULATORS ACCURACIES ACCURACY ACCURATE ACCURATELY ACCURATENESS ACCURSED ACCUSAL ACCUSATION ACCUSATIONS ACCUSATIVE ACCUSE ACCUSED ACCUSER ACCUSES ACCUSING ACCUSINGLY ACCUSTOM ACCUSTOMED ACCUSTOMING ACCUSTOMS ACE ACES ACETATE ACETONE ACETYLENE ACHAEAN ACHAEANS ACHE ACHED ACHES ACHIEVABLE ACHIEVE ACHIEVED ACHIEVEMENT ACHIEVEMENTS ACHIEVER ACHIEVERS ACHIEVES ACHIEVING ACHILLES ACHING ACID ACIDIC ACIDITIES ACIDITY ACIDLY ACIDS ACIDULOUS ACKERMAN ACKLEY ACKNOWLEDGE ACKNOWLEDGEABLE ACKNOWLEDGED ACKNOWLEDGEMENT ACKNOWLEDGEMENTS ACKNOWLEDGER ACKNOWLEDGERS ACKNOWLEDGES ACKNOWLEDGING ACKNOWLEDGMENT ACKNOWLEDGMENTS ACME ACNE ACOLYTE ACOLYTES ACORN ACORNS ACOUSTIC ACOUSTICAL ACOUSTICALLY ACOUSTICIAN ACOUSTICS ACQUAINT ACQUAINTANCE ACQUAINTANCES ACQUAINTED ACQUAINTING ACQUAINTS ACQUIESCE ACQUIESCED ACQUIESCENCE ACQUIESCENT ACQUIESCES ACQUIESCING ACQUIRABLE ACQUIRE ACQUIRED ACQUIRES ACQUIRING ACQUISITION ACQUISITIONS ACQUISITIVE ACQUISITIVENESS ACQUIT ACQUITS ACQUITTAL ACQUITTED ACQUITTER ACQUITTING ACRE ACREAGE ACRES ACRID ACRIMONIOUS ACRIMONY ACROBAT ACROBATIC ACROBATICS ACROBATS ACRONYM ACRONYMS ACROPOLIS ACROSS ACRYLIC ACT ACTA ACTAEON ACTED ACTING ACTINIUM ACTINOMETER ACTINOMETERS ACTION ACTIONS ACTIVATE ACTIVATED ACTIVATES ACTIVATING ACTIVATION ACTIVATIONS ACTIVATOR ACTIVATORS ACTIVE ACTIVELY ACTIVISM ACTIVIST ACTIVISTS ACTIVITIES ACTIVITY ACTON ACTOR ACTORS ACTRESS ACTRESSES ACTS ACTUAL ACTUALITIES ACTUALITY ACTUALIZATION ACTUALLY ACTUALS ACTUARIAL ACTUARIALLY ACTUATE ACTUATED ACTUATES ACTUATING ACTUATOR ACTUATORS ACUITY ACUMEN ACUTE ACUTELY ACUTENESS ACYCLIC ACYCLICALLY ADA ADAGE ADAGES ADAGIO ADAGIOS ADAIR ADAM ADAMANT ADAMANTLY ADAMS ADAMSON ADAPT ADAPTABILITY ADAPTABLE ADAPTATION ADAPTATIONS ADAPTED ADAPTER ADAPTERS ADAPTING ADAPTIVE ADAPTIVELY ADAPTOR ADAPTORS ADAPTS ADD ADDED ADDEND ADDENDA ADDENDUM ADDER ADDERS ADDICT ADDICTED ADDICTING ADDICTION ADDICTIONS ADDICTS ADDING ADDIS ADDISON ADDITION ADDITIONAL ADDITIONALLY ADDITIONS ADDITIVE ADDITIVES ADDITIVITY ADDRESS ADDRESSABILITY ADDRESSABLE ADDRESSED ADDRESSEE ADDRESSEES ADDRESSER ADDRESSERS ADDRESSES ADDRESSING ADDRESSOGRAPH ADDS ADDUCE ADDUCED ADDUCES ADDUCIBLE ADDUCING ADDUCT ADDUCTED ADDUCTING ADDUCTION ADDUCTOR ADDUCTS ADELAIDE ADELE ADELIA ADEN ADEPT ADEQUACIES ADEQUACY ADEQUATE ADEQUATELY ADHERE ADHERED ADHERENCE ADHERENT ADHERENTS ADHERER ADHERERS ADHERES ADHERING ADHESION ADHESIONS ADHESIVE ADHESIVES ADIABATIC ADIABATICALLY ADIEU ADIRONDACK ADIRONDACKS ADJACENCY ADJACENT ADJECTIVE ADJECTIVES ADJOIN ADJOINED ADJOINING ADJOINS ADJOURN ADJOURNED ADJOURNING ADJOURNMENT ADJOURNS ADJUDGE ADJUDGED ADJUDGES ADJUDGING ADJUDICATE ADJUDICATED ADJUDICATES ADJUDICATING ADJUDICATION ADJUDICATIONS ADJUNCT ADJUNCTS ADJURE ADJURED ADJURES ADJURING ADJUST ADJUSTABLE ADJUSTABLY ADJUSTED ADJUSTER ADJUSTERS ADJUSTING ADJUSTMENT ADJUSTMENTS ADJUSTOR ADJUSTORS ADJUSTS ADJUTANT ADJUTANTS ADKINS ADLER ADLERIAN ADMINISTER ADMINISTERED ADMINISTERING ADMINISTERINGS ADMINISTERS ADMINISTRABLE ADMINISTRATE ADMINISTRATION ADMINISTRATIONS ADMINISTRATIVE ADMINISTRATIVELY ADMINISTRATOR ADMINISTRATORS ADMIRABLE ADMIRABLY ADMIRAL ADMIRALS ADMIRALTY ADMIRATION ADMIRATIONS ADMIRE ADMIRED ADMIRER ADMIRERS ADMIRES ADMIRING ADMIRINGLY ADMISSIBILITY ADMISSIBLE ADMISSION ADMISSIONS ADMIT ADMITS ADMITTANCE ADMITTED ADMITTEDLY ADMITTER ADMITTERS ADMITTING ADMIX ADMIXED ADMIXES ADMIXTURE ADMONISH ADMONISHED ADMONISHES ADMONISHING ADMONISHMENT ADMONISHMENTS ADMONITION ADMONITIONS ADO ADOBE ADOLESCENCE ADOLESCENT ADOLESCENTS ADOLPH ADOLPHUS ADONIS ADOPT ADOPTED ADOPTER ADOPTERS ADOPTING ADOPTION ADOPTIONS ADOPTIVE ADOPTS ADORABLE ADORATION ADORE ADORED ADORES ADORN ADORNED ADORNMENT ADORNMENTS ADORNS ADRENAL ADRENALINE ADRIAN ADRIATIC ADRIENNE ADRIFT ADROIT ADROITNESS ADS ADSORB ADSORBED ADSORBING ADSORBS ADSORPTION ADULATE ADULATING ADULATION ADULT ADULTERATE ADULTERATED ADULTERATES ADULTERATING ADULTERER ADULTERERS ADULTEROUS ADULTEROUSLY ADULTERY ADULTHOOD ADULTS ADUMBRATE ADUMBRATED ADUMBRATES ADUMBRATING ADUMBRATION ADVANCE ADVANCED ADVANCEMENT ADVANCEMENTS ADVANCES ADVANCING ADVANTAGE ADVANTAGED ADVANTAGEOUS ADVANTAGEOUSLY ADVANTAGES ADVENT ADVENTIST ADVENTISTS ADVENTITIOUS ADVENTURE ADVENTURED ADVENTURER ADVENTURERS ADVENTURES ADVENTURING ADVENTUROUS ADVERB ADVERBIAL ADVERBS ADVERSARIES ADVERSARY ADVERSE ADVERSELY ADVERSITIES ADVERSITY ADVERT ADVERTISE ADVERTISED ADVERTISEMENT ADVERTISEMENTS ADVERTISER ADVERTISERS ADVERTISES ADVERTISING ADVICE ADVISABILITY ADVISABLE ADVISABLY ADVISE ADVISED ADVISEDLY ADVISEE ADVISEES ADVISEMENT ADVISEMENTS ADVISER ADVISERS ADVISES ADVISING ADVISOR ADVISORS ADVISORY ADVOCACY ADVOCATE ADVOCATED ADVOCATES ADVOCATING AEGEAN AEGIS AENEAS AENEID AEOLUS AERATE AERATED AERATES AERATING AERATION AERATOR AERATORS AERIAL AERIALS AEROACOUSTIC AEROBACTER AEROBIC AEROBICS AERODYNAMIC AERODYNAMICS AERONAUTIC AERONAUTICAL AERONAUTICS AEROSOL AEROSOLIZE AEROSOLS AEROSPACE AESCHYLUS AESOP AESTHETIC AESTHETICALLY AESTHETICS AFAR AFFABLE AFFAIR AFFAIRS AFFECT AFFECTATION AFFECTATIONS AFFECTED AFFECTING AFFECTINGLY AFFECTION AFFECTIONATE AFFECTIONATELY AFFECTIONS AFFECTIVE AFFECTS AFFERENT AFFIANCED AFFIDAVIT AFFIDAVITS AFFILIATE AFFILIATED AFFILIATES AFFILIATING AFFILIATION AFFILIATIONS AFFINITIES AFFINITY AFFIRM AFFIRMATION AFFIRMATIONS AFFIRMATIVE AFFIRMATIVELY AFFIRMED AFFIRMING AFFIRMS AFFIX AFFIXED AFFIXES AFFIXING AFFLICT AFFLICTED AFFLICTING AFFLICTION AFFLICTIONS AFFLICTIVE AFFLICTS AFFLUENCE AFFLUENT AFFORD AFFORDABLE AFFORDED AFFORDING AFFORDS AFFRICATE AFFRICATES AFFRIGHT AFFRONT AFFRONTED AFFRONTING AFFRONTS AFGHAN AFGHANISTAN AFGHANS AFICIONADO AFIELD AFIRE AFLAME AFLOAT AFOOT AFORE AFOREMENTIONED AFORESAID AFORETHOUGHT AFOUL AFRAID AFRESH AFRICA AFRICAN AFRICANIZATION AFRICANIZATIONS AFRICANIZE AFRICANIZED AFRICANIZES AFRICANIZING AFRICANS AFRIKAANS AFRIKANER AFRIKANERS AFT AFTER AFTEREFFECT AFTERGLOW AFTERIMAGE AFTERLIFE AFTERMATH AFTERMOST AFTERNOON AFTERNOONS AFTERSHOCK AFTERSHOCKS AFTERTHOUGHT AFTERTHOUGHTS AFTERWARD AFTERWARDS AGAIN AGAINST AGAMEMNON AGAPE AGAR AGATE AGATES AGATHA AGE AGED AGEE AGELESS AGENCIES AGENCY AGENDA AGENDAS AGENT AGENTS AGER AGERS AGES AGGIE AGGIES AGGLOMERATE AGGLOMERATED AGGLOMERATES AGGLOMERATION AGGLUTINATE AGGLUTINATED AGGLUTINATES AGGLUTINATING AGGLUTINATION AGGLUTININ AGGLUTININS AGGRANDIZE AGGRAVATE AGGRAVATED AGGRAVATES AGGRAVATION AGGREGATE AGGREGATED AGGREGATELY AGGREGATES AGGREGATING AGGREGATION AGGREGATIONS AGGRESSION AGGRESSIONS AGGRESSIVE AGGRESSIVELY AGGRESSIVENESS AGGRESSOR AGGRESSORS AGGRIEVE AGGRIEVED AGGRIEVES AGGRIEVING AGHAST AGILE AGILELY AGILITY AGING AGITATE AGITATED AGITATES AGITATING AGITATION AGITATIONS AGITATOR AGITATORS AGLEAM AGLOW AGNES AGNEW AGNOSTIC AGNOSTICS AGO AGOG AGONIES AGONIZE AGONIZED AGONIZES AGONIZING AGONIZINGLY AGONY AGRARIAN AGREE AGREEABLE AGREEABLY AGREED AGREEING AGREEMENT AGREEMENTS AGREER AGREERS AGREES AGRICOLA AGRICULTURAL AGRICULTURALLY AGRICULTURE AGUE AGWAY AHEAD AHMADABAD AHMEDABAD AID AIDA AIDE AIDED AIDES AIDING AIDS AIKEN AIL AILEEN AILERON AILERONS AILING AILMENT AILMENTS AIM AIMED AIMER AIMERS AIMING AIMLESS AIMLESSLY AIMS AINU AINUS AIR AIRBAG AIRBAGS AIRBORNE AIRBUS AIRCRAFT AIRDROP AIRDROPS AIRED AIREDALE AIRER AIRERS AIRES AIRFARE AIRFIELD AIRFIELDS AIRFLOW AIRFOIL AIRFOILS AIRFRAME AIRFRAMES AIRILY AIRING AIRINGS AIRLESS AIRLIFT AIRLIFTS AIRLINE AIRLINER AIRLINES AIRLOCK AIRLOCKS AIRMAIL AIRMAILS AIRMAN AIRMEN AIRPLANE AIRPLANES AIRPORT AIRPORTS AIRS AIRSHIP AIRSHIPS AIRSPACE AIRSPEED AIRSTRIP AIRSTRIPS AIRTIGHT AIRWAY AIRWAYS AIRY AISLE AITKEN AJAR AJAX AKERS AKIMBO AKIN AKRON ALABAMA ALABAMANS ALABAMIAN ALABASTER ALACRITY ALADDIN ALAMEDA ALAMO ALAMOS ALAN ALAR ALARM ALARMED ALARMING ALARMINGLY ALARMIST ALARMS ALAS ALASKA ALASKAN ALASTAIR ALBA ALBACORE ALBANIA ALBANIAN ALBANIANS ALBANY ALBATROSS ALBEIT ALBERICH ALBERT ALBERTA ALBERTO ALBRECHT ALBRIGHT ALBUM ALBUMIN ALBUMS ALBUQUERQUE ALCESTIS ALCHEMY ALCIBIADES ALCMENA ALCOA ALCOHOL ALCOHOLIC ALCOHOLICS ALCOHOLISM ALCOHOLS ALCOTT ALCOVE ALCOVES ALDEBARAN ALDEN ALDER ALDERMAN ALDERMEN ALDRICH ALE ALEC ALECK ALEE ALERT ALERTED ALERTEDLY ALERTER ALERTERS ALERTING ALERTLY ALERTNESS ALERTS ALEUT ALEUTIAN ALEX ALEXANDER ALEXANDRA ALEXANDRE ALEXANDRIA ALEXANDRINE ALEXEI ALEXIS ALFA ALFALFA ALFONSO ALFRED ALFREDO ALFRESCO ALGA ALGAE ALGAECIDE ALGEBRA ALGEBRAIC ALGEBRAICALLY ALGEBRAS ALGENIB ALGER ALGERIA ALGERIAN ALGIERS ALGINATE ALGOL ALGOL ALGONQUIAN ALGONQUIN ALGORITHM ALGORITHMIC ALGORITHMICALLY ALGORITHMS ALHAMBRA ALI ALIAS ALIASED ALIASES ALIASING ALIBI ALIBIS ALICE ALICIA ALIEN ALIENATE ALIENATED ALIENATES ALIENATING ALIENATION ALIENS ALIGHT ALIGN ALIGNED ALIGNING ALIGNMENT ALIGNMENTS ALIGNS ALIKE ALIMENT ALIMENTS ALIMONY ALISON ALISTAIR ALIVE ALKALI ALKALINE ALKALIS ALKALOID ALKALOIDS ALKYL ALL ALLAH ALLAN ALLAY ALLAYED ALLAYING ALLAYS ALLEGATION ALLEGATIONS ALLEGE ALLEGED ALLEGEDLY ALLEGES ALLEGHENIES ALLEGHENY ALLEGIANCE ALLEGIANCES ALLEGING ALLEGORIC ALLEGORICAL ALLEGORICALLY ALLEGORIES ALLEGORY ALLEGRA ALLEGRETTO ALLEGRETTOS ALLELE ALLELES ALLEMANDE ALLEN ALLENDALE ALLENTOWN ALLERGIC ALLERGIES ALLERGY ALLEVIATE ALLEVIATED ALLEVIATES ALLEVIATING ALLEVIATION ALLEY ALLEYS ALLEYWAY ALLEYWAYS ALLIANCE ALLIANCES ALLIED ALLIES ALLIGATOR ALLIGATORS ALLIS ALLISON ALLITERATION ALLITERATIONS ALLITERATIVE ALLOCATABLE ALLOCATE ALLOCATED ALLOCATES ALLOCATING ALLOCATION ALLOCATIONS ALLOCATOR ALLOCATORS ALLOPHONE ALLOPHONES ALLOPHONIC ALLOT ALLOTMENT ALLOTMENTS ALLOTS ALLOTTED ALLOTTER ALLOTTING ALLOW ALLOWABLE ALLOWABLY ALLOWANCE ALLOWANCES ALLOWED ALLOWING ALLOWS ALLOY ALLOYS ALLSTATE ALLUDE ALLUDED ALLUDES ALLUDING ALLURE ALLUREMENT ALLURING ALLUSION ALLUSIONS ALLUSIVE ALLUSIVENESS ALLY ALLYING ALLYN ALMA ALMADEN ALMANAC ALMANACS ALMIGHTY ALMOND ALMONDS ALMONER ALMOST ALMS ALMSMAN ALNICO ALOE ALOES ALOFT ALOHA ALONE ALONENESS ALONG ALONGSIDE ALOOF ALOOFNESS ALOUD ALPERT ALPHA ALPHABET ALPHABETIC ALPHABETICAL ALPHABETICALLY ALPHABETICS ALPHABETIZE ALPHABETIZED ALPHABETIZES ALPHABETIZING ALPHABETS ALPHANUMERIC ALPHERATZ ALPHONSE ALPINE ALPS ALREADY ALSATIAN ALSATIANS ALSO ALSOP ALTAIR ALTAR ALTARS ALTER ALTERABLE ALTERATION ALTERATIONS ALTERCATION ALTERCATIONS ALTERED ALTERER ALTERERS ALTERING ALTERNATE ALTERNATED ALTERNATELY ALTERNATES ALTERNATING ALTERNATION ALTERNATIONS ALTERNATIVE ALTERNATIVELY ALTERNATIVES ALTERNATOR ALTERNATORS ALTERS ALTHAEA ALTHOUGH ALTITUDE ALTITUDES ALTOGETHER ALTON ALTOS ALTRUISM ALTRUIST ALTRUISTIC ALTRUISTICALLY ALUM ALUMINUM ALUMNA ALUMNAE ALUMNI ALUMNUS ALUNDUM ALVA ALVAREZ ALVEOLAR ALVEOLI ALVEOLUS ALVIN ALWAYS ALYSSA AMADEUS AMAIN AMALGAM AMALGAMATE AMALGAMATED AMALGAMATES AMALGAMATING AMALGAMATION AMALGAMS AMANDA AMANUENSIS AMARETTO AMARILLO AMASS AMASSED AMASSES AMASSING AMATEUR AMATEURISH AMATEURISHNESS AMATEURISM AMATEURS AMATORY AMAZE AMAZED AMAZEDLY AMAZEMENT AMAZER AMAZERS AMAZES AMAZING AMAZINGLY AMAZON AMAZONS AMBASSADOR AMBASSADORS AMBER AMBIANCE AMBIDEXTROUS AMBIDEXTROUSLY AMBIENT AMBIGUITIES AMBIGUITY AMBIGUOUS AMBIGUOUSLY AMBITION AMBITIONS AMBITIOUS AMBITIOUSLY AMBIVALENCE AMBIVALENT AMBIVALENTLY AMBLE AMBLED AMBLER AMBLES AMBLING AMBROSIAL AMBULANCE AMBULANCES AMBULATORY AMBUSCADE AMBUSH AMBUSHED AMBUSHES AMDAHL AMELIA AMELIORATE AMELIORATED AMELIORATING AMELIORATION AMEN AMENABLE AMEND AMENDED AMENDING AMENDMENT AMENDMENTS AMENDS AMENITIES AMENITY AMENORRHEA AMERADA AMERICA AMERICAN AMERICANA AMERICANISM AMERICANIZATION AMERICANIZATIONS AMERICANIZE AMERICANIZER AMERICANIZERS AMERICANIZES AMERICANS AMERICAS AMERICIUM AMES AMHARIC AMHERST AMIABLE AMICABLE AMICABLY AMID AMIDE AMIDST AMIGA AMIGO AMINO AMISS AMITY AMMAN AMMERMAN AMMO AMMONIA AMMONIAC AMMONIUM AMMUNITION AMNESTY AMOCO AMOEBA AMOEBAE AMOEBAS AMOK AMONG AMONGST AMONTILLADO AMORAL AMORALITY AMORIST AMOROUS AMORPHOUS AMORPHOUSLY AMORTIZE AMORTIZED AMORTIZES AMORTIZING AMOS AMOUNT AMOUNTED AMOUNTER AMOUNTERS AMOUNTING AMOUNTS AMOUR AMPERAGE AMPERE AMPERES AMPERSAND AMPERSANDS AMPEX AMPHETAMINE AMPHETAMINES AMPHIBIAN AMPHIBIANS AMPHIBIOUS AMPHIBIOUSLY AMPHIBOLOGY AMPHITHEATER AMPHITHEATERS AMPLE AMPLIFICATION AMPLIFIED AMPLIFIER AMPLIFIERS AMPLIFIES AMPLIFY AMPLIFYING AMPLITUDE AMPLITUDES AMPLY AMPOULE AMPOULES AMPUTATE AMPUTATED AMPUTATES AMPUTATING AMSTERDAM AMTRAK AMULET AMULETS AMUSE AMUSED AMUSEDLY AMUSEMENT AMUSEMENTS AMUSER AMUSERS AMUSES AMUSING AMUSINGLY AMY AMYL ANABAPTIST ANABAPTISTS ANABEL ANACHRONISM ANACHRONISMS ANACHRONISTICALLY ANACONDA ANACONDAS ANACREON ANAEROBIC ANAGRAM ANAGRAMS ANAHEIM ANAL ANALECTS ANALOG ANALOGICAL ANALOGIES ANALOGOUS ANALOGOUSLY ANALOGUE ANALOGUES ANALOGY ANALYSES ANALYSIS ANALYST ANALYSTS ANALYTIC ANALYTICAL ANALYTICALLY ANALYTICITIES ANALYTICITY ANALYZABLE ANALYZE ANALYZED ANALYZER ANALYZERS ANALYZES ANALYZING ANAPHORA ANAPHORIC ANAPHORICALLY ANAPLASMOSIS ANARCHIC ANARCHICAL ANARCHISM ANARCHIST ANARCHISTS ANARCHY ANASTASIA ANASTOMOSES ANASTOMOSIS ANASTOMOTIC ANATHEMA ANATOLE ANATOLIA ANATOLIAN ANATOMIC ANATOMICAL ANATOMICALLY ANATOMY ANCESTOR ANCESTORS ANCESTRAL ANCESTRY ANCHOR ANCHORAGE ANCHORAGES ANCHORED ANCHORING ANCHORITE ANCHORITISM ANCHORS ANCHOVIES ANCHOVY ANCIENT ANCIENTLY ANCIENTS ANCILLARY AND ANDALUSIA ANDALUSIAN ANDALUSIANS ANDEAN ANDERS ANDERSEN ANDERSON ANDES ANDING ANDORRA ANDOVER ANDRE ANDREA ANDREI ANDREW ANDREWS ANDROMACHE ANDROMEDA ANDY ANECDOTAL ANECDOTE ANECDOTES ANECHOIC ANEMIA ANEMIC ANEMOMETER ANEMOMETERS ANEMOMETRY ANEMONE ANESTHESIA ANESTHETIC ANESTHETICALLY ANESTHETICS ANESTHETIZE ANESTHETIZED ANESTHETIZES ANESTHETIZING ANEW ANGEL ANGELA ANGELENO ANGELENOS ANGELES ANGELIC ANGELICA ANGELINA ANGELINE ANGELO ANGELS ANGER ANGERED ANGERING ANGERS ANGIE ANGIOGRAPHY ANGLE ANGLED ANGLER ANGLERS ANGLES ANGLIA ANGLICAN ANGLICANISM ANGLICANIZE ANGLICANIZES ANGLICANS ANGLING ANGLO ANGLOPHILIA ANGLOPHOBIA ANGOLA ANGORA ANGRIER ANGRIEST ANGRILY ANGRY ANGST ANGSTROM ANGUISH ANGUISHED ANGULAR ANGULARLY ANGUS ANHEUSER ANHYDROUS ANHYDROUSLY ANILINE ANIMAL ANIMALS ANIMATE ANIMATED ANIMATEDLY ANIMATELY ANIMATENESS ANIMATES ANIMATING ANIMATION ANIMATIONS ANIMATOR ANIMATORS ANIMISM ANIMIZED ANIMOSITY ANION ANIONIC ANIONS ANISE ANISEIKONIC ANISOTROPIC ANISOTROPY ANITA ANKARA ANKLE ANKLES ANN ANNA ANNAL ANNALIST ANNALISTIC ANNALS ANNAPOLIS ANNE ANNETTE ANNEX ANNEXATION ANNEXED ANNEXES ANNEXING ANNIE ANNIHILATE ANNIHILATED ANNIHILATES ANNIHILATING ANNIHILATION ANNIVERSARIES ANNIVERSARY ANNOTATE ANNOTATED ANNOTATES ANNOTATING ANNOTATION ANNOTATIONS ANNOUNCE ANNOUNCED ANNOUNCEMENT ANNOUNCEMENTS ANNOUNCER ANNOUNCERS ANNOUNCES ANNOUNCING ANNOY ANNOYANCE ANNOYANCES ANNOYED ANNOYER ANNOYERS ANNOYING ANNOYINGLY ANNOYS ANNUAL ANNUALLY ANNUALS ANNUITY ANNUL ANNULAR ANNULI ANNULLED ANNULLING ANNULMENT ANNULMENTS ANNULS ANNULUS ANNUM ANNUNCIATE ANNUNCIATED ANNUNCIATES ANNUNCIATING ANNUNCIATOR ANNUNCIATORS ANODE ANODES ANODIZE ANODIZED ANODIZES ANOINT ANOINTED ANOINTING ANOINTS ANOMALIES ANOMALOUS ANOMALOUSLY ANOMALY ANOMIC ANOMIE ANON ANONYMITY ANONYMOUS ANONYMOUSLY ANOREXIA ANOTHER ANSELM ANSELMO ANSI ANSWER ANSWERABLE ANSWERED ANSWERER ANSWERERS ANSWERING ANSWERS ANT ANTAEUS ANTAGONISM ANTAGONISMS ANTAGONIST ANTAGONISTIC ANTAGONISTICALLY ANTAGONISTS ANTAGONIZE ANTAGONIZED ANTAGONIZES ANTAGONIZING ANTARCTIC ANTARCTICA ANTARES ANTE ANTEATER ANTEATERS ANTECEDENT ANTECEDENTS ANTEDATE ANTELOPE ANTELOPES ANTENNA ANTENNAE ANTENNAS ANTERIOR ANTHEM ANTHEMS ANTHER ANTHOLOGIES ANTHOLOGY ANTHONY ANTHRACITE ANTHROPOLOGICAL ANTHROPOLOGICALLY ANTHROPOLOGIST ANTHROPOLOGISTS ANTHROPOLOGY ANTHROPOMORPHIC ANTHROPOMORPHICALLY ANTI ANTIBACTERIAL ANTIBIOTIC ANTIBIOTICS ANTIBODIES ANTIBODY ANTIC ANTICIPATE ANTICIPATED ANTICIPATES ANTICIPATING ANTICIPATION ANTICIPATIONS ANTICIPATORY ANTICOAGULATION ANTICOMPETITIVE ANTICS ANTIDISESTABLISHMENTARIANISM ANTIDOTE ANTIDOTES ANTIETAM ANTIFORMANT ANTIFUNDAMENTALIST ANTIGEN ANTIGENS ANTIGONE ANTIHISTORICAL ANTILLES ANTIMICROBIAL ANTIMONY ANTINOMIAN ANTINOMY ANTIOCH ANTIPATHY ANTIPHONAL ANTIPODE ANTIPODES ANTIQUARIAN ANTIQUARIANS ANTIQUATE ANTIQUATED ANTIQUE ANTIQUES ANTIQUITIES ANTIQUITY ANTIREDEPOSITION ANTIRESONANCE ANTIRESONATOR ANTISEMITIC ANTISEMITISM ANTISEPTIC ANTISERA ANTISERUM ANTISLAVERY ANTISOCIAL ANTISUBMARINE ANTISYMMETRIC ANTISYMMETRY ANTITHESIS ANTITHETICAL ANTITHYROID ANTITOXIN ANTITOXINS ANTITRUST ANTLER ANTLERED ANTOINE ANTOINETTE ANTON ANTONIO ANTONOVICS ANTONY ANTS ANTWERP ANUS ANVIL ANVILS ANXIETIES ANXIETY ANXIOUS ANXIOUSLY ANY ANYBODY ANYHOW ANYMORE ANYONE ANYPLACE ANYTHING ANYTIME ANYWAY ANYWHERE AORTA APACE APACHES APALACHICOLA APART APARTMENT APARTMENTS APATHETIC APATHY APE APED APERIODIC APERIODICITY APERTURE APES APETALOUS APEX APHASIA APHASIC APHELION APHID APHIDS APHONIC APHORISM APHORISMS APHRODITE APIARIES APIARY APICAL APIECE APING APISH APLENTY APLOMB APOCALYPSE APOCALYPTIC APOCRYPHA APOCRYPHAL APOGEE APOGEES APOLLINAIRE APOLLO APOLLONIAN APOLOGETIC APOLOGETICALLY APOLOGIA APOLOGIES APOLOGIST APOLOGISTS APOLOGIZE APOLOGIZED APOLOGIZES APOLOGIZING APOLOGY APOSTATE APOSTLE APOSTLES APOSTOLIC APOSTROPHE APOSTROPHES APOTHECARY APOTHEGM APOTHEOSES APOTHEOSIS APPALACHIA APPALACHIAN APPALACHIANS APPALL APPALLED APPALLING APPALLINGLY APPALOOSAS APPANAGE APPARATUS APPAREL APPARELED APPARENT APPARENTLY APPARITION APPARITIONS APPEAL APPEALED APPEALER APPEALERS APPEALING APPEALINGLY APPEALS APPEAR APPEARANCE APPEARANCES APPEARED APPEARER APPEARERS APPEARING APPEARS APPEASE APPEASED APPEASEMENT APPEASES APPEASING APPELLANT APPELLANTS APPELLATE APPELLATION APPEND APPENDAGE APPENDAGES APPENDED APPENDER APPENDERS APPENDICES APPENDICITIS APPENDING APPENDIX APPENDIXES APPENDS APPERTAIN APPERTAINS APPETITE APPETITES APPETIZER APPETIZING APPIA APPIAN APPLAUD APPLAUDED APPLAUDING APPLAUDS APPLAUSE APPLE APPLEBY APPLEJACK APPLES APPLETON APPLIANCE APPLIANCES APPLICABILITY APPLICABLE APPLICANT APPLICANTS APPLICATION APPLICATIONS APPLICATIVE APPLICATIVELY APPLICATOR APPLICATORS APPLIED APPLIER APPLIERS APPLIES APPLIQUE APPLY APPLYING APPOINT APPOINTED APPOINTEE APPOINTEES APPOINTER APPOINTERS APPOINTING APPOINTIVE APPOINTMENT APPOINTMENTS APPOINTS APPOMATTOX APPORTION APPORTIONED APPORTIONING APPORTIONMENT APPORTIONMENTS APPORTIONS APPOSITE APPRAISAL APPRAISALS APPRAISE APPRAISED APPRAISER APPRAISERS APPRAISES APPRAISING APPRAISINGLY APPRECIABLE APPRECIABLY APPRECIATE APPRECIATED APPRECIATES APPRECIATING APPRECIATION APPRECIATIONS APPRECIATIVE APPRECIATIVELY APPREHEND APPREHENDED APPREHENSIBLE APPREHENSION APPREHENSIONS APPREHENSIVE APPREHENSIVELY APPREHENSIVENESS APPRENTICE APPRENTICED APPRENTICES APPRENTICESHIP APPRISE APPRISED APPRISES APPRISING APPROACH APPROACHABILITY APPROACHABLE APPROACHED APPROACHER APPROACHERS APPROACHES APPROACHING APPROBATE APPROBATION APPROPRIATE APPROPRIATED APPROPRIATELY APPROPRIATENESS APPROPRIATES APPROPRIATING APPROPRIATION APPROPRIATIONS APPROPRIATOR APPROPRIATORS APPROVAL APPROVALS APPROVE APPROVED APPROVER APPROVERS APPROVES APPROVING APPROVINGLY APPROXIMATE APPROXIMATED APPROXIMATELY APPROXIMATES APPROXIMATING APPROXIMATION APPROXIMATIONS APPURTENANCE APPURTENANCES APRICOT APRICOTS APRIL APRILS APRON APRONS APROPOS APSE APSIS APT APTITUDE APTITUDES APTLY APTNESS AQUA AQUARIA AQUARIUM AQUARIUS AQUATIC AQUEDUCT AQUEDUCTS AQUEOUS AQUIFER AQUIFERS AQUILA AQUINAS ARAB ARABESQUE ARABIA ARABIAN ARABIANIZE ARABIANIZES ARABIANS ARABIC ARABICIZE ARABICIZES ARABLE ARABS ARABY ARACHNE ARACHNID ARACHNIDS ARAMCO ARAPAHO ARBITER ARBITERS ARBITRARILY ARBITRARINESS ARBITRARY ARBITRATE ARBITRATED ARBITRATES ARBITRATING ARBITRATION ARBITRATOR ARBITRATORS ARBOR ARBOREAL ARBORS ARC ARCADE ARCADED ARCADES ARCADIA ARCADIAN ARCANE ARCED ARCH ARCHAIC ARCHAICALLY ARCHAICNESS ARCHAISM ARCHAIZE ARCHANGEL ARCHANGELS ARCHBISHOP ARCHDIOCESE ARCHDIOCESES ARCHED ARCHENEMY ARCHEOLOGICAL ARCHEOLOGIST ARCHEOLOGY ARCHER ARCHERS ARCHERY ARCHES ARCHETYPE ARCHFOOL ARCHIBALD ARCHIE ARCHIMEDES ARCHING ARCHIPELAGO ARCHIPELAGOES ARCHITECT ARCHITECTONIC ARCHITECTS ARCHITECTURAL ARCHITECTURALLY ARCHITECTURE ARCHITECTURES ARCHIVAL ARCHIVE ARCHIVED ARCHIVER ARCHIVERS ARCHIVES ARCHIVING ARCHIVIST ARCHLY ARCING ARCLIKE ARCO ARCS ARCSINE ARCTANGENT ARCTIC ARCTURUS ARDEN ARDENT ARDENTLY ARDOR ARDUOUS ARDUOUSLY ARDUOUSNESS ARE AREA AREAS ARENA ARENAS AREQUIPA ARES ARGENTINA ARGENTINIAN ARGIVE ARGO ARGON ARGONAUT ARGONAUTS ARGONNE ARGOS ARGOT ARGUABLE ARGUABLY ARGUE ARGUED ARGUER ARGUERS ARGUES ARGUING ARGUMENT ARGUMENTATION ARGUMENTATIVE ARGUMENTS ARGUS ARIADNE ARIANISM ARIANIST ARIANISTS ARID ARIDITY ARIES ARIGHT ARISE ARISEN ARISER ARISES ARISING ARISINGS ARISTOCRACY ARISTOCRAT ARISTOCRATIC ARISTOCRATICALLY ARISTOCRATS ARISTOTELIAN ARISTOTLE ARITHMETIC ARITHMETICAL ARITHMETICALLY ARITHMETICS ARITHMETIZE ARITHMETIZED ARITHMETIZES ARIZONA ARK ARKANSAN ARKANSAS ARLEN ARLENE ARLINGTON ARM ARMADA ARMADILLO ARMADILLOS ARMAGEDDON ARMAGNAC ARMAMENT ARMAMENTS ARMATA ARMCHAIR ARMCHAIRS ARMCO ARMED ARMENIA ARMENIAN ARMER ARMERS ARMFUL ARMHOLE ARMIES ARMING ARMISTICE ARMLOAD ARMONK ARMOR ARMORED ARMORER ARMORY ARMOUR ARMPIT ARMPITS ARMS ARMSTRONG ARMY ARNOLD AROMA AROMAS AROMATIC AROSE AROUND AROUSAL AROUSE AROUSED AROUSES AROUSING ARPA ARPANET ARPANET ARPEGGIO ARPEGGIOS ARRACK ARRAGON ARRAIGN ARRAIGNED ARRAIGNING ARRAIGNMENT ARRAIGNMENTS ARRAIGNS ARRANGE ARRANGED ARRANGEMENT ARRANGEMENTS ARRANGER ARRANGERS ARRANGES ARRANGING ARRANT ARRAY ARRAYED ARRAYS ARREARS ARREST ARRESTED ARRESTER ARRESTERS ARRESTING ARRESTINGLY ARRESTOR ARRESTORS ARRESTS ARRHENIUS ARRIVAL ARRIVALS ARRIVE ARRIVED ARRIVES ARRIVING ARROGANCE ARROGANT ARROGANTLY ARROGATE ARROGATED ARROGATES ARROGATING ARROGATION ARROW ARROWED ARROWHEAD ARROWHEADS ARROWS ARROYO ARROYOS ARSENAL ARSENALS ARSENIC ARSINE ARSON ART ARTEMIA ARTEMIS ARTERIAL ARTERIES ARTERIOLAR ARTERIOLE ARTERIOLES ARTERIOSCLEROSIS ARTERY ARTFUL ARTFULLY ARTFULNESS ARTHRITIS ARTHROPOD ARTHROPODS ARTHUR ARTICHOKE ARTICHOKES ARTICLE ARTICLES ARTICULATE ARTICULATED ARTICULATELY ARTICULATENESS ARTICULATES ARTICULATING ARTICULATION ARTICULATIONS ARTICULATOR ARTICULATORS ARTICULATORY ARTIE ARTIFACT ARTIFACTS ARTIFICE ARTIFICER ARTIFICES ARTIFICIAL ARTIFICIALITIES ARTIFICIALITY ARTIFICIALLY ARTIFICIALNESS ARTILLERIST ARTILLERY ARTISAN ARTISANS ARTIST ARTISTIC ARTISTICALLY ARTISTRY ARTISTS ARTLESS ARTS ARTURO ARTWORK ARUBA ARYAN ARYANS ASBESTOS ASCEND ASCENDANCY ASCENDANT ASCENDED ASCENDENCY ASCENDENT ASCENDER ASCENDERS ASCENDING ASCENDS ASCENSION ASCENSIONS ASCENT ASCERTAIN ASCERTAINABLE ASCERTAINED ASCERTAINING ASCERTAINS ASCETIC ASCETICISM ASCETICS ASCII ASCOT ASCRIBABLE ASCRIBE ASCRIBED ASCRIBES ASCRIBING ASCRIPTION ASEPTIC ASH ASHAMED ASHAMEDLY ASHEN ASHER ASHES ASHEVILLE ASHLAND ASHLEY ASHMAN ASHMOLEAN ASHORE ASHTRAY ASHTRAYS ASIA ASIAN ASIANS ASIATIC ASIATICIZATION ASIATICIZATIONS ASIATICIZE ASIATICIZES ASIATICS ASIDE ASILOMAR ASININE ASK ASKANCE ASKED ASKER ASKERS ASKEW ASKING ASKS ASLEEP ASOCIAL ASP ASPARAGUS ASPECT ASPECTS ASPEN ASPERSION ASPERSIONS ASPHALT ASPHYXIA ASPIC ASPIRANT ASPIRANTS ASPIRATE ASPIRATED ASPIRATES ASPIRATING ASPIRATION ASPIRATIONS ASPIRATOR ASPIRATORS ASPIRE ASPIRED ASPIRES ASPIRIN ASPIRING ASPIRINS ASS ASSAIL ASSAILANT ASSAILANTS ASSAILED ASSAILING ASSAILS ASSAM ASSASSIN ASSASSINATE ASSASSINATED ASSASSINATES ASSASSINATING ASSASSINATION ASSASSINATIONS ASSASSINS ASSAULT ASSAULTED ASSAULTING ASSAULTS ASSAY ASSAYED ASSAYING ASSEMBLAGE ASSEMBLAGES ASSEMBLE ASSEMBLED ASSEMBLER ASSEMBLERS ASSEMBLES ASSEMBLIES ASSEMBLING ASSEMBLY ASSENT ASSENTED ASSENTER ASSENTING ASSENTS ASSERT ASSERTED ASSERTER ASSERTERS ASSERTING ASSERTION ASSERTIONS ASSERTIVE ASSERTIVELY ASSERTIVENESS ASSERTS ASSES ASSESS ASSESSED ASSESSES ASSESSING ASSESSMENT ASSESSMENTS ASSESSOR ASSESSORS ASSET ASSETS ASSIDUITY ASSIDUOUS ASSIDUOUSLY ASSIGN ASSIGNABLE ASSIGNED ASSIGNEE ASSIGNEES ASSIGNER ASSIGNERS ASSIGNING ASSIGNMENT ASSIGNMENTS ASSIGNS ASSIMILATE ASSIMILATED ASSIMILATES ASSIMILATING ASSIMILATION ASSIMILATIONS ASSIST ASSISTANCE ASSISTANCES ASSISTANT ASSISTANTS ASSISTANTSHIP ASSISTANTSHIPS ASSISTED ASSISTING ASSISTS ASSOCIATE ASSOCIATED ASSOCIATES ASSOCIATING ASSOCIATION ASSOCIATIONAL ASSOCIATIONS ASSOCIATIVE ASSOCIATIVELY ASSOCIATIVITY ASSOCIATOR ASSOCIATORS ASSONANCE ASSONANT ASSORT ASSORTED ASSORTMENT ASSORTMENTS ASSORTS ASSUAGE ASSUAGED ASSUAGES ASSUME ASSUMED ASSUMES ASSUMING ASSUMPTION ASSUMPTIONS ASSURANCE ASSURANCES ASSURE ASSURED ASSUREDLY ASSURER ASSURERS ASSURES ASSURING ASSURINGLY ASSYRIA ASSYRIAN ASSYRIANIZE ASSYRIANIZES ASSYRIOLOGY ASTAIRE ASTAIRES ASTARTE ASTATINE ASTER ASTERISK ASTERISKS ASTEROID ASTEROIDAL ASTEROIDS ASTERS ASTHMA ASTON ASTONISH ASTONISHED ASTONISHES ASTONISHING ASTONISHINGLY ASTONISHMENT ASTOR ASTORIA ASTOUND ASTOUNDED ASTOUNDING ASTOUNDS ASTRAL ASTRAY ASTRIDE ASTRINGENCY ASTRINGENT ASTROLOGY ASTRONAUT ASTRONAUTICS ASTRONAUTS ASTRONOMER ASTRONOMERS ASTRONOMICAL ASTRONOMICALLY ASTRONOMY ASTROPHYSICAL ASTROPHYSICS ASTUTE ASTUTELY ASTUTENESS ASUNCION ASUNDER ASYLUM ASYMMETRIC ASYMMETRICALLY ASYMMETRY ASYMPTOMATICALLY ASYMPTOTE ASYMPTOTES ASYMPTOTIC ASYMPTOTICALLY ASYNCHRONISM ASYNCHRONOUS ASYNCHRONOUSLY ASYNCHRONY ATALANTA ATARI ATAVISTIC ATCHISON ATE ATEMPORAL ATHABASCAN ATHEISM ATHEIST ATHEISTIC ATHEISTS ATHENA ATHENIAN ATHENIANS ATHENS ATHEROSCLEROSIS ATHLETE ATHLETES ATHLETIC ATHLETICISM ATHLETICS ATKINS ATKINSON ATLANTA ATLANTIC ATLANTICA ATLANTIS ATLAS ATMOSPHERE ATMOSPHERES ATMOSPHERIC ATOLL ATOLLS ATOM ATOMIC ATOMICALLY ATOMICS ATOMIZATION ATOMIZE ATOMIZED ATOMIZES ATOMIZING ATOMS ATONAL ATONALLY ATONE ATONED ATONEMENT ATONES ATOP ATREUS ATROCIOUS ATROCIOUSLY ATROCITIES ATROCITY ATROPHIC ATROPHIED ATROPHIES ATROPHY ATROPHYING ATROPOS ATTACH ATTACHE ATTACHED ATTACHER ATTACHERS ATTACHES ATTACHING ATTACHMENT ATTACHMENTS ATTACK ATTACKABLE ATTACKED ATTACKER ATTACKERS ATTACKING ATTACKS ATTAIN ATTAINABLE ATTAINABLY ATTAINED ATTAINER ATTAINERS ATTAINING ATTAINMENT ATTAINMENTS ATTAINS ATTEMPT ATTEMPTED ATTEMPTER ATTEMPTERS ATTEMPTING ATTEMPTS ATTEND ATTENDANCE ATTENDANCES ATTENDANT ATTENDANTS ATTENDED ATTENDEE ATTENDEES ATTENDER ATTENDERS ATTENDING ATTENDS ATTENTION ATTENTIONAL ATTENTIONALITY ATTENTIONS ATTENTIVE ATTENTIVELY ATTENTIVENESS ATTENUATE ATTENUATED ATTENUATES ATTENUATING ATTENUATION ATTENUATOR ATTENUATORS ATTEST ATTESTED ATTESTING ATTESTS ATTIC ATTICA ATTICS ATTIRE ATTIRED ATTIRES ATTIRING ATTITUDE ATTITUDES ATTITUDINAL ATTLEE ATTORNEY ATTORNEYS ATTRACT ATTRACTED ATTRACTING ATTRACTION ATTRACTIONS ATTRACTIVE ATTRACTIVELY ATTRACTIVENESS ATTRACTOR ATTRACTORS ATTRACTS ATTRIBUTABLE ATTRIBUTE ATTRIBUTED ATTRIBUTES ATTRIBUTING ATTRIBUTION ATTRIBUTIONS ATTRIBUTIVE ATTRIBUTIVELY ATTRITION ATTUNE ATTUNED ATTUNES ATTUNING ATWATER ATWOOD ATYPICAL ATYPICALLY AUBERGE AUBREY AUBURN AUCKLAND AUCTION AUCTIONEER AUCTIONEERS AUDACIOUS AUDACIOUSLY AUDACIOUSNESS AUDACITY AUDIBLE AUDIBLY AUDIENCE AUDIENCES AUDIO AUDIOGRAM AUDIOGRAMS AUDIOLOGICAL AUDIOLOGIST AUDIOLOGISTS AUDIOLOGY AUDIOMETER AUDIOMETERS AUDIOMETRIC AUDIOMETRY AUDIT AUDITED AUDITING AUDITION AUDITIONED AUDITIONING AUDITIONS AUDITOR AUDITORIUM AUDITORS AUDITORY AUDITS AUDREY AUDUBON AUERBACH AUGEAN AUGER AUGERS AUGHT AUGMENT AUGMENTATION AUGMENTED AUGMENTING AUGMENTS AUGUR AUGURS AUGUST AUGUSTA AUGUSTAN AUGUSTINE AUGUSTLY AUGUSTNESS AUGUSTUS AUNT AUNTS AURA AURAL AURALLY AURAS AURELIUS AUREOLE AUREOMYCIN AURIGA AURORA AUSCHWITZ AUSCULTATE AUSCULTATED AUSCULTATES AUSCULTATING AUSCULTATION AUSCULTATIONS AUSPICE AUSPICES AUSPICIOUS AUSPICIOUSLY AUSTERE AUSTERELY AUSTERITY AUSTIN AUSTRALIA AUSTRALIAN AUSTRALIANIZE AUSTRALIANIZES AUSTRALIS AUSTRIA AUSTRIAN AUSTRIANIZE AUSTRIANIZES AUTHENTIC AUTHENTICALLY AUTHENTICATE AUTHENTICATED AUTHENTICATES AUTHENTICATING AUTHENTICATION AUTHENTICATIONS AUTHENTICATOR AUTHENTICATORS AUTHENTICITY AUTHOR AUTHORED AUTHORING AUTHORITARIAN AUTHORITARIANISM AUTHORITATIVE AUTHORITATIVELY AUTHORITIES AUTHORITY AUTHORIZATION AUTHORIZATIONS AUTHORIZE AUTHORIZED AUTHORIZER AUTHORIZERS AUTHORIZES AUTHORIZING AUTHORS AUTHORSHIP AUTISM AUTISTIC AUTO AUTOBIOGRAPHIC AUTOBIOGRAPHICAL AUTOBIOGRAPHIES AUTOBIOGRAPHY AUTOCOLLIMATOR AUTOCORRELATE AUTOCORRELATION AUTOCRACIES AUTOCRACY AUTOCRAT AUTOCRATIC AUTOCRATICALLY AUTOCRATS AUTODECREMENT AUTODECREMENTED AUTODECREMENTS AUTODIALER AUTOFLUORESCENCE AUTOGRAPH AUTOGRAPHED AUTOGRAPHING AUTOGRAPHS AUTOINCREMENT AUTOINCREMENTED AUTOINCREMENTS AUTOINDEX AUTOINDEXING AUTOMATA AUTOMATE AUTOMATED AUTOMATES AUTOMATIC AUTOMATICALLY AUTOMATING AUTOMATION AUTOMATON AUTOMOBILE AUTOMOBILES AUTOMOTIVE AUTONAVIGATOR AUTONAVIGATORS AUTONOMIC AUTONOMOUS AUTONOMOUSLY AUTONOMY AUTOPILOT AUTOPILOTS AUTOPSIED AUTOPSIES AUTOPSY AUTOREGRESSIVE AUTOS AUTOSUGGESTIBILITY AUTOTRANSFORMER AUTUMN AUTUMNAL AUTUMNS AUXILIARIES AUXILIARY AVAIL AVAILABILITIES AVAILABILITY AVAILABLE AVAILABLY AVAILED AVAILER AVAILERS AVAILING AVAILS AVALANCHE AVALANCHED AVALANCHES AVALANCHING AVANT AVARICE AVARICIOUS AVARICIOUSLY AVENGE AVENGED AVENGER AVENGES AVENGING AVENTINE AVENTINO AVENUE AVENUES AVER AVERAGE AVERAGED AVERAGES AVERAGING AVERNUS AVERRED AVERRER AVERRING AVERS AVERSE AVERSION AVERSIONS AVERT AVERTED AVERTING AVERTS AVERY AVESTA AVIAN AVIARIES AVIARY AVIATION AVIATOR AVIATORS AVID AVIDITY AVIDLY AVIGNON AVIONIC AVIONICS AVIS AVIV AVOCADO AVOCADOS AVOCATION AVOCATIONS AVOGADRO AVOID AVOIDABLE AVOIDABLY AVOIDANCE AVOIDED AVOIDER AVOIDERS AVOIDING AVOIDS AVON AVOUCH AVOW AVOWAL AVOWED AVOWS AWAIT AWAITED AWAITING AWAITS AWAKE AWAKEN AWAKENED AWAKENING AWAKENS AWAKES AWAKING AWARD AWARDED AWARDER AWARDERS AWARDING AWARDS AWARE AWARENESS AWASH AWAY AWE AWED AWESOME AWFUL AWFULLY AWFULNESS AWHILE AWKWARD AWKWARDLY AWKWARDNESS AWL AWLS AWNING AWNINGS AWOKE AWRY AXED AXEL AXER AXERS AXES AXIAL AXIALLY AXING AXIOLOGICAL AXIOM AXIOMATIC AXIOMATICALLY AXIOMATIZATION AXIOMATIZATIONS AXIOMATIZE AXIOMATIZED AXIOMATIZES AXIOMATIZING AXIOMS AXIS AXLE AXLES AXOLOTL AXOLOTLS AXON AXONS AYE AYERS AYES AYLESBURY AZALEA AZALEAS AZERBAIJAN AZIMUTH AZIMUTHS AZORES AZTEC AZTECAN AZURE BABBAGE BABBLE BABBLED BABBLES BABBLING BABCOCK BABE BABEL BABELIZE BABELIZES BABES BABIED BABIES BABKA BABOON BABOONS BABUL BABY BABYHOOD BABYING BABYISH BABYLON BABYLONIAN BABYLONIANS BABYLONIZE BABYLONIZES BABYSIT BABYSITTING BACCALAUREATE BACCHUS BACH BACHELOR BACHELORS BACILLI BACILLUS BACK BACKACHE BACKACHES BACKARROW BACKBEND BACKBENDS BACKBOARD BACKBONE BACKBONES BACKDROP BACKDROPS BACKED BACKER BACKERS BACKFILL BACKFIRING BACKGROUND BACKGROUNDS BACKHAND BACKING BACKLASH BACKLOG BACKLOGGED BACKLOGS BACKORDER BACKPACK BACKPACKS BACKPLANE BACKPLANES BACKPLATE BACKS BACKSCATTER BACKSCATTERED BACKSCATTERING BACKSCATTERS BACKSIDE BACKSLASH BACKSLASHES BACKSPACE BACKSPACED BACKSPACES BACKSPACING BACKSTAGE BACKSTAIRS BACKSTITCH BACKSTITCHED BACKSTITCHES BACKSTITCHING BACKSTOP BACKTRACK BACKTRACKED BACKTRACKER BACKTRACKERS BACKTRACKING BACKTRACKS BACKUP BACKUPS BACKUS BACKWARD BACKWARDNESS BACKWARDS BACKWATER BACKWATERS BACKWOODS BACKYARD BACKYARDS BACON BACTERIA BACTERIAL BACTERIUM BAD BADE BADEN BADGE BADGER BADGERED BADGERING BADGERS BADGES BADLANDS BADLY BADMINTON BADNESS BAFFIN BAFFLE BAFFLED BAFFLER BAFFLERS BAFFLING BAG BAGATELLE BAGATELLES BAGEL BAGELS BAGGAGE BAGGED BAGGER BAGGERS BAGGING BAGGY BAGHDAD BAGLEY BAGPIPE BAGPIPES BAGRODIA BAGRODIAS BAGS BAH BAHAMA BAHAMAS BAHREIN BAIL BAILEY BAILEYS BAILIFF BAILIFFS BAILING BAIRD BAIRDI BAIRN BAIT BAITED BAITER BAITING BAITS BAJA BAKE BAKED BAKELITE BAKER BAKERIES BAKERS BAKERSFIELD BAKERY BAKES BAKHTIARI BAKING BAKLAVA BAKU BALALAIKA BALALAIKAS BALANCE BALANCED BALANCER BALANCERS BALANCES BALANCING BALBOA BALCONIES BALCONY BALD BALDING BALDLY BALDNESS BALDWIN BALE BALEFUL BALER BALES BALFOUR BALI BALINESE BALK BALKAN BALKANIZATION BALKANIZATIONS BALKANIZE BALKANIZED BALKANIZES BALKANIZING BALKANS BALKED BALKINESS BALKING BALKS BALKY BALL BALLAD BALLADS BALLARD BALLARDS BALLAST BALLASTS BALLED BALLER BALLERINA BALLERINAS BALLERS BALLET BALLETS BALLGOWN BALLING BALLISTIC BALLISTICS BALLOON BALLOONED BALLOONER BALLOONERS BALLOONING BALLOONS BALLOT BALLOTS BALLPARK BALLPARKS BALLPLAYER BALLPLAYERS BALLROOM BALLROOMS BALLS BALLYHOO BALM BALMS BALMY BALSA BALSAM BALTIC BALTIMORE BALTIMOREAN BALUSTRADE BALUSTRADES BALZAC BAMAKO BAMBERGER BAMBI BAMBOO BAN BANACH BANAL BANALLY BANANA BANANAS BANBURY BANCROFT BAND BANDAGE BANDAGED BANDAGES BANDAGING BANDED BANDIED BANDIES BANDING BANDIT BANDITS BANDPASS BANDS BANDSTAND BANDSTANDS BANDWAGON BANDWAGONS BANDWIDTH BANDWIDTHS BANDY BANDYING BANE BANEFUL BANG BANGED BANGING BANGLADESH BANGLE BANGLES BANGOR BANGS BANGUI BANISH BANISHED BANISHES BANISHING BANISHMENT BANISTER BANISTERS BANJO BANJOS BANK BANKED BANKER BANKERS BANKING BANKRUPT BANKRUPTCIES BANKRUPTCY BANKRUPTED BANKRUPTING BANKRUPTS BANKS BANNED BANNER BANNERS BANNING BANQUET BANQUETING BANQUETINGS BANQUETS BANS BANSHEE BANSHEES BANTAM BANTER BANTERED BANTERING BANTERS BANTU BANTUS BAPTISM BAPTISMAL BAPTISMS BAPTIST BAPTISTE BAPTISTERY BAPTISTRIES BAPTISTRY BAPTISTS BAPTIZE BAPTIZED BAPTIZES BAPTIZING BAR BARB BARBADOS BARBARA BARBARIAN BARBARIANS BARBARIC BARBARISM BARBARITIES BARBARITY BARBAROUS BARBAROUSLY BARBECUE BARBECUED BARBECUES BARBED BARBELL BARBELLS BARBER BARBITAL BARBITURATE BARBITURATES BARBOUR BARBS BARCELONA BARCLAY BARD BARDS BARE BARED BAREFACED BAREFOOT BAREFOOTED BARELY BARENESS BARER BARES BAREST BARFLIES BARFLY BARGAIN BARGAINED BARGAINING BARGAINS BARGE BARGES BARGING BARHOP BARING BARITONE BARITONES BARIUM BARK BARKED BARKER BARKERS BARKING BARKS BARLEY BARLOW BARN BARNABAS BARNARD BARNES BARNET BARNETT BARNEY BARNHARD BARNS BARNSTORM BARNSTORMED BARNSTORMING BARNSTORMS BARNUM BARNYARD BARNYARDS BAROMETER BAROMETERS BAROMETRIC BARON BARONESS BARONIAL BARONIES BARONS BARONY BAROQUE BAROQUENESS BARR BARRACK BARRACKS BARRAGE BARRAGES BARRED BARREL BARRELLED BARRELLING BARRELS BARREN BARRENNESS BARRETT BARRICADE BARRICADES BARRIER BARRIERS BARRING BARRINGER BARRINGTON BARRON BARROW BARRY BARRYMORE BARRYMORES BARS BARSTOW BART BARTENDER BARTENDERS BARTER BARTERED BARTERING BARTERS BARTH BARTHOLOMEW BARTLETT BARTOK BARTON BASAL BASALT BASCOM BASE BASEBALL BASEBALLS BASEBAND BASEBOARD BASEBOARDS BASED BASEL BASELESS BASELINE BASELINES BASELY BASEMAN BASEMENT BASEMENTS BASENESS BASER BASES BASH BASHED BASHES BASHFUL BASHFULNESS BASHING BASIC BASIC BASIC BASICALLY BASICS BASIE BASIL BASIN BASING BASINS BASIS BASK BASKED BASKET BASKETBALL BASKETBALLS BASKETS BASKING BASQUE BASS BASSES BASSET BASSETT BASSINET BASSINETS BASTARD BASTARDS BASTE BASTED BASTES BASTING BASTION BASTIONS BAT BATAVIA BATCH BATCHED BATCHELDER BATCHES BATEMAN BATES BATH BATHE BATHED BATHER BATHERS BATHES BATHING BATHOS BATHROBE BATHROBES BATHROOM BATHROOMS BATHS BATHTUB BATHTUBS BATHURST BATISTA BATON BATONS BATOR BATS BATTALION BATTALIONS BATTED BATTELLE BATTEN BATTENS BATTER BATTERED BATTERIES BATTERING BATTERS BATTERY BATTING BATTLE BATTLED BATTLEFIELD BATTLEFIELDS BATTLEFRONT BATTLEFRONTS BATTLEGROUND BATTLEGROUNDS BATTLEMENT BATTLEMENTS BATTLER BATTLERS BATTLES BATTLESHIP BATTLESHIPS BATTLING BAUBLE BAUBLES BAUD BAUDELAIRE BAUER BAUHAUS BAUSCH BAUXITE BAVARIA BAVARIAN BAWDY BAWL BAWLED BAWLING BAWLS BAXTER BAY BAYDA BAYED BAYES BAYESIAN BAYING BAYLOR BAYONET BAYONETS BAYONNE BAYOU BAYOUS BAYPORT BAYREUTH BAYS BAZAAR BAZAARS BEACH BEACHED BEACHES BEACHHEAD BEACHHEADS BEACHING BEACON BEACONS BEAD BEADED BEADING BEADLE BEADLES BEADS BEADY BEAGLE BEAGLES BEAK BEAKED BEAKER BEAKERS BEAKS BEAM BEAMED BEAMER BEAMERS BEAMING BEAMS BEAN BEANBAG BEANED BEANER BEANERS BEANING BEANS BEAR BEARABLE BEARABLY BEARD BEARDED BEARDLESS BEARDS BEARDSLEY BEARER BEARERS BEARING BEARINGS BEARISH BEARS BEAST BEASTLY BEASTS BEAT BEATABLE BEATABLY BEATEN BEATER BEATERS BEATIFIC BEATIFICATION BEATIFY BEATING BEATINGS BEATITUDE BEATITUDES BEATNIK BEATNIKS BEATRICE BEATS BEAU BEAUCHAMPS BEAUJOLAIS BEAUMONT BEAUREGARD BEAUS BEAUTEOUS BEAUTEOUSLY BEAUTIES BEAUTIFICATIONS BEAUTIFIED BEAUTIFIER BEAUTIFIERS BEAUTIFIES BEAUTIFUL BEAUTIFULLY BEAUTIFY BEAUTIFYING BEAUTY BEAVER BEAVERS BEAVERTON BECALM BECALMED BECALMING BECALMS BECAME BECAUSE BECHTEL BECK BECKER BECKMAN BECKON BECKONED BECKONING BECKONS BECKY BECOME BECOMES BECOMING BECOMINGLY BED BEDAZZLE BEDAZZLED BEDAZZLEMENT BEDAZZLES BEDAZZLING BEDBUG BEDBUGS BEDDED BEDDER BEDDERS BEDDING BEDEVIL BEDEVILED BEDEVILING BEDEVILS BEDFAST BEDFORD BEDLAM BEDPOST BEDPOSTS BEDRAGGLE BEDRAGGLED BEDRIDDEN BEDROCK BEDROOM BEDROOMS BEDS BEDSIDE BEDSPREAD BEDSPREADS BEDSPRING BEDSPRINGS BEDSTEAD BEDSTEADS BEDTIME BEE BEEBE BEECH BEECHAM BEECHEN BEECHER BEEF BEEFED BEEFER BEEFERS BEEFING BEEFS BEEFSTEAK BEEFY BEEHIVE BEEHIVES BEEN BEEP BEEPS BEER BEERS BEES BEET BEETHOVEN BEETLE BEETLED BEETLES BEETLING BEETS BEFALL BEFALLEN BEFALLING BEFALLS BEFELL BEFIT BEFITS BEFITTED BEFITTING BEFOG BEFOGGED BEFOGGING BEFORE BEFOREHAND BEFOUL BEFOULED BEFOULING BEFOULS BEFRIEND BEFRIENDED BEFRIENDING BEFRIENDS BEFUDDLE BEFUDDLED BEFUDDLES BEFUDDLING BEG BEGAN BEGET BEGETS BEGETTING BEGGAR BEGGARLY BEGGARS BEGGARY BEGGED BEGGING BEGIN BEGINNER BEGINNERS BEGINNING BEGINNINGS BEGINS BEGOT BEGOTTEN BEGRUDGE BEGRUDGED BEGRUDGES BEGRUDGING BEGRUDGINGLY BEGS BEGUILE BEGUILED BEGUILES BEGUILING BEGUN BEHALF BEHAVE BEHAVED BEHAVES BEHAVING BEHAVIOR BEHAVIORAL BEHAVIORALLY BEHAVIORISM BEHAVIORISTIC BEHAVIORS BEHEAD BEHEADING BEHELD BEHEMOTH BEHEMOTHS BEHEST BEHIND BEHOLD BEHOLDEN BEHOLDER BEHOLDERS BEHOLDING BEHOLDS BEHOOVE BEHOOVES BEIGE BEIJING BEING BEINGS BEIRUT BELA BELABOR BELABORED BELABORING BELABORS BELATED BELATEDLY BELAY BELAYED BELAYING BELAYS BELCH BELCHED BELCHES BELCHING BELFAST BELFRIES BELFRY BELGIAN BELGIANS BELGIUM BELGRADE BELIE BELIED BELIEF BELIEFS BELIES BELIEVABLE BELIEVABLY BELIEVE BELIEVED BELIEVER BELIEVERS BELIEVES BELIEVING BELITTLE BELITTLED BELITTLES BELITTLING BELIZE BELL BELLA BELLAMY BELLATRIX BELLBOY BELLBOYS BELLE BELLES BELLEVILLE BELLHOP BELLHOPS BELLICOSE BELLICOSITY BELLIES BELLIGERENCE BELLIGERENT BELLIGERENTLY BELLIGERENTS BELLINGHAM BELLINI BELLMAN BELLMEN BELLOVIN BELLOW BELLOWED BELLOWING BELLOWS BELLS BELLUM BELLWETHER BELLWETHERS BELLWOOD BELLY BELLYACHE BELLYFULL BELMONT BELOIT BELONG BELONGED BELONGING BELONGINGS BELONGS BELOVED BELOW BELSHAZZAR BELT BELTED BELTING BELTON BELTS BELTSVILLE BELUSHI BELY BELYING BEMOAN BEMOANED BEMOANING BEMOANS BEN BENARES BENCH BENCHED BENCHES BENCHMARK BENCHMARKING BENCHMARKS BEND BENDABLE BENDER BENDERS BENDING BENDIX BENDS BENEATH BENEDICT BENEDICTINE BENEDICTION BENEDICTIONS BENEDIKT BENEFACTOR BENEFACTORS BENEFICENCE BENEFICENCES BENEFICENT BENEFICIAL BENEFICIALLY BENEFICIARIES BENEFICIARY BENEFIT BENEFITED BENEFITING BENEFITS BENEFITTED BENEFITTING BENELUX BENEVOLENCE BENEVOLENT BENGAL BENGALI BENIGHTED BENIGN BENIGNLY BENJAMIN BENNETT BENNINGTON BENNY BENSON BENT BENTHAM BENTLEY BENTLEYS BENTON BENZ BENZEDRINE BENZENE BEOGRAD BEOWULF BEQUEATH BEQUEATHAL BEQUEATHED BEQUEATHING BEQUEATHS BEQUEST BEQUESTS BERATE BERATED BERATES BERATING BEREA BEREAVE BEREAVED BEREAVEMENT BEREAVEMENTS BEREAVES BEREAVING BEREFT BERENICES BERESFORD BERET BERETS BERGEN BERGLAND BERGLUND BERGMAN BERGSON BERGSTEN BERGSTROM BERIBBONED BERIBERI BERINGER BERKELEY BERKELIUM BERKOWITZ BERKSHIRE BERKSHIRES BERLIN BERLINER BERLINERS BERLINIZE BERLINIZES BERLIOZ BERLITZ BERMAN BERMUDA BERN BERNADINE BERNARD BERNARDINE BERNARDINO BERNARDO BERNE BERNET BERNHARD BERNICE BERNIE BERNIECE BERNINI BERNOULLI BERNSTEIN BERRA BERRIES BERRY BERSERK BERT BERTH BERTHA BERTHS BERTIE BERTRAM BERTRAND BERWICK BERYL BERYLLIUM BESEECH BESEECHES BESEECHING BESET BESETS BESETTING BESIDE BESIDES BESIEGE BESIEGED BESIEGER BESIEGERS BESIEGING BESMIRCH BESMIRCHED BESMIRCHES BESMIRCHING BESOTTED BESOTTER BESOTTING BESOUGHT BESPEAK BESPEAKS BESPECTACLED BESPOKE BESS BESSEL BESSEMER BESSEMERIZE BESSEMERIZES BESSIE BEST BESTED BESTIAL BESTING BESTIR BESTIRRING BESTOW BESTOWAL BESTOWED BESTS BESTSELLER BESTSELLERS BESTSELLING BET BETA BETATRON BETEL BETELGEUSE BETHESDA BETHLEHEM BETIDE BETRAY BETRAYAL BETRAYED BETRAYER BETRAYING BETRAYS BETROTH BETROTHAL BETROTHED BETS BETSEY BETSY BETTE BETTER BETTERED BETTERING BETTERMENT BETTERMENTS BETTERS BETTIES BETTING BETTY BETWEEN BETWIXT BEVEL BEVELED BEVELING BEVELS BEVERAGE BEVERAGES BEVERLY BEVY BEWAIL BEWAILED BEWAILING BEWAILS BEWARE BEWHISKERED BEWILDER BEWILDERED BEWILDERING BEWILDERINGLY BEWILDERMENT BEWILDERS BEWITCH BEWITCHED BEWITCHES BEWITCHING BEYOND BHUTAN BIALYSTOK BIANCO BIANNUAL BIAS BIASED BIASES BIASING BIB BIBBED BIBBING BIBLE BIBLES BIBLICAL BIBLICALLY BIBLIOGRAPHIC BIBLIOGRAPHICAL BIBLIOGRAPHIES BIBLIOGRAPHY BIBLIOPHILE BIBS BICAMERAL BICARBONATE BICENTENNIAL BICEP BICEPS BICKER BICKERED BICKERING BICKERS BICONCAVE BICONNECTED BICONVEX BICYCLE BICYCLED BICYCLER BICYCLERS BICYCLES BICYCLING BID BIDDABLE BIDDEN BIDDER BIDDERS BIDDIES BIDDING BIDDLE BIDDY BIDE BIDIRECTIONAL BIDS BIEN BIENNIAL BIENNIUM BIENVILLE BIER BIERCE BIFOCAL BIFOCALS BIFURCATE BIG BIGELOW BIGGER BIGGEST BIGGS BIGHT BIGHTS BIGNESS BIGOT BIGOTED BIGOTRY BIGOTS BIHARMONIC BIJECTION BIJECTIONS BIJECTIVE BIJECTIVELY BIKE BIKES BIKING BIKINI BIKINIS BILABIAL BILATERAL BILATERALLY BILBAO BILBO BILE BILGE BILGES BILINEAR BILINGUAL BILK BILKED BILKING BILKS BILL BILLBOARD BILLBOARDS BILLED BILLER BILLERS BILLET BILLETED BILLETING BILLETS BILLIARD BILLIARDS BILLIE BILLIKEN BILLIKENS BILLING BILLINGS BILLION BILLIONS BILLIONTH BILLOW BILLOWED BILLOWS BILLS BILTMORE BIMETALLIC BIMETALLISM BIMINI BIMODAL BIMOLECULAR BIMONTHLIES BIMONTHLY BIN BINARIES BINARY BINAURAL BIND BINDER BINDERS BINDING BINDINGS BINDS BING BINGE BINGES BINGHAM BINGHAMTON BINGO BINI BINOCULAR BINOCULARS BINOMIAL BINS BINUCLEAR BIOCHEMICAL BIOCHEMIST BIOCHEMISTRY BIOFEEDBACK BIOGRAPHER BIOGRAPHERS BIOGRAPHIC BIOGRAPHICAL BIOGRAPHICALLY BIOGRAPHIES BIOGRAPHY BIOLOGICAL BIOLOGICALLY BIOLOGIST BIOLOGISTS BIOLOGY BIOMEDICAL BIOMEDICINE BIOPHYSICAL BIOPHYSICIST BIOPHYSICS BIOPSIES BIOPSY BIOSCIENCE BIOSPHERE BIOSTATISTIC BIOSYNTHESIZE BIOTA BIOTIC BIPARTISAN BIPARTITE BIPED BIPEDS BIPLANE BIPLANES BIPOLAR BIRACIAL BIRCH BIRCHEN BIRCHES BIRD BIRDBATH BIRDBATHS BIRDIE BIRDIED BIRDIES BIRDLIKE BIRDS BIREFRINGENCE BIREFRINGENT BIRGIT BIRMINGHAM BIRMINGHAMIZE BIRMINGHAMIZES BIRTH BIRTHDAY BIRTHDAYS BIRTHED BIRTHPLACE BIRTHPLACES BIRTHRIGHT BIRTHRIGHTS BIRTHS BISCAYNE BISCUIT BISCUITS BISECT BISECTED BISECTING BISECTION BISECTIONS BISECTOR BISECTORS BISECTS BISHOP BISHOPS BISMARCK BISMARK BISMUTH BISON BISONS BISQUE BISQUES BISSAU BISTABLE BISTATE BIT BITCH BITCHES BITE BITER BITERS BITES BITING BITINGLY BITMAP BITNET BITS BITTEN BITTER BITTERER BITTEREST BITTERLY BITTERNESS BITTERNUT BITTERROOT BITTERS BITTERSWEET BITUMEN BITUMINOUS BITWISE BIVALVE BIVALVES BIVARIATE BIVOUAC BIVOUACS BIWEEKLY BIZARRE BIZET BLAB BLABBED BLABBERMOUTH BLABBERMOUTHS BLABBING BLABS BLACK BLACKBERRIES BLACKBERRY BLACKBIRD BLACKBIRDS BLACKBOARD BLACKBOARDS BLACKBURN BLACKED BLACKEN BLACKENED BLACKENING BLACKENS BLACKER BLACKEST BLACKFEET BLACKFOOT BLACKFOOTS BLACKING BLACKJACK BLACKJACKS BLACKLIST BLACKLISTED BLACKLISTING BLACKLISTS BLACKLY BLACKMAIL BLACKMAILED BLACKMAILER BLACKMAILERS BLACKMAILING BLACKMAILS BLACKMAN BLACKMER BLACKNESS BLACKOUT BLACKOUTS BLACKS BLACKSMITH BLACKSMITHS BLACKSTONE BLACKWELL BLACKWELLS BLADDER BLADDERS BLADE BLADES BLAINE BLAIR BLAKE BLAKEY BLAMABLE BLAME BLAMED BLAMELESS BLAMELESSNESS BLAMER BLAMERS BLAMES BLAMEWORTHY BLAMING BLANCH BLANCHARD BLANCHE BLANCHED BLANCHES BLANCHING BLAND BLANDLY BLANDNESS BLANK BLANKED BLANKER BLANKEST BLANKET BLANKETED BLANKETER BLANKETERS BLANKETING BLANKETS BLANKING BLANKLY BLANKNESS BLANKS BLANTON BLARE BLARED BLARES BLARING BLASE BLASPHEME BLASPHEMED BLASPHEMES BLASPHEMIES BLASPHEMING BLASPHEMOUS BLASPHEMOUSLY BLASPHEMOUSNESS BLASPHEMY BLAST BLASTED BLASTER BLASTERS BLASTING BLASTS BLATANT BLATANTLY BLATZ BLAZE BLAZED BLAZER BLAZERS BLAZES BLAZING BLEACH BLEACHED BLEACHER BLEACHERS BLEACHES BLEACHING BLEAK BLEAKER BLEAKLY BLEAKNESS BLEAR BLEARY BLEAT BLEATING BLEATS BLED BLEED BLEEDER BLEEDING BLEEDINGS BLEEDS BLEEKER BLEMISH BLEMISHES BLEND BLENDED BLENDER BLENDING BLENDS BLENHEIM BLESS BLESSED BLESSING BLESSINGS BLEW BLIGHT BLIGHTED BLIMP BLIMPS BLIND BLINDED BLINDER BLINDERS BLINDFOLD BLINDFOLDED BLINDFOLDING BLINDFOLDS BLINDING BLINDINGLY BLINDLY BLINDNESS BLINDS BLINK BLINKED BLINKER BLINKERS BLINKING BLINKS BLINN BLIP BLIPS BLISS BLISSFUL BLISSFULLY BLISTER BLISTERED BLISTERING BLISTERS BLITHE BLITHELY BLITZ BLITZES BLITZKRIEG BLIZZARD BLIZZARDS BLOAT BLOATED BLOATER BLOATING BLOATS BLOB BLOBS BLOC BLOCH BLOCK BLOCKADE BLOCKADED BLOCKADES BLOCKADING BLOCKAGE BLOCKAGES BLOCKED BLOCKER BLOCKERS BLOCKHOUSE BLOCKHOUSES BLOCKING BLOCKS BLOCS BLOKE BLOKES BLOMBERG BLOMQUIST BLOND BLONDE BLONDES BLONDS BLOOD BLOODBATH BLOODED BLOODHOUND BLOODHOUNDS BLOODIED BLOODIEST BLOODLESS BLOODS BLOODSHED BLOODSHOT BLOODSTAIN BLOODSTAINED BLOODSTAINS BLOODSTREAM BLOODY BLOOM BLOOMED BLOOMERS BLOOMFIELD BLOOMING BLOOMINGTON BLOOMS BLOOPER BLOSSOM BLOSSOMED BLOSSOMS BLOT BLOTS BLOTTED BLOTTING BLOUSE BLOUSES BLOW BLOWER BLOWERS BLOWFISH BLOWING BLOWN BLOWOUT BLOWS BLOWUP BLUBBER BLUDGEON BLUDGEONED BLUDGEONING BLUDGEONS BLUE BLUEBERRIES BLUEBERRY BLUEBIRD BLUEBIRDS BLUEBONNET BLUEBONNETS BLUEFISH BLUENESS BLUEPRINT BLUEPRINTS BLUER BLUES BLUEST BLUESTOCKING BLUFF BLUFFING BLUFFS BLUING BLUISH BLUM BLUMENTHAL BLUNDER BLUNDERBUSS BLUNDERED BLUNDERING BLUNDERINGS BLUNDERS BLUNT BLUNTED BLUNTER BLUNTEST BLUNTING BLUNTLY BLUNTNESS BLUNTS BLUR BLURB BLURRED BLURRING BLURRY BLURS BLURT BLURTED BLURTING BLURTS BLUSH BLUSHED BLUSHES BLUSHING BLUSTER BLUSTERED BLUSTERING BLUSTERS BLUSTERY BLYTHE BOA BOAR BOARD BOARDED BOARDER BOARDERS BOARDING BOARDINGHOUSE BOARDINGHOUSES BOARDS BOARSH BOAST BOASTED BOASTER BOASTERS BOASTFUL BOASTFULLY BOASTING BOASTINGS BOASTS BOAT BOATER BOATERS BOATHOUSE BOATHOUSES BOATING BOATLOAD BOATLOADS BOATMAN BOATMEN BOATS BOATSMAN BOATSMEN BOATSWAIN BOATSWAINS BOATYARD BOATYARDS BOB BOBBED BOBBIE BOBBIN BOBBING BOBBINS BOBBSEY BOBBY BOBOLINK BOBOLINKS BOBROW BOBS BOBWHITE BOBWHITES BOCA BODE BODENHEIM BODES BODICE BODIED BODIES BODILY BODLEIAN BODY BODYBUILDER BODYBUILDERS BODYBUILDING BODYGUARD BODYGUARDS BODYWEIGHT BOEING BOEOTIA BOEOTIAN BOER BOERS BOG BOGART BOGARTIAN BOGEYMEN BOGGED BOGGLE BOGGLED BOGGLES BOGGLING BOGOTA BOGS BOGUS BOHEME BOHEMIA BOHEMIAN BOHEMIANISM BOHR BOIL BOILED BOILER BOILERPLATE BOILERS BOILING BOILS BOIS BOISE BOISTEROUS BOISTEROUSLY BOLD BOLDER BOLDEST BOLDFACE BOLDLY BOLDNESS BOLIVIA BOLIVIAN BOLL BOLOGNA BOLSHEVIK BOLSHEVIKS BOLSHEVISM BOLSHEVIST BOLSHEVISTIC BOLSHOI BOLSTER BOLSTERED BOLSTERING BOLSTERS BOLT BOLTED BOLTING BOLTON BOLTS BOLTZMANN BOMB BOMBARD BOMBARDED BOMBARDING BOMBARDMENT BOMBARDS BOMBAST BOMBASTIC BOMBAY BOMBED BOMBER BOMBERS BOMBING BOMBINGS BOMBPROOF BOMBS BONANZA BONANZAS BONAPARTE BONAVENTURE BOND BONDAGE BONDED BONDER BONDERS BONDING BONDS BONDSMAN BONDSMEN BONE BONED BONER BONERS BONES BONFIRE BONFIRES BONG BONHAM BONIFACE BONING BONN BONNET BONNETED BONNETS BONNEVILLE BONNIE BONNY BONTEMPO BONUS BONUSES BONY BOO BOOB BOOBOO BOOBY BOOK BOOKCASE BOOKCASES BOOKED BOOKER BOOKERS BOOKIE BOOKIES BOOKING BOOKINGS BOOKISH BOOKKEEPER BOOKKEEPERS BOOKKEEPING BOOKLET BOOKLETS BOOKMARK BOOKS BOOKSELLER BOOKSELLERS BOOKSHELF BOOKSHELVES BOOKSTORE BOOKSTORES BOOKWORM BOOLEAN BOOLEANS BOOM BOOMED BOOMERANG BOOMERANGS BOOMING BOOMS BOON BOONE BOONTON BOOR BOORISH BOORS BOOS BOOST BOOSTED BOOSTER BOOSTING BOOSTS BOOT BOOTABLE BOOTED BOOTES BOOTH BOOTHS BOOTING BOOTLE BOOTLEG BOOTLEGGED BOOTLEGGER BOOTLEGGERS BOOTLEGGING BOOTLEGS BOOTS BOOTSTRAP BOOTSTRAPPED BOOTSTRAPPING BOOTSTRAPS BOOTY BOOZE BORATE BORATES BORAX BORDEAUX BORDELLO BORDELLOS BORDEN BORDER BORDERED BORDERING BORDERINGS BORDERLAND BORDERLANDS BORDERLINE BORDERS BORE BOREALIS BOREAS BORED BOREDOM BORER BORES BORG BORIC BORING BORIS BORN BORNE BORNEO BORON BOROUGH BOROUGHS BORROUGHS BORROW BORROWED BORROWER BORROWERS BORROWING BORROWS BOSCH BOSE BOSOM BOSOMS BOSPORUS BOSS BOSSED BOSSES BOSTITCH BOSTON BOSTONIAN BOSTONIANS BOSUN BOSWELL BOSWELLIZE BOSWELLIZES BOTANICAL BOTANIST BOTANISTS BOTANY BOTCH BOTCHED BOTCHER BOTCHERS BOTCHES BOTCHING BOTH BOTHER BOTHERED BOTHERING BOTHERS BOTHERSOME BOTSWANA BOTTLE BOTTLED BOTTLENECK BOTTLENECKS BOTTLER BOTTLERS BOTTLES BOTTLING BOTTOM BOTTOMED BOTTOMING BOTTOMLESS BOTTOMS BOTULINUS BOTULISM BOUCHER BOUFFANT BOUGH BOUGHS BOUGHT BOULDER BOULDERS BOULEVARD BOULEVARDS BOUNCE BOUNCED BOUNCER BOUNCES BOUNCING BOUNCY BOUND BOUNDARIES BOUNDARY BOUNDED BOUNDEN BOUNDING BOUNDLESS BOUNDLESSNESS BOUNDS BOUNTEOUS BOUNTEOUSLY BOUNTIES BOUNTIFUL BOUNTY BOUQUET BOUQUETS BOURBAKI BOURBON BOURGEOIS BOURGEOISIE BOURNE BOUSTROPHEDON BOUSTROPHEDONIC BOUT BOUTIQUE BOUTS BOUVIER BOVINE BOVINES BOW BOWDITCH BOWDLERIZE BOWDLERIZED BOWDLERIZES BOWDLERIZING BOWDOIN BOWED BOWEL BOWELS BOWEN BOWER BOWERS BOWES BOWING BOWL BOWLED BOWLER BOWLERS BOWLINE BOWLINES BOWLING BOWLS BOWMAN BOWS BOWSTRING BOWSTRINGS BOX BOXCAR BOXCARS BOXED BOXER BOXERS BOXES BOXFORD BOXING BOXTOP BOXTOPS BOXWOOD BOY BOYCE BOYCOTT BOYCOTTED BOYCOTTS BOYD BOYFRIEND BOYFRIENDS BOYHOOD BOYISH BOYISHNESS BOYLE BOYLSTON BOYS BRA BRACE BRACED BRACELET BRACELETS BRACES BRACING BRACKET BRACKETED BRACKETING BRACKETS BRACKISH BRADBURY BRADFORD BRADLEY BRADSHAW BRADY BRAE BRAES BRAG BRAGG BRAGGED BRAGGER BRAGGING BRAGS BRAHMAPUTRA BRAHMS BRAHMSIAN BRAID BRAIDED BRAIDING BRAIDS BRAILLE BRAIN BRAINARD BRAINARDS BRAINCHILD BRAINED BRAINING BRAINS BRAINSTEM BRAINSTEMS BRAINSTORM BRAINSTORMS BRAINWASH BRAINWASHED BRAINWASHES BRAINWASHING BRAINY BRAKE BRAKED BRAKEMAN BRAKES BRAKING BRAMBLE BRAMBLES BRAMBLY BRAN BRANCH BRANCHED BRANCHES BRANCHING BRANCHINGS BRANCHVILLE BRAND BRANDED BRANDEIS BRANDEL BRANDENBURG BRANDING BRANDISH BRANDISHES BRANDISHING BRANDON BRANDS BRANDT BRANDY BRANDYWINE BRANIFF BRANNON BRAS BRASH BRASHLY BRASHNESS BRASILIA BRASS BRASSES BRASSIERE BRASSTOWN BRASSY BRAT BRATS BRAUN BRAVADO BRAVE BRAVED BRAVELY BRAVENESS BRAVER BRAVERY BRAVES BRAVEST BRAVING BRAVO BRAVOS BRAWL BRAWLER BRAWLING BRAWN BRAY BRAYED BRAYER BRAYING BRAYS BRAZE BRAZED BRAZEN BRAZENLY BRAZENNESS BRAZES BRAZIER BRAZIERS BRAZIL BRAZILIAN BRAZING BRAZZAVILLE BREACH BREACHED BREACHER BREACHERS BREACHES BREACHING BREAD BREADBOARD BREADBOARDS BREADBOX BREADBOXES BREADED BREADING BREADS BREADTH BREADWINNER BREADWINNERS BREAK BREAKABLE BREAKABLES BREAKAGE BREAKAWAY BREAKDOWN BREAKDOWNS BREAKER BREAKERS BREAKFAST BREAKFASTED BREAKFASTER BREAKFASTERS BREAKFASTING BREAKFASTS BREAKING BREAKPOINT BREAKPOINTS BREAKS BREAKTHROUGH BREAKTHROUGHES BREAKTHROUGHS BREAKUP BREAKWATER BREAKWATERS BREAST BREASTED BREASTS BREASTWORK BREASTWORKS BREATH BREATHABLE BREATHE BREATHED BREATHER BREATHERS BREATHES BREATHING BREATHLESS BREATHLESSLY BREATHS BREATHTAKING BREATHTAKINGLY BREATHY BRED BREECH BREECHES BREED BREEDER BREEDING BREEDS BREEZE BREEZES BREEZILY BREEZY BREMEN BREMSSTRAHLUNG BRENDA BRENDAN BRENNAN BRENNER BRENT BRESENHAM BREST BRETHREN BRETON BRETONS BRETT BREVE BREVET BREVETED BREVETING BREVETS BREVITY BREW BREWED BREWER BREWERIES BREWERS BREWERY BREWING BREWS BREWSTER BRIAN BRIAR BRIARS BRIBE BRIBED BRIBER BRIBERS BRIBERY BRIBES BRIBING BRICE BRICK BRICKBAT BRICKED BRICKER BRICKLAYER BRICKLAYERS BRICKLAYING BRICKS BRIDAL BRIDE BRIDEGROOM BRIDES BRIDESMAID BRIDESMAIDS BRIDEWELL BRIDGE BRIDGEABLE BRIDGED BRIDGEHEAD BRIDGEHEADS BRIDGEPORT BRIDGES BRIDGET BRIDGETOWN BRIDGEWATER BRIDGEWORK BRIDGING BRIDLE BRIDLED BRIDLES BRIDLING BRIE BRIEF BRIEFCASE BRIEFCASES BRIEFED BRIEFER BRIEFEST BRIEFING BRIEFINGS BRIEFLY BRIEFNESS BRIEFS BRIEN BRIER BRIG BRIGADE BRIGADES BRIGADIER BRIGADIERS BRIGADOON BRIGANTINE BRIGGS BRIGHAM BRIGHT BRIGHTEN BRIGHTENED BRIGHTENER BRIGHTENERS BRIGHTENING BRIGHTENS BRIGHTER BRIGHTEST BRIGHTLY BRIGHTNESS BRIGHTON BRIGS BRILLIANCE BRILLIANCY BRILLIANT BRILLIANTLY BRILLOUIN BRIM BRIMFUL BRIMMED BRIMMING BRIMSTONE BRINDISI BRINDLE BRINDLED BRINE BRING BRINGER BRINGERS BRINGING BRINGS BRINK BRINKLEY BRINKMANSHIP BRINY BRISBANE BRISK BRISKER BRISKLY BRISKNESS BRISTLE BRISTLED BRISTLES BRISTLING BRISTOL BRITAIN BRITANNIC BRITANNICA BRITCHES BRITISH BRITISHER BRITISHLY BRITON BRITONS BRITTANY BRITTEN BRITTLE BRITTLENESS BROACH BROACHED BROACHES BROACHING BROAD BROADBAND BROADCAST BROADCASTED BROADCASTER BROADCASTERS BROADCASTING BROADCASTINGS BROADCASTS BROADEN BROADENED BROADENER BROADENERS BROADENING BROADENINGS BROADENS BROADER BROADEST BROADLY BROADNESS BROADSIDE BROADWAY BROCADE BROCADED BROCCOLI BROCHURE BROCHURES BROCK BROGLIE BROIL BROILED BROILER BROILERS BROILING BROILS BROKE BROKEN BROKENLY BROKENNESS BROKER BROKERAGE BROKERS BROMFIELD BROMIDE BROMIDES BROMINE BROMLEY BRONCHI BRONCHIAL BRONCHIOLE BRONCHIOLES BRONCHITIS BRONCHUS BRONTOSAURUS BRONX BRONZE BRONZED BRONZES BROOCH BROOCHES BROOD BROODER BROODING BROODS BROOK BROOKDALE BROOKE BROOKED BROOKFIELD BROOKHAVEN BROOKLINE BROOKLYN BROOKMONT BROOKS BROOM BROOMS BROOMSTICK BROOMSTICKS BROTH BROTHEL BROTHELS BROTHER BROTHERHOOD BROTHERLINESS BROTHERLY BROTHERS BROUGHT BROW BROWBEAT BROWBEATEN BROWBEATING BROWBEATS BROWN BROWNE BROWNED BROWNELL BROWNER BROWNEST BROWNIAN BROWNIE BROWNIES BROWNING BROWNISH BROWNNESS BROWNS BROWS BROWSE BROWSING BRUCE BRUCKNER BRUEGEL BRUISE BRUISED BRUISES BRUISING BRUMIDI BRUNCH BRUNCHES BRUNETTE BRUNHILDE BRUNO BRUNSWICK BRUNT BRUSH BRUSHED BRUSHES BRUSHFIRE BRUSHFIRES BRUSHING BRUSHLIKE BRUSHY BRUSQUE BRUSQUELY BRUSSELS BRUTAL BRUTALITIES BRUTALITY BRUTALIZE BRUTALIZED BRUTALIZES BRUTALIZING BRUTALLY BRUTE BRUTES BRUTISH BRUXELLES BRYAN BRYANT BRYCE BRYN BUBBLE BUBBLED BUBBLES BUBBLING BUBBLY BUCHANAN BUCHAREST BUCHENWALD BUCHWALD BUCK BUCKBOARD BUCKBOARDS BUCKED BUCKET BUCKETS BUCKING BUCKLE BUCKLED BUCKLER BUCKLES BUCKLEY BUCKLING BUCKNELL BUCKS BUCKSHOT BUCKSKIN BUCKSKINS BUCKWHEAT BUCKY BUCOLIC BUD BUDAPEST BUDD BUDDED BUDDHA BUDDHISM BUDDHIST BUDDHISTS BUDDIES BUDDING BUDDY BUDGE BUDGED BUDGES BUDGET BUDGETARY BUDGETED BUDGETER BUDGETERS BUDGETING BUDGETS BUDGING BUDS BUDWEISER BUDWEISERS BUEHRING BUENA BUENOS BUFF BUFFALO BUFFALOES BUFFER BUFFERED BUFFERING BUFFERS BUFFET BUFFETED BUFFETING BUFFETINGS BUFFETS BUFFOON BUFFOONS BUFFS BUG BUGABOO BUGATTI BUGEYED BUGGED BUGGER BUGGERS BUGGIES BUGGING BUGGY BUGLE BUGLED BUGLER BUGLES BUGLING BUGS BUICK BUILD BUILDER BUILDERS BUILDING BUILDINGS BUILDS BUILDUP BUILDUPS BUILT BUILTIN BUJUMBURA BULB BULBA BULBS BULGARIA BULGARIAN BULGE BULGED BULGING BULK BULKED BULKHEAD BULKHEADS BULKS BULKY BULL BULLDOG BULLDOGS BULLDOZE BULLDOZED BULLDOZER BULLDOZES BULLDOZING BULLED BULLET BULLETIN BULLETINS BULLETS BULLFROG BULLIED BULLIES BULLING BULLION BULLISH BULLOCK BULLS BULLSEYE BULLY BULLYING BULWARK BUM BUMBLE BUMBLEBEE BUMBLEBEES BUMBLED BUMBLER BUMBLERS BUMBLES BUMBLING BUMBRY BUMMED BUMMING BUMP BUMPED BUMPER BUMPERS BUMPING BUMPS BUMPTIOUS BUMPTIOUSLY BUMPTIOUSNESS BUMS BUN BUNCH BUNCHED BUNCHES BUNCHING BUNDESTAG BUNDLE BUNDLED BUNDLES BUNDLING BUNDOORA BUNDY BUNGALOW BUNGALOWS BUNGLE BUNGLED BUNGLER BUNGLERS BUNGLES BUNGLING BUNION BUNIONS BUNK BUNKER BUNKERED BUNKERS BUNKHOUSE BUNKHOUSES BUNKMATE BUNKMATES BUNKS BUNNIES BUNNY BUNS BUNSEN BUNT BUNTED BUNTER BUNTERS BUNTING BUNTS BUNYAN BUOY BUOYANCY BUOYANT BUOYED BUOYS BURBANK BURCH BURDEN BURDENED BURDENING BURDENS BURDENSOME BUREAU BUREAUCRACIES BUREAUCRACY BUREAUCRAT BUREAUCRATIC BUREAUCRATS BUREAUS BURGEON BURGEONED BURGEONING BURGESS BURGESSES BURGHER BURGHERS BURGLAR BURGLARIES BURGLARIZE BURGLARIZED BURGLARIZES BURGLARIZING BURGLARPROOF BURGLARPROOFED BURGLARPROOFING BURGLARPROOFS BURGLARS BURGLARY BURGUNDIAN BURGUNDIES BURGUNDY BURIAL BURIED BURIES BURKE BURKES BURL BURLESQUE BURLESQUES BURLINGAME BURLINGTON BURLY BURMA BURMESE BURN BURNE BURNED BURNER BURNERS BURNES BURNETT BURNHAM BURNING BURNINGLY BURNINGS BURNISH BURNISHED BURNISHES BURNISHING BURNS BURNSIDE BURNSIDES BURNT BURNTLY BURNTNESS BURP BURPED BURPING BURPS BURR BURROUGHS BURROW BURROWED BURROWER BURROWING BURROWS BURRS BURSA BURSITIS BURST BURSTINESS BURSTING BURSTS BURSTY BURT BURTON BURTT BURUNDI BURY BURYING BUS BUSBOY BUSBOYS BUSCH BUSED BUSES BUSH BUSHEL BUSHELS BUSHES BUSHING BUSHNELL BUSHWHACK BUSHWHACKED BUSHWHACKING BUSHWHACKS BUSHY BUSIED BUSIER BUSIEST BUSILY BUSINESS BUSINESSES BUSINESSLIKE BUSINESSMAN BUSINESSMEN BUSING BUSS BUSSED BUSSES BUSSING BUST BUSTARD BUSTARDS BUSTED BUSTER BUSTLE BUSTLING BUSTS BUSY BUT BUTANE BUTCHER BUTCHERED BUTCHERS BUTCHERY BUTLER BUTLERS BUTT BUTTE BUTTED BUTTER BUTTERBALL BUTTERCUP BUTTERED BUTTERER BUTTERERS BUTTERFAT BUTTERFIELD BUTTERFLIES BUTTERFLY BUTTERING BUTTERMILK BUTTERNUT BUTTERS BUTTERY BUTTES BUTTING BUTTOCK BUTTOCKS BUTTON BUTTONED BUTTONHOLE BUTTONHOLES BUTTONING BUTTONS BUTTRESS BUTTRESSED BUTTRESSES BUTTRESSING BUTTRICK BUTTS BUTYL BUTYRATE BUXOM BUXTEHUDE BUXTON BUY BUYER BUYERS BUYING BUYS BUZZ BUZZARD BUZZARDS BUZZED BUZZER BUZZES BUZZING BUZZWORD BUZZWORDS BUZZY BYE BYERS BYGONE BYLAW BYLAWS BYLINE BYLINES BYPASS BYPASSED BYPASSES BYPASSING BYPRODUCT BYPRODUCTS BYRD BYRNE BYRON BYRONIC BYRONISM BYRONIZE BYRONIZES BYSTANDER BYSTANDERS BYTE BYTES BYWAY BYWAYS BYWORD BYWORDS BYZANTINE BYZANTINIZE BYZANTINIZES BYZANTIUM CAB CABAL CABANA CABARET CABBAGE CABBAGES CABDRIVER CABIN CABINET CABINETS CABINS CABLE CABLED CABLES CABLING CABOOSE CABOT CABS CACHE CACHED CACHES CACHING CACKLE CACKLED CACKLER CACKLES CACKLING CACTI CACTUS CADAVER CADENCE CADENCED CADILLAC CADILLACS CADRES CADY CAESAR CAESARIAN CAESARIZE CAESARIZES CAFE CAFES CAFETERIA CAGE CAGED CAGER CAGERS CAGES CAGING CAHILL CAIMAN CAIN CAINE CAIRN CAIRO CAJOLE CAJOLED CAJOLES CAJOLING CAJUN CAJUNS CAKE CAKED CAKES CAKING CALAIS CALAMITIES CALAMITOUS CALAMITY CALCEOLARIA CALCIFY CALCIUM CALCOMP CALCOMP CALCOMP CALCULATE CALCULATED CALCULATES CALCULATING CALCULATION CALCULATIONS CALCULATIVE CALCULATOR CALCULATORS CALCULI CALCULUS CALCUTTA CALDER CALDERA CALDWELL CALEB CALENDAR CALENDARS CALF CALFSKIN CALGARY CALHOUN CALIBER CALIBERS CALIBRATE CALIBRATED CALIBRATES CALIBRATING CALIBRATION CALIBRATIONS CALICO CALIFORNIA CALIFORNIAN CALIFORNIANS CALIGULA CALIPH CALIPHS CALKINS CALL CALLABLE CALLAGHAN CALLAHAN CALLAN CALLED CALLER CALLERS CALLING CALLIOPE CALLISTO CALLOUS CALLOUSED CALLOUSLY CALLOUSNESS CALLS CALLUS CALM CALMED CALMER CALMEST CALMING CALMINGLY CALMLY CALMNESS CALMS CALORIC CALORIE CALORIES CALORIMETER CALORIMETRIC CALORIMETRY CALTECH CALUMNY CALVARY CALVE CALVERT CALVES CALVIN CALVINIST CALVINIZE CALVINIZES CALYPSO CAM CAMBODIA CAMBRIAN CAMBRIDGE CAMDEN CAME CAMEL CAMELOT CAMELS CAMEMBERT CAMERA CAMERAMAN CAMERAMEN CAMERAS CAMERON CAMEROON CAMEROUN CAMILLA CAMILLE CAMINO CAMOUFLAGE CAMOUFLAGED CAMOUFLAGES CAMOUFLAGING CAMP CAMPAIGN CAMPAIGNED CAMPAIGNER CAMPAIGNERS CAMPAIGNING CAMPAIGNS CAMPBELL CAMPBELLSPORT CAMPED CAMPER CAMPERS CAMPFIRE CAMPGROUND CAMPING CAMPS CAMPSITE CAMPUS CAMPUSES CAN CANAAN CANADA CANADIAN CANADIANIZATION CANADIANIZATIONS CANADIANIZE CANADIANIZES CANADIANS CANAL CANALS CANARIES CANARY CANAVERAL CANBERRA CANCEL CANCELED CANCELING CANCELLATION CANCELLATIONS CANCELS CANCER CANCEROUS CANCERS CANDACE CANDID CANDIDACY CANDIDATE CANDIDATES CANDIDE CANDIDLY CANDIDNESS CANDIED CANDIES CANDLE CANDLELIGHT CANDLER CANDLES CANDLESTICK CANDLESTICKS CANDLEWICK CANDOR CANDY CANE CANER CANFIELD CANINE CANIS CANISTER CANKER CANKERWORM CANNABIS CANNED CANNEL CANNER CANNERS CANNERY CANNIBAL CANNIBALIZE CANNIBALIZED CANNIBALIZES CANNIBALIZING CANNIBALS CANNING CANNISTER CANNISTERS CANNON CANNONBALL CANNONS CANNOT CANNY CANOE CANOES CANOGA CANON CANONIC CANONICAL CANONICALIZATION CANONICALIZE CANONICALIZED CANONICALIZES CANONICALIZING CANONICALLY CANONICALS CANONS CANOPUS CANOPY CANS CANT CANTABRIGIAN CANTALOUPE CANTANKEROUS CANTANKEROUSLY CANTEEN CANTERBURY CANTILEVER CANTO CANTON CANTONESE CANTONS CANTOR CANTORS CANUTE CANVAS CANVASES CANVASS CANVASSED CANVASSER CANVASSERS CANVASSES CANVASSING CANYON CANYONS CAP CAPABILITIES CAPABILITY CAPABLE CAPABLY CAPACIOUS CAPACIOUSLY CAPACIOUSNESS CAPACITANCE CAPACITANCES CAPACITIES CAPACITIVE CAPACITOR CAPACITORS CAPACITY CAPE CAPER CAPERS CAPES CAPET CAPETOWN CAPILLARY CAPISTRANO CAPITA CAPITAL CAPITALISM CAPITALIST CAPITALISTS CAPITALIZATION CAPITALIZATIONS CAPITALIZE CAPITALIZED CAPITALIZER CAPITALIZERS CAPITALIZES CAPITALIZING CAPITALLY CAPITALS CAPITAN CAPITOL CAPITOLINE CAPITOLS CAPPED CAPPING CAPPY CAPRICE CAPRICIOUS CAPRICIOUSLY CAPRICIOUSNESS CAPRICORN CAPS CAPSICUM CAPSTAN CAPSTONE CAPSULE CAPTAIN CAPTAINED CAPTAINING CAPTAINS CAPTION CAPTIONS CAPTIVATE CAPTIVATED CAPTIVATES CAPTIVATING CAPTIVATION CAPTIVE CAPTIVES CAPTIVITY CAPTOR CAPTORS CAPTURE CAPTURED CAPTURER CAPTURERS CAPTURES CAPTURING CAPUTO CAPYBARA CAR CARACAS CARAMEL CARAVAN CARAVANS CARAWAY CARBOHYDRATE CARBOLIC CARBOLOY CARBON CARBONATE CARBONATES CARBONATION CARBONDALE CARBONE CARBONES CARBONIC CARBONIZATION CARBONIZE CARBONIZED CARBONIZER CARBONIZERS CARBONIZES CARBONIZING CARBONS CARBORUNDUM CARBUNCLE CARCASS CARCASSES CARCINOGEN CARCINOGENIC CARCINOMA CARD CARDBOARD CARDER CARDIAC CARDIFF CARDINAL CARDINALITIES CARDINALITY CARDINALLY CARDINALS CARDIOD CARDIOLOGY CARDIOVASCULAR CARDS CARE CARED CAREEN CAREER CAREERS CAREFREE CAREFUL CAREFULLY CAREFULNESS CARELESS CARELESSLY CARELESSNESS CARES CARESS CARESSED CARESSER CARESSES CARESSING CARET CARETAKER CAREY CARGILL CARGO CARGOES CARIB CARIBBEAN CARIBOU CARICATURE CARING CARL CARLA CARLETON CARLETONIAN CARLIN CARLISLE CARLO CARLOAD CARLSBAD CARLSBADS CARLSON CARLTON CARLYLE CARMELA CARMEN CARMICHAEL CARNAGE CARNAL CARNATION CARNEGIE CARNIVAL CARNIVALS CARNIVOROUS CARNIVOROUSLY CAROL CAROLINA CAROLINAS CAROLINE CAROLINGIAN CAROLINIAN CAROLINIANS CAROLS CAROLYN CARP CARPATHIA CARPATHIANS CARPENTER CARPENTERS CARPENTRY CARPET CARPETED CARPETING CARPETS CARPORT CARR CARRARA CARRIAGE CARRIAGES CARRIE CARRIED CARRIER CARRIERS CARRIES CARRION CARROLL CARROT CARROTS CARRUTHERS CARRY CARRYING CARRYOVER CARRYOVERS CARS CARSON CART CARTED CARTEL CARTER CARTERS CARTESIAN CARTHAGE CARTHAGINIAN CARTILAGE CARTING CARTOGRAPHER CARTOGRAPHIC CARTOGRAPHY CARTON CARTONS CARTOON CARTOONS CARTRIDGE CARTRIDGES CARTS CARTWHEEL CARTY CARUSO CARVE CARVED CARVER CARVES CARVING CARVINGS CASANOVA CASCADABLE CASCADE CASCADED CASCADES CASCADING CASE CASED CASEMENT CASEMENTS CASES CASEWORK CASEY CASH CASHED CASHER CASHERS CASHES CASHEW CASHIER CASHIERS CASHING CASHMERE CASING CASINGS CASINO CASK CASKET CASKETS CASKS CASPIAN CASSANDRA CASSEROLE CASSEROLES CASSETTE CASSIOPEIA CASSITE CASSITES CASSIUS CASSOCK CAST CASTE CASTER CASTERS CASTES CASTIGATE CASTILLO CASTING CASTLE CASTLED CASTLES CASTOR CASTRO CASTROISM CASTS CASUAL CASUALLY CASUALNESS CASUALS CASUALTIES CASUALTY CAT CATACLYSMIC CATALAN CATALINA CATALOG CATALOGED CATALOGER CATALOGING CATALOGS CATALONIA CATALYST CATALYSTS CATALYTIC CATAPULT CATARACT CATASTROPHE CATASTROPHES CATASTROPHIC CATAWBA CATCH CATCHABLE CATCHER CATCHERS CATCHES CATCHING CATEGORICAL CATEGORICALLY CATEGORIES CATEGORIZATION CATEGORIZE CATEGORIZED CATEGORIZER CATEGORIZERS CATEGORIZES CATEGORIZING CATEGORY CATER CATERED CATERER CATERING CATERPILLAR CATERPILLARS CATERS CATHEDRAL CATHEDRALS CATHERINE CATHERWOOD CATHETER CATHETERS CATHODE CATHODES CATHOLIC CATHOLICISM CATHOLICISMS CATHOLICS CATHY CATLIKE CATNIP CATS CATSKILL CATSKILLS CATSUP CATTAIL CATTLE CATTLEMAN CATTLEMEN CAUCASIAN CAUCASIANS CAUCASUS CAUCHY CAUCUS CAUGHT CAULDRON CAULDRONS CAULIFLOWER CAULK CAUSAL CAUSALITY CAUSALLY CAUSATION CAUSATIONS CAUSE CAUSED CAUSER CAUSES CAUSEWAY CAUSEWAYS CAUSING CAUSTIC CAUSTICLY CAUSTICS CAUTION CAUTIONED CAUTIONER CAUTIONERS CAUTIONING CAUTIONINGS CAUTIONS CAUTIOUS CAUTIOUSLY CAUTIOUSNESS CAVALIER CAVALIERLY CAVALIERNESS CAVALRY CAVE CAVEAT CAVEATS CAVED CAVEMAN CAVEMEN CAVENDISH CAVERN CAVERNOUS CAVERNS CAVES CAVIAR CAVIL CAVINESS CAVING CAVITIES CAVITY CAW CAWING CAYLEY CAYUGA CEASE CEASED CEASELESS CEASELESSLY CEASELESSNESS CEASES CEASING CECIL CECILIA CECROPIA CEDAR CEDE CEDED CEDING CEDRIC CEILING CEILINGS CELANESE CELEBES CELEBRATE CELEBRATED CELEBRATES CELEBRATING CELEBRATION CELEBRATIONS CELEBRITIES CELEBRITY CELERITY CELERY CELESTE CELESTIAL CELESTIALLY CELIA CELL CELLAR CELLARS CELLED CELLIST CELLISTS CELLOPHANE CELLS CELLULAR CELLULOSE CELSIUS CELT CELTIC CELTICIZE CELTICIZES CEMENT CEMENTED CEMENTING CEMENTS CEMETERIES CEMETERY CENOZOIC CENSOR CENSORED CENSORING CENSORS CENSORSHIP CENSURE CENSURED CENSURER CENSURES CENSUS CENSUSES CENT CENTAUR CENTENARY CENTENNIAL CENTER CENTERED CENTERING CENTERPIECE CENTERPIECES CENTERS CENTIGRADE CENTIMETER CENTIMETERS CENTIPEDE CENTIPEDES CENTRAL CENTRALIA CENTRALISM CENTRALIST CENTRALIZATION CENTRALIZE CENTRALIZED CENTRALIZES CENTRALIZING CENTRALLY CENTREX CENTREX CENTRIFUGAL CENTRIFUGE CENTRIPETAL CENTRIST CENTROID CENTS CENTURIES CENTURY CEPHEUS CERAMIC CERBERUS CEREAL CEREALS CEREBELLUM CEREBRAL CEREMONIAL CEREMONIALLY CEREMONIALNESS CEREMONIES CEREMONY CERES CERN CERTAIN CERTAINLY CERTAINTIES CERTAINTY CERTIFIABLE CERTIFICATE CERTIFICATES CERTIFICATION CERTIFICATIONS CERTIFIED CERTIFIER CERTIFIERS CERTIFIES CERTIFY CERTIFYING CERVANTES CESARE CESSATION CESSATIONS CESSNA CETUS CEYLON CEZANNE CEZANNES CHABLIS CHABLISES CHAD CHADWICK CHAFE CHAFER CHAFF CHAFFER CHAFFEY CHAFFING CHAFING CHAGRIN CHAIN CHAINED CHAINING CHAINS CHAIR CHAIRED CHAIRING CHAIRLADY CHAIRMAN CHAIRMEN CHAIRPERSON CHAIRPERSONS CHAIRS CHAIRWOMAN CHAIRWOMEN CHALICE CHALICES CHALK CHALKED CHALKING CHALKS CHALLENGE CHALLENGED CHALLENGER CHALLENGERS CHALLENGES CHALLENGING CHALMERS CHAMBER CHAMBERED CHAMBERLAIN CHAMBERLAINS CHAMBERMAID CHAMBERS CHAMELEON CHAMPAGNE CHAMPAIGN CHAMPION CHAMPIONED CHAMPIONING CHAMPIONS CHAMPIONSHIP CHAMPIONSHIPS CHAMPLAIN CHANCE CHANCED CHANCELLOR CHANCELLORSVILLE CHANCERY CHANCES CHANCING CHANDELIER CHANDELIERS CHANDIGARH CHANG CHANGE CHANGEABILITY CHANGEABLE CHANGEABLY CHANGED CHANGEOVER CHANGER CHANGERS CHANGES CHANGING CHANNEL CHANNELED CHANNELING CHANNELLED CHANNELLER CHANNELLERS CHANNELLING CHANNELS CHANNING CHANT CHANTED CHANTER CHANTICLEER CHANTICLEERS CHANTILLY CHANTING CHANTS CHAO CHAOS CHAOTIC CHAP CHAPEL CHAPELS CHAPERON CHAPERONE CHAPERONED CHAPLAIN CHAPLAINS CHAPLIN CHAPMAN CHAPS CHAPTER CHAPTERS CHAR CHARACTER CHARACTERISTIC CHARACTERISTICALLY CHARACTERISTICS CHARACTERIZABLE CHARACTERIZATION CHARACTERIZATIONS CHARACTERIZE CHARACTERIZED CHARACTERIZER CHARACTERIZERS CHARACTERIZES CHARACTERIZING CHARACTERS CHARCOAL CHARCOALED CHARGE CHARGEABLE CHARGED CHARGER CHARGERS CHARGES CHARGING CHARIOT CHARIOTS CHARISMA CHARISMATIC CHARITABLE CHARITABLENESS CHARITIES CHARITY CHARLEMAGNE CHARLEMAGNES CHARLES CHARLESTON CHARLEY CHARLIE CHARLOTTE CHARLOTTESVILLE CHARM CHARMED CHARMER CHARMERS CHARMING CHARMINGLY CHARMS CHARON CHARS CHART CHARTA CHARTABLE CHARTED CHARTER CHARTERED CHARTERING CHARTERS CHARTING CHARTINGS CHARTRES CHARTREUSE CHARTS CHARYBDIS CHASE CHASED CHASER CHASERS CHASES CHASING CHASM CHASMS CHASSIS CHASTE CHASTELY CHASTENESS CHASTISE CHASTISED CHASTISER CHASTISERS CHASTISES CHASTISING CHASTITY CHAT CHATEAU CHATEAUS CHATHAM CHATTAHOOCHEE CHATTANOOGA CHATTEL CHATTER CHATTERED CHATTERER CHATTERING CHATTERS CHATTING CHATTY CHAUCER CHAUFFEUR CHAUFFEURED CHAUNCEY CHAUTAUQUA CHEAP CHEAPEN CHEAPENED CHEAPENING CHEAPENS CHEAPER CHEAPEST CHEAPLY CHEAPNESS CHEAT CHEATED CHEATER CHEATERS CHEATING CHEATS CHECK CHECKABLE CHECKBOOK CHECKBOOKS CHECKED CHECKER CHECKERBOARD CHECKERBOARDED CHECKERBOARDING CHECKERS CHECKING CHECKLIST CHECKOUT CHECKPOINT CHECKPOINTS CHECKS CHECKSUM CHECKSUMMED CHECKSUMMING CHECKSUMS CHECKUP CHEEK CHEEKBONE CHEEKS CHEEKY CHEER CHEERED CHEERER CHEERFUL CHEERFULLY CHEERFULNESS CHEERILY CHEERINESS CHEERING CHEERLEADER CHEERLESS CHEERLESSLY CHEERLESSNESS CHEERS CHEERY CHEESE CHEESECLOTH CHEESES CHEESY CHEETAH CHEF CHEFS CHEKHOV CHELSEA CHEMICAL CHEMICALLY CHEMICALS CHEMISE CHEMIST CHEMISTRIES CHEMISTRY CHEMISTS CHEN CHENEY CHENG CHERISH CHERISHED CHERISHES CHERISHING CHERITON CHEROKEE CHEROKEES CHERRIES CHERRY CHERUB CHERUBIM CHERUBS CHERYL CHESAPEAKE CHESHIRE CHESS CHEST CHESTER CHESTERFIELD CHESTERTON CHESTNUT CHESTNUTS CHESTS CHEVROLET CHEVY CHEW CHEWED CHEWER CHEWERS CHEWING CHEWS CHEYENNE CHEYENNES CHIANG CHIC CHICAGO CHICAGOAN CHICAGOANS CHICANA CHICANAS CHICANERY CHICANO CHICANOS CHICK CHICKADEE CHICKADEES CHICKASAWS CHICKEN CHICKENS CHICKS CHIDE CHIDED CHIDES CHIDING CHIEF CHIEFLY CHIEFS CHIEFTAIN CHIEFTAINS CHIFFON CHILD CHILDBIRTH CHILDHOOD CHILDISH CHILDISHLY CHILDISHNESS CHILDLIKE CHILDREN CHILE CHILEAN CHILES CHILI CHILL CHILLED CHILLER CHILLERS CHILLIER CHILLINESS CHILLING CHILLINGLY CHILLS CHILLY CHIME CHIMERA CHIMES CHIMNEY CHIMNEYS CHIMPANZEE CHIN CHINA CHINAMAN CHINAMEN CHINAS CHINATOWN CHINESE CHING CHINK CHINKED CHINKS CHINNED CHINNER CHINNERS CHINNING CHINOOK CHINS CHINTZ CHIP CHIPMUNK CHIPMUNKS CHIPPENDALE CHIPPEWA CHIPS CHIROPRACTOR CHIRP CHIRPED CHIRPING CHIRPS CHISEL CHISELED CHISELER CHISELS CHISHOLM CHIT CHIVALROUS CHIVALROUSLY CHIVALROUSNESS CHIVALRY CHLOE CHLORINE CHLOROFORM CHLOROPHYLL CHLOROPLAST CHLOROPLASTS CHOCK CHOCKS CHOCOLATE CHOCOLATES CHOCTAW CHOCTAWS CHOICE CHOICES CHOICEST CHOIR CHOIRS CHOKE CHOKED CHOKER CHOKERS CHOKES CHOKING CHOLERA CHOMSKY CHOOSE CHOOSER CHOOSERS CHOOSES CHOOSING CHOP CHOPIN CHOPPED CHOPPER CHOPPERS CHOPPING CHOPPY CHOPS CHORAL CHORD CHORDATE CHORDED CHORDING CHORDS CHORE CHOREOGRAPH CHOREOGRAPHY CHORES CHORING CHORTLE CHORUS CHORUSED CHORUSES CHOSE CHOSEN CHOU CHOWDER CHRIS CHRIST CHRISTEN CHRISTENDOM CHRISTENED CHRISTENING CHRISTENS CHRISTENSEN CHRISTENSON CHRISTIAN CHRISTIANA CHRISTIANITY CHRISTIANIZATION CHRISTIANIZATIONS CHRISTIANIZE CHRISTIANIZER CHRISTIANIZERS CHRISTIANIZES CHRISTIANIZING CHRISTIANS CHRISTIANSEN CHRISTIANSON CHRISTIE CHRISTINA CHRISTINE CHRISTLIKE CHRISTMAS CHRISTOFFEL CHRISTOPH CHRISTOPHER CHRISTY CHROMATOGRAM CHROMATOGRAPH CHROMATOGRAPHY CHROME CHROMIUM CHROMOSPHERE CHRONIC CHRONICLE CHRONICLED CHRONICLER CHRONICLERS CHRONICLES CHRONOGRAPH CHRONOGRAPHY CHRONOLOGICAL CHRONOLOGICALLY CHRONOLOGIES CHRONOLOGY CHRYSANTHEMUM CHRYSLER CHUBBIER CHUBBIEST CHUBBINESS CHUBBY CHUCK CHUCKLE CHUCKLED CHUCKLES CHUCKS CHUM CHUNGKING CHUNK CHUNKS CHUNKY CHURCH CHURCHES CHURCHGOER CHURCHGOING CHURCHILL CHURCHILLIAN CHURCHLY CHURCHMAN CHURCHMEN CHURCHWOMAN CHURCHWOMEN CHURCHYARD CHURCHYARDS CHURN CHURNED CHURNING CHURNS CHUTE CHUTES CHUTZPAH CICADA CICERO CICERONIAN CICERONIANIZE CICERONIANIZES CIDER CIGAR CIGARETTE CIGARETTES CIGARS CILIA CINCINNATI CINDER CINDERELLA CINDERS CINDY CINEMA CINEMATIC CINERAMA CINNAMON CIPHER CIPHERS CIPHERTEXT CIPHERTEXTS CIRCA CIRCE CIRCLE CIRCLED CIRCLES CIRCLET CIRCLING CIRCUIT CIRCUITOUS CIRCUITOUSLY CIRCUITRY CIRCUITS CIRCULANT CIRCULAR CIRCULARITY CIRCULARLY CIRCULATE CIRCULATED CIRCULATES CIRCULATING CIRCULATION CIRCUMCISE CIRCUMCISION CIRCUMFERENCE CIRCUMFLEX CIRCUMLOCUTION CIRCUMLOCUTIONS CIRCUMNAVIGATE CIRCUMNAVIGATED CIRCUMNAVIGATES CIRCUMPOLAR CIRCUMSCRIBE CIRCUMSCRIBED CIRCUMSCRIBING CIRCUMSCRIPTION CIRCUMSPECT CIRCUMSPECTION CIRCUMSPECTLY CIRCUMSTANCE CIRCUMSTANCED CIRCUMSTANCES CIRCUMSTANTIAL CIRCUMSTANTIALLY CIRCUMVENT CIRCUMVENTABLE CIRCUMVENTED CIRCUMVENTING CIRCUMVENTS CIRCUS CIRCUSES CISTERN CISTERNS CITADEL CITADELS CITATION CITATIONS CITE CITED CITES CITIES CITING CITIZEN CITIZENS CITIZENSHIP CITROEN CITRUS CITY CITYSCAPE CITYWIDE CIVET CIVIC CIVICS CIVIL CIVILIAN CIVILIANS CIVILITY CIVILIZATION CIVILIZATIONS CIVILIZE CIVILIZED CIVILIZES CIVILIZING CIVILLY CLAD CLADDING CLAIM CLAIMABLE CLAIMANT CLAIMANTS CLAIMED CLAIMING CLAIMS CLAIRE CLAIRVOYANT CLAIRVOYANTLY CLAM CLAMBER CLAMBERED CLAMBERING CLAMBERS CLAMOR CLAMORED CLAMORING CLAMOROUS CLAMORS CLAMP CLAMPED CLAMPING CLAMPS CLAMS CLAN CLANDESTINE CLANG CLANGED CLANGING CLANGS CLANK CLANNISH CLAP CLAPBOARD CLAPEYRON CLAPPING CLAPS CLARA CLARE CLAREMONT CLARENCE CLARENDON CLARIFICATION CLARIFICATIONS CLARIFIED CLARIFIES CLARIFY CLARIFYING CLARINET CLARITY CLARK CLARKE CLARRIDGE CLASH CLASHED CLASHES CLASHING CLASP CLASPED CLASPING CLASPS CLASS CLASSED CLASSES CLASSIC CLASSICAL CLASSICALLY CLASSICS CLASSIFIABLE CLASSIFICATION CLASSIFICATIONS CLASSIFIED CLASSIFIER CLASSIFIERS CLASSIFIES CLASSIFY CLASSIFYING CLASSMATE CLASSMATES CLASSROOM CLASSROOMS CLASSY CLATTER CLATTERED CLATTERING CLAUDE CLAUDIA CLAUDIO CLAUS CLAUSE CLAUSEN CLAUSES CLAUSIUS CLAUSTROPHOBIA CLAUSTROPHOBIC CLAW CLAWED CLAWING CLAWS CLAY CLAYS CLAYTON CLEAN CLEANED CLEANER CLEANERS CLEANEST CLEANING CLEANLINESS CLEANLY CLEANNESS CLEANS CLEANSE CLEANSED CLEANSER CLEANSERS CLEANSES CLEANSING CLEANUP CLEAR CLEARANCE CLEARANCES CLEARED CLEARER CLEAREST CLEARING CLEARINGS CLEARLY CLEARNESS CLEARS CLEARWATER CLEAVAGE CLEAVE CLEAVED CLEAVER CLEAVERS CLEAVES CLEAVING CLEFT CLEFTS CLEMENCY CLEMENS CLEMENT CLEMENTE CLEMSON CLENCH CLENCHED CLENCHES CLERGY CLERGYMAN CLERGYMEN CLERICAL CLERK CLERKED CLERKING CLERKS CLEVELAND CLEVER CLEVERER CLEVEREST CLEVERLY CLEVERNESS CLICHE CLICHES CLICK CLICKED CLICKING CLICKS CLIENT CLIENTELE CLIENTS CLIFF CLIFFORD CLIFFS CLIFTON CLIMATE CLIMATES CLIMATIC CLIMATICALLY CLIMATOLOGY CLIMAX CLIMAXED CLIMAXES CLIMB CLIMBED CLIMBER CLIMBERS CLIMBING CLIMBS CLIME CLIMES CLINCH CLINCHED CLINCHER CLINCHES CLING CLINGING CLINGS CLINIC CLINICAL CLINICALLY CLINICIAN CLINICS CLINK CLINKED CLINKER CLINT CLINTON CLIO CLIP CLIPBOARD CLIPPED CLIPPER CLIPPERS CLIPPING CLIPPINGS CLIPS CLIQUE CLIQUES CLITORIS CLIVE CLOAK CLOAKROOM CLOAKS CLOBBER CLOBBERED CLOBBERING CLOBBERS CLOCK CLOCKED CLOCKER CLOCKERS CLOCKING CLOCKINGS CLOCKS CLOCKWATCHER CLOCKWISE CLOCKWORK CLOD CLODS CLOG CLOGGED CLOGGING CLOGS CLOISTER CLOISTERS CLONE CLONED CLONES CLONING CLOSE CLOSED CLOSELY CLOSENESS CLOSENESSES CLOSER CLOSERS CLOSES CLOSEST CLOSET CLOSETED CLOSETS CLOSEUP CLOSING CLOSURE CLOSURES CLOT CLOTH CLOTHE CLOTHED CLOTHES CLOTHESHORSE CLOTHESLINE CLOTHING CLOTHO CLOTTING CLOTURE CLOUD CLOUDBURST CLOUDED CLOUDIER CLOUDIEST CLOUDINESS CLOUDING CLOUDLESS CLOUDS CLOUDY CLOUT CLOVE CLOVER CLOVES CLOWN CLOWNING CLOWNS CLUB CLUBBED CLUBBING CLUBHOUSE CLUBROOM CLUBS CLUCK CLUCKED CLUCKING CLUCKS CLUE CLUES CLUJ CLUMP CLUMPED CLUMPING CLUMPS CLUMSILY CLUMSINESS CLUMSY CLUNG CLUSTER CLUSTERED CLUSTERING CLUSTERINGS CLUSTERS CLUTCH CLUTCHED CLUTCHES CLUTCHING CLUTTER CLUTTERED CLUTTERING CLUTTERS CLYDE CLYTEMNESTRA COACH COACHED COACHER COACHES COACHING COACHMAN COACHMEN COAGULATE COAL COALESCE COALESCED COALESCES COALESCING COALITION COALS COARSE COARSELY COARSEN COARSENED COARSENESS COARSER COARSEST COAST COASTAL COASTED COASTER COASTERS COASTING COASTLINE COASTS COAT COATED COATES COATING COATINGS COATS COATTAIL COAUTHOR COAX COAXED COAXER COAXES COAXIAL COAXING COBALT COBB COBBLE COBBLER COBBLERS COBBLESTONE COBOL COBOL COBRA COBWEB COBWEBS COCA COCAINE COCHISE COCHRAN COCHRANE COCK COCKED COCKING COCKPIT COCKROACH COCKS COCKTAIL COCKTAILS COCKY COCO COCOA COCONUT COCONUTS COCOON COCOONS COD CODDINGTON CODDLE CODE CODED CODEINE CODER CODERS CODES CODEWORD CODEWORDS CODFISH CODICIL CODIFICATION CODIFICATIONS CODIFIED CODIFIER CODIFIERS CODIFIES CODIFY CODIFYING CODING CODINGS CODPIECE CODY COED COEDITOR COEDUCATION COEFFICIENT COEFFICIENTS COEQUAL COERCE COERCED COERCES COERCIBLE COERCING COERCION COERCIVE COEXIST COEXISTED COEXISTENCE COEXISTING COEXISTS COFACTOR COFFEE COFFEECUP COFFEEPOT COFFEES COFFER COFFERS COFFEY COFFIN COFFINS COFFMAN COG COGENT COGENTLY COGITATE COGITATED COGITATES COGITATING COGITATION COGNAC COGNITION COGNITIVE COGNITIVELY COGNIZANCE COGNIZANT COGS COHABITATION COHABITATIONS COHEN COHERE COHERED COHERENCE COHERENT COHERENTLY COHERES COHERING COHESION COHESIVE COHESIVELY COHESIVENESS COHN COHORT COIL COILED COILING COILS COIN COINAGE COINCIDE COINCIDED COINCIDENCE COINCIDENCES COINCIDENT COINCIDENTAL COINCIDES COINCIDING COINED COINER COINING COINS COKE COKES COLANDER COLBY COLD COLDER COLDEST COLDLY COLDNESS COLDS COLE COLEMAN COLERIDGE COLETTE COLGATE COLICKY COLIFORM COLISEUM COLLABORATE COLLABORATED COLLABORATES COLLABORATING COLLABORATION COLLABORATIONS COLLABORATIVE COLLABORATOR COLLABORATORS COLLAGEN COLLAPSE COLLAPSED COLLAPSES COLLAPSIBLE COLLAPSING COLLAR COLLARBONE COLLARED COLLARING COLLARS COLLATE COLLATERAL COLLEAGUE COLLEAGUES COLLECT COLLECTED COLLECTIBLE COLLECTING COLLECTION COLLECTIONS COLLECTIVE COLLECTIVELY COLLECTIVES COLLECTOR COLLECTORS COLLECTS COLLEGE COLLEGES COLLEGIAN COLLEGIATE COLLIDE COLLIDED COLLIDES COLLIDING COLLIE COLLIER COLLIES COLLINS COLLISION COLLISIONS COLLOIDAL COLLOQUIA COLLOQUIAL COLLOQUIUM COLLOQUY COLLUSION COLOGNE COLOMBIA COLOMBIAN COLOMBIANS COLOMBO COLON COLONEL COLONELS COLONIAL COLONIALLY COLONIALS COLONIES COLONIST COLONISTS COLONIZATION COLONIZE COLONIZED COLONIZER COLONIZERS COLONIZES COLONIZING COLONS COLONY COLOR COLORADO COLORED COLORER COLORERS COLORFUL COLORING COLORINGS COLORLESS COLORS COLOSSAL COLOSSEUM COLT COLTS COLUMBIA COLUMBIAN COLUMBUS COLUMN COLUMNIZE COLUMNIZED COLUMNIZES COLUMNIZING COLUMNS COMANCHE COMB COMBAT COMBATANT COMBATANTS COMBATED COMBATING COMBATIVE COMBATS COMBED COMBER COMBERS COMBINATION COMBINATIONAL COMBINATIONS COMBINATOR COMBINATORIAL COMBINATORIALLY COMBINATORIC COMBINATORICS COMBINATORS COMBINE COMBINED COMBINES COMBING COMBINGS COMBINING COMBS COMBUSTIBLE COMBUSTION COMDEX COME COMEBACK COMEDIAN COMEDIANS COMEDIC COMEDIES COMEDY COMELINESS COMELY COMER COMERS COMES COMESTIBLE COMET COMETARY COMETS COMFORT COMFORTABILITIES COMFORTABILITY COMFORTABLE COMFORTABLY COMFORTED COMFORTER COMFORTERS COMFORTING COMFORTINGLY COMFORTS COMIC COMICAL COMICALLY COMICS COMINFORM COMING COMINGS COMMA COMMAND COMMANDANT COMMANDANTS COMMANDED COMMANDEER COMMANDER COMMANDERS COMMANDING COMMANDINGLY COMMANDMENT COMMANDMENTS COMMANDO COMMANDS COMMAS COMMEMORATE COMMEMORATED COMMEMORATES COMMEMORATING COMMEMORATION COMMEMORATIVE COMMENCE COMMENCED COMMENCEMENT COMMENCEMENTS COMMENCES COMMENCING COMMEND COMMENDATION COMMENDATIONS COMMENDED COMMENDING COMMENDS COMMENSURATE COMMENT COMMENTARIES COMMENTARY COMMENTATOR COMMENTATORS COMMENTED COMMENTING COMMENTS COMMERCE COMMERCIAL COMMERCIALLY COMMERCIALNESS COMMERCIALS COMMISSION COMMISSIONED COMMISSIONER COMMISSIONERS COMMISSIONING COMMISSIONS COMMIT COMMITMENT COMMITMENTS COMMITS COMMITTED COMMITTEE COMMITTEEMAN COMMITTEEMEN COMMITTEES COMMITTEEWOMAN COMMITTEEWOMEN COMMITTING COMMODITIES COMMODITY COMMODORE COMMODORES COMMON COMMONALITIES COMMONALITY COMMONER COMMONERS COMMONEST COMMONLY COMMONNESS COMMONPLACE COMMONPLACES COMMONS COMMONWEALTH COMMONWEALTHS COMMOTION COMMUNAL COMMUNALLY COMMUNE COMMUNES COMMUNICANT COMMUNICANTS COMMUNICATE COMMUNICATED COMMUNICATES COMMUNICATING COMMUNICATION COMMUNICATIONS COMMUNICATIVE COMMUNICATOR COMMUNICATORS COMMUNION COMMUNIST COMMUNISTS COMMUNITIES COMMUNITY COMMUTATIVE COMMUTATIVITY COMMUTE COMMUTED COMMUTER COMMUTERS COMMUTES COMMUTING COMPACT COMPACTED COMPACTER COMPACTEST COMPACTING COMPACTION COMPACTLY COMPACTNESS COMPACTOR COMPACTORS COMPACTS COMPANIES COMPANION COMPANIONABLE COMPANIONS COMPANIONSHIP COMPANY COMPARABILITY COMPARABLE COMPARABLY COMPARATIVE COMPARATIVELY COMPARATIVES COMPARATOR COMPARATORS COMPARE COMPARED COMPARES COMPARING COMPARISON COMPARISONS COMPARTMENT COMPARTMENTALIZE COMPARTMENTALIZED COMPARTMENTALIZES COMPARTMENTALIZING COMPARTMENTED COMPARTMENTS COMPASS COMPASSION COMPASSIONATE COMPASSIONATELY COMPATIBILITIES COMPATIBILITY COMPATIBLE COMPATIBLES COMPATIBLY COMPEL COMPELLED COMPELLING COMPELLINGLY COMPELS COMPENDIUM COMPENSATE COMPENSATED COMPENSATES COMPENSATING COMPENSATION COMPENSATIONS COMPENSATORY COMPETE COMPETED COMPETENCE COMPETENCY COMPETENT COMPETENTLY COMPETES COMPETING COMPETITION COMPETITIONS COMPETITIVE COMPETITIVELY COMPETITOR COMPETITORS COMPILATION COMPILATIONS COMPILE COMPILED COMPILER COMPILERS COMPILES COMPILING COMPLACENCY COMPLAIN COMPLAINED COMPLAINER COMPLAINERS COMPLAINING COMPLAINS COMPLAINT COMPLAINTS COMPLEMENT COMPLEMENTARY COMPLEMENTED COMPLEMENTER COMPLEMENTERS COMPLEMENTING COMPLEMENTS COMPLETE COMPLETED COMPLETELY COMPLETENESS COMPLETES COMPLETING COMPLETION COMPLETIONS COMPLEX COMPLEXES COMPLEXION COMPLEXITIES COMPLEXITY COMPLEXLY COMPLIANCE COMPLIANT COMPLICATE COMPLICATED COMPLICATES COMPLICATING COMPLICATION COMPLICATIONS COMPLICATOR COMPLICATORS COMPLICITY COMPLIED COMPLIMENT COMPLIMENTARY COMPLIMENTED COMPLIMENTER COMPLIMENTERS COMPLIMENTING COMPLIMENTS COMPLY COMPLYING COMPONENT COMPONENTRY COMPONENTS COMPONENTWISE COMPOSE COMPOSED COMPOSEDLY COMPOSER COMPOSERS COMPOSES COMPOSING COMPOSITE COMPOSITES COMPOSITION COMPOSITIONAL COMPOSITIONS COMPOST COMPOSURE COMPOUND COMPOUNDED COMPOUNDING COMPOUNDS COMPREHEND COMPREHENDED COMPREHENDING COMPREHENDS COMPREHENSIBILITY COMPREHENSIBLE COMPREHENSION COMPREHENSIVE COMPREHENSIVELY COMPRESS COMPRESSED COMPRESSES COMPRESSIBLE COMPRESSING COMPRESSION COMPRESSIVE COMPRESSOR COMPRISE COMPRISED COMPRISES COMPRISING COMPROMISE COMPROMISED COMPROMISER COMPROMISERS COMPROMISES COMPROMISING COMPROMISINGLY COMPTON COMPTROLLER COMPTROLLERS COMPULSION COMPULSIONS COMPULSIVE COMPULSORY COMPUNCTION COMPUSERVE COMPUTABILITY COMPUTABLE COMPUTATION COMPUTATIONAL COMPUTATIONALLY COMPUTATIONS COMPUTE COMPUTED COMPUTER COMPUTERIZE COMPUTERIZED COMPUTERIZES COMPUTERIZING COMPUTERS COMPUTES COMPUTING COMRADE COMRADELY COMRADES COMRADESHIP CON CONAKRY CONANT CONCATENATE CONCATENATED CONCATENATES CONCATENATING CONCATENATION CONCATENATIONS CONCAVE CONCEAL CONCEALED CONCEALER CONCEALERS CONCEALING CONCEALMENT CONCEALS CONCEDE CONCEDED CONCEDES CONCEDING CONCEIT CONCEITED CONCEITS CONCEIVABLE CONCEIVABLY CONCEIVE CONCEIVED CONCEIVES CONCEIVING CONCENTRATE CONCENTRATED CONCENTRATES CONCENTRATING CONCENTRATION CONCENTRATIONS CONCENTRATOR CONCENTRATORS CONCENTRIC CONCEPT CONCEPTION CONCEPTIONS CONCEPTS CONCEPTUAL CONCEPTUALIZATION CONCEPTUALIZATIONS CONCEPTUALIZE CONCEPTUALIZED CONCEPTUALIZES CONCEPTUALIZING CONCEPTUALLY CONCERN CONCERNED CONCERNEDLY CONCERNING CONCERNS CONCERT CONCERTED CONCERTMASTER CONCERTO CONCERTS CONCESSION CONCESSIONS CONCILIATE CONCILIATORY CONCISE CONCISELY CONCISENESS CONCLAVE CONCLUDE CONCLUDED CONCLUDES CONCLUDING CONCLUSION CONCLUSIONS CONCLUSIVE CONCLUSIVELY CONCOCT CONCOMITANT CONCORD CONCORDANT CONCORDE CONCORDIA CONCOURSE CONCRETE CONCRETELY CONCRETENESS CONCRETES CONCRETION CONCUBINE CONCUR CONCURRED CONCURRENCE CONCURRENCIES CONCURRENCY CONCURRENT CONCURRENTLY CONCURRING CONCURS CONCUSSION CONDEMN CONDEMNATION CONDEMNATIONS CONDEMNED CONDEMNER CONDEMNERS CONDEMNING CONDEMNS CONDENSATION CONDENSE CONDENSED CONDENSER CONDENSES CONDENSING CONDESCEND CONDESCENDING CONDITION CONDITIONAL CONDITIONALLY CONDITIONALS CONDITIONED CONDITIONER CONDITIONERS CONDITIONING CONDITIONS CONDOM CONDONE CONDONED CONDONES CONDONING CONDUCE CONDUCIVE CONDUCIVENESS CONDUCT CONDUCTANCE CONDUCTED CONDUCTING CONDUCTION CONDUCTIVE CONDUCTIVITY CONDUCTOR CONDUCTORS CONDUCTS CONDUIT CONE CONES CONESTOGA CONFECTIONERY CONFEDERACY CONFEDERATE CONFEDERATES CONFEDERATION CONFEDERATIONS CONFER CONFEREE CONFERENCE CONFERENCES CONFERRED CONFERRER CONFERRERS CONFERRING CONFERS CONFESS CONFESSED CONFESSES CONFESSING CONFESSION CONFESSIONS CONFESSOR CONFESSORS CONFIDANT CONFIDANTS CONFIDE CONFIDED CONFIDENCE CONFIDENCES CONFIDENT CONFIDENTIAL CONFIDENTIALITY CONFIDENTIALLY CONFIDENTLY CONFIDES CONFIDING CONFIDINGLY CONFIGURABLE CONFIGURATION CONFIGURATIONS CONFIGURE CONFIGURED CONFIGURES CONFIGURING CONFINE CONFINED CONFINEMENT CONFINEMENTS CONFINER CONFINES CONFINING CONFIRM CONFIRMATION CONFIRMATIONS CONFIRMATORY CONFIRMED CONFIRMING CONFIRMS CONFISCATE CONFISCATED CONFISCATES CONFISCATING CONFISCATION CONFISCATIONS CONFLAGRATION CONFLICT CONFLICTED CONFLICTING CONFLICTS CONFLUENT CONFOCAL CONFORM CONFORMAL CONFORMANCE CONFORMED CONFORMING CONFORMITY CONFORMS CONFOUND CONFOUNDED CONFOUNDING CONFOUNDS CONFRONT CONFRONTATION CONFRONTATIONS CONFRONTED CONFRONTER CONFRONTERS CONFRONTING CONFRONTS CONFUCIAN CONFUCIANISM CONFUCIUS CONFUSE CONFUSED CONFUSER CONFUSERS CONFUSES CONFUSING CONFUSINGLY CONFUSION CONFUSIONS CONGENIAL CONGENIALLY CONGENITAL CONGEST CONGESTED CONGESTION CONGESTIVE CONGLOMERATE CONGO CONGOLESE CONGRATULATE CONGRATULATED CONGRATULATION CONGRATULATIONS CONGRATULATORY CONGREGATE CONGREGATED CONGREGATES CONGREGATING CONGREGATION CONGREGATIONS CONGRESS CONGRESSES CONGRESSIONAL CONGRESSIONALLY CONGRESSMAN CONGRESSMEN CONGRESSWOMAN CONGRESSWOMEN CONGRUENCE CONGRUENT CONIC CONIFER CONIFEROUS CONJECTURE CONJECTURED CONJECTURES CONJECTURING CONJOINED CONJUGAL CONJUGATE CONJUNCT CONJUNCTED CONJUNCTION CONJUNCTIONS CONJUNCTIVE CONJUNCTIVELY CONJUNCTS CONJUNCTURE CONJURE CONJURED CONJURER CONJURES CONJURING CONKLIN CONLEY CONNALLY CONNECT CONNECTED CONNECTEDNESS CONNECTICUT CONNECTING CONNECTION CONNECTIONLESS CONNECTIONS CONNECTIVE CONNECTIVES CONNECTIVITY CONNECTOR CONNECTORS CONNECTS CONNELLY CONNER CONNIE CONNIVANCE CONNIVE CONNOISSEUR CONNOISSEURS CONNORS CONNOTATION CONNOTATIVE CONNOTE CONNOTED CONNOTES CONNOTING CONNUBIAL CONQUER CONQUERABLE CONQUERED CONQUERER CONQUERERS CONQUERING CONQUEROR CONQUERORS CONQUERS CONQUEST CONQUESTS CONRAD CONRAIL CONSCIENCE CONSCIENCES CONSCIENTIOUS CONSCIENTIOUSLY CONSCIOUS CONSCIOUSLY CONSCIOUSNESS CONSCRIPT CONSCRIPTION CONSECRATE CONSECRATION CONSECUTIVE CONSECUTIVELY CONSENSUAL CONSENSUS CONSENT CONSENTED CONSENTER CONSENTERS CONSENTING CONSENTS CONSEQUENCE CONSEQUENCES CONSEQUENT CONSEQUENTIAL CONSEQUENTIALITIES CONSEQUENTIALITY CONSEQUENTLY CONSEQUENTS CONSERVATION CONSERVATIONIST CONSERVATIONISTS CONSERVATIONS CONSERVATISM CONSERVATIVE CONSERVATIVELY CONSERVATIVES CONSERVATOR CONSERVE CONSERVED CONSERVES CONSERVING CONSIDER CONSIDERABLE CONSIDERABLY CONSIDERATE CONSIDERATELY CONSIDERATION CONSIDERATIONS CONSIDERED CONSIDERING CONSIDERS CONSIGN CONSIGNED CONSIGNING CONSIGNS CONSIST CONSISTED CONSISTENCY CONSISTENT CONSISTENTLY CONSISTING CONSISTS CONSOLABLE CONSOLATION CONSOLATIONS CONSOLE CONSOLED CONSOLER CONSOLERS CONSOLES CONSOLIDATE CONSOLIDATED CONSOLIDATES CONSOLIDATING CONSOLIDATION CONSOLING CONSOLINGLY CONSONANT CONSONANTS CONSORT CONSORTED CONSORTING CONSORTIUM CONSORTS CONSPICUOUS CONSPICUOUSLY CONSPIRACIES CONSPIRACY CONSPIRATOR CONSPIRATORS CONSPIRE CONSPIRED CONSPIRES CONSPIRING CONSTABLE CONSTABLES CONSTANCE CONSTANCY CONSTANT CONSTANTINE CONSTANTINOPLE CONSTANTLY CONSTANTS CONSTELLATION CONSTELLATIONS CONSTERNATION CONSTITUENCIES CONSTITUENCY CONSTITUENT CONSTITUENTS CONSTITUTE CONSTITUTED CONSTITUTES CONSTITUTING CONSTITUTION CONSTITUTIONAL CONSTITUTIONALITY CONSTITUTIONALLY CONSTITUTIONS CONSTITUTIVE CONSTRAIN CONSTRAINED CONSTRAINING CONSTRAINS CONSTRAINT CONSTRAINTS CONSTRICT CONSTRUCT CONSTRUCTED CONSTRUCTIBILITY CONSTRUCTIBLE CONSTRUCTING CONSTRUCTION CONSTRUCTIONS CONSTRUCTIVE CONSTRUCTIVELY CONSTRUCTOR CONSTRUCTORS CONSTRUCTS CONSTRUE CONSTRUED CONSTRUING CONSUL CONSULAR CONSULATE CONSULATES CONSULS CONSULT CONSULTANT CONSULTANTS CONSULTATION CONSULTATIONS CONSULTATIVE CONSULTED CONSULTING CONSULTS CONSUMABLE CONSUME CONSUMED CONSUMER CONSUMERS CONSUMES CONSUMING CONSUMMATE CONSUMMATED CONSUMMATELY CONSUMMATION CONSUMPTION CONSUMPTIONS CONSUMPTIVE CONSUMPTIVELY CONTACT CONTACTED CONTACTING CONTACTS CONTAGION CONTAGIOUS CONTAGIOUSLY CONTAIN CONTAINABLE CONTAINED CONTAINER CONTAINERS CONTAINING CONTAINMENT CONTAINMENTS CONTAINS CONTAMINATE CONTAMINATED CONTAMINATES CONTAMINATING CONTAMINATION CONTEMPLATE CONTEMPLATED CONTEMPLATES CONTEMPLATING CONTEMPLATION CONTEMPLATIONS CONTEMPLATIVE CONTEMPORARIES CONTEMPORARINESS CONTEMPORARY CONTEMPT CONTEMPTIBLE CONTEMPTUOUS CONTEMPTUOUSLY CONTEND CONTENDED CONTENDER CONTENDERS CONTENDING CONTENDS CONTENT CONTENTED CONTENTING CONTENTION CONTENTIONS CONTENTLY CONTENTMENT CONTENTS CONTEST CONTESTABLE CONTESTANT CONTESTED CONTESTER CONTESTERS CONTESTING CONTESTS CONTEXT CONTEXTS CONTEXTUAL CONTEXTUALLY CONTIGUITY CONTIGUOUS CONTIGUOUSLY CONTINENT CONTINENTAL CONTINENTALLY CONTINENTS CONTINGENCIES CONTINGENCY CONTINGENT CONTINGENTS CONTINUAL CONTINUALLY CONTINUANCE CONTINUANCES CONTINUATION CONTINUATIONS CONTINUE CONTINUED CONTINUES CONTINUING CONTINUITIES CONTINUITY CONTINUOUS CONTINUOUSLY CONTINUUM CONTORTIONS CONTOUR CONTOURED CONTOURING CONTOURS CONTRABAND CONTRACEPTION CONTRACEPTIVE CONTRACT CONTRACTED CONTRACTING CONTRACTION CONTRACTIONS CONTRACTOR CONTRACTORS CONTRACTS CONTRACTUAL CONTRACTUALLY CONTRADICT CONTRADICTED CONTRADICTING CONTRADICTION CONTRADICTIONS CONTRADICTORY CONTRADICTS CONTRADISTINCTION CONTRADISTINCTIONS CONTRAPOSITIVE CONTRAPOSITIVES CONTRAPTION CONTRAPTIONS CONTRARINESS CONTRARY CONTRAST CONTRASTED CONTRASTER CONTRASTERS CONTRASTING CONTRASTINGLY CONTRASTS CONTRIBUTE CONTRIBUTED CONTRIBUTES CONTRIBUTING CONTRIBUTION CONTRIBUTIONS CONTRIBUTOR CONTRIBUTORILY CONTRIBUTORS CONTRIBUTORY CONTRITE CONTRITION CONTRIVANCE CONTRIVANCES CONTRIVE CONTRIVED CONTRIVER CONTRIVES CONTRIVING CONTROL CONTROLLABILITY CONTROLLABLE CONTROLLABLY CONTROLLED CONTROLLER CONTROLLERS CONTROLLING CONTROLS CONTROVERSIAL CONTROVERSIES CONTROVERSY CONTROVERTIBLE CONTUMACIOUS CONTUMACY CONUNDRUM CONUNDRUMS CONVAIR CONVALESCENT CONVECT CONVENE CONVENED CONVENES CONVENIENCE CONVENIENCES CONVENIENT CONVENIENTLY CONVENING CONVENT CONVENTION CONVENTIONAL CONVENTIONALLY CONVENTIONS CONVENTS CONVERGE CONVERGED CONVERGENCE CONVERGENT CONVERGES CONVERGING CONVERSANT CONVERSANTLY CONVERSATION CONVERSATIONAL CONVERSATIONALLY CONVERSATIONS CONVERSE CONVERSED CONVERSELY CONVERSES CONVERSING CONVERSION CONVERSIONS CONVERT CONVERTED CONVERTER CONVERTERS CONVERTIBILITY CONVERTIBLE CONVERTING CONVERTS CONVEX CONVEY CONVEYANCE CONVEYANCES CONVEYED CONVEYER CONVEYERS CONVEYING CONVEYOR CONVEYS CONVICT CONVICTED CONVICTING CONVICTION CONVICTIONS CONVICTS CONVINCE CONVINCED CONVINCER CONVINCERS CONVINCES CONVINCING CONVINCINGLY CONVIVIAL CONVOKE CONVOLUTED CONVOLUTION CONVOY CONVOYED CONVOYING CONVOYS CONVULSE CONVULSION CONVULSIONS CONWAY COO COOING COOK COOKBOOK COOKE COOKED COOKERY COOKIE COOKIES COOKING COOKS COOKY COOL COOLED COOLER COOLERS COOLEST COOLEY COOLIDGE COOLIE COOLIES COOLING COOLLY COOLNESS COOLS COON COONS COOP COOPED COOPER COOPERATE COOPERATED COOPERATES COOPERATING COOPERATION COOPERATIONS COOPERATIVE COOPERATIVELY COOPERATIVES COOPERATOR COOPERATORS COOPERS COOPS COORDINATE COORDINATED COORDINATES COORDINATING COORDINATION COORDINATIONS COORDINATOR COORDINATORS COORS COP COPE COPED COPELAND COPENHAGEN COPERNICAN COPERNICUS COPES COPIED COPIER COPIERS COPIES COPING COPINGS COPIOUS COPIOUSLY COPIOUSNESS COPLANAR COPPER COPPERFIELD COPPERHEAD COPPERS COPRA COPROCESSOR COPS COPSE COPY COPYING COPYRIGHT COPYRIGHTABLE COPYRIGHTED COPYRIGHTS COPYWRITER COQUETTE CORAL CORBETT CORCORAN CORD CORDED CORDER CORDIAL CORDIALITY CORDIALLY CORDS CORE CORED CORER CORERS CORES COREY CORIANDER CORING CORINTH CORINTHIAN CORINTHIANIZE CORINTHIANIZES CORINTHIANS CORIOLANUS CORK CORKED CORKER CORKERS CORKING CORKS CORKSCREW CORMORANT CORN CORNEA CORNELIA CORNELIAN CORNELIUS CORNELL CORNER CORNERED CORNERS CORNERSTONE CORNERSTONES CORNET CORNFIELD CORNFIELDS CORNING CORNISH CORNMEAL CORNS CORNSTARCH CORNUCOPIA CORNWALL CORNWALLIS CORNY COROLLARIES COROLLARY CORONADO CORONARIES CORONARY CORONATION CORONER CORONET CORONETS COROUTINE COROUTINES CORPORAL CORPORALS CORPORATE CORPORATELY CORPORATION CORPORATIONS CORPS CORPSE CORPSES CORPULENT CORPUS CORPUSCULAR CORRAL CORRECT CORRECTABLE CORRECTED CORRECTING CORRECTION CORRECTIONS CORRECTIVE CORRECTIVELY CORRECTIVES CORRECTLY CORRECTNESS CORRECTOR CORRECTS CORRELATE CORRELATED CORRELATES CORRELATING CORRELATION CORRELATIONS CORRELATIVE CORRESPOND CORRESPONDED CORRESPONDENCE CORRESPONDENCES CORRESPONDENT CORRESPONDENTS CORRESPONDING CORRESPONDINGLY CORRESPONDS CORRIDOR CORRIDORS CORRIGENDA CORRIGENDUM CORRIGIBLE CORROBORATE CORROBORATED CORROBORATES CORROBORATING CORROBORATION CORROBORATIONS CORROBORATIVE CORRODE CORROSION CORROSIVE CORRUGATE CORRUPT CORRUPTED CORRUPTER CORRUPTIBLE CORRUPTING CORRUPTION CORRUPTIONS CORRUPTS CORSET CORSICA CORSICAN CORTEX CORTEZ CORTICAL CORTLAND CORVALLIS CORVUS CORYDORAS COSGROVE COSINE COSINES COSMETIC COSMETICS COSMIC COSMOLOGY COSMOPOLITAN COSMOS COSPONSOR COSSACK COST COSTA COSTED COSTELLO COSTING COSTLY COSTS COSTUME COSTUMED COSTUMER COSTUMES COSTUMING COSY COT COTANGENT COTILLION COTS COTTAGE COTTAGER COTTAGES COTTON COTTONMOUTH COTTONS COTTONSEED COTTONWOOD COTTRELL COTYLEDON COTYLEDONS COUCH COUCHED COUCHES COUCHING COUGAR COUGH COUGHED COUGHING COUGHS COULD COULOMB COULTER COUNCIL COUNCILLOR COUNCILLORS COUNCILMAN COUNCILMEN COUNCILS COUNCILWOMAN COUNCILWOMEN COUNSEL COUNSELED COUNSELING COUNSELLED COUNSELLING COUNSELLOR COUNSELLORS COUNSELOR COUNSELORS COUNSELS COUNT COUNTABLE COUNTABLY COUNTED COUNTENANCE COUNTER COUNTERACT COUNTERACTED COUNTERACTING COUNTERACTIVE COUNTERARGUMENT COUNTERATTACK COUNTERBALANCE COUNTERCLOCKWISE COUNTERED COUNTEREXAMPLE COUNTEREXAMPLES COUNTERFEIT COUNTERFEITED COUNTERFEITER COUNTERFEITING COUNTERFLOW COUNTERING COUNTERINTUITIVE COUNTERMAN COUNTERMEASURE COUNTERMEASURES COUNTERMEN COUNTERPART COUNTERPARTS COUNTERPOINT COUNTERPOINTING COUNTERPOISE COUNTERPRODUCTIVE COUNTERPROPOSAL COUNTERREVOLUTION COUNTERS COUNTERSINK COUNTERSUNK COUNTESS COUNTIES COUNTING COUNTLESS COUNTRIES COUNTRY COUNTRYMAN COUNTRYMEN COUNTRYSIDE COUNTRYWIDE COUNTS COUNTY COUNTYWIDE COUPLE COUPLED COUPLER COUPLERS COUPLES COUPLING COUPLINGS COUPON COUPONS COURAGE COURAGEOUS COURAGEOUSLY COURIER COURIERS COURSE COURSED COURSER COURSES COURSING COURT COURTED COURTEOUS COURTEOUSLY COURTER COURTERS COURTESAN COURTESIES COURTESY COURTHOUSE COURTHOUSES COURTIER COURTIERS COURTING COURTLY COURTNEY COURTROOM COURTROOMS COURTS COURTSHIP COURTYARD COURTYARDS COUSIN COUSINS COVALENT COVARIANT COVE COVENANT COVENANTS COVENT COVENTRY COVER COVERABLE COVERAGE COVERED COVERING COVERINGS COVERLET COVERLETS COVERS COVERT COVERTLY COVES COVET COVETED COVETING COVETOUS COVETOUSNESS COVETS COW COWAN COWARD COWARDICE COWARDLY COWBOY COWBOYS COWED COWER COWERED COWERER COWERERS COWERING COWERINGLY COWERS COWHERD COWHIDE COWING COWL COWLICK COWLING COWLS COWORKER COWS COWSLIP COWSLIPS COYOTE COYOTES COYPU COZIER COZINESS COZY CRAB CRABAPPLE CRABS CRACK CRACKED CRACKER CRACKERS CRACKING CRACKLE CRACKLED CRACKLES CRACKLING CRACKPOT CRACKS CRADLE CRADLED CRADLES CRAFT CRAFTED CRAFTER CRAFTINESS CRAFTING CRAFTS CRAFTSMAN CRAFTSMEN CRAFTSPEOPLE CRAFTSPERSON CRAFTY CRAG CRAGGY CRAGS CRAIG CRAM CRAMER CRAMMING CRAMP CRAMPS CRAMS CRANBERRIES CRANBERRY CRANDALL CRANE CRANES CRANFORD CRANIA CRANIUM CRANK CRANKCASE CRANKED CRANKIER CRANKIEST CRANKILY CRANKING CRANKS CRANKSHAFT CRANKY CRANNY CRANSTON CRASH CRASHED CRASHER CRASHERS CRASHES CRASHING CRASS CRATE CRATER CRATERS CRATES CRAVAT CRAVATS CRAVE CRAVED CRAVEN CRAVES CRAVING CRAWFORD CRAWL CRAWLED CRAWLER CRAWLERS CRAWLING CRAWLS CRAY CRAYON CRAYS CRAZE CRAZED CRAZES CRAZIER CRAZIEST CRAZILY CRAZINESS CRAZING CRAZY CREAK CREAKED CREAKING CREAKS CREAKY CREAM CREAMED CREAMER CREAMERS CREAMERY CREAMING CREAMS CREAMY CREASE CREASED CREASES CREASING CREATE CREATED CREATES CREATING CREATION CREATIONS CREATIVE CREATIVELY CREATIVENESS CREATIVITY CREATOR CREATORS CREATURE CREATURES CREDENCE CREDENTIAL CREDIBILITY CREDIBLE CREDIBLY CREDIT CREDITABLE CREDITABLY CREDITED CREDITING CREDITOR CREDITORS CREDITS CREDULITY CREDULOUS CREDULOUSNESS CREE CREED CREEDS CREEK CREEKS CREEP CREEPER CREEPERS CREEPING CREEPS CREEPY CREIGHTON CREMATE CREMATED CREMATES CREMATING CREMATION CREMATIONS CREMATORY CREOLE CREON CREPE CREPT CRESCENT CRESCENTS CREST CRESTED CRESTFALLEN CRESTS CRESTVIEW CRETACEOUS CRETACEOUSLY CRETAN CRETE CRETIN CREVICE CREVICES CREW CREWCUT CREWED CREWING CREWS CRIB CRIBS CRICKET CRICKETS CRIED CRIER CRIERS CRIES CRIME CRIMEA CRIMEAN CRIMES CRIMINAL CRIMINALLY CRIMINALS CRIMINATE CRIMSON CRIMSONING CRINGE CRINGED CRINGES CRINGING CRIPPLE CRIPPLED CRIPPLES CRIPPLING CRISES CRISIS CRISP CRISPIN CRISPLY CRISPNESS CRISSCROSS CRITERIA CRITERION CRITIC CRITICAL CRITICALLY CRITICISM CRITICISMS CRITICIZE CRITICIZED CRITICIZES CRITICIZING CRITICS CRITIQUE CRITIQUES CRITIQUING CRITTER CROAK CROAKED CROAKING CROAKS CROATIA CROATIAN CROCHET CROCHETS CROCK CROCKERY CROCKETT CROCKS CROCODILE CROCUS CROFT CROIX CROMWELL CROMWELLIAN CROOK CROOKED CROOKS CROP CROPPED CROPPER CROPPERS CROPPING CROPS CROSBY CROSS CROSSABLE CROSSBAR CROSSBARS CROSSED CROSSER CROSSERS CROSSES CROSSING CROSSINGS CROSSLY CROSSOVER CROSSOVERS CROSSPOINT CROSSROAD CROSSTALK CROSSWALK CROSSWORD CROSSWORDS CROTCH CROTCHETY CROUCH CROUCHED CROUCHING CROW CROWD CROWDED CROWDER CROWDING CROWDS CROWED CROWING CROWLEY CROWN CROWNED CROWNING CROWNS CROWS CROYDON CRUCIAL CRUCIALLY CRUCIBLE CRUCIFIED CRUCIFIES CRUCIFIX CRUCIFIXION CRUCIFY CRUCIFYING CRUD CRUDDY CRUDE CRUDELY CRUDENESS CRUDER CRUDEST CRUEL CRUELER CRUELEST CRUELLY CRUELTY CRUICKSHANK CRUISE CRUISER CRUISERS CRUISES CRUISING CRUMB CRUMBLE CRUMBLED CRUMBLES CRUMBLING CRUMBLY CRUMBS CRUMMY CRUMPLE CRUMPLED CRUMPLES CRUMPLING CRUNCH CRUNCHED CRUNCHES CRUNCHIER CRUNCHIEST CRUNCHING CRUNCHY CRUSADE CRUSADER CRUSADERS CRUSADES CRUSADING CRUSH CRUSHABLE CRUSHED CRUSHER CRUSHERS CRUSHES CRUSHING CRUSHINGLY CRUSOE CRUST CRUSTACEAN CRUSTACEANS CRUSTS CRUTCH CRUTCHES CRUX CRUXES CRUZ CRY CRYING CRYOGENIC CRYPT CRYPTANALYSIS CRYPTANALYST CRYPTANALYTIC CRYPTIC CRYPTOGRAM CRYPTOGRAPHER CRYPTOGRAPHIC CRYPTOGRAPHICALLY CRYPTOGRAPHY CRYPTOLOGIST CRYPTOLOGY CRYSTAL CRYSTALLINE CRYSTALLIZE CRYSTALLIZED CRYSTALLIZES CRYSTALLIZING CRYSTALS CUB CUBA CUBAN CUBANIZE CUBANIZES CUBANS CUBBYHOLE CUBE CUBED CUBES CUBIC CUBS CUCKOO CUCKOOS CUCUMBER CUCUMBERS CUDDLE CUDDLED CUDDLY CUDGEL CUDGELS CUE CUED CUES CUFF CUFFLINK CUFFS CUISINE CULBERTSON CULINARY CULL CULLED CULLER CULLING CULLS CULMINATE CULMINATED CULMINATES CULMINATING CULMINATION CULPA CULPABLE CULPRIT CULPRITS CULT CULTIVABLE CULTIVATE CULTIVATED CULTIVATES CULTIVATING CULTIVATION CULTIVATIONS CULTIVATOR CULTIVATORS CULTS CULTURAL CULTURALLY CULTURE CULTURED CULTURES CULTURING CULVER CULVERS CUMBERLAND CUMBERSOME CUMMINGS CUMMINS CUMULATIVE CUMULATIVELY CUNARD CUNNILINGUS CUNNING CUNNINGHAM CUNNINGLY CUP CUPBOARD CUPBOARDS CUPERTINO CUPFUL CUPID CUPPED CUPPING CUPS CURABLE CURABLY CURB CURBING CURBS CURD CURDLE CURE CURED CURES CURFEW CURFEWS CURING CURIOSITIES CURIOSITY CURIOUS CURIOUSER CURIOUSEST CURIOUSLY CURL CURLED CURLER CURLERS CURLICUE CURLING CURLS CURLY CURRAN CURRANT CURRANTS CURRENCIES CURRENCY CURRENT CURRENTLY CURRENTNESS CURRENTS CURRICULAR CURRICULUM CURRICULUMS CURRIED CURRIES CURRY CURRYING CURS CURSE CURSED CURSES CURSING CURSIVE CURSOR CURSORILY CURSORS CURSORY CURT CURTAIL CURTAILED CURTAILS CURTAIN CURTAINED CURTAINS CURTATE CURTIS CURTLY CURTNESS CURTSIES CURTSY CURVACEOUS CURVATURE CURVE CURVED CURVES CURVILINEAR CURVING CUSHING CUSHION CUSHIONED CUSHIONING CUSHIONS CUSHMAN CUSP CUSPS CUSTARD CUSTER CUSTODIAL CUSTODIAN CUSTODIANS CUSTODY CUSTOM CUSTOMARILY CUSTOMARY CUSTOMER CUSTOMERS CUSTOMIZABLE CUSTOMIZATION CUSTOMIZATIONS CUSTOMIZE CUSTOMIZED CUSTOMIZER CUSTOMIZERS CUSTOMIZES CUSTOMIZING CUSTOMS CUT CUTANEOUS CUTBACK CUTE CUTEST CUTLASS CUTLET CUTOFF CUTOUT CUTOVER CUTS CUTTER CUTTERS CUTTHROAT CUTTING CUTTINGLY CUTTINGS CUTTLEFISH CUVIER CUZCO CYANAMID CYANIDE CYBERNETIC CYBERNETICS CYBERSPACE CYCLADES CYCLE CYCLED CYCLES CYCLIC CYCLICALLY CYCLING CYCLOID CYCLOIDAL CYCLOIDS CYCLONE CYCLONES CYCLOPS CYCLOTRON CYCLOTRONS CYGNUS CYLINDER CYLINDERS CYLINDRICAL CYMBAL CYMBALS CYNIC CYNICAL CYNICALLY CYNTHIA CYPRESS CYPRIAN CYPRIOT CYPRUS CYRIL CYRILLIC CYRUS CYST CYSTS CYTOLOGY CYTOPLASM CZAR CZECH CZECHIZATION CZECHIZATIONS CZECHOSLOVAKIA CZERNIAK DABBLE DABBLED DABBLER DABBLES DABBLING DACCA DACRON DACTYL DACTYLIC DAD DADA DADAISM DADAIST DADAISTIC DADDY DADE DADS DAEDALUS DAEMON DAEMONS DAFFODIL DAFFODILS DAGGER DAHL DAHLIA DAHOMEY DAILEY DAILIES DAILY DAIMLER DAINTILY DAINTINESS DAINTY DAIRY DAIRYLEA DAISIES DAISY DAKAR DAKOTA DALE DALES DALEY DALHOUSIE DALI DALLAS DALTON DALY DALZELL DAM DAMAGE DAMAGED DAMAGER DAMAGERS DAMAGES DAMAGING DAMASCUS DAMASK DAME DAMMING DAMN DAMNATION DAMNED DAMNING DAMNS DAMOCLES DAMON DAMP DAMPEN DAMPENS DAMPER DAMPING DAMPNESS DAMS DAMSEL DAMSELS DAN DANA DANBURY DANCE DANCED DANCER DANCERS DANCES DANCING DANDELION DANDELIONS DANDY DANE DANES DANGER DANGEROUS DANGEROUSLY DANGERS DANGLE DANGLED DANGLES DANGLING DANIEL DANIELS DANIELSON DANISH DANIZATION DANIZATIONS DANIZE DANIZES DANNY DANTE DANUBE DANUBIAN DANVILLE DANZIG DAPHNE DAR DARE DARED DARER DARERS DARES DARESAY DARING DARINGLY DARIUS DARK DARKEN DARKER DARKEST DARKLY DARKNESS DARKROOM DARLENE DARLING DARLINGS DARLINGTON DARN DARNED DARNER DARNING DARNS DARPA DARRELL DARROW DARRY DART DARTED DARTER DARTING DARTMOUTH DARTS DARWIN DARWINIAN DARWINISM DARWINISTIC DARWINIZE DARWINIZES DASH DASHBOARD DASHED DASHER DASHERS DASHES DASHING DASHINGLY DATA DATABASE DATABASES DATAGRAM DATAGRAMS DATAMATION DATAMEDIA DATE DATED DATELINE DATER DATES DATING DATIVE DATSUN DATUM DAUGHERTY DAUGHTER DAUGHTERLY DAUGHTERS DAUNT DAUNTED DAUNTLESS DAVE DAVID DAVIDSON DAVIE DAVIES DAVINICH DAVIS DAVISON DAVY DAWN DAWNED DAWNING DAWNS DAWSON DAY DAYBREAK DAYDREAM DAYDREAMING DAYDREAMS DAYLIGHT DAYLIGHTS DAYS DAYTIME DAYTON DAYTONA DAZE DAZED DAZZLE DAZZLED DAZZLER DAZZLES DAZZLING DAZZLINGLY DEACON DEACONS DEACTIVATE DEAD DEADEN DEADLINE DEADLINES DEADLOCK DEADLOCKED DEADLOCKING DEADLOCKS DEADLY DEADNESS DEADWOOD DEAF DEAFEN DEAFER DEAFEST DEAFNESS DEAL DEALER DEALERS DEALERSHIP DEALING DEALINGS DEALLOCATE DEALLOCATED DEALLOCATING DEALLOCATION DEALLOCATIONS DEALS DEALT DEAN DEANE DEANNA DEANS DEAR DEARBORN DEARER DEAREST DEARLY DEARNESS DEARTH DEARTHS DEATH DEATHBED DEATHLY DEATHS DEBACLE DEBAR DEBASE DEBATABLE DEBATE DEBATED DEBATER DEBATERS DEBATES DEBATING DEBAUCH DEBAUCHERY DEBBIE DEBBY DEBILITATE DEBILITATED DEBILITATES DEBILITATING DEBILITY DEBIT DEBITED DEBORAH DEBRA DEBRIEF DEBRIS DEBT DEBTOR DEBTS DEBUG DEBUGGED DEBUGGER DEBUGGERS DEBUGGING DEBUGS DEBUNK DEBUSSY DEBUTANTE DEC DECADE DECADENCE DECADENT DECADENTLY DECADES DECAL DECATHLON DECATUR DECAY DECAYED DECAYING DECAYS DECCA DECEASE DECEASED DECEASES DECEASING DECEDENT DECEIT DECEITFUL DECEITFULLY DECEITFULNESS DECEIVE DECEIVED DECEIVER DECEIVERS DECEIVES DECEIVING DECELERATE DECELERATED DECELERATES DECELERATING DECELERATION DECEMBER DECEMBERS DECENCIES DECENCY DECENNIAL DECENT DECENTLY DECENTRALIZATION DECENTRALIZED DECEPTION DECEPTIONS DECEPTIVE DECEPTIVELY DECERTIFY DECIBEL DECIDABILITY DECIDABLE DECIDE DECIDED DECIDEDLY DECIDES DECIDING DECIDUOUS DECIMAL DECIMALS DECIMATE DECIMATED DECIMATES DECIMATING DECIMATION DECIPHER DECIPHERED DECIPHERER DECIPHERING DECIPHERS DECISION DECISIONS DECISIVE DECISIVELY DECISIVENESS DECK DECKED DECKER DECKING DECKINGS DECKS DECLARATION DECLARATIONS DECLARATIVE DECLARATIVELY DECLARATIVES DECLARATOR DECLARATORY DECLARE DECLARED DECLARER DECLARERS DECLARES DECLARING DECLASSIFY DECLINATION DECLINATIONS DECLINE DECLINED DECLINER DECLINERS DECLINES DECLINING DECNET DECODE DECODED DECODER DECODERS DECODES DECODING DECODINGS DECOLLETAGE DECOLLIMATE DECOMPILE DECOMPOSABILITY DECOMPOSABLE DECOMPOSE DECOMPOSED DECOMPOSES DECOMPOSING DECOMPOSITION DECOMPOSITIONS DECOMPRESS DECOMPRESSION DECORATE DECORATED DECORATES DECORATING DECORATION DECORATIONS DECORATIVE DECORUM DECOUPLE DECOUPLED DECOUPLES DECOUPLING DECOY DECOYS DECREASE DECREASED DECREASES DECREASING DECREASINGLY DECREE DECREED DECREEING DECREES DECREMENT DECREMENTED DECREMENTING DECREMENTS DECRYPT DECRYPTED DECRYPTING DECRYPTION DECRYPTS DECSTATION DECSYSTEM DECTAPE DEDICATE DEDICATED DEDICATES DEDICATING DEDICATION DEDUCE DEDUCED DEDUCER DEDUCES DEDUCIBLE DEDUCING DEDUCT DEDUCTED DEDUCTIBLE DEDUCTING DEDUCTION DEDUCTIONS DEDUCTIVE DEE DEED DEEDED DEEDING DEEDS DEEM DEEMED DEEMING DEEMPHASIZE DEEMPHASIZED DEEMPHASIZES DEEMPHASIZING DEEMS DEEP DEEPEN DEEPENED DEEPENING DEEPENS DEEPER DEEPEST DEEPLY DEEPS DEER DEERE DEFACE DEFAULT DEFAULTED DEFAULTER DEFAULTING DEFAULTS DEFEAT DEFEATED DEFEATING DEFEATS DEFECATE DEFECT DEFECTED DEFECTING DEFECTION DEFECTIONS DEFECTIVE DEFECTS DEFEND DEFENDANT DEFENDANTS DEFENDED DEFENDER DEFENDERS DEFENDING DEFENDS DEFENESTRATE DEFENESTRATED DEFENESTRATES DEFENESTRATING DEFENESTRATION DEFENSE DEFENSELESS DEFENSES DEFENSIBLE DEFENSIVE DEFER DEFERENCE DEFERMENT DEFERMENTS DEFERRABLE DEFERRED DEFERRER DEFERRERS DEFERRING DEFERS DEFIANCE DEFIANT DEFIANTLY DEFICIENCIES DEFICIENCY DEFICIENT DEFICIT DEFICITS DEFIED DEFIES DEFILE DEFILING DEFINABLE DEFINE DEFINED DEFINER DEFINES DEFINING DEFINITE DEFINITELY DEFINITENESS DEFINITION DEFINITIONAL DEFINITIONS DEFINITIVE DEFLATE DEFLATER DEFLECT DEFOCUS DEFOE DEFOREST DEFORESTATION DEFORM DEFORMATION DEFORMATIONS DEFORMED DEFORMITIES DEFORMITY DEFRAUD DEFRAY DEFROST DEFTLY DEFUNCT DEFY DEFYING DEGENERACY DEGENERATE DEGENERATED DEGENERATES DEGENERATING DEGENERATION DEGENERATIVE DEGRADABLE DEGRADATION DEGRADATIONS DEGRADE DEGRADED DEGRADES DEGRADING DEGREE DEGREES DEHUMIDIFY DEHYDRATE DEIFY DEIGN DEIGNED DEIGNING DEIGNS DEIMOS DEIRDRE DEIRDRES DEITIES DEITY DEJECTED DEJECTEDLY DEKALB DEKASTERE DEL DELANEY DELANO DELAWARE DELAY DELAYED DELAYING DELAYS DELEGATE DELEGATED DELEGATES DELEGATING DELEGATION DELEGATIONS DELETE DELETED DELETER DELETERIOUS DELETES DELETING DELETION DELETIONS DELFT DELHI DELIA DELIBERATE DELIBERATED DELIBERATELY DELIBERATENESS DELIBERATES DELIBERATING DELIBERATION DELIBERATIONS DELIBERATIVE DELIBERATOR DELIBERATORS DELICACIES DELICACY DELICATE DELICATELY DELICATESSEN DELICIOUS DELICIOUSLY DELIGHT DELIGHTED DELIGHTEDLY DELIGHTFUL DELIGHTFULLY DELIGHTING DELIGHTS DELILAH DELIMIT DELIMITATION DELIMITED DELIMITER DELIMITERS DELIMITING DELIMITS DELINEAMENT DELINEATE DELINEATED DELINEATES DELINEATING DELINEATION DELINQUENCY DELINQUENT DELIRIOUS DELIRIOUSLY DELIRIUM DELIVER DELIVERABLE DELIVERABLES DELIVERANCE DELIVERED DELIVERER DELIVERERS DELIVERIES DELIVERING DELIVERS DELIVERY DELL DELLA DELLS DELLWOOD DELMARVA DELPHI DELPHIC DELPHICALLY DELPHINUS DELTA DELTAS DELUDE DELUDED DELUDES DELUDING DELUGE DELUGED DELUGES DELUSION DELUSIONS DELUXE DELVE DELVES DELVING DEMAGNIFY DEMAGOGUE DEMAND DEMANDED DEMANDER DEMANDING DEMANDINGLY DEMANDS DEMARCATE DEMEANOR DEMENTED DEMERIT DEMETER DEMIGOD DEMISE DEMO DEMOCRACIES DEMOCRACY DEMOCRAT DEMOCRATIC DEMOCRATICALLY DEMOCRATS DEMODULATE DEMODULATOR DEMOGRAPHIC DEMOLISH DEMOLISHED DEMOLISHES DEMOLITION DEMON DEMONIAC DEMONIC DEMONS DEMONSTRABLE DEMONSTRATE DEMONSTRATED DEMONSTRATES DEMONSTRATING DEMONSTRATION DEMONSTRATIONS DEMONSTRATIVE DEMONSTRATIVELY DEMONSTRATOR DEMONSTRATORS DEMORALIZE DEMORALIZED DEMORALIZES DEMORALIZING DEMORGAN DEMOTE DEMOUNTABLE DEMPSEY DEMULTIPLEX DEMULTIPLEXED DEMULTIPLEXER DEMULTIPLEXERS DEMULTIPLEXING DEMUR DEMYTHOLOGIZE DEN DENATURE DENEB DENEBOLA DENEEN DENIABLE DENIAL DENIALS DENIED DENIER DENIES DENIGRATE DENIGRATED DENIGRATES DENIGRATING DENIZEN DENMARK DENNIS DENNY DENOMINATE DENOMINATION DENOMINATIONS DENOMINATOR DENOMINATORS DENOTABLE DENOTATION DENOTATIONAL DENOTATIONALLY DENOTATIONS DENOTATIVE DENOTE DENOTED DENOTES DENOTING DENOUNCE DENOUNCED DENOUNCES DENOUNCING DENS DENSE DENSELY DENSENESS DENSER DENSEST DENSITIES DENSITY DENT DENTAL DENTALLY DENTED DENTING DENTIST DENTISTRY DENTISTS DENTON DENTS DENTURE DENUDE DENUMERABLE DENUNCIATE DENUNCIATION DENVER DENY DENYING DEODORANT DEOXYRIBONUCLEIC DEPART DEPARTED DEPARTING DEPARTMENT DEPARTMENTAL DEPARTMENTS DEPARTS DEPARTURE DEPARTURES DEPEND DEPENDABILITY DEPENDABLE DEPENDABLY DEPENDED DEPENDENCE DEPENDENCIES DEPENDENCY DEPENDENT DEPENDENTLY DEPENDENTS DEPENDING DEPENDS DEPICT DEPICTED DEPICTING DEPICTS DEPLETE DEPLETED DEPLETES DEPLETING DEPLETION DEPLETIONS DEPLORABLE DEPLORE DEPLORED DEPLORES DEPLORING DEPLOY DEPLOYED DEPLOYING DEPLOYMENT DEPLOYMENTS DEPLOYS DEPORT DEPORTATION DEPORTEE DEPORTMENT DEPOSE DEPOSED DEPOSES DEPOSIT DEPOSITARY DEPOSITED DEPOSITING DEPOSITION DEPOSITIONS DEPOSITOR DEPOSITORS DEPOSITORY DEPOSITS DEPOT DEPOTS DEPRAVE DEPRAVED DEPRAVITY DEPRECATE DEPRECIATE DEPRECIATED DEPRECIATES DEPRECIATION DEPRESS DEPRESSED DEPRESSES DEPRESSING DEPRESSION DEPRESSIONS DEPRIVATION DEPRIVATIONS DEPRIVE DEPRIVED DEPRIVES DEPRIVING DEPTH DEPTHS DEPUTIES DEPUTY DEQUEUE DEQUEUED DEQUEUES DEQUEUING DERAIL DERAILED DERAILING DERAILS DERBY DERBYSHIRE DEREFERENCE DEREGULATE DEREGULATED DEREK DERIDE DERISION DERIVABLE DERIVATION DERIVATIONS DERIVATIVE DERIVATIVES DERIVE DERIVED DERIVES DERIVING DEROGATORY DERRICK DERRIERE DERVISH DES DESCARTES DESCEND DESCENDANT DESCENDANTS DESCENDED DESCENDENT DESCENDER DESCENDERS DESCENDING DESCENDS DESCENT DESCENTS DESCRIBABLE DESCRIBE DESCRIBED DESCRIBER DESCRIBES DESCRIBING DESCRIPTION DESCRIPTIONS DESCRIPTIVE DESCRIPTIVELY DESCRIPTIVES DESCRIPTOR DESCRIPTORS DESCRY DESECRATE DESEGREGATE DESERT DESERTED DESERTER DESERTERS DESERTING DESERTION DESERTIONS DESERTS DESERVE DESERVED DESERVES DESERVING DESERVINGLY DESERVINGS DESIDERATA DESIDERATUM DESIGN DESIGNATE DESIGNATED DESIGNATES DESIGNATING DESIGNATION DESIGNATIONS DESIGNATOR DESIGNATORS DESIGNED DESIGNER DESIGNERS DESIGNING DESIGNS DESIRABILITY DESIRABLE DESIRABLY DESIRE DESIRED DESIRES DESIRING DESIROUS DESIST DESK DESKS DESKTOP DESMOND DESOLATE DESOLATELY DESOLATION DESOLATIONS DESPAIR DESPAIRED DESPAIRING DESPAIRINGLY DESPAIRS DESPATCH DESPATCHED DESPERADO DESPERATE DESPERATELY DESPERATION DESPICABLE DESPISE DESPISED DESPISES DESPISING DESPITE DESPOIL DESPONDENT DESPOT DESPOTIC DESPOTISM DESPOTS DESSERT DESSERTS DESSICATE DESTABILIZE DESTINATION DESTINATIONS DESTINE DESTINED DESTINIES DESTINY DESTITUTE DESTITUTION DESTROY DESTROYED DESTROYER DESTROYERS DESTROYING DESTROYS DESTRUCT DESTRUCTION DESTRUCTIONS DESTRUCTIVE DESTRUCTIVELY DESTRUCTIVENESS DESTRUCTOR DESTUFF DESTUFFING DESTUFFS DESUETUDE DESULTORY DESYNCHRONIZE DETACH DETACHED DETACHER DETACHES DETACHING DETACHMENT DETACHMENTS DETAIL DETAILED DETAILING DETAILS DETAIN DETAINED DETAINING DETAINS DETECT DETECTABLE DETECTABLY DETECTED DETECTING DETECTION DETECTIONS DETECTIVE DETECTIVES DETECTOR DETECTORS DETECTS DETENTE DETENTION DETER DETERGENT DETERIORATE DETERIORATED DETERIORATES DETERIORATING DETERIORATION DETERMINABLE DETERMINACY DETERMINANT DETERMINANTS DETERMINATE DETERMINATELY DETERMINATION DETERMINATIONS DETERMINATIVE DETERMINE DETERMINED DETERMINER DETERMINERS DETERMINES DETERMINING DETERMINISM DETERMINISTIC DETERMINISTICALLY DETERRED DETERRENT DETERRING DETEST DETESTABLE DETESTED DETOUR DETRACT DETRACTOR DETRACTORS DETRACTS DETRIMENT DETRIMENTAL DETROIT DEUCE DEUS DEUTERIUM DEUTSCH DEVASTATE DEVASTATED DEVASTATES DEVASTATING DEVASTATION DEVELOP DEVELOPED DEVELOPER DEVELOPERS DEVELOPING DEVELOPMENT DEVELOPMENTAL DEVELOPMENTS DEVELOPS DEVIANT DEVIANTS DEVIATE DEVIATED DEVIATES DEVIATING DEVIATION DEVIATIONS DEVICE DEVICES DEVIL DEVILISH DEVILISHLY DEVILS DEVIOUS DEVISE DEVISED DEVISES DEVISING DEVISINGS DEVOID DEVOLVE DEVON DEVONSHIRE DEVOTE DEVOTED DEVOTEDLY DEVOTEE DEVOTEES DEVOTES DEVOTING DEVOTION DEVOTIONS DEVOUR DEVOURED DEVOURER DEVOURS DEVOUT DEVOUTLY DEVOUTNESS DEW DEWDROP DEWDROPS DEWEY DEWITT DEWY DEXEDRINE DEXTERITY DHABI DIABETES DIABETIC DIABOLIC DIACHRONIC DIACRITICAL DIADEM DIAGNOSABLE DIAGNOSE DIAGNOSED DIAGNOSES DIAGNOSING DIAGNOSIS DIAGNOSTIC DIAGNOSTICIAN DIAGNOSTICS DIAGONAL DIAGONALLY DIAGONALS DIAGRAM DIAGRAMMABLE DIAGRAMMATIC DIAGRAMMATICALLY DIAGRAMMED DIAGRAMMER DIAGRAMMERS DIAGRAMMING DIAGRAMS DIAL DIALECT DIALECTIC DIALECTS DIALED DIALER DIALERS DIALING DIALOG DIALOGS DIALOGUE DIALOGUES DIALS DIALUP DIALYSIS DIAMAGNETIC DIAMETER DIAMETERS DIAMETRIC DIAMETRICALLY DIAMOND DIAMONDS DIANA DIANE DIANNE DIAPER DIAPERS DIAPHRAGM DIAPHRAGMS DIARIES DIARRHEA DIARY DIATRIBE DIATRIBES DIBBLE DICE DICHOTOMIZE DICHOTOMY DICKENS DICKERSON DICKINSON DICKSON DICKY DICTATE DICTATED DICTATES DICTATING DICTATION DICTATIONS DICTATOR DICTATORIAL DICTATORS DICTATORSHIP DICTION DICTIONARIES DICTIONARY DICTUM DICTUMS DID DIDACTIC DIDDLE DIDO DIE DIEBOLD DIED DIEGO DIEHARD DIELECTRIC DIELECTRICS DIEM DIES DIESEL DIET DIETARY DIETER DIETERS DIETETIC DIETICIAN DIETITIAN DIETITIANS DIETRICH DIETS DIETZ DIFFER DIFFERED DIFFERENCE DIFFERENCES DIFFERENT DIFFERENTIABLE DIFFERENTIAL DIFFERENTIALS DIFFERENTIATE DIFFERENTIATED DIFFERENTIATES DIFFERENTIATING DIFFERENTIATION DIFFERENTIATIONS DIFFERENTIATORS DIFFERENTLY DIFFERER DIFFERERS DIFFERING DIFFERS DIFFICULT DIFFICULTIES DIFFICULTLY DIFFICULTY DIFFRACT DIFFUSE DIFFUSED DIFFUSELY DIFFUSER DIFFUSERS DIFFUSES DIFFUSIBLE DIFFUSING DIFFUSION DIFFUSIONS DIFFUSIVE DIG DIGEST DIGESTED DIGESTIBLE DIGESTING DIGESTION DIGESTIVE DIGESTS DIGGER DIGGERS DIGGING DIGGINGS DIGIT DIGITAL DIGITALIS DIGITALLY DIGITIZATION DIGITIZE DIGITIZED DIGITIZES DIGITIZING DIGITS DIGNIFIED DIGNIFY DIGNITARY DIGNITIES DIGNITY DIGRAM DIGRESS DIGRESSED DIGRESSES DIGRESSING DIGRESSION DIGRESSIONS DIGRESSIVE DIGS DIHEDRAL DIJKSTRA DIJON DIKE DIKES DILAPIDATE DILATATION DILATE DILATED DILATES DILATING DILATION DILDO DILEMMA DILEMMAS DILIGENCE DILIGENT DILIGENTLY DILL DILLON DILOGARITHM DILUTE DILUTED DILUTES DILUTING DILUTION DIM DIMAGGIO DIME DIMENSION DIMENSIONAL DIMENSIONALITY DIMENSIONALLY DIMENSIONED DIMENSIONING DIMENSIONS DIMES DIMINISH DIMINISHED DIMINISHES DIMINISHING DIMINUTION DIMINUTIVE DIMLY DIMMED DIMMER DIMMERS DIMMEST DIMMING DIMNESS DIMPLE DIMS DIN DINAH DINE DINED DINER DINERS DINES DING DINGHY DINGINESS DINGO DINGY DINING DINNER DINNERS DINNERTIME DINNERWARE DINOSAUR DINT DIOCLETIAN DIODE DIODES DIOGENES DION DIONYSIAN DIONYSUS DIOPHANTINE DIOPTER DIORAMA DIOXIDE DIP DIPHTHERIA DIPHTHONG DIPLOMA DIPLOMACY DIPLOMAS DIPLOMAT DIPLOMATIC DIPLOMATS DIPOLE DIPPED DIPPER DIPPERS DIPPING DIPPINGS DIPS DIRAC DIRE DIRECT DIRECTED DIRECTING DIRECTION DIRECTIONAL DIRECTIONALITY DIRECTIONALLY DIRECTIONS DIRECTIVE DIRECTIVES DIRECTLY DIRECTNESS DIRECTOR DIRECTORATE DIRECTORIES DIRECTORS DIRECTORY DIRECTRICES DIRECTRIX DIRECTS DIRGE DIRGES DIRICHLET DIRT DIRTIER DIRTIEST DIRTILY DIRTINESS DIRTS DIRTY DIS DISABILITIES DISABILITY DISABLE DISABLED DISABLER DISABLERS DISABLES DISABLING DISADVANTAGE DISADVANTAGEOUS DISADVANTAGES DISAFFECTED DISAFFECTION DISAGREE DISAGREEABLE DISAGREED DISAGREEING DISAGREEMENT DISAGREEMENTS DISAGREES DISALLOW DISALLOWED DISALLOWING DISALLOWS DISAMBIGUATE DISAMBIGUATED DISAMBIGUATES DISAMBIGUATING DISAMBIGUATION DISAMBIGUATIONS DISAPPEAR DISAPPEARANCE DISAPPEARANCES DISAPPEARED DISAPPEARING DISAPPEARS DISAPPOINT DISAPPOINTED DISAPPOINTING DISAPPOINTMENT DISAPPOINTMENTS DISAPPROVAL DISAPPROVE DISAPPROVED DISAPPROVES DISARM DISARMAMENT DISARMED DISARMING DISARMS DISASSEMBLE DISASSEMBLED DISASSEMBLES DISASSEMBLING DISASSEMBLY DISASTER DISASTERS DISASTROUS DISASTROUSLY DISBAND DISBANDED DISBANDING DISBANDS DISBURSE DISBURSED DISBURSEMENT DISBURSEMENTS DISBURSES DISBURSING DISC DISCARD DISCARDED DISCARDING DISCARDS DISCERN DISCERNED DISCERNIBILITY DISCERNIBLE DISCERNIBLY DISCERNING DISCERNINGLY DISCERNMENT DISCERNS DISCHARGE DISCHARGED DISCHARGES DISCHARGING DISCIPLE DISCIPLES DISCIPLINARY DISCIPLINE DISCIPLINED DISCIPLINES DISCIPLINING DISCLAIM DISCLAIMED DISCLAIMER DISCLAIMS DISCLOSE DISCLOSED DISCLOSES DISCLOSING DISCLOSURE DISCLOSURES DISCOMFORT DISCONCERT DISCONCERTING DISCONCERTINGLY DISCONNECT DISCONNECTED DISCONNECTING DISCONNECTION DISCONNECTS DISCONTENT DISCONTENTED DISCONTINUANCE DISCONTINUE DISCONTINUED DISCONTINUES DISCONTINUITIES DISCONTINUITY DISCONTINUOUS DISCORD DISCORDANT DISCOUNT DISCOUNTED DISCOUNTING DISCOUNTS DISCOURAGE DISCOURAGED DISCOURAGEMENT DISCOURAGES DISCOURAGING DISCOURSE DISCOURSES DISCOVER DISCOVERED DISCOVERER DISCOVERERS DISCOVERIES DISCOVERING DISCOVERS DISCOVERY DISCREDIT DISCREDITED DISCREET DISCREETLY DISCREPANCIES DISCREPANCY DISCRETE DISCRETELY DISCRETENESS DISCRETION DISCRETIONARY DISCRIMINANT DISCRIMINATE DISCRIMINATED DISCRIMINATES DISCRIMINATING DISCRIMINATION DISCRIMINATORY DISCS DISCUSS DISCUSSANT DISCUSSED DISCUSSES DISCUSSING DISCUSSION DISCUSSIONS DISDAIN DISDAINING DISDAINS DISEASE DISEASED DISEASES DISEMBOWEL DISENGAGE DISENGAGED DISENGAGES DISENGAGING DISENTANGLE DISENTANGLING DISFIGURE DISFIGURED DISFIGURES DISFIGURING DISGORGE DISGRACE DISGRACED DISGRACEFUL DISGRACEFULLY DISGRACES DISGRUNTLE DISGRUNTLED DISGUISE DISGUISED DISGUISES DISGUST DISGUSTED DISGUSTEDLY DISGUSTFUL DISGUSTING DISGUSTINGLY DISGUSTS DISH DISHEARTEN DISHEARTENING DISHED DISHES DISHEVEL DISHING DISHONEST DISHONESTLY DISHONESTY DISHONOR DISHONORABLE DISHONORED DISHONORING DISHONORS DISHWASHER DISHWASHERS DISHWASHING DISHWATER DISILLUSION DISILLUSIONED DISILLUSIONING DISILLUSIONMENT DISILLUSIONMENTS DISINCLINED DISINGENUOUS DISINTERESTED DISINTERESTEDNESS DISJOINT DISJOINTED DISJOINTLY DISJOINTNESS DISJUNCT DISJUNCTION DISJUNCTIONS DISJUNCTIVE DISJUNCTIVELY DISJUNCTS DISK DISKETTE DISKETTES DISKS DISLIKE DISLIKED DISLIKES DISLIKING DISLOCATE DISLOCATED DISLOCATES DISLOCATING DISLOCATION DISLOCATIONS DISLODGE DISLODGED DISMAL DISMALLY DISMAY DISMAYED DISMAYING DISMEMBER DISMEMBERED DISMEMBERMENT DISMEMBERS DISMISS DISMISSAL DISMISSALS DISMISSED DISMISSER DISMISSERS DISMISSES DISMISSING DISMOUNT DISMOUNTED DISMOUNTING DISMOUNTS DISNEY DISNEYLAND DISOBEDIENCE DISOBEDIENT DISOBEY DISOBEYED DISOBEYING DISOBEYS DISORDER DISORDERED DISORDERLY DISORDERS DISORGANIZED DISOWN DISOWNED DISOWNING DISOWNS DISPARAGE DISPARATE DISPARITIES DISPARITY DISPASSIONATE DISPATCH DISPATCHED DISPATCHER DISPATCHERS DISPATCHES DISPATCHING DISPEL DISPELL DISPELLED DISPELLING DISPELS DISPENSARY DISPENSATION DISPENSE DISPENSED DISPENSER DISPENSERS DISPENSES DISPENSING DISPERSAL DISPERSE DISPERSED DISPERSES DISPERSING DISPERSION DISPERSIONS DISPLACE DISPLACED DISPLACEMENT DISPLACEMENTS DISPLACES DISPLACING DISPLAY DISPLAYABLE DISPLAYED DISPLAYER DISPLAYING DISPLAYS DISPLEASE DISPLEASED DISPLEASES DISPLEASING DISPLEASURE DISPOSABLE DISPOSAL DISPOSALS DISPOSE DISPOSED DISPOSER DISPOSES DISPOSING DISPOSITION DISPOSITIONS DISPOSSESSED DISPROPORTIONATE DISPROVE DISPROVED DISPROVES DISPROVING DISPUTE DISPUTED DISPUTER DISPUTERS DISPUTES DISPUTING DISQUALIFICATION DISQUALIFIED DISQUALIFIES DISQUALIFY DISQUALIFYING DISQUIET DISQUIETING DISRAELI DISREGARD DISREGARDED DISREGARDING DISREGARDS DISRESPECTFUL DISRUPT DISRUPTED DISRUPTING DISRUPTION DISRUPTIONS DISRUPTIVE DISRUPTS DISSATISFACTION DISSATISFACTIONS DISSATISFACTORY DISSATISFIED DISSECT DISSECTS DISSEMBLE DISSEMINATE DISSEMINATED DISSEMINATES DISSEMINATING DISSEMINATION DISSENSION DISSENSIONS DISSENT DISSENTED DISSENTER DISSENTERS DISSENTING DISSENTS DISSERTATION DISSERTATIONS DISSERVICE DISSIDENT DISSIDENTS DISSIMILAR DISSIMILARITIES DISSIMILARITY DISSIPATE DISSIPATED DISSIPATES DISSIPATING DISSIPATION DISSOCIATE DISSOCIATED DISSOCIATES DISSOCIATING DISSOCIATION DISSOLUTION DISSOLUTIONS DISSOLVE DISSOLVED DISSOLVES DISSOLVING DISSONANT DISSUADE DISTAFF DISTAL DISTALLY DISTANCE DISTANCES DISTANT DISTANTLY DISTASTE DISTASTEFUL DISTASTEFULLY DISTASTES DISTEMPER DISTEMPERED DISTEMPERS DISTILL DISTILLATION DISTILLED DISTILLER DISTILLERS DISTILLERY DISTILLING DISTILLS DISTINCT DISTINCTION DISTINCTIONS DISTINCTIVE DISTINCTIVELY DISTINCTIVENESS DISTINCTLY DISTINCTNESS DISTINGUISH DISTINGUISHABLE DISTINGUISHED DISTINGUISHES DISTINGUISHING DISTORT DISTORTED DISTORTING DISTORTION DISTORTIONS DISTORTS DISTRACT DISTRACTED DISTRACTING DISTRACTION DISTRACTIONS DISTRACTS DISTRAUGHT DISTRESS DISTRESSED DISTRESSES DISTRESSING DISTRIBUTE DISTRIBUTED DISTRIBUTES DISTRIBUTING DISTRIBUTION DISTRIBUTIONAL DISTRIBUTIONS DISTRIBUTIVE DISTRIBUTIVITY DISTRIBUTOR DISTRIBUTORS DISTRICT DISTRICTS DISTRUST DISTRUSTED DISTURB DISTURBANCE DISTURBANCES DISTURBED DISTURBER DISTURBING DISTURBINGLY DISTURBS DISUSE DITCH DITCHES DITHER DITTO DITTY DITZEL DIURNAL DIVAN DIVANS DIVE DIVED DIVER DIVERGE DIVERGED DIVERGENCE DIVERGENCES DIVERGENT DIVERGES DIVERGING DIVERS DIVERSE DIVERSELY DIVERSIFICATION DIVERSIFIED DIVERSIFIES DIVERSIFY DIVERSIFYING DIVERSION DIVERSIONARY DIVERSIONS DIVERSITIES DIVERSITY DIVERT DIVERTED DIVERTING DIVERTS DIVES DIVEST DIVESTED DIVESTING DIVESTITURE DIVESTS DIVIDE DIVIDED DIVIDEND DIVIDENDS DIVIDER DIVIDERS DIVIDES DIVIDING DIVINE DIVINELY DIVINER DIVING DIVINING DIVINITIES DIVINITY DIVISIBILITY DIVISIBLE DIVISION DIVISIONAL DIVISIONS DIVISIVE DIVISOR DIVISORS DIVORCE DIVORCED DIVORCEE DIVULGE DIVULGED DIVULGES DIVULGING DIXIE DIXIECRATS DIXIELAND DIXON DIZZINESS DIZZY DJAKARTA DMITRI DNIEPER DOBBIN DOBBS DOBERMAN DOC DOCILE DOCK DOCKED DOCKET DOCKS DOCKSIDE DOCKYARD DOCTOR DOCTORAL DOCTORATE DOCTORATES DOCTORED DOCTORS DOCTRINAIRE DOCTRINAL DOCTRINE DOCTRINES DOCUMENT DOCUMENTARIES DOCUMENTARY DOCUMENTATION DOCUMENTATIONS DOCUMENTED DOCUMENTER DOCUMENTERS DOCUMENTING DOCUMENTS DODD DODECAHEDRA DODECAHEDRAL DODECAHEDRON DODGE DODGED DODGER DODGERS DODGING DODINGTON DODSON DOE DOER DOERS DOES DOG DOGE DOGGED DOGGEDLY DOGGEDNESS DOGGING DOGHOUSE DOGMA DOGMAS DOGMATIC DOGMATISM DOGS DOGTOWN DOHERTY DOING DOINGS DOLAN DOLDRUM DOLE DOLED DOLEFUL DOLEFULLY DOLES DOLL DOLLAR DOLLARS DOLLIES DOLLS DOLLY DOLORES DOLPHIN DOLPHINS DOMAIN DOMAINS DOME DOMED DOMENICO DOMES DOMESDAY DOMESTIC DOMESTICALLY DOMESTICATE DOMESTICATED DOMESTICATES DOMESTICATING DOMESTICATION DOMICILE DOMINANCE DOMINANT DOMINANTLY DOMINATE DOMINATED DOMINATES DOMINATING DOMINATION DOMINEER DOMINEERING DOMINGO DOMINIC DOMINICAN DOMINICANS DOMINICK DOMINION DOMINIQUE DOMINO DON DONAHUE DONALD DONALDSON DONATE DONATED DONATES DONATING DONATION DONE DONECK DONKEY DONKEYS DONNA DONNELLY DONNER DONNYBROOK DONOR DONOVAN DONS DOODLE DOOLEY DOOLITTLE DOOM DOOMED DOOMING DOOMS DOOMSDAY DOOR DOORBELL DOORKEEPER DOORMAN DOORMEN DOORS DOORSTEP DOORSTEPS DOORWAY DOORWAYS DOPE DOPED DOPER DOPERS DOPES DOPING DOPPLER DORA DORADO DORCAS DORCHESTER DOREEN DORIA DORIC DORICIZE DORICIZES DORIS DORMANT DORMITORIES DORMITORY DOROTHEA DOROTHY DORSET DORTMUND DOSAGE DOSE DOSED DOSES DOSSIER DOSSIERS DOSTOEVSKY DOT DOTE DOTED DOTES DOTING DOTINGLY DOTS DOTTED DOTTING DOUBLE DOUBLED DOUBLEDAY DOUBLEHEADER DOUBLER DOUBLERS DOUBLES DOUBLET DOUBLETON DOUBLETS DOUBLING DOUBLOON DOUBLY DOUBT DOUBTABLE DOUBTED DOUBTER DOUBTERS DOUBTFUL DOUBTFULLY DOUBTING DOUBTLESS DOUBTLESSLY DOUBTS DOUG DOUGH DOUGHERTY DOUGHNUT DOUGHNUTS DOUGLAS DOUGLASS DOVE DOVER DOVES DOVETAIL DOW DOWAGER DOWEL DOWLING DOWN DOWNCAST DOWNED DOWNERS DOWNEY DOWNFALL DOWNFALLEN DOWNGRADE DOWNHILL DOWNING DOWNLINK DOWNLINKS DOWNLOAD DOWNLOADED DOWNLOADING DOWNLOADS DOWNPLAY DOWNPLAYED DOWNPLAYING DOWNPLAYS DOWNPOUR DOWNRIGHT DOWNS DOWNSIDE DOWNSTAIRS DOWNSTREAM DOWNTOWN DOWNTOWNS DOWNTRODDEN DOWNTURN DOWNWARD DOWNWARDS DOWNY DOWRY DOYLE DOZE DOZED DOZEN DOZENS DOZENTH DOZES DOZING DRAB DRACO DRACONIAN DRAFT DRAFTED DRAFTEE DRAFTER DRAFTERS DRAFTING DRAFTS DRAFTSMAN DRAFTSMEN DRAFTY DRAG DRAGGED DRAGGING DRAGNET DRAGON DRAGONFLY DRAGONHEAD DRAGONS DRAGOON DRAGOONED DRAGOONS DRAGS DRAIN DRAINAGE DRAINED DRAINER DRAINING DRAINS DRAKE DRAM DRAMA DRAMAMINE DRAMAS DRAMATIC DRAMATICALLY DRAMATICS DRAMATIST DRAMATISTS DRANK DRAPE DRAPED DRAPER DRAPERIES DRAPERS DRAPERY DRAPES DRASTIC DRASTICALLY DRAUGHT DRAUGHTS DRAVIDIAN DRAW DRAWBACK DRAWBACKS DRAWBRIDGE DRAWBRIDGES DRAWER DRAWERS DRAWING DRAWINGS DRAWL DRAWLED DRAWLING DRAWLS DRAWN DRAWNLY DRAWNNESS DRAWS DREAD DREADED DREADFUL DREADFULLY DREADING DREADNOUGHT DREADS DREAM DREAMBOAT DREAMED DREAMER DREAMERS DREAMILY DREAMING DREAMLIKE DREAMS DREAMT DREAMY DREARINESS DREARY DREDGE DREGS DRENCH DRENCHED DRENCHES DRENCHING DRESS DRESSED DRESSER DRESSERS DRESSES DRESSING DRESSINGS DRESSMAKER DRESSMAKERS DREW DREXEL DREYFUSS DRIED DRIER DRIERS DRIES DRIEST DRIFT DRIFTED DRIFTER DRIFTERS DRIFTING DRIFTS DRILL DRILLED DRILLER DRILLING DRILLS DRILY DRINK DRINKABLE DRINKER DRINKERS DRINKING DRINKS DRIP DRIPPING DRIPPY DRIPS DRISCOLL DRIVE DRIVEN DRIVER DRIVERS DRIVES DRIVEWAY DRIVEWAYS DRIVING DRIZZLE DRIZZLY DROLL DROMEDARY DRONE DRONES DROOL DROOP DROOPED DROOPING DROOPS DROOPY DROP DROPLET DROPOUT DROPPED DROPPER DROPPERS DROPPING DROPPINGS DROPS DROSOPHILA DROUGHT DROUGHTS DROVE DROVER DROVERS DROVES DROWN DROWNED DROWNING DROWNINGS DROWNS DROWSINESS DROWSY DRUBBING DRUDGE DRUDGERY DRUG DRUGGIST DRUGGISTS DRUGS DRUGSTORE DRUM DRUMHEAD DRUMMED DRUMMER DRUMMERS DRUMMING DRUMMOND DRUMS DRUNK DRUNKARD DRUNKARDS DRUNKEN DRUNKENNESS DRUNKER DRUNKLY DRUNKS DRURY DRY DRYDEN DRYING DRYLY DUAL DUALISM DUALITIES DUALITY DUANE DUB DUBBED DUBHE DUBIOUS DUBIOUSLY DUBIOUSNESS DUBLIN DUBS DUBUQUE DUCHESS DUCHESSES DUCHY DUCK DUCKED DUCKING DUCKLING DUCKS DUCT DUCTS DUD DUDLEY DUE DUEL DUELING DUELS DUES DUET DUFFY DUG DUGAN DUKE DUKES DULL DULLED DULLER DULLES DULLEST DULLING DULLNESS DULLS DULLY DULUTH DULY DUMB DUMBBELL DUMBBELLS DUMBER DUMBEST DUMBLY DUMBNESS DUMMIES DUMMY DUMP DUMPED DUMPER DUMPING DUMPS DUMPTY DUNBAR DUNCAN DUNCE DUNCES DUNDEE DUNE DUNEDIN DUNES DUNG DUNGEON DUNGEONS DUNHAM DUNK DUNKIRK DUNLAP DUNLOP DUNN DUNNE DUPE DUPLEX DUPLICABLE DUPLICATE DUPLICATED DUPLICATES DUPLICATING DUPLICATION DUPLICATIONS DUPLICATOR DUPLICATORS DUPLICITY DUPONT DUPONT DUPONTS DUPONTS DUQUESNE DURABILITIES DURABILITY DURABLE DURABLY DURANGO DURATION DURATIONS DURER DURERS DURESS DURHAM DURING DURKEE DURKIN DURRELL DURWARD DUSENBERG DUSENBURY DUSK DUSKINESS DUSKY DUSSELDORF DUST DUSTBIN DUSTED DUSTER DUSTERS DUSTIER DUSTIEST DUSTIN DUSTING DUSTS DUSTY DUTCH DUTCHESS DUTCHMAN DUTCHMEN DUTIES DUTIFUL DUTIFULLY DUTIFULNESS DUTTON DUTY DVORAK DWARF DWARFED DWARFS DWARVES DWELL DWELLED DWELLER DWELLERS DWELLING DWELLINGS DWELLS DWELT DWIGHT DWINDLE DWINDLED DWINDLING DWYER DYAD DYADIC DYE DYED DYEING DYER DYERS DYES DYING DYKE DYLAN DYNAMIC DYNAMICALLY DYNAMICS DYNAMISM DYNAMITE DYNAMITED DYNAMITES DYNAMITING DYNAMO DYNASTIC DYNASTIES DYNASTY DYNE DYSENTERY DYSPEPTIC DYSTROPHY EACH EAGAN EAGER EAGERLY EAGERNESS EAGLE EAGLES EAR EARDRUM EARED EARL EARLIER EARLIEST EARLINESS EARLS EARLY EARMARK EARMARKED EARMARKING EARMARKINGS EARMARKS EARN EARNED EARNER EARNERS EARNEST EARNESTLY EARNESTNESS EARNING EARNINGS EARNS EARP EARPHONE EARRING EARRINGS EARS EARSPLITTING EARTH EARTHEN EARTHENWARE EARTHLINESS EARTHLING EARTHLY EARTHMAN EARTHMEN EARTHMOVER EARTHQUAKE EARTHQUAKES EARTHS EARTHWORM EARTHWORMS EARTHY EASE EASED EASEL EASEMENT EASEMENTS EASES EASIER EASIEST EASILY EASINESS EASING EAST EASTBOUND EASTER EASTERN EASTERNER EASTERNERS EASTERNMOST EASTHAMPTON EASTLAND EASTMAN EASTWARD EASTWARDS EASTWICK EASTWOOD EASY EASYGOING EAT EATEN EATER EATERS EATING EATINGS EATON EATS EAVES EAVESDROP EAVESDROPPED EAVESDROPPER EAVESDROPPERS EAVESDROPPING EAVESDROPS EBB EBBING EBBS EBEN EBONY ECCENTRIC ECCENTRICITIES ECCENTRICITY ECCENTRICS ECCLES ECCLESIASTICAL ECHELON ECHO ECHOED ECHOES ECHOING ECLECTIC ECLIPSE ECLIPSED ECLIPSES ECLIPSING ECLIPTIC ECOLE ECOLOGY ECONOMETRIC ECONOMETRICA ECONOMIC ECONOMICAL ECONOMICALLY ECONOMICS ECONOMIES ECONOMIST ECONOMISTS ECONOMIZE ECONOMIZED ECONOMIZER ECONOMIZERS ECONOMIZES ECONOMIZING ECONOMY ECOSYSTEM ECSTASY ECSTATIC ECUADOR ECUADORIAN EDDIE EDDIES EDDY EDEN EDENIZATION EDENIZATIONS EDENIZE EDENIZES EDGAR EDGE EDGED EDGERTON EDGES EDGEWATER EDGEWOOD EDGING EDIBLE EDICT EDICTS EDIFICE EDIFICES EDINBURGH EDISON EDIT EDITED EDITH EDITING EDITION EDITIONS EDITOR EDITORIAL EDITORIALLY EDITORIALS EDITORS EDITS EDMONDS EDMONDSON EDMONTON EDMUND EDNA EDSGER EDUARD EDUARDO EDUCABLE EDUCATE EDUCATED EDUCATES EDUCATING EDUCATION EDUCATIONAL EDUCATIONALLY EDUCATIONS EDUCATOR EDUCATORS EDWARD EDWARDIAN EDWARDINE EDWARDS EDWIN EDWINA EEL EELGRASS EELS EERIE EERILY EFFECT EFFECTED EFFECTING EFFECTIVE EFFECTIVELY EFFECTIVENESS EFFECTOR EFFECTORS EFFECTS EFFECTUALLY EFFECTUATE EFFEMINATE EFFICACY EFFICIENCIES EFFICIENCY EFFICIENT EFFICIENTLY EFFIE EFFIGY EFFORT EFFORTLESS EFFORTLESSLY EFFORTLESSNESS EFFORTS EGALITARIAN EGAN EGG EGGED EGGHEAD EGGING EGGPLANT EGGS EGGSHELL EGO EGOCENTRIC EGOS EGOTISM EGOTIST EGYPT EGYPTIAN EGYPTIANIZATION EGYPTIANIZATIONS EGYPTIANIZE EGYPTIANIZES EGYPTIANS EGYPTIZE EGYPTIZES EGYPTOLOGY EHRLICH EICHMANN EIFFEL EIGENFUNCTION EIGENSTATE EIGENVALUE EIGENVALUES EIGENVECTOR EIGHT EIGHTEEN EIGHTEENS EIGHTEENTH EIGHTFOLD EIGHTH EIGHTHES EIGHTIES EIGHTIETH EIGHTS EIGHTY EILEEN EINSTEIN EINSTEINIAN EIRE EISENHOWER EISNER EITHER EJACULATE EJACULATED EJACULATES EJACULATING EJACULATION EJACULATIONS EJECT EJECTED EJECTING EJECTS EKBERG EKE EKED EKES EKSTROM EKTACHROME ELABORATE ELABORATED ELABORATELY ELABORATENESS ELABORATES ELABORATING ELABORATION ELABORATIONS ELABORATORS ELAINE ELAPSE ELAPSED ELAPSES ELAPSING ELASTIC ELASTICALLY ELASTICITY ELBA ELBOW ELBOWING ELBOWS ELDER ELDERLY ELDERS ELDEST ELDON ELEANOR ELEAZAR ELECT ELECTED ELECTING ELECTION ELECTIONS ELECTIVE ELECTIVES ELECTOR ELECTORAL ELECTORATE ELECTORS ELECTRA ELECTRIC ELECTRICAL ELECTRICALLY ELECTRICALNESS ELECTRICIAN ELECTRICITY ELECTRIFICATION ELECTRIFY ELECTRIFYING ELECTRO ELECTROCARDIOGRAM ELECTROCARDIOGRAPH ELECTROCUTE ELECTROCUTED ELECTROCUTES ELECTROCUTING ELECTROCUTION ELECTROCUTIONS ELECTRODE ELECTRODES ELECTROENCEPHALOGRAM ELECTROENCEPHALOGRAPH ELECTROENCEPHALOGRAPHY ELECTROLYSIS ELECTROLYTE ELECTROLYTES ELECTROLYTIC ELECTROMAGNETIC ELECTROMECHANICAL ELECTRON ELECTRONIC ELECTRONICALLY ELECTRONICS ELECTRONS ELECTROPHORESIS ELECTROPHORUS ELECTS ELEGANCE ELEGANT ELEGANTLY ELEGY ELEMENT ELEMENTAL ELEMENTALS ELEMENTARY ELEMENTS ELENA ELEPHANT ELEPHANTS ELEVATE ELEVATED ELEVATES ELEVATION ELEVATOR ELEVATORS ELEVEN ELEVENS ELEVENTH ELF ELGIN ELI ELICIT ELICITED ELICITING ELICITS ELIDE ELIGIBILITY ELIGIBLE ELIJAH ELIMINATE ELIMINATED ELIMINATES ELIMINATING ELIMINATION ELIMINATIONS ELIMINATOR ELIMINATORS ELINOR ELIOT ELISABETH ELISHA ELISION ELITE ELITIST ELIZABETH ELIZABETHAN ELIZABETHANIZE ELIZABETHANIZES ELIZABETHANS ELK ELKHART ELKS ELLA ELLEN ELLIE ELLIOT ELLIOTT ELLIPSE ELLIPSES ELLIPSIS ELLIPSOID ELLIPSOIDAL ELLIPSOIDS ELLIPTIC ELLIPTICAL ELLIPTICALLY ELLIS ELLISON ELLSWORTH ELLWOOD ELM ELMER ELMHURST ELMIRA ELMS ELMSFORD ELOISE ELOPE ELOQUENCE ELOQUENT ELOQUENTLY ELROY ELSE ELSEVIER ELSEWHERE ELSIE ELSINORE ELTON ELUCIDATE ELUCIDATED ELUCIDATES ELUCIDATING ELUCIDATION ELUDE ELUDED ELUDES ELUDING ELUSIVE ELUSIVELY ELUSIVENESS ELVES ELVIS ELY ELYSEE ELYSEES ELYSIUM EMACIATE EMACIATED EMACS EMANATE EMANATING EMANCIPATE EMANCIPATION EMANUEL EMASCULATE EMBALM EMBARGO EMBARGOES EMBARK EMBARKED EMBARKS EMBARRASS EMBARRASSED EMBARRASSES EMBARRASSING EMBARRASSMENT EMBASSIES EMBASSY EMBED EMBEDDED EMBEDDING EMBEDS EMBELLISH EMBELLISHED EMBELLISHES EMBELLISHING EMBELLISHMENT EMBELLISHMENTS EMBER EMBEZZLE EMBLEM EMBODIED EMBODIES EMBODIMENT EMBODIMENTS EMBODY EMBODYING EMBOLDEN EMBRACE EMBRACED EMBRACES EMBRACING EMBROIDER EMBROIDERED EMBROIDERIES EMBROIDERS EMBROIDERY EMBROIL EMBRYO EMBRYOLOGY EMBRYOS EMERALD EMERALDS EMERGE EMERGED EMERGENCE EMERGENCIES EMERGENCY EMERGENT EMERGES EMERGING EMERITUS EMERSON EMERY EMIGRANT EMIGRANTS EMIGRATE EMIGRATED EMIGRATES EMIGRATING EMIGRATION EMIL EMILE EMILIO EMILY EMINENCE EMINENT EMINENTLY EMISSARY EMISSION EMIT EMITS EMITTED EMITTER EMITTING EMMA EMMANUEL EMMETT EMORY EMOTION EMOTIONAL EMOTIONALLY EMOTIONS EMPATHY EMPEROR EMPERORS EMPHASES EMPHASIS EMPHASIZE EMPHASIZED EMPHASIZES EMPHASIZING EMPHATIC EMPHATICALLY EMPIRE EMPIRES EMPIRICAL EMPIRICALLY EMPIRICIST EMPIRICISTS EMPLOY EMPLOYABLE EMPLOYED EMPLOYEE EMPLOYEES EMPLOYER EMPLOYERS EMPLOYING EMPLOYMENT EMPLOYMENTS EMPLOYS EMPORIUM EMPOWER EMPOWERED EMPOWERING EMPOWERS EMPRESS EMPTIED EMPTIER EMPTIES EMPTIEST EMPTILY EMPTINESS EMPTY EMPTYING EMULATE EMULATED EMULATES EMULATING EMULATION EMULATIONS EMULATOR EMULATORS ENABLE ENABLED ENABLER ENABLERS ENABLES ENABLING ENACT ENACTED ENACTING ENACTMENT ENACTS ENAMEL ENAMELED ENAMELING ENAMELS ENCAMP ENCAMPED ENCAMPING ENCAMPS ENCAPSULATE ENCAPSULATED ENCAPSULATES ENCAPSULATING ENCAPSULATION ENCASED ENCHANT ENCHANTED ENCHANTER ENCHANTING ENCHANTMENT ENCHANTRESS ENCHANTS ENCIPHER ENCIPHERED ENCIPHERING ENCIPHERS ENCIRCLE ENCIRCLED ENCIRCLES ENCLOSE ENCLOSED ENCLOSES ENCLOSING ENCLOSURE ENCLOSURES ENCODE ENCODED ENCODER ENCODERS ENCODES ENCODING ENCODINGS ENCOMPASS ENCOMPASSED ENCOMPASSES ENCOMPASSING ENCORE ENCOUNTER ENCOUNTERED ENCOUNTERING ENCOUNTERS ENCOURAGE ENCOURAGED ENCOURAGEMENT ENCOURAGEMENTS ENCOURAGES ENCOURAGING ENCOURAGINGLY ENCROACH ENCRUST ENCRYPT ENCRYPTED ENCRYPTING ENCRYPTION ENCRYPTIONS ENCRYPTS ENCUMBER ENCUMBERED ENCUMBERING ENCUMBERS ENCYCLOPEDIA ENCYCLOPEDIAS ENCYCLOPEDIC END ENDANGER ENDANGERED ENDANGERING ENDANGERS ENDEAR ENDEARED ENDEARING ENDEARS ENDEAVOR ENDEAVORED ENDEAVORING ENDEAVORS ENDED ENDEMIC ENDER ENDERS ENDGAME ENDICOTT ENDING ENDINGS ENDLESS ENDLESSLY ENDLESSNESS ENDORSE ENDORSED ENDORSEMENT ENDORSES ENDORSING ENDOW ENDOWED ENDOWING ENDOWMENT ENDOWMENTS ENDOWS ENDPOINT ENDS ENDURABLE ENDURABLY ENDURANCE ENDURE ENDURED ENDURES ENDURING ENDURINGLY ENEMA ENEMAS ENEMIES ENEMY ENERGETIC ENERGIES ENERGIZE ENERGY ENERVATE ENFEEBLE ENFIELD ENFORCE ENFORCEABLE ENFORCED ENFORCEMENT ENFORCER ENFORCERS ENFORCES ENFORCING ENFRANCHISE ENG ENGAGE ENGAGED ENGAGEMENT ENGAGEMENTS ENGAGES ENGAGING ENGAGINGLY ENGEL ENGELS ENGENDER ENGENDERED ENGENDERING ENGENDERS ENGINE ENGINEER ENGINEERED ENGINEERING ENGINEERS ENGINES ENGLAND ENGLANDER ENGLANDERS ENGLE ENGLEWOOD ENGLISH ENGLISHIZE ENGLISHIZES ENGLISHMAN ENGLISHMEN ENGRAVE ENGRAVED ENGRAVER ENGRAVES ENGRAVING ENGRAVINGS ENGROSS ENGROSSED ENGROSSING ENGULF ENHANCE ENHANCED ENHANCEMENT ENHANCEMENTS ENHANCES ENHANCING ENID ENIGMA ENIGMATIC ENJOIN ENJOINED ENJOINING ENJOINS ENJOY ENJOYABLE ENJOYABLY ENJOYED ENJOYING ENJOYMENT ENJOYS ENLARGE ENLARGED ENLARGEMENT ENLARGEMENTS ENLARGER ENLARGERS ENLARGES ENLARGING ENLIGHTEN ENLIGHTENED ENLIGHTENING ENLIGHTENMENT ENLIST ENLISTED ENLISTMENT ENLISTS ENLIVEN ENLIVENED ENLIVENING ENLIVENS ENMITIES ENMITY ENNOBLE ENNOBLED ENNOBLES ENNOBLING ENNUI ENOCH ENORMITIES ENORMITY ENORMOUS ENORMOUSLY ENOS ENOUGH ENQUEUE ENQUEUED ENQUEUES ENQUIRE ENQUIRED ENQUIRER ENQUIRES ENQUIRY ENRAGE ENRAGED ENRAGES ENRAGING ENRAPTURE ENRICH ENRICHED ENRICHES ENRICHING ENRICO ENROLL ENROLLED ENROLLING ENROLLMENT ENROLLMENTS ENROLLS ENSEMBLE ENSEMBLES ENSIGN ENSIGNS ENSLAVE ENSLAVED ENSLAVES ENSLAVING ENSNARE ENSNARED ENSNARES ENSNARING ENSOLITE ENSUE ENSUED ENSUES ENSUING ENSURE ENSURED ENSURER ENSURERS ENSURES ENSURING ENTAIL ENTAILED ENTAILING ENTAILS ENTANGLE ENTER ENTERED ENTERING ENTERPRISE ENTERPRISES ENTERPRISING ENTERS ENTERTAIN ENTERTAINED ENTERTAINER ENTERTAINERS ENTERTAINING ENTERTAININGLY ENTERTAINMENT ENTERTAINMENTS ENTERTAINS ENTHUSIASM ENTHUSIASMS ENTHUSIAST ENTHUSIASTIC ENTHUSIASTICALLY ENTHUSIASTS ENTICE ENTICED ENTICER ENTICERS ENTICES ENTICING ENTIRE ENTIRELY ENTIRETIES ENTIRETY ENTITIES ENTITLE ENTITLED ENTITLES ENTITLING ENTITY ENTOMB ENTRANCE ENTRANCED ENTRANCES ENTRAP ENTREAT ENTREATED ENTREATY ENTREE ENTRENCH ENTRENCHED ENTRENCHES ENTRENCHING ENTREPRENEUR ENTREPRENEURIAL ENTREPRENEURS ENTRIES ENTROPY ENTRUST ENTRUSTED ENTRUSTING ENTRUSTS ENTRY ENUMERABLE ENUMERATE ENUMERATED ENUMERATES ENUMERATING ENUMERATION ENUMERATIVE ENUMERATOR ENUMERATORS ENUNCIATION ENVELOP ENVELOPE ENVELOPED ENVELOPER ENVELOPES ENVELOPING ENVELOPS ENVIED ENVIES ENVIOUS ENVIOUSLY ENVIOUSNESS ENVIRON ENVIRONING ENVIRONMENT ENVIRONMENTAL ENVIRONMENTS ENVIRONS ENVISAGE ENVISAGED ENVISAGES ENVISION ENVISIONED ENVISIONING ENVISIONS ENVOY ENVOYS ENVY ENZYME EOCENE EPAULET EPAULETS EPHEMERAL EPHESIAN EPHESIANS EPHESUS EPHRAIM EPIC EPICENTER EPICS EPICUREAN EPICURIZE EPICURIZES EPICURUS EPIDEMIC EPIDEMICS EPIDERMIS EPIGRAM EPILEPTIC EPILOGUE EPIPHANY EPISCOPAL EPISCOPALIAN EPISCOPALIANIZE EPISCOPALIANIZES EPISODE EPISODES EPISTEMOLOGICAL EPISTEMOLOGY EPISTLE EPISTLES EPITAPH EPITAPHS EPITAXIAL EPITAXIALLY EPITHET EPITHETS EPITOMIZE EPITOMIZED EPITOMIZES EPITOMIZING EPOCH EPOCHS EPSILON EPSOM EPSTEIN EQUAL EQUALED EQUALING EQUALITIES EQUALITY EQUALIZATION EQUALIZE EQUALIZED EQUALIZER EQUALIZERS EQUALIZES EQUALIZING EQUALLY EQUALS EQUATE EQUATED EQUATES EQUATING EQUATION EQUATIONS EQUATOR EQUATORIAL EQUATORS EQUESTRIAN EQUIDISTANT EQUILATERAL EQUILIBRATE EQUILIBRIA EQUILIBRIUM EQUILIBRIUMS EQUINOX EQUIP EQUIPMENT EQUIPOISE EQUIPPED EQUIPPING EQUIPS EQUITABLE EQUITABLY EQUITY EQUIVALENCE EQUIVALENCES EQUIVALENT EQUIVALENTLY EQUIVALENTS EQUIVOCAL EQUIVOCALLY ERA ERADICATE ERADICATED ERADICATES ERADICATING ERADICATION ERAS ERASABLE ERASE ERASED ERASER ERASERS ERASES ERASING ERASMUS ERASTUS ERASURE ERATO ERATOSTHENES ERE ERECT ERECTED ERECTING ERECTION ERECTIONS ERECTOR ERECTORS ERECTS ERG ERGO ERGODIC ERIC ERICH ERICKSON ERICSSON ERIE ERIK ERIKSON ERIS ERLANG ERLENMEYER ERLENMEYERS ERMINE ERMINES ERNE ERNEST ERNESTINE ERNIE ERNST ERODE EROS EROSION EROTIC EROTICA ERR ERRAND ERRANT ERRATA ERRATIC ERRATUM ERRED ERRING ERRINGLY ERROL ERRONEOUS ERRONEOUSLY ERRONEOUSNESS ERROR ERRORS ERRS ERSATZ ERSKINE ERUDITE ERUPT ERUPTION ERVIN ERWIN ESCALATE ESCALATED ESCALATES ESCALATING ESCALATION ESCAPABLE ESCAPADE ESCAPADES ESCAPE ESCAPED ESCAPEE ESCAPEES ESCAPES ESCAPING ESCHERICHIA ESCHEW ESCHEWED ESCHEWING ESCHEWS ESCORT ESCORTED ESCORTING ESCORTS ESCROW ESKIMO ESKIMOIZED ESKIMOIZEDS ESKIMOS ESMARK ESOTERIC ESPAGNOL ESPECIAL ESPECIALLY ESPIONAGE ESPOSITO ESPOUSE ESPOUSED ESPOUSES ESPOUSING ESPRIT ESPY ESQUIRE ESQUIRES ESSAY ESSAYED ESSAYS ESSEN ESSENCE ESSENCES ESSENIZE ESSENIZES ESSENTIAL ESSENTIALLY ESSENTIALS ESSEX ESTABLISH ESTABLISHED ESTABLISHES ESTABLISHING ESTABLISHMENT ESTABLISHMENTS ESTATE ESTATES ESTEEM ESTEEMED ESTEEMING ESTEEMS ESTELLA ESTES ESTHER ESTHETICS ESTIMATE ESTIMATED ESTIMATES ESTIMATING ESTIMATION ESTIMATIONS ESTONIA ESTONIAN ETCH ETCHING ETERNAL ETERNALLY ETERNITIES ETERNITY ETHAN ETHEL ETHER ETHEREAL ETHEREALLY ETHERNET ETHERNETS ETHERS ETHIC ETHICAL ETHICALLY ETHICS ETHIOPIA ETHIOPIANS ETHNIC ETIQUETTE ETRURIA ETRUSCAN ETYMOLOGY EUCALYPTUS EUCHARIST EUCLID EUCLIDEAN EUGENE EUGENIA EULER EULERIAN EUMENIDES EUNICE EUNUCH EUNUCHS EUPHEMISM EUPHEMISMS EUPHORIA EUPHORIC EUPHRATES EURASIA EURASIAN EUREKA EURIPIDES EUROPA EUROPE EUROPEAN EUROPEANIZATION EUROPEANIZATIONS EUROPEANIZE EUROPEANIZED EUROPEANIZES EUROPEANS EURYDICE EUTERPE EUTHANASIA EVA EVACUATE EVACUATED EVACUATION EVADE EVADED EVADES EVADING EVALUATE EVALUATED EVALUATES EVALUATING EVALUATION EVALUATIONS EVALUATIVE EVALUATOR EVALUATORS EVANGELINE EVANS EVANSTON EVANSVILLE EVAPORATE EVAPORATED EVAPORATING EVAPORATION EVAPORATIVE EVASION EVASIVE EVE EVELYN EVEN EVENED EVENHANDED EVENHANDEDLY EVENHANDEDNESS EVENING EVENINGS EVENLY EVENNESS EVENS EVENSEN EVENT EVENTFUL EVENTFULLY EVENTS EVENTUAL EVENTUALITIES EVENTUALITY EVENTUALLY EVER EVEREADY EVEREST EVERETT EVERGLADE EVERGLADES EVERGREEN EVERHART EVERLASTING EVERLASTINGLY EVERMORE EVERY EVERYBODY EVERYDAY EVERYONE EVERYTHING EVERYWHERE EVICT EVICTED EVICTING EVICTION EVICTIONS EVICTS EVIDENCE EVIDENCED EVIDENCES EVIDENCING EVIDENT EVIDENTLY EVIL EVILLER EVILLY EVILS EVINCE EVINCED EVINCES EVOKE EVOKED EVOKES EVOKING EVOLUTE EVOLUTES EVOLUTION EVOLUTIONARY EVOLUTIONS EVOLVE EVOLVED EVOLVES EVOLVING EWE EWEN EWES EWING EXACERBATE EXACERBATED EXACERBATES EXACERBATING EXACERBATION EXACERBATIONS EXACT EXACTED EXACTING EXACTINGLY EXACTION EXACTIONS EXACTITUDE EXACTLY EXACTNESS EXACTS EXAGGERATE EXAGGERATED EXAGGERATES EXAGGERATING EXAGGERATION EXAGGERATIONS EXALT EXALTATION EXALTED EXALTING EXALTS EXAM EXAMINATION EXAMINATIONS EXAMINE EXAMINED EXAMINER EXAMINERS EXAMINES EXAMINING EXAMPLE EXAMPLES EXAMS EXASPERATE EXASPERATED EXASPERATES EXASPERATING EXASPERATION EXCAVATE EXCAVATED EXCAVATES EXCAVATING EXCAVATION EXCAVATIONS EXCEED EXCEEDED EXCEEDING EXCEEDINGLY EXCEEDS EXCEL EXCELLED EXCELLENCE EXCELLENCES EXCELLENCY EXCELLENT EXCELLENTLY EXCELLING EXCELS EXCEPT EXCEPTED EXCEPTING EXCEPTION EXCEPTIONABLE EXCEPTIONAL EXCEPTIONALLY EXCEPTIONS EXCEPTS EXCERPT EXCERPTED EXCERPTS EXCESS EXCESSES EXCESSIVE EXCESSIVELY EXCHANGE EXCHANGEABLE EXCHANGED EXCHANGES EXCHANGING EXCHEQUER EXCHEQUERS EXCISE EXCISED EXCISES EXCISING EXCISION EXCITABLE EXCITATION EXCITATIONS EXCITE EXCITED EXCITEDLY EXCITEMENT EXCITES EXCITING EXCITINGLY EXCITON EXCLAIM EXCLAIMED EXCLAIMER EXCLAIMERS EXCLAIMING EXCLAIMS EXCLAMATION EXCLAMATIONS EXCLAMATORY EXCLUDE EXCLUDED EXCLUDES EXCLUDING EXCLUSION EXCLUSIONARY EXCLUSIONS EXCLUSIVE EXCLUSIVELY EXCLUSIVENESS EXCLUSIVITY EXCOMMUNICATE EXCOMMUNICATED EXCOMMUNICATES EXCOMMUNICATING EXCOMMUNICATION EXCRETE EXCRETED EXCRETES EXCRETING EXCRETION EXCRETIONS EXCRETORY EXCRUCIATE EXCURSION EXCURSIONS EXCUSABLE EXCUSABLY EXCUSE EXCUSED EXCUSES EXCUSING EXEC EXECUTABLE EXECUTE EXECUTED EXECUTES EXECUTING EXECUTION EXECUTIONAL EXECUTIONER EXECUTIONS EXECUTIVE EXECUTIVES EXECUTOR EXECUTORS EXEMPLAR EXEMPLARY EXEMPLIFICATION EXEMPLIFIED EXEMPLIFIER EXEMPLIFIERS EXEMPLIFIES EXEMPLIFY EXEMPLIFYING EXEMPT EXEMPTED EXEMPTING EXEMPTION EXEMPTS EXERCISE EXERCISED EXERCISER EXERCISERS EXERCISES EXERCISING EXERT EXERTED EXERTING EXERTION EXERTIONS EXERTS EXETER EXHALE EXHALED EXHALES EXHALING EXHAUST EXHAUSTED EXHAUSTEDLY EXHAUSTING EXHAUSTION EXHAUSTIVE EXHAUSTIVELY EXHAUSTS EXHIBIT EXHIBITED EXHIBITING EXHIBITION EXHIBITIONS EXHIBITOR EXHIBITORS EXHIBITS EXHILARATE EXHORT EXHORTATION EXHORTATIONS EXHUME EXIGENCY EXILE EXILED EXILES EXILING EXIST EXISTED EXISTENCE EXISTENT EXISTENTIAL EXISTENTIALISM EXISTENTIALIST EXISTENTIALISTS EXISTENTIALLY EXISTING EXISTS EXIT EXITED EXITING EXITS EXODUS EXORBITANT EXORBITANTLY EXORCISM EXORCIST EXOSKELETON EXOTIC EXPAND EXPANDABLE EXPANDED EXPANDER EXPANDERS EXPANDING EXPANDS EXPANSE EXPANSES EXPANSIBLE EXPANSION EXPANSIONISM EXPANSIONS EXPANSIVE EXPECT EXPECTANCY EXPECTANT EXPECTANTLY EXPECTATION EXPECTATIONS EXPECTED EXPECTEDLY EXPECTING EXPECTINGLY EXPECTS EXPEDIENCY EXPEDIENT EXPEDIENTLY EXPEDITE EXPEDITED EXPEDITES EXPEDITING EXPEDITION EXPEDITIONS EXPEDITIOUS EXPEDITIOUSLY EXPEL EXPELLED EXPELLING EXPELS EXPEND EXPENDABLE EXPENDED EXPENDING EXPENDITURE EXPENDITURES EXPENDS EXPENSE EXPENSES EXPENSIVE EXPENSIVELY EXPERIENCE EXPERIENCED EXPERIENCES EXPERIENCING EXPERIMENT EXPERIMENTAL EXPERIMENTALLY EXPERIMENTATION EXPERIMENTATIONS EXPERIMENTED EXPERIMENTER EXPERIMENTERS EXPERIMENTING EXPERIMENTS EXPERT EXPERTISE EXPERTLY EXPERTNESS EXPERTS EXPIRATION EXPIRATIONS EXPIRE EXPIRED EXPIRES EXPIRING EXPLAIN EXPLAINABLE EXPLAINED EXPLAINER EXPLAINERS EXPLAINING EXPLAINS EXPLANATION EXPLANATIONS EXPLANATORY EXPLETIVE EXPLICIT EXPLICITLY EXPLICITNESS EXPLODE EXPLODED EXPLODES EXPLODING EXPLOIT EXPLOITABLE EXPLOITATION EXPLOITATIONS EXPLOITED EXPLOITER EXPLOITERS EXPLOITING EXPLOITS EXPLORATION EXPLORATIONS EXPLORATORY EXPLORE EXPLORED EXPLORER EXPLORERS EXPLORES EXPLORING EXPLOSION EXPLOSIONS EXPLOSIVE EXPLOSIVELY EXPLOSIVES EXPONENT EXPONENTIAL EXPONENTIALLY EXPONENTIALS EXPONENTIATE EXPONENTIATED EXPONENTIATES EXPONENTIATING EXPONENTIATION EXPONENTIATIONS EXPONENTS EXPORT EXPORTATION EXPORTED EXPORTER EXPORTERS EXPORTING EXPORTS EXPOSE EXPOSED EXPOSER EXPOSERS EXPOSES EXPOSING EXPOSITION EXPOSITIONS EXPOSITORY EXPOSURE EXPOSURES EXPOUND EXPOUNDED EXPOUNDER EXPOUNDING EXPOUNDS EXPRESS EXPRESSED EXPRESSES EXPRESSIBILITY EXPRESSIBLE EXPRESSIBLY EXPRESSING EXPRESSION EXPRESSIONS EXPRESSIVE EXPRESSIVELY EXPRESSIVENESS EXPRESSLY EXPULSION EXPUNGE EXPUNGED EXPUNGES EXPUNGING EXPURGATE EXQUISITE EXQUISITELY EXQUISITENESS EXTANT EXTEMPORANEOUS EXTEND EXTENDABLE EXTENDED EXTENDING EXTENDS EXTENSIBILITY EXTENSIBLE EXTENSION EXTENSIONS EXTENSIVE EXTENSIVELY EXTENT EXTENTS EXTENUATE EXTENUATED EXTENUATING EXTENUATION EXTERIOR EXTERIORS EXTERMINATE EXTERMINATED EXTERMINATES EXTERMINATING EXTERMINATION EXTERNAL EXTERNALLY EXTINCT EXTINCTION EXTINGUISH EXTINGUISHED EXTINGUISHER EXTINGUISHES EXTINGUISHING EXTIRPATE EXTOL EXTORT EXTORTED EXTORTION EXTRA EXTRACT EXTRACTED EXTRACTING EXTRACTION EXTRACTIONS EXTRACTOR EXTRACTORS EXTRACTS EXTRACURRICULAR EXTRAMARITAL EXTRANEOUS EXTRANEOUSLY EXTRANEOUSNESS EXTRAORDINARILY EXTRAORDINARINESS EXTRAORDINARY EXTRAPOLATE EXTRAPOLATED EXTRAPOLATES EXTRAPOLATING EXTRAPOLATION EXTRAPOLATIONS EXTRAS EXTRATERRESTRIAL EXTRAVAGANCE EXTRAVAGANT EXTRAVAGANTLY EXTRAVAGANZA EXTREMAL EXTREME EXTREMELY EXTREMES EXTREMIST EXTREMISTS EXTREMITIES EXTREMITY EXTRICATE EXTRINSIC EXTROVERT EXUBERANCE EXULT EXULTATION EXXON EYE EYEBALL EYEBROW EYEBROWS EYED EYEFUL EYEGLASS EYEGLASSES EYEING EYELASH EYELID EYELIDS EYEPIECE EYEPIECES EYER EYERS EYES EYESIGHT EYEWITNESS EYEWITNESSES EYING EZEKIEL EZRA FABER FABIAN FABLE FABLED FABLES FABRIC FABRICATE FABRICATED FABRICATES FABRICATING FABRICATION FABRICS FABULOUS FABULOUSLY FACADE FACADED FACADES FACE FACED FACES FACET FACETED FACETS FACIAL FACILE FACILELY FACILITATE FACILITATED FACILITATES FACILITATING FACILITIES FACILITY FACING FACINGS FACSIMILE FACSIMILES FACT FACTION FACTIONS FACTIOUS FACTO FACTOR FACTORED FACTORIAL FACTORIES FACTORING FACTORIZATION FACTORIZATIONS FACTORS FACTORY FACTS FACTUAL FACTUALLY FACULTIES FACULTY FADE FADED FADEOUT FADER FADERS FADES FADING FAFNIR FAG FAGIN FAGS FAHEY FAHRENHEIT FAHRENHEITS FAIL FAILED FAILING FAILINGS FAILS FAILSOFT FAILURE FAILURES FAIN FAINT FAINTED FAINTER FAINTEST FAINTING FAINTLY FAINTNESS FAINTS FAIR FAIRBANKS FAIRCHILD FAIRER FAIREST FAIRFAX FAIRFIELD FAIRIES FAIRING FAIRLY FAIRMONT FAIRNESS FAIRPORT FAIRS FAIRVIEW FAIRY FAIRYLAND FAITH FAITHFUL FAITHFULLY FAITHFULNESS FAITHLESS FAITHLESSLY FAITHLESSNESS FAITHS FAKE FAKED FAKER FAKES FAKING FALCON FALCONER FALCONS FALK FALKLAND FALKLANDS FALL FALLACIES FALLACIOUS FALLACY FALLEN FALLIBILITY FALLIBLE FALLING FALLOPIAN FALLOUT FALLOW FALLS FALMOUTH FALSE FALSEHOOD FALSEHOODS FALSELY FALSENESS FALSIFICATION FALSIFIED FALSIFIES FALSIFY FALSIFYING FALSITY FALSTAFF FALTER FALTERED FALTERS FAME FAMED FAMES FAMILIAL FAMILIAR FAMILIARITIES FAMILIARITY FAMILIARIZATION FAMILIARIZE FAMILIARIZED FAMILIARIZES FAMILIARIZING FAMILIARLY FAMILIARNESS FAMILIES FAMILISM FAMILY FAMINE FAMINES FAMISH FAMOUS FAMOUSLY FAN FANATIC FANATICISM FANATICS FANCIED FANCIER FANCIERS FANCIES FANCIEST FANCIFUL FANCIFULLY FANCILY FANCINESS FANCY FANCYING FANFARE FANFOLD FANG FANGLED FANGS FANNED FANNIES FANNING FANNY FANOUT FANS FANTASIES FANTASIZE FANTASTIC FANTASY FAQ FAR FARAD FARADAY FARAWAY FARBER FARCE FARCES FARE FARED FARES FAREWELL FAREWELLS FARFETCHED FARGO FARINA FARING FARKAS FARLEY FARM FARMED FARMER FARMERS FARMHOUSE FARMHOUSES FARMING FARMINGTON FARMLAND FARMS FARMYARD FARMYARDS FARNSWORTH FARRELL FARSIGHTED FARTHER FARTHEST FARTHING FASCICLE FASCINATE FASCINATED FASCINATES FASCINATING FASCINATION FASCISM FASCIST FASHION FASHIONABLE FASHIONABLY FASHIONED FASHIONING FASHIONS FAST FASTED FASTEN FASTENED FASTENER FASTENERS FASTENING FASTENINGS FASTENS FASTER FASTEST FASTIDIOUS FASTING FASTNESS FASTS FAT FATAL FATALITIES FATALITY FATALLY FATALS FATE FATED FATEFUL FATES FATHER FATHERED FATHERLAND FATHERLY FATHERS FATHOM FATHOMED FATHOMING FATHOMS FATIGUE FATIGUED FATIGUES FATIGUING FATIMA FATNESS FATS FATTEN FATTENED FATTENER FATTENERS FATTENING FATTENS FATTER FATTEST FATTY FAUCET FAULKNER FAULKNERIAN FAULT FAULTED FAULTING FAULTLESS FAULTLESSLY FAULTS FAULTY FAUN FAUNA FAUNTLEROY FAUST FAUSTIAN FAUSTUS FAVOR FAVORABLE FAVORABLY FAVORED FAVORER FAVORING FAVORITE FAVORITES FAVORITISM FAVORS FAWKES FAWN FAWNED FAWNING FAWNS FAYETTE FAYETTEVILLE FAZE FEAR FEARED FEARFUL FEARFULLY FEARING FEARLESS FEARLESSLY FEARLESSNESS FEARS FEARSOME FEASIBILITY FEASIBLE FEAST FEASTED FEASTING FEASTS FEAT FEATHER FEATHERBED FEATHERBEDDING FEATHERED FEATHERER FEATHERERS FEATHERING FEATHERMAN FEATHERS FEATHERWEIGHT FEATHERY FEATS FEATURE FEATURED FEATURES FEATURING FEBRUARIES FEBRUARY FECUND FED FEDDERS FEDERAL FEDERALIST FEDERALLY FEDERALS FEDERATION FEDORA FEE FEEBLE FEEBLENESS FEEBLER FEEBLEST FEEBLY FEED FEEDBACK FEEDER FEEDERS FEEDING FEEDINGS FEEDS FEEL FEELER FEELERS FEELING FEELINGLY FEELINGS FEELS FEENEY FEES FEET FEIGN FEIGNED FEIGNING FELDER FELDMAN FELICE FELICIA FELICITIES FELICITY FELINE FELIX FELL FELLATIO FELLED FELLING FELLINI FELLOW FELLOWS FELLOWSHIP FELLOWSHIPS FELON FELONIOUS FELONY FELT FELTS FEMALE FEMALES FEMININE FEMININITY FEMINISM FEMINIST FEMUR FEMURS FEN FENCE FENCED FENCER FENCERS FENCES FENCING FEND FENTON FENWICK FERBER FERDINAND FERDINANDO FERGUSON FERMAT FERMENT FERMENTATION FERMENTATIONS FERMENTED FERMENTING FERMENTS FERMI FERN FERNANDO FERNS FEROCIOUS FEROCIOUSLY FEROCIOUSNESS FEROCITY FERREIRA FERRER FERRET FERRIED FERRIES FERRITE FERRY FERTILE FERTILELY FERTILITY FERTILIZATION FERTILIZE FERTILIZED FERTILIZER FERTILIZERS FERTILIZES FERTILIZING FERVENT FERVENTLY FERVOR FERVORS FESS FESTIVAL FESTIVALS FESTIVE FESTIVELY FESTIVITIES FESTIVITY FETAL FETCH FETCHED FETCHES FETCHING FETCHINGLY FETID FETISH FETTER FETTERED FETTERS FETTLE FETUS FEUD FEUDAL FEUDALISM FEUDS FEVER FEVERED FEVERISH FEVERISHLY FEVERS FEW FEWER FEWEST FEWNESS FIANCE FIANCEE FIASCO FIAT FIB FIBBING FIBER FIBERGLAS FIBERS FIBONACCI FIBROSITIES FIBROSITY FIBROUS FIBROUSLY FICKLE FICKLENESS FICTION FICTIONAL FICTIONALLY FICTIONS FICTITIOUS FICTITIOUSLY FIDDLE FIDDLED FIDDLER FIDDLES FIDDLESTICK FIDDLESTICKS FIDDLING FIDEL FIDELITY FIDGET FIDUCIAL FIEF FIEFDOM FIELD FIELDED FIELDER FIELDERS FIELDING FIELDS FIELDWORK FIEND FIENDISH FIERCE FIERCELY FIERCENESS FIERCER FIERCEST FIERY FIFE FIFTEEN FIFTEENS FIFTEENTH FIFTH FIFTIES FIFTIETH FIFTY FIG FIGARO FIGHT FIGHTER FIGHTERS FIGHTING FIGHTS FIGS FIGURATIVE FIGURATIVELY FIGURE FIGURED FIGURES FIGURING FIGURINGS FIJI FIJIAN FIJIANS FILAMENT FILAMENTS FILE FILED FILENAME FILENAMES FILER FILES FILIAL FILIBUSTER FILING FILINGS FILIPINO FILIPINOS FILIPPO FILL FILLABLE FILLED FILLER FILLERS FILLING FILLINGS FILLMORE FILLS FILLY FILM FILMED FILMING FILMS FILTER FILTERED FILTERING FILTERS FILTH FILTHIER FILTHIEST FILTHINESS FILTHY FIN FINAL FINALITY FINALIZATION FINALIZE FINALIZED FINALIZES FINALIZING FINALLY FINALS FINANCE FINANCED FINANCES FINANCIAL FINANCIALLY FINANCIER FINANCIERS FINANCING FIND FINDER FINDERS FINDING FINDINGS FINDS FINE FINED FINELY FINENESS FINER FINES FINESSE FINESSED FINESSING FINEST FINGER FINGERED FINGERING FINGERINGS FINGERNAIL FINGERPRINT FINGERPRINTS FINGERS FINGERTIP FINICKY FINING FINISH FINISHED FINISHER FINISHERS FINISHES FINISHING FINITE FINITELY FINITENESS FINK FINLAND FINLEY FINN FINNEGAN FINNISH FINNS FINNY FINS FIORELLO FIORI FIR FIRE FIREARM FIREARMS FIREBOAT FIREBREAK FIREBUG FIRECRACKER FIRED FIREFLIES FIREFLY FIREHOUSE FIRELIGHT FIREMAN FIREMEN FIREPLACE FIREPLACES FIREPOWER FIREPROOF FIRER FIRERS FIRES FIRESIDE FIRESTONE FIREWALL FIREWOOD FIREWORKS FIRING FIRINGS FIRM FIRMAMENT FIRMED FIRMER FIRMEST FIRMING FIRMLY FIRMNESS FIRMS FIRMWARE FIRST FIRSTHAND FIRSTLY FIRSTS FISCAL FISCALLY FISCHBEIN FISCHER FISH FISHED FISHER FISHERMAN FISHERMEN FISHERS FISHERY FISHES FISHING FISHKILL FISHMONGER FISHPOND FISHY FISK FISKE FISSION FISSURE FISSURED FIST FISTED FISTICUFF FISTS FIT FITCH FITCHBURG FITFUL FITFULLY FITLY FITNESS FITS FITTED FITTER FITTERS FITTING FITTINGLY FITTINGS FITZGERALD FITZPATRICK FITZROY FIVE FIVEFOLD FIVES FIX FIXATE FIXATED FIXATES FIXATING FIXATION FIXATIONS FIXED FIXEDLY FIXEDNESS FIXER FIXERS FIXES FIXING FIXINGS FIXTURE FIXTURES FIZEAU FIZZLE FIZZLED FLABBERGAST FLABBERGASTED FLACK FLAG FLAGELLATE FLAGGED FLAGGING FLAGLER FLAGPOLE FLAGRANT FLAGRANTLY FLAGS FLAGSTAFF FLAIL FLAIR FLAK FLAKE FLAKED FLAKES FLAKING FLAKY FLAM FLAMBOYANT FLAME FLAMED FLAMER FLAMERS FLAMES FLAMING FLAMMABLE FLANAGAN FLANDERS FLANK FLANKED FLANKER FLANKING FLANKS FLANNEL FLANNELS FLAP FLAPS FLARE FLARED FLARES FLARING FLASH FLASHBACK FLASHED FLASHER FLASHERS FLASHES FLASHING FLASHLIGHT FLASHLIGHTS FLASHY FLASK FLAT FLATBED FLATLY FLATNESS FLATS FLATTEN FLATTENED FLATTENING FLATTER FLATTERED FLATTERER FLATTERING FLATTERY FLATTEST FLATULENT FLATUS FLATWORM FLAUNT FLAUNTED FLAUNTING FLAUNTS FLAVOR FLAVORED FLAVORING FLAVORINGS FLAVORS FLAW FLAWED FLAWLESS FLAWLESSLY FLAWS FLAX FLAXEN FLEA FLEAS FLED FLEDERMAUS FLEDGED FLEDGLING FLEDGLINGS FLEE FLEECE FLEECES FLEECY FLEEING FLEES FLEET FLEETEST FLEETING FLEETLY FLEETNESS FLEETS FLEISCHMAN FLEISHER FLEMING FLEMINGS FLEMISH FLEMISHED FLEMISHES FLEMISHING FLESH FLESHED FLESHES FLESHING FLESHLY FLESHY FLETCHER FLETCHERIZE FLETCHERIZES FLEW FLEX FLEXIBILITIES FLEXIBILITY FLEXIBLE FLEXIBLY FLICK FLICKED FLICKER FLICKERING FLICKING FLICKS FLIER FLIERS FLIES FLIGHT FLIGHTS FLIMSY FLINCH FLINCHED FLINCHES FLINCHING FLING FLINGS FLINT FLINTY FLIP FLIPFLOP FLIPPED FLIPS FLIRT FLIRTATION FLIRTATIOUS FLIRTED FLIRTING FLIRTS FLIT FLITTING FLO FLOAT FLOATED FLOATER FLOATING FLOATS FLOCK FLOCKED FLOCKING FLOCKS FLOG FLOGGING FLOOD FLOODED FLOODING FLOODLIGHT FLOODLIT FLOODS FLOOR FLOORED FLOORING FLOORINGS FLOORS FLOP FLOPPIES FLOPPILY FLOPPING FLOPPY FLOPS FLORA FLORAL FLORENCE FLORENTINE FLORID FLORIDA FLORIDIAN FLORIDIANS FLORIN FLORIST FLOSS FLOSSED FLOSSES FLOSSING FLOTATION FLOTILLA FLOUNDER FLOUNDERED FLOUNDERING FLOUNDERS FLOUR FLOURED FLOURISH FLOURISHED FLOURISHES FLOURISHING FLOW FLOWCHART FLOWCHARTING FLOWCHARTS FLOWED FLOWER FLOWERED FLOWERINESS FLOWERING FLOWERPOT FLOWERS FLOWERY FLOWING FLOWN FLOWS FLOYD FLU FLUCTUATE FLUCTUATES FLUCTUATING FLUCTUATION FLUCTUATIONS FLUE FLUENCY FLUENT FLUENTLY FLUFF FLUFFIER FLUFFIEST FLUFFY FLUID FLUIDITY FLUIDLY FLUIDS FLUKE FLUNG FLUNKED FLUORESCE FLUORESCENT FLURRIED FLURRY FLUSH FLUSHED FLUSHES FLUSHING FLUTE FLUTED FLUTING FLUTTER FLUTTERED FLUTTERING FLUTTERS FLUX FLY FLYABLE FLYER FLYERS FLYING FLYNN FOAL FOAM FOAMED FOAMING FOAMS FOAMY FOB FOBBING FOCAL FOCALLY FOCI FOCUS FOCUSED FOCUSES FOCUSING FOCUSSED FODDER FOE FOES FOG FOGARTY FOGGED FOGGIER FOGGIEST FOGGILY FOGGING FOGGY FOGS FOGY FOIBLE FOIL FOILED FOILING FOILS FOIST FOLD FOLDED FOLDER FOLDERS FOLDING FOLDOUT FOLDS FOLEY FOLIAGE FOLK FOLKLORE FOLKS FOLKSONG FOLKSY FOLLIES FOLLOW FOLLOWED FOLLOWER FOLLOWERS FOLLOWING FOLLOWINGS FOLLOWS FOLLY FOLSOM FOMALHAUT FOND FONDER FONDLE FONDLED FONDLES FONDLING FONDLY FONDNESS FONT FONTAINE FONTAINEBLEAU FONTANA FONTS FOOD FOODS FOODSTUFF FOODSTUFFS FOOL FOOLED FOOLHARDY FOOLING FOOLISH FOOLISHLY FOOLISHNESS FOOLPROOF FOOLS FOOT FOOTAGE FOOTBALL FOOTBALLS FOOTBRIDGE FOOTE FOOTED FOOTER FOOTERS FOOTFALL FOOTHILL FOOTHOLD FOOTING FOOTMAN FOOTNOTE FOOTNOTES FOOTPATH FOOTPRINT FOOTPRINTS FOOTSTEP FOOTSTEPS FOR FORAGE FORAGED FORAGES FORAGING FORAY FORAYS FORBADE FORBEAR FORBEARANCE FORBEARS FORBES FORBID FORBIDDEN FORBIDDING FORBIDS FORCE FORCED FORCEFUL FORCEFULLY FORCEFULNESS FORCER FORCES FORCIBLE FORCIBLY FORCING FORD FORDHAM FORDS FORE FOREARM FOREARMS FOREBODING FORECAST FORECASTED FORECASTER FORECASTERS FORECASTING FORECASTLE FORECASTS FOREFATHER FOREFATHERS FOREFINGER FOREFINGERS FOREGO FOREGOES FOREGOING FOREGONE FOREGROUND FOREHEAD FOREHEADS FOREIGN FOREIGNER FOREIGNERS FOREIGNS FOREMAN FOREMOST FORENOON FORENSIC FORERUNNERS FORESEE FORESEEABLE FORESEEN FORESEES FORESIGHT FORESIGHTED FOREST FORESTALL FORESTALLED FORESTALLING FORESTALLMENT FORESTALLS FORESTED FORESTER FORESTERS FORESTRY FORESTS FORETELL FORETELLING FORETELLS FORETOLD FOREVER FOREWARN FOREWARNED FOREWARNING FOREWARNINGS FOREWARNS FORFEIT FORFEITED FORFEITURE FORGAVE FORGE FORGED FORGER FORGERIES FORGERY FORGES FORGET FORGETFUL FORGETFULNESS FORGETS FORGETTABLE FORGETTABLY FORGETTING FORGING FORGIVABLE FORGIVABLY FORGIVE FORGIVEN FORGIVENESS FORGIVES FORGIVING FORGIVINGLY FORGOT FORGOTTEN FORK FORKED FORKING FORKLIFT FORKS FORLORN FORLORNLY FORM FORMAL FORMALISM FORMALISMS FORMALITIES FORMALITY FORMALIZATION FORMALIZATIONS FORMALIZE FORMALIZED FORMALIZES FORMALIZING FORMALLY FORMANT FORMANTS FORMAT FORMATION FORMATIONS FORMATIVE FORMATIVELY FORMATS FORMATTED FORMATTER FORMATTERS FORMATTING FORMED FORMER FORMERLY FORMICA FORMICAS FORMIDABLE FORMING FORMOSA FORMOSAN FORMS FORMULA FORMULAE FORMULAS FORMULATE FORMULATED FORMULATES FORMULATING FORMULATION FORMULATIONS FORMULATOR FORMULATORS FORNICATION FORREST FORSAKE FORSAKEN FORSAKES FORSAKING FORSYTHE FORT FORTE FORTESCUE FORTH FORTHCOMING FORTHRIGHT FORTHWITH FORTIER FORTIES FORTIETH FORTIFICATION FORTIFICATIONS FORTIFIED FORTIFIES FORTIFY FORTIFYING FORTIORI FORTITUDE FORTNIGHT FORTNIGHTLY FORTRAN FORTRAN FORTRESS FORTRESSES FORTS FORTUITOUS FORTUITOUSLY FORTUNATE FORTUNATELY FORTUNE FORTUNES FORTY FORUM FORUMS FORWARD FORWARDED FORWARDER FORWARDING FORWARDNESS FORWARDS FOSS FOSSIL FOSTER FOSTERED FOSTERING FOSTERS FOUGHT FOUL FOULED FOULEST FOULING FOULLY FOULMOUTH FOULNESS FOULS FOUND FOUNDATION FOUNDATIONS FOUNDED FOUNDER FOUNDERED FOUNDERS FOUNDING FOUNDLING FOUNDRIES FOUNDRY FOUNDS FOUNT FOUNTAIN FOUNTAINS FOUNTS FOUR FOURFOLD FOURIER FOURS FOURSCORE FOURSOME FOURSQUARE FOURTEEN FOURTEENS FOURTEENTH FOURTH FOWL FOWLER FOWLS FOX FOXES FOXHALL FRACTION FRACTIONAL FRACTIONALLY FRACTIONS FRACTURE FRACTURED FRACTURES FRACTURING FRAGILE FRAGMENT FRAGMENTARY FRAGMENTATION FRAGMENTED FRAGMENTING FRAGMENTS FRAGRANCE FRAGRANCES FRAGRANT FRAGRANTLY FRAIL FRAILEST FRAILTY FRAME FRAMED FRAMER FRAMES FRAMEWORK FRAMEWORKS FRAMING FRAN FRANC FRANCAISE FRANCE FRANCES FRANCESCA FRANCESCO FRANCHISE FRANCHISES FRANCIE FRANCINE FRANCIS FRANCISCAN FRANCISCANS FRANCISCO FRANCIZE FRANCIZES FRANCO FRANCOIS FRANCOISE FRANCS FRANK FRANKED FRANKEL FRANKER FRANKEST FRANKFORT FRANKFURT FRANKIE FRANKING FRANKLINIZATION FRANKLINIZATIONS FRANKLY FRANKNESS FRANKS FRANNY FRANTIC FRANTICALLY FRANZ FRASER FRATERNAL FRATERNALLY FRATERNITIES FRATERNITY FRAU FRAUD FRAUDS FRAUDULENT FRAUGHT FRAY FRAYED FRAYING FRAYNE FRAYS FRAZIER FRAZZLE FREAK FREAKISH FREAKS FRECKLE FRECKLED FRECKLES FRED FREDDIE FREDDY FREDERIC FREDERICK FREDERICKS FREDERICKSBURG FREDERICO FREDERICTON FREDHOLM FREDRICK FREDRICKSON FREE FREED FREEDMAN FREEDOM FREEDOMS FREEING FREEINGS FREELY FREEMAN FREEMASON FREEMASONRY FREEMASONS FREENESS FREEPORT FREER FREES FREEST FREESTYLE FREETOWN FREEWAY FREEWHEEL FREEZE FREEZER FREEZERS FREEZES FREEZING FREIDA FREIGHT FREIGHTED FREIGHTER FREIGHTERS FREIGHTING FREIGHTS FRENCH FRENCHIZE FRENCHIZES FRENCHMAN FRENCHMEN FRENETIC FRENZIED FRENZY FREON FREQUENCIES FREQUENCY FREQUENT FREQUENTED FREQUENTER FREQUENTERS FREQUENTING FREQUENTLY FREQUENTS FRESCO FRESCOES FRESH FRESHEN FRESHENED FRESHENER FRESHENERS FRESHENING FRESHENS FRESHER FRESHEST FRESHLY FRESHMAN FRESHMEN FRESHNESS FRESHWATER FRESNEL FRESNO FRET FRETFUL FRETFULLY FRETFULNESS FREUD FREUDIAN FREUDIANISM FREUDIANISMS FREUDIANS FREY FREYA FRIAR FRIARS FRICATIVE FRICATIVES FRICK FRICTION FRICTIONLESS FRICTIONS FRIDAY FRIDAYS FRIED FRIEDMAN FRIEDRICH FRIEND FRIENDLESS FRIENDLIER FRIENDLIEST FRIENDLINESS FRIENDLY FRIENDS FRIENDSHIP FRIENDSHIPS FRIES FRIESLAND FRIEZE FRIEZES FRIGATE FRIGATES FRIGGA FRIGHT FRIGHTEN FRIGHTENED FRIGHTENING FRIGHTENINGLY FRIGHTENS FRIGHTFUL FRIGHTFULLY FRIGHTFULNESS FRIGID FRIGIDAIRE FRILL FRILLS FRINGE FRINGED FRISBEE FRISIA FRISIAN FRISK FRISKED FRISKING FRISKS FRISKY FRITO FRITTER FRITZ FRIVOLITY FRIVOLOUS FRIVOLOUSLY FRO FROCK FROCKS FROG FROGS FROLIC FROLICS FROM FRONT FRONTAGE FRONTAL FRONTED FRONTIER FRONTIERS FRONTIERSMAN FRONTIERSMEN FRONTING FRONTS FROST FROSTBELT FROSTBITE FROSTBITTEN FROSTED FROSTING FROSTS FROSTY FROTH FROTHING FROTHY FROWN FROWNED FROWNING FROWNS FROZE FROZEN FROZENLY FRUEHAUF FRUGAL FRUGALLY FRUIT FRUITFUL FRUITFULLY FRUITFULNESS FRUITION FRUITLESS FRUITLESSLY FRUITS FRUSTRATE FRUSTRATED FRUSTRATES FRUSTRATING FRUSTRATION FRUSTRATIONS FRY FRYE FUCHS FUCHSIA FUDGE FUEL FUELED FUELING FUELS FUGITIVE FUGITIVES FUGUE FUJI FUJITSU FULBRIGHT FULBRIGHTS FULCRUM FULFILL FULFILLED FULFILLING FULFILLMENT FULFILLMENTS FULFILLS FULL FULLER FULLERTON FULLEST FULLNESS FULLY FULMINATE FULTON FUMBLE FUMBLED FUMBLING FUME FUMED FUMES FUMING FUN FUNCTION FUNCTIONAL FUNCTIONALITIES FUNCTIONALITY FUNCTIONALLY FUNCTIONALS FUNCTIONARY FUNCTIONED FUNCTIONING FUNCTIONS FUNCTOR FUNCTORS FUND FUNDAMENTAL FUNDAMENTALLY FUNDAMENTALS FUNDED FUNDER FUNDERS FUNDING FUNDS FUNERAL FUNERALS FUNEREAL FUNGAL FUNGI FUNGIBLE FUNGICIDE FUNGUS FUNK FUNNEL FUNNELED FUNNELING FUNNELS FUNNIER FUNNIEST FUNNILY FUNNINESS FUNNY FUR FURIES FURIOUS FURIOUSER FURIOUSLY FURLONG FURLOUGH FURMAN FURNACE FURNACES FURNISH FURNISHED FURNISHES FURNISHING FURNISHINGS FURNITURE FURRIER FURROW FURROWED FURROWS FURRY FURS FURTHER FURTHERED FURTHERING FURTHERMORE FURTHERMOST FURTHERS FURTHEST FURTIVE FURTIVELY FURTIVENESS FURY FUSE FUSED FUSES FUSING FUSION FUSS FUSSING FUSSY FUTILE FUTILITY FUTURE FUTURES FUTURISTIC FUZZ FUZZIER FUZZINESS FUZZY GAB GABARDINE GABBING GABERONES GABLE GABLED GABLER GABLES GABON GABORONE GABRIEL GABRIELLE GAD GADFLY GADGET GADGETRY GADGETS GAELIC GAELICIZATION GAELICIZATIONS GAELICIZE GAELICIZES GAG GAGGED GAGGING GAGING GAGS GAIETIES GAIETY GAIL GAILY GAIN GAINED GAINER GAINERS GAINES GAINESVILLE GAINFUL GAINING GAINS GAIT GAITED GAITER GAITERS GAITHERSBURG GALACTIC GALAHAD GALAPAGOS GALATEA GALATEAN GALATEANS GALATIA GALATIANS GALAXIES GALAXY GALBREATH GALE GALEN GALILEAN GALILEE GALILEO GALL GALLAGHER GALLANT GALLANTLY GALLANTRY GALLANTS GALLED GALLERIED GALLERIES GALLERY GALLEY GALLEYS GALLING GALLON GALLONS GALLOP GALLOPED GALLOPER GALLOPING GALLOPS GALLOWAY GALLOWS GALLS GALLSTONE GALLUP GALOIS GALT GALVESTON GALVIN GALWAY GAMBIA GAMBIT GAMBLE GAMBLED GAMBLER GAMBLERS GAMBLES GAMBLING GAMBOL GAME GAMED GAMELY GAMENESS GAMES GAMING GAMMA GANDER GANDHI GANDHIAN GANG GANGES GANGLAND GANGLING GANGPLANK GANGRENE GANGS GANGSTER GANGSTERS GANNETT GANTRY GANYMEDE GAP GAPE GAPED GAPES GAPING GAPS GARAGE GARAGED GARAGES GARB GARBAGE GARBAGES GARBED GARBLE GARBLED GARCIA GARDEN GARDENED GARDENER GARDENERS GARDENING GARDENS GARDNER GARFIELD GARFUNKEL GARGANTUAN GARGLE GARGLED GARGLES GARGLING GARIBALDI GARLAND GARLANDED GARLIC GARMENT GARMENTS GARNER GARNERED GARNETT GARNISH GARRETT GARRISON GARRISONED GARRISONIAN GARRY GARTER GARTERS GARTH GARVEY GARY GAS GASCONY GASEOUS GASEOUSLY GASES GASH GASHES GASKET GASLIGHT GASOLINE GASP GASPED GASPEE GASPING GASPS GASSED GASSER GASSET GASSING GASSINGS GASSY GASTON GASTRIC GASTROINTESTINAL GASTRONOME GASTRONOMY GATE GATED GATES GATEWAY GATEWAYS GATHER GATHERED GATHERER GATHERERS GATHERING GATHERINGS GATHERS GATING GATLINBURG GATOR GATSBY GAUCHE GAUDINESS GAUDY GAUGE GAUGED GAUGES GAUGUIN GAUL GAULLE GAULS GAUNT GAUNTLEY GAUNTNESS GAUSSIAN GAUTAMA GAUZE GAVE GAVEL GAVIN GAWK GAWKY GAY GAYER GAYEST GAYETY GAYLOR GAYLORD GAYLY GAYNESS GAYNOR GAZE GAZED GAZELLE GAZER GAZERS GAZES GAZETTE GAZING GEAR GEARED GEARING GEARS GEARY GECKO GEESE GEHRIG GEIGER GEIGY GEISHA GEL GELATIN GELATINE GELATINOUS GELD GELLED GELLING GELS GEM GEMINI GEMINID GEMMA GEMS GENDER GENDERS GENE GENEALOGY GENERAL GENERALIST GENERALISTS GENERALITIES GENERALITY GENERALIZATION GENERALIZATIONS GENERALIZE GENERALIZED GENERALIZER GENERALIZERS GENERALIZES GENERALIZING GENERALLY GENERALS GENERATE GENERATED GENERATES GENERATING GENERATION GENERATIONS GENERATIVE GENERATOR GENERATORS GENERIC GENERICALLY GENEROSITIES GENEROSITY GENEROUS GENEROUSLY GENEROUSNESS GENES GENESCO GENESIS GENETIC GENETICALLY GENEVA GENEVIEVE GENIAL GENIALLY GENIE GENIUS GENIUSES GENOA GENRE GENRES GENT GENTEEL GENTILE GENTLE GENTLEMAN GENTLEMANLY GENTLEMEN GENTLENESS GENTLER GENTLEST GENTLEWOMAN GENTLY GENTRY GENUINE GENUINELY GENUINENESS GENUS GEOCENTRIC GEODESIC GEODESY GEODETIC GEOFF GEOFFREY GEOGRAPHER GEOGRAPHIC GEOGRAPHICAL GEOGRAPHICALLY GEOGRAPHY GEOLOGICAL GEOLOGIST GEOLOGISTS GEOLOGY GEOMETRIC GEOMETRICAL GEOMETRICALLY GEOMETRICIAN GEOMETRIES GEOMETRY GEOPHYSICAL GEOPHYSICS GEORGE GEORGES GEORGETOWN GEORGIA GEORGIAN GEORGIANS GEOSYNCHRONOUS GERALD GERALDINE GERANIUM GERARD GERBER GERBIL GERHARD GERHARDT GERIATRIC GERM GERMAN GERMANE GERMANIA GERMANIC GERMANS GERMANTOWN GERMANY GERMICIDE GERMINAL GERMINATE GERMINATED GERMINATES GERMINATING GERMINATION GERMS GEROME GERRY GERSHWIN GERSHWINS GERTRUDE GERUND GESTAPO GESTURE GESTURED GESTURES GESTURING GET GETAWAY GETS GETTER GETTERS GETTING GETTY GETTYSBURG GEYSER GHANA GHANIAN GHASTLY GHENT GHETTO GHOST GHOSTED GHOSTLY GHOSTS GIACOMO GIANT GIANTS GIBBERISH GIBBONS GIBBS GIBBY GIBRALTAR GIBSON GIDDINESS GIDDINGS GIDDY GIDEON GIFFORD GIFT GIFTED GIFTS GIG GIGABIT GIGABITS GIGABYTE GIGABYTES GIGACYCLE GIGAHERTZ GIGANTIC GIGAVOLT GIGAWATT GIGGLE GIGGLED GIGGLES GIGGLING GIL GILBERTSON GILCHRIST GILD GILDED GILDING GILDS GILEAD GILES GILKSON GILL GILLESPIE GILLETTE GILLIGAN GILLS GILMORE GILT GIMBEL GIMMICK GIMMICKS GIN GINA GINGER GINGERBREAD GINGERLY GINGHAM GINGHAMS GINN GINO GINS GINSBERG GINSBURG GIOCONDA GIORGIO GIOVANNI GIPSIES GIPSY GIRAFFE GIRAFFES GIRD GIRDER GIRDERS GIRDLE GIRL GIRLFRIEND GIRLIE GIRLISH GIRLS GIRT GIRTH GIST GIULIANO GIUSEPPE GIVE GIVEAWAY GIVEN GIVER GIVERS GIVES GIVING GLACIAL GLACIER GLACIERS GLAD GLADDEN GLADDER GLADDEST GLADE GLADIATOR GLADLY GLADNESS GLADSTONE GLADYS GLAMOR GLAMOROUS GLAMOUR GLANCE GLANCED GLANCES GLANCING GLAND GLANDS GLANDULAR GLARE GLARED GLARES GLARING GLARINGLY GLASGOW GLASS GLASSED GLASSES GLASSY GLASWEGIAN GLAUCOMA GLAZE GLAZED GLAZER GLAZES GLAZING GLEAM GLEAMED GLEAMING GLEAMS GLEAN GLEANED GLEANER GLEANING GLEANINGS GLEANS GLEASON GLEE GLEEFUL GLEEFULLY GLEES GLEN GLENDA GLENDALE GLENN GLENS GLIDDEN GLIDE GLIDED GLIDER GLIDERS GLIDES GLIMMER GLIMMERED GLIMMERING GLIMMERS GLIMPSE GLIMPSED GLIMPSES GLINT GLINTED GLINTING GLINTS GLISTEN GLISTENED GLISTENING GLISTENS GLITCH GLITTER GLITTERED GLITTERING GLITTERS GLOAT GLOBAL GLOBALLY GLOBE GLOBES GLOBULAR GLOBULARITY GLOOM GLOOMILY GLOOMY GLORIA GLORIANA GLORIES GLORIFICATION GLORIFIED GLORIFIES GLORIFY GLORIOUS GLORIOUSLY GLORY GLORYING GLOSS GLOSSARIES GLOSSARY GLOSSED GLOSSES GLOSSING GLOSSY GLOTTAL GLOUCESTER GLOVE GLOVED GLOVER GLOVERS GLOVES GLOVING GLOW GLOWED GLOWER GLOWERS GLOWING GLOWINGLY GLOWS GLUE GLUED GLUES GLUING GLUT GLUTTON GLYNN GNASH GNAT GNATS GNAW GNAWED GNAWING GNAWS GNOME GNOMON GNU GOA GOAD GOADED GOAL GOALS GOAT GOATEE GOATEES GOATS GOBBLE GOBBLED GOBBLER GOBBLERS GOBBLES GOBI GOBLET GOBLETS GOBLIN GOBLINS GOD GODDARD GODDESS GODDESSES GODFATHER GODFREY GODHEAD GODLIKE GODLY GODMOTHER GODMOTHERS GODOT GODPARENT GODS GODSEND GODSON GODWIN GODZILLA GOES GOETHE GOFF GOGGLES GOGH GOING GOINGS GOLD GOLDA GOLDBERG GOLDEN GOLDENLY GOLDENNESS GOLDENROD GOLDFIELD GOLDFISH GOLDING GOLDMAN GOLDS GOLDSMITH GOLDSTEIN GOLDSTINE GOLDWATER GOLETA GOLF GOLFER GOLFERS GOLFING GOLIATH GOLLY GOMEZ GONDOLA GONE GONER GONG GONGS GONZALES GONZALEZ GOOD GOODBY GOODBYE GOODE GOODIES GOODLY GOODMAN GOODNESS GOODRICH GOODS GOODWILL GOODWIN GOODY GOODYEAR GOOF GOOFED GOOFS GOOFY GOOSE GOPHER GORDIAN GORDON GORE GOREN GORGE GORGEOUS GORGEOUSLY GORGES GORGING GORHAM GORILLA GORILLAS GORKY GORTON GORY GOSH GOSPEL GOSPELERS GOSPELS GOSSIP GOSSIPED GOSSIPING GOSSIPS GOT GOTHAM GOTHIC GOTHICALLY GOTHICISM GOTHICIZE GOTHICIZED GOTHICIZER GOTHICIZERS GOTHICIZES GOTHICIZING GOTO GOTOS GOTTEN GOTTFRIED GOUCHER GOUDA GOUGE GOUGED GOUGES GOUGING GOULD GOURD GOURMET GOUT GOVERN GOVERNANCE GOVERNED GOVERNESS GOVERNING GOVERNMENT GOVERNMENTAL GOVERNMENTALLY GOVERNMENTS GOVERNOR GOVERNORS GOVERNS GOWN GOWNED GOWNS GRAB GRABBED GRABBER GRABBERS GRABBING GRABBINGS GRABS GRACE GRACED GRACEFUL GRACEFULLY GRACEFULNESS GRACES GRACIE GRACING GRACIOUS GRACIOUSLY GRACIOUSNESS GRAD GRADATION GRADATIONS GRADE GRADED GRADER GRADERS GRADES GRADIENT GRADIENTS GRADING GRADINGS GRADUAL GRADUALLY GRADUATE GRADUATED GRADUATES GRADUATING GRADUATION GRADUATIONS GRADY GRAFF GRAFT GRAFTED GRAFTER GRAFTING GRAFTON GRAFTS GRAHAM GRAHAMS GRAIL GRAIN GRAINED GRAINING GRAINS GRAM GRAMMAR GRAMMARIAN GRAMMARS GRAMMATIC GRAMMATICAL GRAMMATICALLY GRAMS GRANARIES GRANARY GRAND GRANDCHILD GRANDCHILDREN GRANDDAUGHTER GRANDER GRANDEST GRANDEUR GRANDFATHER GRANDFATHERS GRANDIOSE GRANDLY GRANDMA GRANDMOTHER GRANDMOTHERS GRANDNEPHEW GRANDNESS GRANDNIECE GRANDPA GRANDPARENT GRANDS GRANDSON GRANDSONS GRANDSTAND GRANGE GRANITE GRANNY GRANOLA GRANT GRANTED GRANTEE GRANTER GRANTING GRANTOR GRANTS GRANULARITY GRANULATE GRANULATED GRANULATES GRANULATING GRANVILLE GRAPE GRAPEFRUIT GRAPES GRAPEVINE GRAPH GRAPHED GRAPHIC GRAPHICAL GRAPHICALLY GRAPHICS GRAPHING GRAPHITE GRAPHS GRAPPLE GRAPPLED GRAPPLING GRASP GRASPABLE GRASPED GRASPING GRASPINGLY GRASPS GRASS GRASSED GRASSERS GRASSES GRASSIER GRASSIEST GRASSLAND GRASSY GRATE GRATED GRATEFUL GRATEFULLY GRATEFULNESS GRATER GRATES GRATIFICATION GRATIFIED GRATIFY GRATIFYING GRATING GRATINGS GRATIS GRATITUDE GRATUITIES GRATUITOUS GRATUITOUSLY GRATUITOUSNESS GRATUITY GRAVE GRAVEL GRAVELLY GRAVELY GRAVEN GRAVENESS GRAVER GRAVES GRAVEST GRAVESTONE GRAVEYARD GRAVITATE GRAVITATION GRAVITATIONAL GRAVITY GRAVY GRAY GRAYED GRAYER GRAYEST GRAYING GRAYNESS GRAYSON GRAZE GRAZED GRAZER GRAZING GREASE GREASED GREASES GREASY GREAT GREATER GREATEST GREATLY GREATNESS GRECIAN GRECIANIZE GRECIANIZES GREECE GREED GREEDILY GREEDINESS GREEDY GREEK GREEKIZE GREEKIZES GREEKS GREEN GREENBELT GREENBERG GREENBLATT GREENBRIAR GREENE GREENER GREENERY GREENEST GREENFELD GREENFIELD GREENGROCER GREENHOUSE GREENHOUSES GREENING GREENISH GREENLAND GREENLY GREENNESS GREENS GREENSBORO GREENSVILLE GREENTREE GREENVILLE GREENWARE GREENWICH GREER GREET GREETED GREETER GREETING GREETINGS GREETS GREG GREGARIOUS GREGG GREGORIAN GREGORY GRENADE GRENADES GRENDEL GRENIER GRENOBLE GRENVILLE GRESHAM GRETA GRETCHEN GREW GREY GREYEST GREYHOUND GREYING GRID GRIDDLE GRIDIRON GRIDS GRIEF GRIEFS GRIEVANCE GRIEVANCES GRIEVE GRIEVED GRIEVER GRIEVERS GRIEVES GRIEVING GRIEVINGLY GRIEVOUS GRIEVOUSLY GRIFFITH GRILL GRILLED GRILLING GRILLS GRIM GRIMACE GRIMALDI GRIME GRIMED GRIMES GRIMLY GRIMM GRIMNESS GRIN GRIND GRINDER GRINDERS GRINDING GRINDINGS GRINDS GRINDSTONE GRINDSTONES GRINNING GRINS GRIP GRIPE GRIPED GRIPES GRIPING GRIPPED GRIPPING GRIPPINGLY GRIPS GRIS GRISLY GRIST GRISWOLD GRIT GRITS GRITTY GRIZZLY GROAN GROANED GROANER GROANERS GROANING GROANS GROCER GROCERIES GROCERS GROCERY GROGGY GROIN GROOM GROOMED GROOMING GROOMS GROOT GROOVE GROOVED GROOVES GROPE GROPED GROPES GROPING GROSS GROSSED GROSSER GROSSES GROSSEST GROSSET GROSSING GROSSLY GROSSMAN GROSSNESS GROSVENOR GROTESQUE GROTESQUELY GROTESQUES GROTON GROTTO GROTTOS GROUND GROUNDED GROUNDER GROUNDERS GROUNDING GROUNDS GROUNDWORK GROUP GROUPED GROUPING GROUPINGS GROUPS GROUSE GROVE GROVEL GROVELED GROVELING GROVELS GROVER GROVERS GROVES GROW GROWER GROWERS GROWING GROWL GROWLED GROWLING GROWLS GROWN GROWNUP GROWNUPS GROWS GROWTH GROWTHS GRUB GRUBBY GRUBS GRUDGE GRUDGES GRUDGINGLY GRUESOME GRUFF GRUFFLY GRUMBLE GRUMBLED GRUMBLES GRUMBLING GRUMMAN GRUNT GRUNTED GRUNTING GRUNTS GRUSKY GRUYERE GUADALUPE GUAM GUANO GUARANTEE GUARANTEED GUARANTEEING GUARANTEER GUARANTEERS GUARANTEES GUARANTY GUARD GUARDED GUARDEDLY GUARDHOUSE GUARDIA GUARDIAN GUARDIANS GUARDIANSHIP GUARDING GUARDS GUATEMALA GUATEMALAN GUBERNATORIAL GUELPH GUENTHER GUERRILLA GUERRILLAS GUESS GUESSED GUESSES GUESSING GUESSWORK GUEST GUESTS GUGGENHEIM GUHLEMAN GUIANA GUIDANCE GUIDE GUIDEBOOK GUIDEBOOKS GUIDED GUIDELINE GUIDELINES GUIDES GUIDING GUILD GUILDER GUILDERS GUILE GUILFORD GUILT GUILTIER GUILTIEST GUILTILY GUILTINESS GUILTLESS GUILTLESSLY GUILTY GUINEA GUINEVERE GUISE GUISES GUITAR GUITARS GUJARAT GUJARATI GULCH GULCHES GULF GULFS GULL GULLAH GULLED GULLIES GULLING GULLS GULLY GULP GULPED GULPS GUM GUMMING GUMPTION GUMS GUN GUNDERSON GUNFIRE GUNMAN GUNMEN GUNNAR GUNNED GUNNER GUNNERS GUNNERY GUNNING GUNNY GUNPLAY GUNPOWDER GUNS GUNSHOT GUNTHER GURGLE GURKHA GURU GUS GUSH GUSHED GUSHER GUSHES GUSHING GUST GUSTAFSON GUSTAV GUSTAVE GUSTAVUS GUSTO GUSTS GUSTY GUT GUTENBERG GUTHRIE GUTS GUTSY GUTTER GUTTERED GUTTERS GUTTING GUTTURAL GUY GUYANA GUYED GUYER GUYERS GUYING GUYS GWEN GWYN GYMNASIUM GYMNASIUMS GYMNAST GYMNASTIC GYMNASTICS GYMNASTS GYPSIES GYPSY GYRO GYROCOMPASS GYROSCOPE GYROSCOPES HAAG HAAS HABEAS HABERMAN HABIB HABIT HABITAT HABITATION HABITATIONS HABITATS HABITS HABITUAL HABITUALLY HABITUALNESS HACK HACKED HACKER HACKERS HACKETT HACKING HACKNEYED HACKS HACKSAW HAD HADAMARD HADDAD HADDOCK HADES HADLEY HADRIAN HAFIZ HAG HAGEN HAGER HAGGARD HAGGARDLY HAGGLE HAGSTROM HAGUE HAHN HAIFA HAIL HAILED HAILING HAILS HAILSTONE HAILSTORM HAINES HAIR HAIRCUT HAIRCUTS HAIRIER HAIRINESS HAIRLESS HAIRPIN HAIRS HAIRY HAITI HAITIAN HAL HALCYON HALE HALER HALEY HALF HALFHEARTED HALFWAY HALIFAX HALL HALLEY HALLINAN HALLMARK HALLMARKS HALLOW HALLOWED HALLOWEEN HALLS HALLUCINATE HALLWAY HALLWAYS HALOGEN HALPERN HALSEY HALSTEAD HALT HALTED HALTER HALTERS HALTING HALTINGLY HALTS HALVE HALVED HALVERS HALVERSON HALVES HALVING HAM HAMAL HAMBURG HAMBURGER HAMBURGERS HAMEY HAMILTON HAMILTONIAN HAMILTONIANS HAMLET HAMLETS HAMLIN HAMMER HAMMERED HAMMERING HAMMERS HAMMETT HAMMING HAMMOCK HAMMOCKS HAMMOND HAMPER HAMPERED HAMPERS HAMPSHIRE HAMPTON HAMS HAMSTER HAN HANCOCK HAND HANDBAG HANDBAGS HANDBOOK HANDBOOKS HANDCUFF HANDCUFFED HANDCUFFING HANDCUFFS HANDED HANDEL HANDFUL HANDFULS HANDGUN HANDICAP HANDICAPPED HANDICAPS HANDIER HANDIEST HANDILY HANDINESS HANDING HANDIWORK HANDKERCHIEF HANDKERCHIEFS HANDLE HANDLED HANDLER HANDLERS HANDLES HANDLING HANDMAID HANDOUT HANDS HANDSHAKE HANDSHAKES HANDSHAKING HANDSOME HANDSOMELY HANDSOMENESS HANDSOMER HANDSOMEST HANDWRITING HANDWRITTEN HANDY HANEY HANFORD HANG HANGAR HANGARS HANGED HANGER HANGERS HANGING HANGMAN HANGMEN HANGOUT HANGOVER HANGOVERS HANGS HANKEL HANLEY HANLON HANNA HANNAH HANNIBAL HANOI HANOVER HANOVERIAN HANOVERIANIZE HANOVERIANIZES HANOVERIZE HANOVERIZES HANS HANSEL HANSEN HANSON HANUKKAH HAP HAPGOOD HAPHAZARD HAPHAZARDLY HAPHAZARDNESS HAPLESS HAPLESSLY HAPLESSNESS HAPLY HAPPEN HAPPENED HAPPENING HAPPENINGS HAPPENS HAPPIER HAPPIEST HAPPILY HAPPINESS HAPPY HAPSBURG HARASS HARASSED HARASSES HARASSING HARASSMENT HARBIN HARBINGER HARBOR HARBORED HARBORING HARBORS HARCOURT HARD HARDBOILED HARDCOPY HARDEN HARDER HARDEST HARDHAT HARDIN HARDINESS HARDING HARDLY HARDNESS HARDSCRABBLE HARDSHIP HARDSHIPS HARDWARE HARDWIRED HARDWORKING HARDY HARE HARELIP HAREM HARES HARK HARKEN HARLAN HARLEM HARLEY HARLOT HARLOTS HARM HARMED HARMFUL HARMFULLY HARMFULNESS HARMING HARMLESS HARMLESSLY HARMLESSNESS HARMON HARMONIC HARMONICS HARMONIES HARMONIOUS HARMONIOUSLY HARMONIOUSNESS HARMONIST HARMONISTIC HARMONISTICALLY HARMONIZE HARMONY HARMS HARNESS HARNESSED HARNESSING HAROLD HARP HARPER HARPERS HARPING HARPY HARRIED HARRIER HARRIET HARRIMAN HARRINGTON HARRIS HARRISBURG HARRISON HARRISONBURG HARROW HARROWED HARROWING HARROWS HARRY HARSH HARSHER HARSHLY HARSHNESS HART HARTFORD HARTLEY HARTMAN HARVARD HARVARDIZE HARVARDIZES HARVEST HARVESTED HARVESTER HARVESTING HARVESTS HARVEY HARVEYIZE HARVEYIZES HARVEYS HAS HASH HASHED HASHER HASHES HASHING HASHISH HASKELL HASKINS HASSLE HASTE HASTEN HASTENED HASTENING HASTENS HASTILY HASTINESS HASTINGS HASTY HAT HATCH HATCHED HATCHET HATCHETS HATCHING HATCHURE HATE HATED HATEFUL HATEFULLY HATEFULNESS HATER HATES HATFIELD HATHAWAY HATING HATRED HATS HATTERAS HATTIE HATTIESBURG HATTIZE HATTIZES HAUGEN HAUGHTILY HAUGHTINESS HAUGHTY HAUL HAULED HAULER HAULING HAULS HAUNCH HAUNCHES HAUNT HAUNTED HAUNTER HAUNTING HAUNTS HAUSA HAUSDORFF HAUSER HAVANA HAVE HAVEN HAVENS HAVES HAVILLAND HAVING HAVOC HAWAII HAWAIIAN HAWK HAWKED HAWKER HAWKERS HAWKINS HAWKS HAWLEY HAWTHORNE HAY HAYDEN HAYDN HAYES HAYING HAYNES HAYS HAYSTACK HAYWARD HAYWOOD HAZARD HAZARDOUS HAZARDS HAZE HAZEL HAZES HAZINESS HAZY HEAD HEADACHE HEADACHES HEADED HEADER HEADERS HEADGEAR HEADING HEADINGS HEADLAND HEADLANDS HEADLIGHT HEADLINE HEADLINED HEADLINES HEADLINING HEADLONG HEADMASTER HEADPHONE HEADQUARTERS HEADROOM HEADS HEADSET HEADWAY HEAL HEALED HEALER HEALERS HEALEY HEALING HEALS HEALTH HEALTHFUL HEALTHFULLY HEALTHFULNESS HEALTHIER HEALTHIEST HEALTHILY HEALTHINESS HEALTHY HEALY HEAP HEAPED HEAPING HEAPS HEAR HEARD HEARER HEARERS HEARING HEARINGS HEARKEN HEARS HEARSAY HEARST HEART HEARTBEAT HEARTBREAK HEARTEN HEARTIEST HEARTILY HEARTINESS HEARTLESS HEARTS HEARTWOOD HEARTY HEAT HEATABLE HEATED HEATEDLY HEATER HEATERS HEATH HEATHEN HEATHER HEATHKIT HEATHMAN HEATING HEATS HEAVE HEAVED HEAVEN HEAVENLY HEAVENS HEAVER HEAVERS HEAVES HEAVIER HEAVIEST HEAVILY HEAVINESS HEAVING HEAVY HEAVYWEIGHT HEBE HEBRAIC HEBRAICIZE HEBRAICIZES HEBREW HEBREWS HEBRIDES HECATE HECK HECKLE HECKMAN HECTIC HECUBA HEDDA HEDGE HEDGED HEDGEHOG HEDGEHOGS HEDGES HEDONISM HEDONIST HEED HEEDED HEEDLESS HEEDLESSLY HEEDLESSNESS HEEDS HEEL HEELED HEELERS HEELING HEELS HEFTY HEGEL HEGELIAN HEGELIANIZE HEGELIANIZES HEGEMONY HEIDEGGER HEIDELBERG HEIFER HEIGHT HEIGHTEN HEIGHTENED HEIGHTENING HEIGHTENS HEIGHTS HEINE HEINLEIN HEINOUS HEINOUSLY HEINRICH HEINZ HEINZE HEIR HEIRESS HEIRESSES HEIRS HEISENBERG HEISER HELD HELEN HELENA HELENE HELGA HELICAL HELICOPTER HELIOCENTRIC HELIOPOLIS HELIUM HELIX HELL HELLENIC HELLENIZATION HELLENIZATIONS HELLENIZE HELLENIZED HELLENIZES HELLENIZING HELLESPONT HELLFIRE HELLISH HELLMAN HELLO HELLS HELM HELMET HELMETS HELMHOLTZ HELMSMAN HELMUT HELP HELPED HELPER HELPERS HELPFUL HELPFULLY HELPFULNESS HELPING HELPLESS HELPLESSLY HELPLESSNESS HELPMATE HELPS HELSINKI HELVETICA HEM HEMINGWAY HEMISPHERE HEMISPHERES HEMLOCK HEMLOCKS HEMOGLOBIN HEMORRHOID HEMOSTAT HEMOSTATS HEMP HEMPEN HEMPSTEAD HEMS HEN HENCE HENCEFORTH HENCHMAN HENCHMEN HENDERSON HENDRICK HENDRICKS HENDRICKSON HENDRIX HENLEY HENNESSEY HENNESSY HENNING HENPECK HENRI HENRIETTA HENS HEPATITIS HEPBURN HER HERA HERACLITUS HERALD HERALDED HERALDING HERALDS HERB HERBERT HERBIVORE HERBIVOROUS HERBS HERCULEAN HERCULES HERD HERDED HERDER HERDING HERDS HERE HEREABOUT HEREABOUTS HEREAFTER HEREBY HEREDITARY HEREDITY HEREFORD HEREIN HEREINAFTER HEREOF HERES HERESY HERETIC HERETICS HERETO HERETOFORE HEREUNDER HEREWITH HERITAGE HERITAGES HERKIMER HERMAN HERMANN HERMES HERMETIC HERMETICALLY HERMIT HERMITE HERMITIAN HERMITS HERMOSA HERNANDEZ HERO HERODOTUS HEROES HEROIC HEROICALLY HEROICS HEROIN HEROINE HEROINES HEROISM HERON HERONS HERPES HERR HERRING HERRINGS HERRINGTON HERS HERSCHEL HERSELF HERSEY HERSHEL HERSHEY HERTZ HERTZOG HESITANT HESITANTLY HESITATE HESITATED HESITATES HESITATING HESITATINGLY HESITATION HESITATIONS HESPERUS HESS HESSE HESSIAN HESSIANS HESTER HETEROGENEITY HETEROGENEOUS HETEROGENEOUSLY HETEROGENEOUSNESS HETEROGENOUS HETEROSEXUAL HETMAN HETTIE HETTY HEUBLEIN HEURISTIC HEURISTICALLY HEURISTICS HEUSEN HEUSER HEW HEWED HEWER HEWETT HEWITT HEWLETT HEWS HEX HEXADECIMAL HEXAGON HEXAGONAL HEXAGONALLY HEXAGONS HEY HEYWOOD HIATT HIAWATHA HIBBARD HIBERNATE HIBERNIA HICK HICKEY HICKEYS HICKMAN HICKOK HICKORY HICKS HID HIDDEN HIDE HIDEOUS HIDEOUSLY HIDEOUSNESS HIDEOUT HIDEOUTS HIDES HIDING HIERARCHAL HIERARCHIC HIERARCHICAL HIERARCHICALLY HIERARCHIES HIERARCHY HIERONYMUS HIGGINS HIGH HIGHER HIGHEST HIGHFIELD HIGHLAND HIGHLANDER HIGHLANDS HIGHLIGHT HIGHLIGHTED HIGHLIGHTING HIGHLIGHTS HIGHLY HIGHNESS HIGHNESSES HIGHWAY HIGHWAYMAN HIGHWAYMEN HIGHWAYS HIJACK HIJACKED HIKE HIKED HIKER HIKES HIKING HILARIOUS HILARIOUSLY HILARITY HILBERT HILDEBRAND HILL HILLARY HILLBILLY HILLCREST HILLEL HILLOCK HILLS HILLSBORO HILLSDALE HILLSIDE HILLSIDES HILLTOP HILLTOPS HILT HILTON HILTS HIM HIMALAYA HIMALAYAS HIMMLER HIMSELF HIND HINDER HINDERED HINDERING HINDERS HINDI HINDRANCE HINDRANCES HINDSIGHT HINDU HINDUISM HINDUS HINDUSTAN HINES HINGE HINGED HINGES HINKLE HINMAN HINSDALE HINT HINTED HINTING HINTS HIP HIPPO HIPPOCRATES HIPPOCRATIC HIPPOPOTAMUS HIPS HIRAM HIRE HIRED HIRER HIRERS HIRES HIREY HIRING HIRINGS HIROSHI HIROSHIMA HIRSCH HIS HISPANIC HISPANICIZE HISPANICIZES HISPANICS HISS HISSED HISSES HISSING HISTOGRAM HISTOGRAMS HISTORIAN HISTORIANS HISTORIC HISTORICAL HISTORICALLY HISTORIES HISTORY HIT HITACHI HITCH HITCHCOCK HITCHED HITCHHIKE HITCHHIKED HITCHHIKER HITCHHIKERS HITCHHIKES HITCHHIKING HITCHING HITHER HITHERTO HITLER HITLERIAN HITLERISM HITLERITE HITLERITES HITS HITTER HITTERS HITTING HIVE HOAGLAND HOAR HOARD HOARDER HOARDING HOARINESS HOARSE HOARSELY HOARSENESS HOARY HOBART HOBBES HOBBIES HOBBLE HOBBLED HOBBLES HOBBLING HOBBS HOBBY HOBBYHORSE HOBBYIST HOBBYISTS HOBDAY HOBOKEN HOCKEY HODGEPODGE HODGES HODGKIN HOE HOES HOFF HOFFMAN HOG HOGGING HOGS HOIST HOISTED HOISTING HOISTS HOKAN HOLBROOK HOLCOMB HOLD HOLDEN HOLDER HOLDERS HOLDING HOLDINGS HOLDS HOLE HOLED HOLES HOLIDAY HOLIDAYS HOLIES HOLINESS HOLISTIC HOLLAND HOLLANDAISE HOLLANDER HOLLERITH HOLLINGSWORTH HOLLISTER HOLLOW HOLLOWAY HOLLOWED HOLLOWING HOLLOWLY HOLLOWNESS HOLLOWS HOLLY HOLLYWOOD HOLLYWOODIZE HOLLYWOODIZES HOLM HOLMAN HOLMDEL HOLMES HOLOCAUST HOLOCENE HOLOGRAM HOLOGRAMS HOLST HOLSTEIN HOLY HOLYOKE HOLZMAN HOM HOMAGE HOME HOMED HOMELESS HOMELY HOMEMADE HOMEMAKER HOMEMAKERS HOMEOMORPHIC HOMEOMORPHISM HOMEOMORPHISMS HOMEOPATH HOMEOWNER HOMER HOMERIC HOMERS HOMES HOMESICK HOMESICKNESS HOMESPUN HOMESTEAD HOMESTEADER HOMESTEADERS HOMESTEADS HOMEWARD HOMEWARDS HOMEWORK HOMICIDAL HOMICIDE HOMING HOMO HOMOGENEITIES HOMOGENEITY HOMOGENEOUS HOMOGENEOUSLY HOMOGENEOUSNESS HOMOMORPHIC HOMOMORPHISM HOMOMORPHISMS HOMOSEXUAL HONDA HONDO HONDURAS HONE HONED HONER HONES HONEST HONESTLY HONESTY HONEY HONEYBEE HONEYCOMB HONEYCOMBED HONEYDEW HONEYMOON HONEYMOONED HONEYMOONER HONEYMOONERS HONEYMOONING HONEYMOONS HONEYSUCKLE HONEYWELL HONING HONOLULU HONOR HONORABLE HONORABLENESS HONORABLY HONORARIES HONORARIUM HONORARY HONORED HONORER HONORING HONORS HONSHU HOOD HOODED HOODLUM HOODS HOODWINK HOODWINKED HOODWINKING HOODWINKS HOOF HOOFS HOOK HOOKED HOOKER HOOKERS HOOKING HOOKS HOOKUP HOOKUPS HOOP HOOPER HOOPS HOOSIER HOOSIERIZE HOOSIERIZES HOOT HOOTED HOOTER HOOTING HOOTS HOOVER HOOVERIZE HOOVERIZES HOOVES HOP HOPE HOPED HOPEFUL HOPEFULLY HOPEFULNESS HOPEFULS HOPELESS HOPELESSLY HOPELESSNESS HOPES HOPI HOPING HOPKINS HOPKINSIAN HOPPER HOPPERS HOPPING HOPS HORACE HORATIO HORDE HORDES HORIZON HORIZONS HORIZONTAL HORIZONTALLY HORMONE HORMONES HORN HORNBLOWER HORNED HORNET HORNETS HORNS HORNY HOROWITZ HORRENDOUS HORRENDOUSLY HORRIBLE HORRIBLENESS HORRIBLY HORRID HORRIDLY HORRIFIED HORRIFIES HORRIFY HORRIFYING HORROR HORRORS HORSE HORSEBACK HORSEFLESH HORSEFLY HORSEMAN HORSEPLAY HORSEPOWER HORSES HORSESHOE HORSESHOER HORTICULTURE HORTON HORUS HOSE HOSES HOSPITABLE HOSPITABLY HOSPITAL HOSPITALITY HOSPITALIZE HOSPITALIZED HOSPITALIZES HOSPITALIZING HOSPITALS HOST HOSTAGE HOSTAGES HOSTED HOSTESS HOSTESSES HOSTILE HOSTILELY HOSTILITIES HOSTILITY HOSTING HOSTS HOT HOTEL HOTELS HOTLY HOTNESS HOTTENTOT HOTTER HOTTEST HOUDAILLE HOUDINI HOUGHTON HOUND HOUNDED HOUNDING HOUNDS HOUR HOURGLASS HOURLY HOURS HOUSE HOUSEBOAT HOUSEBROKEN HOUSED HOUSEFLIES HOUSEFLY HOUSEHOLD HOUSEHOLDER HOUSEHOLDERS HOUSEHOLDS HOUSEKEEPER HOUSEKEEPERS HOUSEKEEPING HOUSES HOUSETOP HOUSETOPS HOUSEWIFE HOUSEWIFELY HOUSEWIVES HOUSEWORK HOUSING HOUSTON HOVEL HOVELS HOVER HOVERED HOVERING HOVERS HOW HOWARD HOWE HOWELL HOWEVER HOWL HOWLED HOWLER HOWLING HOWLS HOYT HROTHGAR HUB HUBBARD HUBBELL HUBER HUBERT HUBRIS HUBS HUCK HUDDLE HUDDLED HUDDLING HUDSON HUE HUES HUEY HUFFMAN HUG HUGE HUGELY HUGENESS HUGGING HUGGINS HUGH HUGHES HUGO HUH HULL HULLS HUM HUMAN HUMANE HUMANELY HUMANENESS HUMANITARIAN HUMANITIES HUMANITY HUMANLY HUMANNESS HUMANS HUMBLE HUMBLED HUMBLENESS HUMBLER HUMBLEST HUMBLING HUMBLY HUMBOLDT HUMBUG HUME HUMERUS HUMID HUMIDIFICATION HUMIDIFIED HUMIDIFIER HUMIDIFIERS HUMIDIFIES HUMIDIFY HUMIDIFYING HUMIDITY HUMIDLY HUMILIATE HUMILIATED HUMILIATES HUMILIATING HUMILIATION HUMILIATIONS HUMILITY HUMMED HUMMEL HUMMING HUMMINGBIRD HUMOR HUMORED HUMORER HUMORERS HUMORING HUMOROUS HUMOROUSLY HUMOROUSNESS HUMORS HUMP HUMPBACK HUMPED HUMPHREY HUMPTY HUMS HUN HUNCH HUNCHED HUNCHES HUNDRED HUNDREDFOLD HUNDREDS HUNDREDTH HUNG HUNGARIAN HUNGARY HUNGER HUNGERED HUNGERING HUNGERS HUNGRIER HUNGRIEST HUNGRILY HUNGRY HUNK HUNKS HUNS HUNT HUNTED HUNTER HUNTERS HUNTING HUNTINGTON HUNTLEY HUNTS HUNTSMAN HUNTSVILLE HURD HURDLE HURL HURLED HURLER HURLERS HURLING HURON HURONS HURRAH HURRICANE HURRICANES HURRIED HURRIEDLY HURRIES HURRY HURRYING HURST HURT HURTING HURTLE HURTLING HURTS HURWITZ HUSBAND HUSBANDRY HUSBANDS HUSH HUSHED HUSHES HUSHING HUSK HUSKED HUSKER HUSKINESS HUSKING HUSKS HUSKY HUSTLE HUSTLED HUSTLER HUSTLES HUSTLING HUSTON HUT HUTCH HUTCHINS HUTCHINSON HUTCHISON HUTS HUXLEY HUXTABLE HYACINTH HYADES HYANNIS HYBRID HYDE HYDRA HYDRANT HYDRAULIC HYDRO HYDRODYNAMIC HYDRODYNAMICS HYDROGEN HYDROGENS HYENA HYGIENE HYMAN HYMEN HYMN HYMNS HYPER HYPERBOLA HYPERBOLIC HYPERTEXT HYPHEN HYPHENATE HYPHENS HYPNOSIS HYPNOTIC HYPOCRISIES HYPOCRISY HYPOCRITE HYPOCRITES HYPODERMIC HYPODERMICS HYPOTHESES HYPOTHESIS HYPOTHESIZE HYPOTHESIZED HYPOTHESIZER HYPOTHESIZES HYPOTHESIZING HYPOTHETICAL HYPOTHETICALLY HYSTERESIS HYSTERICAL HYSTERICALLY IAN IBERIA IBERIAN IBEX IBID IBIS IBN IBSEN ICARUS ICE ICEBERG ICEBERGS ICEBOX ICED ICELAND ICELANDIC ICES ICICLE ICINESS ICING ICINGS ICON ICONOCLASM ICONOCLAST ICONS ICOSAHEDRA ICOSAHEDRAL ICOSAHEDRON ICY IDA IDAHO IDEA IDEAL IDEALISM IDEALISTIC IDEALIZATION IDEALIZATIONS IDEALIZE IDEALIZED IDEALIZES IDEALIZING IDEALLY IDEALS IDEAS IDEM IDEMPOTENCY IDEMPOTENT IDENTICAL IDENTICALLY IDENTIFIABLE IDENTIFIABLY IDENTIFICATION IDENTIFICATIONS IDENTIFIED IDENTIFIER IDENTIFIERS IDENTIFIES IDENTIFY IDENTIFYING IDENTITIES IDENTITY IDEOLOGICAL IDEOLOGICALLY IDEOLOGY IDIOCY IDIOM IDIOSYNCRASIES IDIOSYNCRASY IDIOSYNCRATIC IDIOT IDIOTIC IDIOTS IDLE IDLED IDLENESS IDLER IDLERS IDLES IDLEST IDLING IDLY IDOL IDOLATRY IDOLS IFNI IGLOO IGNITE IGNITION IGNOBLE IGNOMINIOUS IGNORAMUS IGNORANCE IGNORANT IGNORANTLY IGNORE IGNORED IGNORES IGNORING IGOR IKE ILIAD ILIADIZE ILIADIZES ILL ILLEGAL ILLEGALITIES ILLEGALITY ILLEGALLY ILLEGITIMATE ILLICIT ILLICITLY ILLINOIS ILLITERACY ILLITERATE ILLNESS ILLNESSES ILLOGICAL ILLOGICALLY ILLS ILLUMINATE ILLUMINATED ILLUMINATES ILLUMINATING ILLUMINATION ILLUMINATIONS ILLUSION ILLUSIONS ILLUSIVE ILLUSIVELY ILLUSORY ILLUSTRATE ILLUSTRATED ILLUSTRATES ILLUSTRATING ILLUSTRATION ILLUSTRATIONS ILLUSTRATIVE ILLUSTRATIVELY ILLUSTRATOR ILLUSTRATORS ILLUSTRIOUS ILLUSTRIOUSNESS ILLY ILONA ILYUSHIN IMAGE IMAGEN IMAGERY IMAGES IMAGINABLE IMAGINABLY IMAGINARY IMAGINATION IMAGINATIONS IMAGINATIVE IMAGINATIVELY IMAGINE IMAGINED IMAGINES IMAGING IMAGINING IMAGININGS IMBALANCE IMBALANCES IMBECILE IMBIBE IMBRIUM IMITATE IMITATED IMITATES IMITATING IMITATION IMITATIONS IMITATIVE IMMACULATE IMMACULATELY IMMATERIAL IMMATERIALLY IMMATURE IMMATURITY IMMEDIACIES IMMEDIACY IMMEDIATE IMMEDIATELY IMMEMORIAL IMMENSE IMMENSELY IMMERSE IMMERSED IMMERSES IMMERSION IMMIGRANT IMMIGRANTS IMMIGRATE IMMIGRATED IMMIGRATES IMMIGRATING IMMIGRATION IMMINENT IMMINENTLY IMMODERATE IMMODEST IMMORAL IMMORTAL IMMORTALITY IMMORTALLY IMMOVABILITY IMMOVABLE IMMOVABLY IMMUNE IMMUNITIES IMMUNITY IMMUNIZATION IMMUTABLE IMP IMPACT IMPACTED IMPACTING IMPACTION IMPACTOR IMPACTORS IMPACTS IMPAIR IMPAIRED IMPAIRING IMPAIRS IMPALE IMPART IMPARTED IMPARTIAL IMPARTIALLY IMPARTS IMPASSE IMPASSIVE IMPATIENCE IMPATIENT IMPATIENTLY IMPEACH IMPEACHABLE IMPEACHED IMPEACHMENT IMPECCABLE IMPEDANCE IMPEDANCES IMPEDE IMPEDED IMPEDES IMPEDIMENT IMPEDIMENTS IMPEDING IMPEL IMPELLED IMPELLING IMPEND IMPENDING IMPENETRABILITY IMPENETRABLE IMPENETRABLY IMPERATIVE IMPERATIVELY IMPERATIVES IMPERCEIVABLE IMPERCEPTIBLE IMPERFECT IMPERFECTION IMPERFECTIONS IMPERFECTLY IMPERIAL IMPERIALISM IMPERIALIST IMPERIALISTS IMPERIL IMPERILED IMPERIOUS IMPERIOUSLY IMPERMANENCE IMPERMANENT IMPERMEABLE IMPERMISSIBLE IMPERSONAL IMPERSONALLY IMPERSONATE IMPERSONATED IMPERSONATES IMPERSONATING IMPERSONATION IMPERSONATIONS IMPERTINENT IMPERTINENTLY IMPERVIOUS IMPERVIOUSLY IMPETUOUS IMPETUOUSLY IMPETUS IMPINGE IMPINGED IMPINGES IMPINGING IMPIOUS IMPLACABLE IMPLANT IMPLANTED IMPLANTING IMPLANTS IMPLAUSIBLE IMPLEMENT IMPLEMENTABLE IMPLEMENTATION IMPLEMENTATIONS IMPLEMENTED IMPLEMENTER IMPLEMENTING IMPLEMENTOR IMPLEMENTORS IMPLEMENTS IMPLICANT IMPLICANTS IMPLICATE IMPLICATED IMPLICATES IMPLICATING IMPLICATION IMPLICATIONS IMPLICIT IMPLICITLY IMPLICITNESS IMPLIED IMPLIES IMPLORE IMPLORED IMPLORING IMPLY IMPLYING IMPOLITE IMPORT IMPORTANCE IMPORTANT IMPORTANTLY IMPORTATION IMPORTED IMPORTER IMPORTERS IMPORTING IMPORTS IMPOSE IMPOSED IMPOSES IMPOSING IMPOSITION IMPOSITIONS IMPOSSIBILITIES IMPOSSIBILITY IMPOSSIBLE IMPOSSIBLY IMPOSTOR IMPOSTORS IMPOTENCE IMPOTENCY IMPOTENT IMPOUND IMPOVERISH IMPOVERISHED IMPOVERISHMENT IMPRACTICABLE IMPRACTICAL IMPRACTICALITY IMPRACTICALLY IMPRECISE IMPRECISELY IMPRECISION IMPREGNABLE IMPREGNATE IMPRESS IMPRESSED IMPRESSER IMPRESSES IMPRESSIBLE IMPRESSING IMPRESSION IMPRESSIONABLE IMPRESSIONIST IMPRESSIONISTIC IMPRESSIONS IMPRESSIVE IMPRESSIVELY IMPRESSIVENESS IMPRESSMENT IMPRIMATUR IMPRINT IMPRINTED IMPRINTING IMPRINTS IMPRISON IMPRISONED IMPRISONING IMPRISONMENT IMPRISONMENTS IMPRISONS IMPROBABILITY IMPROBABLE IMPROMPTU IMPROPER IMPROPERLY IMPROPRIETY IMPROVE IMPROVED IMPROVEMENT IMPROVEMENTS IMPROVES IMPROVING IMPROVISATION IMPROVISATIONAL IMPROVISATIONS IMPROVISE IMPROVISED IMPROVISER IMPROVISERS IMPROVISES IMPROVISING IMPRUDENT IMPS IMPUDENT IMPUDENTLY IMPUGN IMPULSE IMPULSES IMPULSION IMPULSIVE IMPUNITY IMPURE IMPURITIES IMPURITY IMPUTE IMPUTED INABILITY INACCESSIBLE INACCURACIES INACCURACY INACCURATE INACTION INACTIVATE INACTIVE INACTIVITY INADEQUACIES INADEQUACY INADEQUATE INADEQUATELY INADEQUATENESS INADMISSIBILITY INADMISSIBLE INADVERTENT INADVERTENTLY INADVISABLE INALIENABLE INALTERABLE INANE INANIMATE INANIMATELY INANNA INAPPLICABLE INAPPROACHABLE INAPPROPRIATE INAPPROPRIATENESS INASMUCH INATTENTION INAUDIBLE INAUGURAL INAUGURATE INAUGURATED INAUGURATING INAUGURATION INAUSPICIOUS INBOARD INBOUND INBREED INCA INCALCULABLE INCANDESCENT INCANTATION INCAPABLE INCAPACITATE INCAPACITATING INCARCERATE INCARNATION INCARNATIONS INCAS INCENDIARIES INCENDIARY INCENSE INCENSED INCENSES INCENTIVE INCENTIVES INCEPTION INCESSANT INCESSANTLY INCEST INCESTUOUS INCH INCHED INCHES INCHING INCIDENCE INCIDENT INCIDENTAL INCIDENTALLY INCIDENTALS INCIDENTS INCINERATE INCIPIENT INCISIVE INCITE INCITED INCITEMENT INCITES INCITING INCLEMENT INCLINATION INCLINATIONS INCLINE INCLINED INCLINES INCLINING INCLOSE INCLOSED INCLOSES INCLOSING INCLUDE INCLUDED INCLUDES INCLUDING INCLUSION INCLUSIONS INCLUSIVE INCLUSIVELY INCLUSIVENESS INCOHERENCE INCOHERENT INCOHERENTLY INCOME INCOMES INCOMING INCOMMENSURABLE INCOMMENSURATE INCOMMUNICABLE INCOMPARABLE INCOMPARABLY INCOMPATIBILITIES INCOMPATIBILITY INCOMPATIBLE INCOMPATIBLY INCOMPETENCE INCOMPETENT INCOMPETENTS INCOMPLETE INCOMPLETELY INCOMPLETENESS INCOMPREHENSIBILITY INCOMPREHENSIBLE INCOMPREHENSIBLY INCOMPREHENSION INCOMPRESSIBLE INCOMPUTABLE INCONCEIVABLE INCONCLUSIVE INCONGRUITY INCONGRUOUS INCONSEQUENTIAL INCONSEQUENTIALLY INCONSIDERABLE INCONSIDERATE INCONSIDERATELY INCONSIDERATENESS INCONSISTENCIES INCONSISTENCY INCONSISTENT INCONSISTENTLY INCONSPICUOUS INCONTESTABLE INCONTROVERTIBLE INCONTROVERTIBLY INCONVENIENCE INCONVENIENCED INCONVENIENCES INCONVENIENCING INCONVENIENT INCONVENIENTLY INCONVERTIBLE INCORPORATE INCORPORATED INCORPORATES INCORPORATING INCORPORATION INCORRECT INCORRECTLY INCORRECTNESS INCORRIGIBLE INCREASE INCREASED INCREASES INCREASING INCREASINGLY INCREDIBLE INCREDIBLY INCREDULITY INCREDULOUS INCREDULOUSLY INCREMENT INCREMENTAL INCREMENTALLY INCREMENTED INCREMENTER INCREMENTING INCREMENTS INCRIMINATE INCUBATE INCUBATED INCUBATES INCUBATING INCUBATION INCUBATOR INCUBATORS INCULCATE INCUMBENT INCUR INCURABLE INCURRED INCURRING INCURS INCURSION INDEBTED INDEBTEDNESS INDECENT INDECIPHERABLE INDECISION INDECISIVE INDEED INDEFATIGABLE INDEFENSIBLE INDEFINITE INDEFINITELY INDEFINITENESS INDELIBLE INDEMNIFY INDEMNITY INDENT INDENTATION INDENTATIONS INDENTED INDENTING INDENTS INDENTURE INDEPENDENCE INDEPENDENT INDEPENDENTLY INDESCRIBABLE INDESTRUCTIBLE INDETERMINACIES INDETERMINACY INDETERMINATE INDETERMINATELY INDEX INDEXABLE INDEXED INDEXES INDEXING INDIA INDIAN INDIANA INDIANAPOLIS INDIANS INDICATE INDICATED INDICATES INDICATING INDICATION INDICATIONS INDICATIVE INDICATOR INDICATORS INDICES INDICT INDICTMENT INDICTMENTS INDIES INDIFFERENCE INDIFFERENT INDIFFERENTLY INDIGENOUS INDIGENOUSLY INDIGENOUSNESS INDIGESTIBLE INDIGESTION INDIGNANT INDIGNANTLY INDIGNATION INDIGNITIES INDIGNITY INDIGO INDIRA INDIRECT INDIRECTED INDIRECTING INDIRECTION INDIRECTIONS INDIRECTLY INDIRECTS INDISCREET INDISCRETION INDISCRIMINATE INDISCRIMINATELY INDISPENSABILITY INDISPENSABLE INDISPENSABLY INDISPUTABLE INDISTINCT INDISTINGUISHABLE INDIVIDUAL INDIVIDUALISM INDIVIDUALISTIC INDIVIDUALITY INDIVIDUALIZE INDIVIDUALIZED INDIVIDUALIZES INDIVIDUALIZING INDIVIDUALLY INDIVIDUALS INDIVISIBILITY INDIVISIBLE INDO INDOCHINA INDOCHINESE INDOCTRINATE INDOCTRINATED INDOCTRINATES INDOCTRINATING INDOCTRINATION INDOEUROPEAN INDOLENT INDOLENTLY INDOMITABLE INDONESIA INDONESIAN INDOOR INDOORS INDUBITABLE INDUCE INDUCED INDUCEMENT INDUCEMENTS INDUCER INDUCES INDUCING INDUCT INDUCTANCE INDUCTANCES INDUCTED INDUCTEE INDUCTING INDUCTION INDUCTIONS INDUCTIVE INDUCTIVELY INDUCTOR INDUCTORS INDUCTS INDULGE INDULGED INDULGENCE INDULGENCES INDULGENT INDULGING INDUS INDUSTRIAL INDUSTRIALISM INDUSTRIALIST INDUSTRIALISTS INDUSTRIALIZATION INDUSTRIALIZED INDUSTRIALLY INDUSTRIALS INDUSTRIES INDUSTRIOUS INDUSTRIOUSLY INDUSTRIOUSNESS INDUSTRY INDY INEFFECTIVE INEFFECTIVELY INEFFECTIVENESS INEFFECTUAL INEFFICIENCIES INEFFICIENCY INEFFICIENT INEFFICIENTLY INELEGANT INELIGIBLE INEPT INEQUALITIES INEQUALITY INEQUITABLE INEQUITY INERT INERTIA INERTIAL INERTLY INERTNESS INESCAPABLE INESCAPABLY INESSENTIAL INESTIMABLE INEVITABILITIES INEVITABILITY INEVITABLE INEVITABLY INEXACT INEXCUSABLE INEXCUSABLY INEXHAUSTIBLE INEXORABLE INEXORABLY INEXPENSIVE INEXPENSIVELY INEXPERIENCE INEXPERIENCED INEXPLICABLE INFALLIBILITY INFALLIBLE INFALLIBLY INFAMOUS INFAMOUSLY INFAMY INFANCY INFANT INFANTILE INFANTRY INFANTRYMAN INFANTRYMEN INFANTS INFARCT INFATUATE INFEASIBLE INFECT INFECTED INFECTING INFECTION INFECTIONS INFECTIOUS INFECTIOUSLY INFECTIVE INFECTS INFER INFERENCE INFERENCES INFERENTIAL INFERIOR INFERIORITY INFERIORS INFERNAL INFERNALLY INFERNO INFERNOS INFERRED INFERRING INFERS INFERTILE INFEST INFESTED INFESTING INFESTS INFIDEL INFIDELITY INFIDELS INFIGHTING INFILTRATE INFINITE INFINITELY INFINITENESS INFINITESIMAL INFINITIVE INFINITIVES INFINITUDE INFINITUM INFINITY INFIRM INFIRMARY INFIRMITY INFIX INFLAME INFLAMED INFLAMMABLE INFLAMMATION INFLAMMATORY INFLATABLE INFLATE INFLATED INFLATER INFLATES INFLATING INFLATION INFLATIONARY INFLEXIBILITY INFLEXIBLE INFLICT INFLICTED INFLICTING INFLICTS INFLOW INFLUENCE INFLUENCED INFLUENCES INFLUENCING INFLUENTIAL INFLUENTIALLY INFLUENZA INFORM INFORMAL INFORMALITY INFORMALLY INFORMANT INFORMANTS INFORMATICA INFORMATION INFORMATIONAL INFORMATIVE INFORMATIVELY INFORMED INFORMER INFORMERS INFORMING INFORMS INFRA INFRARED INFRASTRUCTURE INFREQUENT INFREQUENTLY INFRINGE INFRINGED INFRINGEMENT INFRINGEMENTS INFRINGES INFRINGING INFURIATE INFURIATED INFURIATES INFURIATING INFURIATION INFUSE INFUSED INFUSES INFUSING INFUSION INFUSIONS INGENIOUS INGENIOUSLY INGENIOUSNESS INGENUITY INGENUOUS INGERSOLL INGEST INGESTION INGLORIOUS INGOT INGRAM INGRATE INGRATIATE INGRATITUDE INGREDIENT INGREDIENTS INGROWN INHABIT INHABITABLE INHABITANCE INHABITANT INHABITANTS INHABITED INHABITING INHABITS INHALE INHALED INHALER INHALES INHALING INHERE INHERENT INHERENTLY INHERES INHERIT INHERITABLE INHERITANCE INHERITANCES INHERITED INHERITING INHERITOR INHERITORS INHERITRESS INHERITRESSES INHERITRICES INHERITRIX INHERITS INHIBIT INHIBITED INHIBITING INHIBITION INHIBITIONS INHIBITOR INHIBITORS INHIBITORY INHIBITS INHOMOGENEITIES INHOMOGENEITY INHOMOGENEOUS INHOSPITABLE INHUMAN INHUMANE INIMICAL INIMITABLE INIQUITIES INIQUITY INITIAL INITIALED INITIALING INITIALIZATION INITIALIZATIONS INITIALIZE INITIALIZED INITIALIZER INITIALIZERS INITIALIZES INITIALIZING INITIALLY INITIALS INITIATE INITIATED INITIATES INITIATING INITIATION INITIATIONS INITIATIVE INITIATIVES INITIATOR INITIATORS INJECT INJECTED INJECTING INJECTION INJECTIONS INJECTIVE INJECTS INJUDICIOUS INJUN INJUNCTION INJUNCTIONS INJUNS INJURE INJURED INJURES INJURIES INJURING INJURIOUS INJURY INJUSTICE INJUSTICES INK INKED INKER INKERS INKING INKINGS INKLING INKLINGS INKS INLAID INLAND INLAY INLET INLETS INLINE INMAN INMATE INMATES INN INNARDS INNATE INNATELY INNER INNERMOST INNING INNINGS INNOCENCE INNOCENT INNOCENTLY INNOCENTS INNOCUOUS INNOCUOUSLY INNOCUOUSNESS INNOVATE INNOVATION INNOVATIONS INNOVATIVE INNS INNUENDO INNUMERABILITY INNUMERABLE INNUMERABLY INOCULATE INOPERABLE INOPERATIVE INOPPORTUNE INORDINATE INORDINATELY INORGANIC INPUT INPUTS INQUEST INQUIRE INQUIRED INQUIRER INQUIRERS INQUIRES INQUIRIES INQUIRING INQUIRY INQUISITION INQUISITIONS INQUISITIVE INQUISITIVELY INQUISITIVENESS INROAD INROADS INSANE INSANELY INSANITY INSATIABLE INSCRIBE INSCRIBED INSCRIBES INSCRIBING INSCRIPTION INSCRIPTIONS INSCRUTABLE INSECT INSECTICIDE INSECTS INSECURE INSECURELY INSEMINATE INSENSIBLE INSENSITIVE INSENSITIVELY INSENSITIVITY INSEPARABLE INSERT INSERTED INSERTING INSERTION INSERTIONS INSERTS INSET INSIDE INSIDER INSIDERS INSIDES INSIDIOUS INSIDIOUSLY INSIDIOUSNESS INSIGHT INSIGHTFUL INSIGHTS INSIGNIA INSIGNIFICANCE INSIGNIFICANT INSINCERE INSINCERITY INSINUATE INSINUATED INSINUATES INSINUATING INSINUATION INSINUATIONS INSIPID INSIST INSISTED INSISTENCE INSISTENT INSISTENTLY INSISTING INSISTS INSOFAR INSOLENCE INSOLENT INSOLENTLY INSOLUBLE INSOLVABLE INSOLVENT INSOMNIA INSOMNIAC INSPECT INSPECTED INSPECTING INSPECTION INSPECTIONS INSPECTOR INSPECTORS INSPECTS INSPIRATION INSPIRATIONS INSPIRE INSPIRED INSPIRER INSPIRES INSPIRING INSTABILITIES INSTABILITY INSTALL INSTALLATION INSTALLATIONS INSTALLED INSTALLER INSTALLERS INSTALLING INSTALLMENT INSTALLMENTS INSTALLS INSTANCE INSTANCES INSTANT INSTANTANEOUS INSTANTANEOUSLY INSTANTER INSTANTIATE INSTANTIATED INSTANTIATES INSTANTIATING INSTANTIATION INSTANTIATIONS INSTANTLY INSTANTS INSTEAD INSTIGATE INSTIGATED INSTIGATES INSTIGATING INSTIGATOR INSTIGATORS INSTILL INSTINCT INSTINCTIVE INSTINCTIVELY INSTINCTS INSTINCTUAL INSTITUTE INSTITUTED INSTITUTER INSTITUTERS INSTITUTES INSTITUTING INSTITUTION INSTITUTIONAL INSTITUTIONALIZE INSTITUTIONALIZED INSTITUTIONALIZES INSTITUTIONALIZING INSTITUTIONALLY INSTITUTIONS INSTRUCT INSTRUCTED INSTRUCTING INSTRUCTION INSTRUCTIONAL INSTRUCTIONS INSTRUCTIVE INSTRUCTIVELY INSTRUCTOR INSTRUCTORS INSTRUCTS INSTRUMENT INSTRUMENTAL INSTRUMENTALIST INSTRUMENTALISTS INSTRUMENTALLY INSTRUMENTALS INSTRUMENTATION INSTRUMENTED INSTRUMENTING INSTRUMENTS INSUBORDINATE INSUFFERABLE INSUFFICIENT INSUFFICIENTLY INSULAR INSULATE INSULATED INSULATES INSULATING INSULATION INSULATOR INSULATORS INSULIN INSULT INSULTED INSULTING INSULTS INSUPERABLE INSUPPORTABLE INSURANCE INSURE INSURED INSURER INSURERS INSURES INSURGENT INSURGENTS INSURING INSURMOUNTABLE INSURRECTION INSURRECTIONS INTACT INTANGIBLE INTANGIBLES INTEGER INTEGERS INTEGRABLE INTEGRAL INTEGRALS INTEGRAND INTEGRATE INTEGRATED INTEGRATES INTEGRATING INTEGRATION INTEGRATIONS INTEGRATIVE INTEGRITY INTEL INTELLECT INTELLECTS INTELLECTUAL INTELLECTUALLY INTELLECTUALS INTELLIGENCE INTELLIGENT INTELLIGENTLY INTELLIGENTSIA INTELLIGIBILITY INTELLIGIBLE INTELLIGIBLY INTELSAT INTEMPERATE INTEND INTENDED INTENDING INTENDS INTENSE INTENSELY INTENSIFICATION INTENSIFIED INTENSIFIER INTENSIFIERS INTENSIFIES INTENSIFY INTENSIFYING INTENSITIES INTENSITY INTENSIVE INTENSIVELY INTENT INTENTION INTENTIONAL INTENTIONALLY INTENTIONED INTENTIONS INTENTLY INTENTNESS INTENTS INTER INTERACT INTERACTED INTERACTING INTERACTION INTERACTIONS INTERACTIVE INTERACTIVELY INTERACTIVITY INTERACTS INTERCEPT INTERCEPTED INTERCEPTING INTERCEPTION INTERCEPTOR INTERCEPTS INTERCHANGE INTERCHANGEABILITY INTERCHANGEABLE INTERCHANGEABLY INTERCHANGED INTERCHANGER INTERCHANGES INTERCHANGING INTERCHANGINGS INTERCHANNEL INTERCITY INTERCOM INTERCOMMUNICATE INTERCOMMUNICATED INTERCOMMUNICATES INTERCOMMUNICATING INTERCOMMUNICATION INTERCONNECT INTERCONNECTED INTERCONNECTING INTERCONNECTION INTERCONNECTIONS INTERCONNECTS INTERCONTINENTAL INTERCOURSE INTERDATA INTERDEPENDENCE INTERDEPENDENCIES INTERDEPENDENCY INTERDEPENDENT INTERDICT INTERDICTION INTERDISCIPLINARY INTEREST INTERESTED INTERESTING INTERESTINGLY INTERESTS INTERFACE INTERFACED INTERFACER INTERFACES INTERFACING INTERFERE INTERFERED INTERFERENCE INTERFERENCES INTERFERES INTERFERING INTERFERINGLY INTERFEROMETER INTERFEROMETRIC INTERFEROMETRY INTERFRAME INTERGROUP INTERIM INTERIOR INTERIORS INTERJECT INTERLACE INTERLACED INTERLACES INTERLACING INTERLEAVE INTERLEAVED INTERLEAVES INTERLEAVING INTERLINK INTERLINKED INTERLINKS INTERLISP INTERMEDIARY INTERMEDIATE INTERMEDIATES INTERMINABLE INTERMINGLE INTERMINGLED INTERMINGLES INTERMINGLING INTERMISSION INTERMITTENT INTERMITTENTLY INTERMIX INTERMIXED INTERMODULE INTERN INTERNAL INTERNALIZE INTERNALIZED INTERNALIZES INTERNALIZING INTERNALLY INTERNALS INTERNATIONAL INTERNATIONALITY INTERNATIONALLY INTERNED INTERNET INTERNET INTERNETWORK INTERNING INTERNS INTERNSHIP INTEROFFICE INTERPERSONAL INTERPLAY INTERPOL INTERPOLATE INTERPOLATED INTERPOLATES INTERPOLATING INTERPOLATION INTERPOLATIONS INTERPOSE INTERPOSED INTERPOSES INTERPOSING INTERPRET INTERPRETABLE INTERPRETATION INTERPRETATIONS INTERPRETED INTERPRETER INTERPRETERS INTERPRETING INTERPRETIVE INTERPRETIVELY INTERPRETS INTERPROCESS INTERRELATE INTERRELATED INTERRELATES INTERRELATING INTERRELATION INTERRELATIONS INTERRELATIONSHIP INTERRELATIONSHIPS INTERROGATE INTERROGATED INTERROGATES INTERROGATING INTERROGATION INTERROGATIONS INTERROGATIVE INTERRUPT INTERRUPTED INTERRUPTIBLE INTERRUPTING INTERRUPTION INTERRUPTIONS INTERRUPTIVE INTERRUPTS INTERSECT INTERSECTED INTERSECTING INTERSECTION INTERSECTIONS INTERSECTS INTERSPERSE INTERSPERSED INTERSPERSES INTERSPERSING INTERSPERSION INTERSTAGE INTERSTATE INTERTWINE INTERTWINED INTERTWINES INTERTWINING INTERVAL INTERVALS INTERVENE INTERVENED INTERVENES INTERVENING INTERVENTION INTERVENTIONS INTERVIEW INTERVIEWED INTERVIEWEE INTERVIEWER INTERVIEWERS INTERVIEWING INTERVIEWS INTERWOVEN INTESTATE INTESTINAL INTESTINE INTESTINES INTIMACY INTIMATE INTIMATED INTIMATELY INTIMATING INTIMATION INTIMATIONS INTIMIDATE INTIMIDATED INTIMIDATES INTIMIDATING INTIMIDATION INTO INTOLERABLE INTOLERABLY INTOLERANCE INTOLERANT INTONATION INTONATIONS INTONE INTOXICANT INTOXICATE INTOXICATED INTOXICATING INTOXICATION INTRACTABILITY INTRACTABLE INTRACTABLY INTRAGROUP INTRALINE INTRAMURAL INTRAMUSCULAR INTRANSIGENT INTRANSITIVE INTRANSITIVELY INTRAOFFICE INTRAPROCESS INTRASTATE INTRAVENOUS INTREPID INTRICACIES INTRICACY INTRICATE INTRICATELY INTRIGUE INTRIGUED INTRIGUES INTRIGUING INTRINSIC INTRINSICALLY INTRODUCE INTRODUCED INTRODUCES INTRODUCING INTRODUCTION INTRODUCTIONS INTRODUCTORY INTROSPECT INTROSPECTION INTROSPECTIONS INTROSPECTIVE INTROVERT INTROVERTED INTRUDE INTRUDED INTRUDER INTRUDERS INTRUDES INTRUDING INTRUSION INTRUSIONS INTRUST INTUBATE INTUBATED INTUBATES INTUBATION INTUITION INTUITIONIST INTUITIONS INTUITIVE INTUITIVELY INUNDATE INVADE INVADED INVADER INVADERS INVADES INVADING INVALID INVALIDATE INVALIDATED INVALIDATES INVALIDATING INVALIDATION INVALIDATIONS INVALIDITIES INVALIDITY INVALIDLY INVALIDS INVALUABLE INVARIABLE INVARIABLY INVARIANCE INVARIANT INVARIANTLY INVARIANTS INVASION INVASIONS INVECTIVE INVENT INVENTED INVENTING INVENTION INVENTIONS INVENTIVE INVENTIVELY INVENTIVENESS INVENTOR INVENTORIES INVENTORS INVENTORY INVENTS INVERNESS INVERSE INVERSELY INVERSES INVERSION INVERSIONS INVERT INVERTEBRATE INVERTEBRATES INVERTED INVERTER INVERTERS INVERTIBLE INVERTING INVERTS INVEST INVESTED INVESTIGATE INVESTIGATED INVESTIGATES INVESTIGATING INVESTIGATION INVESTIGATIONS INVESTIGATIVE INVESTIGATOR INVESTIGATORS INVESTIGATORY INVESTING INVESTMENT INVESTMENTS INVESTOR INVESTORS INVESTS INVETERATE INVIGORATE INVINCIBLE INVISIBILITY INVISIBLE INVISIBLY INVITATION INVITATIONS INVITE INVITED INVITES INVITING INVOCABLE INVOCATION INVOCATIONS INVOICE INVOICED INVOICES INVOICING INVOKE INVOKED INVOKER INVOKES INVOKING INVOLUNTARILY INVOLUNTARY INVOLVE INVOLVED INVOLVEMENT INVOLVEMENTS INVOLVES INVOLVING INWARD INWARDLY INWARDNESS INWARDS IODINE ION IONIAN IONIANS IONICIZATION IONICIZATIONS IONICIZE IONICIZES IONOSPHERE IONOSPHERIC IONS IOTA IOWA IRA IRAN IRANIAN IRANIANS IRANIZE IRANIZES IRAQ IRAQI IRAQIS IRATE IRATELY IRATENESS IRE IRELAND IRENE IRES IRIS IRISH IRISHIZE IRISHIZES IRISHMAN IRISHMEN IRK IRKED IRKING IRKS IRKSOME IRMA IRON IRONED IRONIC IRONICAL IRONICALLY IRONIES IRONING IRONINGS IRONS IRONY IROQUOIS IRRADIATE IRRATIONAL IRRATIONALLY IRRATIONALS IRRAWADDY IRRECONCILABLE IRRECOVERABLE IRREDUCIBLE IRREDUCIBLY IRREFLEXIVE IRREFUTABLE IRREGULAR IRREGULARITIES IRREGULARITY IRREGULARLY IRREGULARS IRRELEVANCE IRRELEVANCES IRRELEVANT IRRELEVANTLY IRREPLACEABLE IRREPRESSIBLE IRREPRODUCIBILITY IRREPRODUCIBLE IRRESISTIBLE IRRESPECTIVE IRRESPECTIVELY IRRESPONSIBLE IRRESPONSIBLY IRRETRIEVABLY IRREVERENT IRREVERSIBILITY IRREVERSIBLE IRREVERSIBLY IRREVOCABLE IRREVOCABLY IRRIGATE IRRIGATED IRRIGATES IRRIGATING IRRIGATION IRRITABLE IRRITANT IRRITATE IRRITATED IRRITATES IRRITATING IRRITATION IRRITATIONS IRVIN IRVINE IRVING IRWIN ISAAC ISAACS ISAACSON ISABEL ISABELLA ISADORE ISAIAH ISFAHAN ISING ISIS ISLAM ISLAMABAD ISLAMIC ISLAMIZATION ISLAMIZATIONS ISLAMIZE ISLAMIZES ISLAND ISLANDER ISLANDERS ISLANDIA ISLANDS ISLE ISLES ISLET ISLETS ISOLATE ISOLATED ISOLATES ISOLATING ISOLATION ISOLATIONS ISOLDE ISOMETRIC ISOMORPHIC ISOMORPHICALLY ISOMORPHISM ISOMORPHISMS ISOTOPE ISOTOPES ISRAEL ISRAELI ISRAELIS ISRAELITE ISRAELITES ISRAELITIZE ISRAELITIZES ISSUANCE ISSUE ISSUED ISSUER ISSUERS ISSUES ISSUING ISTANBUL ISTHMUS ISTVAN ITALIAN ITALIANIZATION ITALIANIZATIONS ITALIANIZE ITALIANIZER ITALIANIZERS ITALIANIZES ITALIANS ITALIC ITALICIZE ITALICIZED ITALICS ITALY ITCH ITCHES ITCHING ITEL ITEM ITEMIZATION ITEMIZATIONS ITEMIZE ITEMIZED ITEMIZES ITEMIZING ITEMS ITERATE ITERATED ITERATES ITERATING ITERATION ITERATIONS ITERATIVE ITERATIVELY ITERATOR ITERATORS ITHACA ITHACAN ITINERARIES ITINERARY ITO ITS ITSELF IVAN IVANHOE IVERSON IVIES IVORY IVY IZAAK IZVESTIA JAB JABBED JABBING JABLONSKY JABS JACK JACKASS JACKET JACKETED JACKETS JACKIE JACKING JACKKNIFE JACKMAN JACKPOT JACKSON JACKSONIAN JACKSONS JACKSONVILLE JACKY JACOB JACOBEAN JACOBI JACOBIAN JACOBINIZE JACOBITE JACOBS JACOBSEN JACOBSON JACOBUS JACOBY JACQUELINE JACQUES JADE JADED JAEGER JAGUAR JAIL JAILED JAILER JAILERS JAILING JAILS JAIME JAKARTA JAKE JAKES JAM JAMAICA JAMAICAN JAMES JAMESON JAMESTOWN JAMMED JAMMING JAMS JANE JANEIRO JANESVILLE JANET JANICE JANIS JANITOR JANITORS JANOS JANSEN JANSENIST JANUARIES JANUARY JANUS JAPAN JAPANESE JAPANIZATION JAPANIZATIONS JAPANIZE JAPANIZED JAPANIZES JAPANIZING JAR JARGON JARRED JARRING JARRINGLY JARS JARVIN JASON JASTROW JAUNDICE JAUNT JAUNTINESS JAUNTS JAUNTY JAVA JAVANESE JAVELIN JAVELINS JAW JAWBONE JAWS JAY JAYCEE JAYCEES JAZZ JAZZY JEALOUS JEALOUSIES JEALOUSLY JEALOUSY JEAN JEANNE JEANNIE JEANS JED JEEP JEEPS JEER JEERS JEFF JEFFERSON JEFFERSONIAN JEFFERSONIANS JEFFREY JEHOVAH JELLIES JELLO JELLY JELLYFISH JENKINS JENNIE JENNIFER JENNINGS JENNY JENSEN JEOPARDIZE JEOPARDIZED JEOPARDIZES JEOPARDIZING JEOPARDY JEREMIAH JEREMY JERES JERICHO JERK JERKED JERKINESS JERKING JERKINGS JERKS JERKY JEROBOAM JEROME JERRY JERSEY JERSEYS JERUSALEM JESSE JESSICA JESSIE JESSY JEST JESTED JESTER JESTING JESTS JESUIT JESUITISM JESUITIZE JESUITIZED JESUITIZES JESUITIZING JESUITS JESUS JET JETLINER JETS JETTED JETTING JEW JEWEL JEWELED JEWELER JEWELL JEWELLED JEWELRIES JEWELRY JEWELS JEWETT JEWISH JEWISHNESS JEWS JIFFY JIG JIGS JIGSAW JILL JIM JIMENEZ JIMMIE JINGLE JINGLED JINGLING JINNY JITTER JITTERBUG JITTERY JOAN JOANNA JOANNE JOAQUIN JOB JOBREL JOBS JOCKEY JOCKSTRAP JOCUND JODY JOE JOEL JOES JOG JOGGING JOGS JOHANN JOHANNA JOHANNES JOHANNESBURG JOHANSEN JOHANSON JOHN JOHNNIE JOHNNY JOHNS JOHNSEN JOHNSON JOHNSTON JOHNSTOWN JOIN JOINED JOINER JOINERS JOINING JOINS JOINT JOINTLY JOINTS JOKE JOKED JOKER JOKERS JOKES JOKING JOKINGLY JOLIET JOLLA JOLLY JOLT JOLTED JOLTING JOLTS JON JONAS JONATHAN JONATHANIZATION JONATHANIZATIONS JONES JONESES JONQUIL JOPLIN JORDAN JORDANIAN JORGE JORGENSEN JORGENSON JOSE JOSEF JOSEPH JOSEPHINE JOSEPHSON JOSEPHUS JOSHUA JOSIAH JOSTLE JOSTLED JOSTLES JOSTLING JOT JOTS JOTTED JOTTING JOULE JOURNAL JOURNALISM JOURNALIST JOURNALISTS JOURNALIZE JOURNALIZED JOURNALIZES JOURNALIZING JOURNALS JOURNEY JOURNEYED JOURNEYING JOURNEYINGS JOURNEYMAN JOURNEYMEN JOURNEYS JOUST JOUSTED JOUSTING JOUSTS JOVANOVICH JOVE JOVIAL JOVIAN JOY JOYCE JOYFUL JOYFULLY JOYOUS JOYOUSLY JOYOUSNESS JOYRIDE JOYS JOYSTICK JUAN JUANITA JUBAL JUBILEE JUDAICA JUDAISM JUDAS JUDD JUDDER JUDDERED JUDDERING JUDDERS JUDE JUDEA JUDGE JUDGED JUDGES JUDGING JUDGMENT JUDGMENTS JUDICIAL JUDICIARY JUDICIOUS JUDICIOUSLY JUDITH JUDO JUDSON JUDY JUG JUGGLE JUGGLER JUGGLERS JUGGLES JUGGLING JUGOSLAVIA JUGS JUICE JUICES JUICIEST JUICY JUKES JULES JULIA JULIAN JULIE JULIES JULIET JULIO JULIUS JULY JUMBLE JUMBLED JUMBLES JUMBO JUMP JUMPED JUMPER JUMPERS JUMPING JUMPS JUMPY JUNCTION JUNCTIONS JUNCTURE JUNCTURES JUNE JUNEAU JUNES JUNG JUNGIAN JUNGLE JUNGLES JUNIOR JUNIORS JUNIPER JUNK JUNKER JUNKERS JUNKS JUNKY JUNO JUNTA JUPITER JURA JURAS JURASSIC JURE JURIES JURISDICTION JURISDICTIONS JURISPRUDENCE JURIST JUROR JURORS JURY JUST JUSTICE JUSTICES JUSTIFIABLE JUSTIFIABLY JUSTIFICATION JUSTIFICATIONS JUSTIFIED JUSTIFIER JUSTIFIERS JUSTIFIES JUSTIFY JUSTIFYING JUSTINE JUSTINIAN JUSTLY JUSTNESS JUT JUTISH JUTLAND JUTTING JUVENILE JUVENILES JUXTAPOSE JUXTAPOSED JUXTAPOSES JUXTAPOSING KABUKI KABUL KADDISH KAFKA KAFKAESQUE KAHN KAJAR KALAMAZOO KALI KALMUK KAMCHATKA KAMIKAZE KAMIKAZES KAMPALA KAMPUCHEA KANARESE KANE KANGAROO KANJI KANKAKEE KANNADA KANSAS KANT KANTIAN KAPLAN KAPPA KARACHI KARAMAZOV KARATE KAREN KARL KAROL KARP KASHMIR KASKASKIA KATE KATHARINE KATHERINE KATHLEEN KATHY KATIE KATMANDU KATOWICE KATZ KAUFFMAN KAUFMAN KAY KEATON KEATS KEEGAN KEEL KEELED KEELING KEELS KEEN KEENAN KEENER KEENEST KEENLY KEENNESS KEEP KEEPER KEEPERS KEEPING KEEPS KEITH KELLER KELLEY KELLOGG KELLY KELSEY KELVIN KEMP KEN KENDALL KENILWORTH KENNAN KENNECOTT KENNEDY KENNEL KENNELS KENNETH KENNEY KENNING KENNY KENOSHA KENSINGTON KENT KENTON KENTUCKY KENYA KENYON KEPLER KEPT KERCHIEF KERCHIEFS KERMIT KERN KERNEL KERNELS KERNIGHAN KEROSENE KEROUAC KERR KESSLER KETCHUP KETTERING KETTLE KETTLES KEVIN KEWASKUM KEWAUNEE KEY KEYBOARD KEYBOARDS KEYED KEYES KEYHOLE KEYING KEYNES KEYNESIAN KEYNOTE KEYPAD KEYPADS KEYS KEYSTROKE KEYSTROKES KEYWORD KEYWORDS KHARTOUM KHMER KHRUSHCHEV KHRUSHCHEVS KICK KICKAPOO KICKED KICKER KICKERS KICKING KICKOFF KICKS KID KIDDE KIDDED KIDDIE KIDDING KIDNAP KIDNAPPER KIDNAPPERS KIDNAPPING KIDNAPPINGS KIDNAPS KIDNEY KIDNEYS KIDS KIEFFER KIEL KIEV KIEWIT KIGALI KIKUYU KILGORE KILIMANJARO KILL KILLEBREW KILLED KILLER KILLERS KILLING KILLINGLY KILLINGS KILLJOY KILLS KILOBIT KILOBITS KILOBLOCK KILOBYTE KILOBYTES KILOGRAM KILOGRAMS KILOHERTZ KILOHM KILOJOULE KILOMETER KILOMETERS KILOTON KILOVOLT KILOWATT KILOWORD KIM KIMBALL KIMBERLY KIMONO KIN KIND KINDER KINDERGARTEN KINDEST KINDHEARTED KINDLE KINDLED KINDLES KINDLING KINDLY KINDNESS KINDRED KINDS KINETIC KING KINGDOM KINGDOMS KINGLY KINGPIN KINGS KINGSBURY KINGSLEY KINGSTON KINGSTOWN KINGWOOD KINK KINKY KINNEY KINNICKINNIC KINSEY KINSHASHA KINSHIP KINSMAN KIOSK KIOWA KIPLING KIRBY KIRCHNER KIRCHOFF KIRK KIRKLAND KIRKPATRICK KIRKWOOD KIROV KISS KISSED KISSER KISSERS KISSES KISSING KIT KITAKYUSHU KITCHEN KITCHENETTE KITCHENS KITE KITED KITES KITING KITS KITTEN KITTENISH KITTENS KITTY KIWANIS KLAN KLAUS KLAXON KLEIN KLEINROCK KLINE KLUDGE KLUDGES KLUX KLYSTRON KNACK KNAPP KNAPSACK KNAPSACKS KNAUER KNAVE KNAVES KNEAD KNEADS KNEE KNEECAP KNEED KNEEING KNEEL KNEELED KNEELING KNEELS KNEES KNELL KNELLS KNELT KNEW KNICKERBOCKER KNICKERBOCKERS KNIFE KNIFED KNIFES KNIFING KNIGHT KNIGHTED KNIGHTHOOD KNIGHTING KNIGHTLY KNIGHTS KNIGHTSBRIDGE KNIT KNITS KNIVES KNOB KNOBELOCH KNOBS KNOCK KNOCKDOWN KNOCKED KNOCKER KNOCKERS KNOCKING KNOCKOUT KNOCKS KNOLL KNOLLS KNOSSOS KNOT KNOTS KNOTT KNOTTED KNOTTING KNOW KNOWABLE KNOWER KNOWHOW KNOWING KNOWINGLY KNOWLEDGE KNOWLEDGEABLE KNOWLES KNOWLTON KNOWN KNOWS KNOX KNOXVILLE KNUCKLE KNUCKLED KNUCKLES KNUDSEN KNUDSON KNUTH KNUTSEN KNUTSON KOALA KOBAYASHI KOCH KOCHAB KODACHROME KODAK KODIAK KOENIG KOENIGSBERG KOHLER KONG KONRAD KOPPERS KORAN KOREA KOREAN KOREANS KOSHER KOVACS KOWALEWSKI KOWALSKI KOWLOON KOWTOW KRAEMER KRAKATOA KRAKOW KRAMER KRAUSE KREBS KREMLIN KRESGE KRIEGER KRISHNA KRISTIN KRONECKER KRUEGER KRUGER KRUSE KUALA KUDO KUENNING KUHN KUMAR KURD KURDISH KURT KUWAIT KUWAITI KYOTO LAB LABAN LABEL LABELED LABELING LABELLED LABELLER LABELLERS LABELLING LABELS LABOR LABORATORIES LABORATORY LABORED LABORER LABORERS LABORING LABORINGS LABORIOUS LABORIOUSLY LABORS LABRADOR LABS LABYRINTH LABYRINTHS LAC LACE LACED LACERATE LACERATED LACERATES LACERATING LACERATION LACERATIONS LACERTA LACES LACEY LACHESIS LACING LACK LACKAWANNA LACKED LACKEY LACKING LACKS LACQUER LACQUERED LACQUERS LACROSSE LACY LAD LADDER LADEN LADIES LADING LADLE LADS LADY LADYLIKE LAFAYETTE LAG LAGER LAGERS LAGOON LAGOONS LAGOS LAGRANGE LAGRANGIAN LAGS LAGUERRE LAGUNA LAHORE LAID LAIDLAW LAIN LAIR LAIRS LAISSEZ LAKE LAKEHURST LAKES LAKEWOOD LAMAR LAMARCK LAMB LAMBDA LAMBDAS LAMBERT LAMBS LAME LAMED LAMELY LAMENESS LAMENT LAMENTABLE LAMENTATION LAMENTATIONS LAMENTED LAMENTING LAMENTS LAMES LAMINAR LAMING LAMP LAMPLIGHT LAMPOON LAMPORT LAMPREY LAMPS LANA LANCASHIRE LANCASTER LANCE LANCED LANCELOT LANCER LANCES LAND LANDED LANDER LANDERS LANDFILL LANDING LANDINGS LANDIS LANDLADIES LANDLADY LANDLORD LANDLORDS LANDMARK LANDMARKS LANDOWNER LANDOWNERS LANDS LANDSCAPE LANDSCAPED LANDSCAPES LANDSCAPING LANDSLIDE LANDWEHR LANE LANES LANG LANGE LANGELAND LANGFORD LANGLEY LANGMUIR LANGUAGE LANGUAGES LANGUID LANGUIDLY LANGUIDNESS LANGUISH LANGUISHED LANGUISHES LANGUISHING LANKA LANSING LANTERN LANTERNS LAO LAOCOON LAOS LAOTIAN LAOTIANS LAP LAPEL LAPELS LAPLACE LAPLACIAN LAPPING LAPS LAPSE LAPSED LAPSES LAPSING LARAMIE LARD LARDER LAREDO LARES LARGE LARGELY LARGENESS LARGER LARGEST LARK LARKIN LARKS LARRY LARS LARSEN LARSON LARVA LARVAE LARYNX LASCIVIOUS LASER LASERS LASH LASHED LASHES LASHING LASHINGS LASS LASSES LASSO LAST LASTED LASTING LASTLY LASTS LASZLO LATCH LATCHED LATCHES LATCHING LATE LATELY LATENCY LATENESS LATENT LATER LATERAL LATERALLY LATERAN LATEST LATEX LATHE LATHROP LATIN LATINATE LATINITY LATINIZATION LATINIZATIONS LATINIZE LATINIZED LATINIZER LATINIZERS LATINIZES LATINIZING LATITUDE LATITUDES LATRINE LATRINES LATROBE LATTER LATTERLY LATTICE LATTICES LATTIMER LATVIA LAUDABLE LAUDERDALE LAUE LAUGH LAUGHABLE LAUGHABLY LAUGHED LAUGHING LAUGHINGLY LAUGHINGSTOCK LAUGHLIN LAUGHS LAUGHTER LAUNCH LAUNCHED LAUNCHER LAUNCHES LAUNCHING LAUNCHINGS LAUNDER LAUNDERED LAUNDERER LAUNDERING LAUNDERINGS LAUNDERS LAUNDROMAT LAUNDROMATS LAUNDRY LAUREATE LAUREL LAURELS LAUREN LAURENCE LAURENT LAURENTIAN LAURIE LAUSANNE LAVA LAVATORIES LAVATORY LAVENDER LAVISH LAVISHED LAVISHING LAVISHLY LAVOISIER LAW LAWBREAKER LAWFORD LAWFUL LAWFULLY LAWGIVER LAWLESS LAWLESSNESS LAWN LAWNS LAWRENCE LAWRENCEVILLE LAWS LAWSON LAWSUIT LAWSUITS LAWYER LAWYERS LAX LAXATIVE LAY LAYER LAYERED LAYERING LAYERS LAYING LAYMAN LAYMEN LAYOFF LAYOFFS LAYOUT LAYOUTS LAYS LAYTON LAZARUS LAZED LAZIER LAZIEST LAZILY LAZINESS LAZING LAZY LAZYBONES LEAD LEADED LEADEN LEADER LEADERS LEADERSHIP LEADERSHIPS LEADING LEADINGS LEADS LEAF LEAFED LEAFIEST LEAFING LEAFLESS LEAFLET LEAFLETS LEAFY LEAGUE LEAGUED LEAGUER LEAGUERS LEAGUES LEAK LEAKAGE LEAKAGES LEAKED LEAKING LEAKS LEAKY LEAN LEANDER LEANED LEANER LEANEST LEANING LEANNESS LEANS LEAP LEAPED LEAPFROG LEAPING LEAPS LEAPT LEAR LEARN LEARNED LEARNER LEARNERS LEARNING LEARNS LEARY LEASE LEASED LEASES LEASH LEASHES LEASING LEAST LEATHER LEATHERED LEATHERN LEATHERNECK LEATHERS LEAVE LEAVED LEAVEN LEAVENED LEAVENING LEAVENWORTH LEAVES LEAVING LEAVINGS LEBANESE LEBANON LEBESGUE LECHERY LECTURE LECTURED LECTURER LECTURERS LECTURES LECTURING LED LEDGE LEDGER LEDGERS LEDGES LEE LEECH LEECHES LEEDS LEEK LEER LEERY LEES LEEUWENHOEK LEEWARD LEEWAY LEFT LEFTIST LEFTISTS LEFTMOST LEFTOVER LEFTOVERS LEFTWARD LEG LEGACIES LEGACY LEGAL LEGALITY LEGALIZATION LEGALIZE LEGALIZED LEGALIZES LEGALIZING LEGALLY LEGEND LEGENDARY LEGENDRE LEGENDS LEGER LEGERS LEGGED LEGGINGS LEGIBILITY LEGIBLE LEGIBLY LEGION LEGIONS LEGISLATE LEGISLATED LEGISLATES LEGISLATING LEGISLATION LEGISLATIVE LEGISLATOR LEGISLATORS LEGISLATURE LEGISLATURES LEGITIMACY LEGITIMATE LEGITIMATELY LEGS LEGUME LEHIGH LEHMAN LEIBNIZ LEIDEN LEIGH LEIGHTON LEILA LEIPZIG LEISURE LEISURELY LELAND LEMKE LEMMA LEMMAS LEMMING LEMMINGS LEMON LEMONADE LEMONS LEMUEL LEN LENA LEND LENDER LENDERS LENDING LENDS LENGTH LENGTHEN LENGTHENED LENGTHENING LENGTHENS LENGTHLY LENGTHS LENGTHWISE LENGTHY LENIENCY LENIENT LENIENTLY LENIN LENINGRAD LENINISM LENINIST LENNOX LENNY LENORE LENS LENSES LENT LENTEN LENTIL LENTILS LEO LEON LEONA LEONARD LEONARDO LEONE LEONID LEOPARD LEOPARDS LEOPOLD LEOPOLDVILLE LEPER LEPROSY LEROY LESBIAN LESBIANS LESLIE LESOTHO LESS LESSEN LESSENED LESSENING LESSENS LESSER LESSON LESSONS LESSOR LEST LESTER LET LETHAL LETHE LETITIA LETS LETTER LETTERED LETTERER LETTERHEAD LETTERING LETTERS LETTING LETTUCE LEUKEMIA LEV LEVEE LEVEES LEVEL LEVELED LEVELER LEVELING LEVELLED LEVELLER LEVELLEST LEVELLING LEVELLY LEVELNESS LEVELS LEVER LEVERAGE LEVERS LEVI LEVIABLE LEVIED LEVIES LEVIN LEVINE LEVIS LEVITICUS LEVITT LEVITY LEVY LEVYING LEW LEWD LEWDLY LEWDNESS LEWELLYN LEXICAL LEXICALLY LEXICOGRAPHIC LEXICOGRAPHICAL LEXICOGRAPHICALLY LEXICON LEXICONS LEXINGTON LEYDEN LIABILITIES LIABILITY LIABLE LIAISON LIAISONS LIAR LIARS LIBEL LIBELOUS LIBERACE LIBERAL LIBERALIZE LIBERALIZED LIBERALIZES LIBERALIZING LIBERALLY LIBERALS LIBERATE LIBERATED LIBERATES LIBERATING LIBERATION LIBERATOR LIBERATORS LIBERIA LIBERTARIAN LIBERTIES LIBERTY LIBIDO LIBRARIAN LIBRARIANS LIBRARIES LIBRARY LIBRETTO LIBREVILLE LIBYA LIBYAN LICE LICENSE LICENSED LICENSEE LICENSES LICENSING LICENSOR LICENTIOUS LICHEN LICHENS LICHTER LICK LICKED LICKING LICKS LICORICE LID LIDS LIE LIEBERMAN LIECHTENSTEIN LIED LIEGE LIEN LIENS LIES LIEU LIEUTENANT LIEUTENANTS LIFE LIFEBLOOD LIFEBOAT LIFEGUARD LIFELESS LIFELESSNESS LIFELIKE LIFELONG LIFER LIFESPAN LIFESTYLE LIFESTYLES LIFETIME LIFETIMES LIFT LIFTED LIFTER LIFTERS LIFTING LIFTS LIGAMENT LIGATURE LIGGET LIGGETT LIGHT LIGHTED LIGHTEN LIGHTENS LIGHTER LIGHTERS LIGHTEST LIGHTFACE LIGHTHEARTED LIGHTHOUSE LIGHTHOUSES LIGHTING LIGHTLY LIGHTNESS LIGHTNING LIGHTNINGS LIGHTS LIGHTWEIGHT LIKE LIKED LIKELIER LIKELIEST LIKELIHOOD LIKELIHOODS LIKELINESS LIKELY LIKEN LIKENED LIKENESS LIKENESSES LIKENING LIKENS LIKES LIKEWISE LIKING LILA LILAC LILACS LILIAN LILIES LILLIAN LILLIPUT LILLIPUTIAN LILLIPUTIANIZE LILLIPUTIANIZES LILLY LILY LIMA LIMAN LIMB LIMBER LIMBO LIMBS LIME LIMELIGHT LIMERICK LIMES LIMESTONE LIMIT LIMITABILITY LIMITABLY LIMITATION LIMITATIONS LIMITED LIMITER LIMITERS LIMITING LIMITLESS LIMITS LIMOUSINE LIMP LIMPED LIMPING LIMPLY LIMPNESS LIMPS LIN LINCOLN LIND LINDA LINDBERG LINDBERGH LINDEN LINDHOLM LINDQUIST LINDSAY LINDSEY LINDSTROM LINDY LINE LINEAR LINEARITIES LINEARITY LINEARIZABLE LINEARIZE LINEARIZED LINEARIZES LINEARIZING LINEARLY LINED LINEN LINENS LINER LINERS LINES LINEUP LINGER LINGERED LINGERIE LINGERING LINGERS LINGO LINGUA LINGUIST LINGUISTIC LINGUISTICALLY LINGUISTICS LINGUISTS LINING LININGS LINK LINKAGE LINKAGES LINKED LINKER LINKERS LINKING LINKS LINNAEUS LINOLEUM LINOTYPE LINSEED LINT LINTON LINUS LINUX LION LIONEL LIONESS LIONESSES LIONS LIP LIPPINCOTT LIPS LIPSCHITZ LIPSCOMB LIPSTICK LIPTON LIQUID LIQUIDATE LIQUIDATION LIQUIDATIONS LIQUIDITY LIQUIDS LIQUOR LIQUORS LISA LISBON LISE LISP LISPED LISPING LISPS LISS LISSAJOUS LIST LISTED LISTEN LISTENED LISTENER LISTENERS LISTENING LISTENS LISTER LISTERIZE LISTERIZES LISTERS LISTING LISTINGS LISTLESS LISTON LISTS LIT LITANY LITER LITERACY LITERAL LITERALLY LITERALNESS LITERALS LITERARY LITERATE LITERATURE LITERATURES LITERS LITHE LITHOGRAPH LITHOGRAPHY LITHUANIA LITHUANIAN LITIGANT LITIGATE LITIGATION LITIGIOUS LITMUS LITTER LITTERBUG LITTERED LITTERING LITTERS LITTLE LITTLENESS LITTLER LITTLEST LITTLETON LITTON LIVABLE LIVABLY LIVE LIVED LIVELIHOOD LIVELY LIVENESS LIVER LIVERIED LIVERMORE LIVERPOOL LIVERPUDLIAN LIVERS LIVERY LIVES LIVESTOCK LIVID LIVING LIVINGSTON LIZ LIZARD LIZARDS LIZZIE LIZZY LLOYD LOAD LOADED LOADER LOADERS LOADING LOADINGS LOADS LOAF LOAFED LOAFER LOAN LOANED LOANING LOANS LOATH LOATHE LOATHED LOATHING LOATHLY LOATHSOME LOAVES LOBBIED LOBBIES LOBBY LOBBYING LOBE LOBES LOBSTER LOBSTERS LOCAL LOCALITIES LOCALITY LOCALIZATION LOCALIZE LOCALIZED LOCALIZES LOCALIZING LOCALLY LOCALS LOCATE LOCATED LOCATES LOCATING LOCATION LOCATIONS LOCATIVE LOCATIVES LOCATOR LOCATORS LOCI LOCK LOCKE LOCKED LOCKER LOCKERS LOCKHART LOCKHEED LOCKIAN LOCKING LOCKINGS LOCKOUT LOCKOUTS LOCKS LOCKSMITH LOCKSTEP LOCKUP LOCKUPS LOCKWOOD LOCOMOTION LOCOMOTIVE LOCOMOTIVES LOCUS LOCUST LOCUSTS LODGE LODGED LODGER LODGES LODGING LODGINGS LODOWICK LOEB LOFT LOFTINESS LOFTS LOFTY LOGAN LOGARITHM LOGARITHMIC LOGARITHMICALLY LOGARITHMS LOGGED LOGGER LOGGERS LOGGING LOGIC LOGICAL LOGICALLY LOGICIAN LOGICIANS LOGICS LOGIN LOGINS LOGISTIC LOGISTICS LOGJAM LOGO LOGS LOIN LOINCLOTH LOINS LOIRE LOIS LOITER LOITERED LOITERER LOITERING LOITERS LOKI LOLA LOMB LOMBARD LOMBARDY LOME LONDON LONDONDERRY LONDONER LONDONIZATION LONDONIZATIONS LONDONIZE LONDONIZES LONE LONELIER LONELIEST LONELINESS LONELY LONER LONERS LONESOME LONG LONGED LONGER LONGEST LONGEVITY LONGFELLOW LONGHAND LONGING LONGINGS LONGITUDE LONGITUDES LONGS LONGSTANDING LONGSTREET LOOK LOOKAHEAD LOOKED LOOKER LOOKERS LOOKING LOOKOUT LOOKS LOOKUP LOOKUPS LOOM LOOMED LOOMING LOOMIS LOOMS LOON LOOP LOOPED LOOPHOLE LOOPHOLES LOOPING LOOPS LOOSE LOOSED LOOSELEAF LOOSELY LOOSEN LOOSENED LOOSENESS LOOSENING LOOSENS LOOSER LOOSES LOOSEST LOOSING LOOT LOOTED LOOTER LOOTING LOOTS LOPEZ LOPSIDED LORD LORDLY LORDS LORDSHIP LORE LORELEI LOREN LORENTZIAN LORENZ LORETTA LORINDA LORRAINE LORRY LOS LOSE LOSER LOSERS LOSES LOSING LOSS LOSSES LOSSIER LOSSIEST LOSSY LOST LOT LOTHARIO LOTION LOTS LOTTE LOTTERY LOTTIE LOTUS LOU LOUD LOUDER LOUDEST LOUDLY LOUDNESS LOUDSPEAKER LOUDSPEAKERS LOUIS LOUISA LOUISE LOUISIANA LOUISIANAN LOUISVILLE LOUNGE LOUNGED LOUNGES LOUNGING LOUNSBURY LOURDES LOUSE LOUSY LOUT LOUVRE LOVABLE LOVABLY LOVE LOVED LOVEJOY LOVELACE LOVELAND LOVELIER LOVELIES LOVELIEST LOVELINESS LOVELORN LOVELY LOVER LOVERS LOVES LOVING LOVINGLY LOW LOWE LOWELL LOWER LOWERED LOWERING LOWERS LOWEST LOWLAND LOWLANDS LOWLIEST LOWLY LOWNESS LOWRY LOWS LOY LOYAL LOYALLY LOYALTIES LOYALTY LOYOLA LUBBOCK LUBELL LUBRICANT LUBRICATE LUBRICATION LUCAS LUCERNE LUCIA LUCIAN LUCID LUCIEN LUCIFER LUCILLE LUCIUS LUCK LUCKED LUCKIER LUCKIEST LUCKILY LUCKLESS LUCKS LUCKY LUCRATIVE LUCRETIA LUCRETIUS LUCY LUDICROUS LUDICROUSLY LUDICROUSNESS LUDLOW LUDMILLA LUDWIG LUFTHANSA LUFTWAFFE LUGGAGE LUIS LUKE LUKEWARM LULL LULLABY LULLED LULLS LUMBER LUMBERED LUMBERING LUMINOUS LUMINOUSLY LUMMOX LUMP LUMPED LUMPING LUMPS LUMPUR LUMPY LUNAR LUNATIC LUNCH LUNCHED LUNCHEON LUNCHEONS LUNCHES LUNCHING LUND LUNDBERG LUNDQUIST LUNG LUNGED LUNGS LURA LURCH LURCHED LURCHES LURCHING LURE LURED LURES LURING LURK LURKED LURKING LURKS LUSAKA LUSCIOUS LUSCIOUSLY LUSCIOUSNESS LUSH LUST LUSTER LUSTFUL LUSTILY LUSTINESS LUSTROUS LUSTS LUSTY LUTE LUTES LUTHER LUTHERAN LUTHERANIZE LUTHERANIZER LUTHERANIZERS LUTHERANIZES LUTZ LUXEMBOURG LUXEMBURG LUXURIANT LUXURIANTLY LUXURIES LUXURIOUS LUXURIOUSLY LUXURY LUZON LYDIA LYING LYKES LYLE LYMAN LYMPH LYNCH LYNCHBURG LYNCHED LYNCHER LYNCHES LYNDON LYNN LYNX LYNXES LYON LYONS LYRA LYRE LYRIC LYRICS LYSENKO MABEL MAC MACADAMIA MACARTHUR MACARTHUR MACASSAR MACAULAY MACAULAYAN MACAULAYISM MACAULAYISMS MACBETH MACDONALD MACDONALD MACDOUGALL MACDOUGALL MACDRAW MACE MACED MACEDON MACEDONIA MACEDONIAN MACES MACGREGOR MACGREGOR MACH MACHIAVELLI MACHIAVELLIAN MACHINATION MACHINE MACHINED MACHINELIKE MACHINERY MACHINES MACHINING MACHO MACINTOSH MACINTOSH MACINTOSH MACKENZIE MACKENZIE MACKEREL MACKEY MACKINAC MACKINAW MACMAHON MACMILLAN MACMILLAN MACON MACPAINT MACRO MACROECONOMICS MACROMOLECULE MACROMOLECULES MACROPHAGE MACROS MACROSCOPIC MAD MADAGASCAR MADAM MADAME MADAMES MADDEN MADDENING MADDER MADDEST MADDOX MADE MADEIRA MADELEINE MADELINE MADHOUSE MADHYA MADISON MADLY MADMAN MADMEN MADNESS MADONNA MADONNAS MADRAS MADRID MADSEN MAE MAELSTROM MAESTRO MAFIA MAFIOSI MAGAZINE MAGAZINES MAGDALENE MAGELLAN MAGELLANIC MAGENTA MAGGIE MAGGOT MAGGOTS MAGIC MAGICAL MAGICALLY MAGICIAN MAGICIANS MAGILL MAGISTRATE MAGISTRATES MAGNA MAGNESIUM MAGNET MAGNETIC MAGNETICALLY MAGNETISM MAGNETISMS MAGNETIZABLE MAGNETIZED MAGNETO MAGNIFICATION MAGNIFICENCE MAGNIFICENT MAGNIFICENTLY MAGNIFIED MAGNIFIER MAGNIFIES MAGNIFY MAGNIFYING MAGNITUDE MAGNITUDES MAGNOLIA MAGNUM MAGNUSON MAGOG MAGPIE MAGRUDER MAGUIRE MAGUIRES MAHARASHTRA MAHAYANA MAHAYANIST MAHOGANY MAHONEY MAID MAIDEN MAIDENS MAIDS MAIER MAIL MAILABLE MAILBOX MAILBOXES MAILED MAILER MAILING MAILINGS MAILMAN MAILMEN MAILS MAIM MAIMED MAIMING MAIMS MAIN MAINE MAINFRAME MAINFRAMES MAINLAND MAINLINE MAINLY MAINS MAINSTAY MAINSTREAM MAINTAIN MAINTAINABILITY MAINTAINABLE MAINTAINED MAINTAINER MAINTAINERS MAINTAINING MAINTAINS MAINTENANCE MAINTENANCES MAIZE MAJESTIC MAJESTIES MAJESTY MAJOR MAJORCA MAJORED MAJORING MAJORITIES MAJORITY MAJORS MAKABLE MAKE MAKER MAKERS MAKES MAKESHIFT MAKEUP MAKEUPS MAKING MAKINGS MALABAR MALADIES MALADY MALAGASY MALAMUD MALARIA MALAWI MALAY MALAYIZE MALAYIZES MALAYSIA MALAYSIAN MALCOLM MALCONTENT MALDEN MALDIVE MALE MALEFACTOR MALEFACTORS MALENESS MALES MALEVOLENT MALFORMED MALFUNCTION MALFUNCTIONED MALFUNCTIONING MALFUNCTIONS MALI MALIBU MALICE MALICIOUS MALICIOUSLY MALICIOUSNESS MALIGN MALIGNANT MALIGNANTLY MALL MALLARD MALLET MALLETS MALLORY MALNUTRITION MALONE MALONEY MALPRACTICE MALRAUX MALT MALTA MALTED MALTESE MALTHUS MALTHUSIAN MALTON MALTS MAMA MAMMA MAMMAL MAMMALIAN MAMMALS MAMMAS MAMMOTH MAN MANAGE MANAGEABLE MANAGEABLENESS MANAGED MANAGEMENT MANAGEMENTS MANAGER MANAGERIAL MANAGERS MANAGES MANAGING MANAGUA MANAMA MANCHESTER MANCHURIA MANDARIN MANDATE MANDATED MANDATES MANDATING MANDATORY MANDELBROT MANDIBLE MANE MANES MANEUVER MANEUVERED MANEUVERING MANEUVERS MANFRED MANGER MANGERS MANGLE MANGLED MANGLER MANGLES MANGLING MANHATTAN MANHATTANIZE MANHATTANIZES MANHOLE MANHOOD MANIA MANIAC MANIACAL MANIACS MANIC MANICURE MANICURED MANICURES MANICURING MANIFEST MANIFESTATION MANIFESTATIONS MANIFESTED MANIFESTING MANIFESTLY MANIFESTS MANIFOLD MANIFOLDS MANILA MANIPULABILITY MANIPULABLE MANIPULATABLE MANIPULATE MANIPULATED MANIPULATES MANIPULATING MANIPULATION MANIPULATIONS MANIPULATIVE MANIPULATOR MANIPULATORS MANIPULATORY MANITOBA MANITOWOC MANKIND MANKOWSKI MANLEY MANLY MANN MANNED MANNER MANNERED MANNERLY MANNERS MANNING MANOMETER MANOMETERS MANOR MANORS MANPOWER MANS MANSFIELD MANSION MANSIONS MANSLAUGHTER MANTEL MANTELS MANTIS MANTISSA MANTISSAS MANTLE MANTLEPIECE MANTLES MANUAL MANUALLY MANUALS MANUEL MANUFACTURE MANUFACTURED MANUFACTURER MANUFACTURERS MANUFACTURES MANUFACTURING MANURE MANUSCRIPT MANUSCRIPTS MANVILLE MANY MAO MAORI MAP MAPLE MAPLECREST MAPLES MAPPABLE MAPPED MAPPING MAPPINGS MAPS MARATHON MARBLE MARBLES MARBLING MARC MARCEAU MARCEL MARCELLO MARCH MARCHED MARCHER MARCHES MARCHING MARCIA MARCO MARCOTTE MARCUS MARCY MARDI MARDIS MARE MARES MARGARET MARGARINE MARGERY MARGIN MARGINAL MARGINALLY MARGINS MARGO MARGUERITE MARIANNE MARIE MARIETTA MARIGOLD MARIJUANA MARILYN MARIN MARINA MARINADE MARINATE MARINE MARINER MARINES MARINO MARIO MARION MARIONETTE MARITAL MARITIME MARJORIE MARJORY MARK MARKABLE MARKED MARKEDLY MARKER MARKERS MARKET MARKETABILITY MARKETABLE MARKETED MARKETING MARKETINGS MARKETPLACE MARKETPLACES MARKETS MARKHAM MARKING MARKINGS MARKISM MARKOV MARKOVIAN MARKOVITZ MARKS MARLBORO MARLBOROUGH MARLENE MARLOWE MARMALADE MARMOT MAROON MARQUETTE MARQUIS MARRIAGE MARRIAGEABLE MARRIAGES MARRIED MARRIES MARRIOTT MARROW MARRY MARRYING MARS MARSEILLES MARSH MARSHA MARSHAL MARSHALED MARSHALING MARSHALL MARSHALLED MARSHALLING MARSHALS MARSHES MARSHMALLOW MART MARTEN MARTHA MARTIAL MARTIAN MARTIANS MARTINEZ MARTINGALE MARTINI MARTINIQUE MARTINSON MARTS MARTY MARTYR MARTYRDOM MARTYRS MARVEL MARVELED MARVELLED MARVELLING MARVELOUS MARVELOUSLY MARVELOUSNESS MARVELS MARVIN MARX MARXIAN MARXISM MARXISMS MARXIST MARY MARYLAND MARYLANDERS MASCARA MASCULINE MASCULINELY MASCULINITY MASERU MASH MASHED MASHES MASHING MASK MASKABLE MASKED MASKER MASKING MASKINGS MASKS MASOCHIST MASOCHISTS MASON MASONIC MASONITE MASONRY MASONS MASQUERADE MASQUERADER MASQUERADES MASQUERADING MASS MASSACHUSETTS MASSACRE MASSACRED MASSACRES MASSAGE MASSAGES MASSAGING MASSED MASSES MASSEY MASSING MASSIVE MAST MASTED MASTER MASTERED MASTERFUL MASTERFULLY MASTERING MASTERINGS MASTERLY MASTERMIND MASTERPIECE MASTERPIECES MASTERS MASTERY MASTODON MASTS MASTURBATE MASTURBATED MASTURBATES MASTURBATING MASTURBATION MAT MATCH MATCHABLE MATCHED MATCHER MATCHERS MATCHES MATCHING MATCHINGS MATCHLESS MATE MATED MATEO MATER MATERIAL MATERIALIST MATERIALIZE MATERIALIZED MATERIALIZES MATERIALIZING MATERIALLY MATERIALS MATERNAL MATERNALLY MATERNITY MATES MATH MATHEMATICA MATHEMATICAL MATHEMATICALLY MATHEMATICIAN MATHEMATICIANS MATHEMATICS MATHEMATIK MATHEWSON MATHIAS MATHIEU MATILDA MATING MATINGS MATISSE MATISSES MATRIARCH MATRIARCHAL MATRICES MATRICULATE MATRICULATION MATRIMONIAL MATRIMONY MATRIX MATROID MATRON MATRONLY MATS MATSON MATSUMOTO MATT MATTED MATTER MATTERED MATTERS MATTHEW MATTHEWS MATTIE MATTRESS MATTRESSES MATTSON MATURATION MATURE MATURED MATURELY MATURES MATURING MATURITIES MATURITY MAUDE MAUL MAUREEN MAURICE MAURICIO MAURINE MAURITANIA MAURITIUS MAUSOLEUM MAVERICK MAVIS MAWR MAX MAXIM MAXIMA MAXIMAL MAXIMALLY MAXIMILIAN MAXIMIZE MAXIMIZED MAXIMIZER MAXIMIZERS MAXIMIZES MAXIMIZING MAXIMS MAXIMUM MAXIMUMS MAXINE MAXTOR MAXWELL MAXWELLIAN MAY MAYA MAYANS MAYBE MAYER MAYFAIR MAYFLOWER MAYHAP MAYHEM MAYNARD MAYO MAYONNAISE MAYOR MAYORAL MAYORS MAZDA MAZE MAZES MBABANE MCADAM MCADAMS MCALLISTER MCBRIDE MCCABE MCCALL MCCALLUM MCCANN MCCARTHY MCCARTY MCCAULEY MCCLAIN MCCLELLAN MCCLURE MCCLUSKEY MCCONNEL MCCONNELL MCCORMICK MCCOY MCCRACKEN MCCULLOUGH MCDANIEL MCDERMOTT MCDONALD MCDONNELL MCDOUGALL MCDOWELL MCELHANEY MCELROY MCFADDEN MCFARLAND MCGEE MCGILL MCGINNIS MCGOVERN MCGOWAN MCGRATH MCGRAW MCGREGOR MCGUIRE MCHUGH MCINTOSH MCINTYRE MCKAY MCKEE MCKENNA MCKENZIE MCKEON MCKESSON MCKINLEY MCKINNEY MCKNIGHT MCLANAHAN MCLAUGHLIN MCLEAN MCLEOD MCMAHON MCMARTIN MCMILLAN MCMULLEN MCNALLY MCNAUGHTON MCNEIL MCNULTY MCPHERSON MEAD MEADOW MEADOWS MEAGER MEAGERLY MEAGERNESS MEAL MEALS MEALTIME MEALY MEAN MEANDER MEANDERED MEANDERING MEANDERS MEANER MEANEST MEANING MEANINGFUL MEANINGFULLY MEANINGFULNESS MEANINGLESS MEANINGLESSLY MEANINGLESSNESS MEANINGS MEANLY MEANNESS MEANS MEANT MEANTIME MEANWHILE MEASLE MEASLES MEASURABLE MEASURABLY MEASURE MEASURED MEASUREMENT MEASUREMENTS MEASURER MEASURES MEASURING MEAT MEATS MEATY MECCA MECHANIC MECHANICAL MECHANICALLY MECHANICS MECHANISM MECHANISMS MECHANIZATION MECHANIZATIONS MECHANIZE MECHANIZED MECHANIZES MECHANIZING MEDAL MEDALLION MEDALLIONS MEDALS MEDDLE MEDDLED MEDDLER MEDDLES MEDDLING MEDEA MEDFIELD MEDFORD MEDIA MEDIAN MEDIANS MEDIATE MEDIATED MEDIATES MEDIATING MEDIATION MEDIATIONS MEDIATOR MEDIC MEDICAID MEDICAL MEDICALLY MEDICARE MEDICI MEDICINAL MEDICINALLY MEDICINE MEDICINES MEDICIS MEDICS MEDIEVAL MEDIOCRE MEDIOCRITY MEDITATE MEDITATED MEDITATES MEDITATING MEDITATION MEDITATIONS MEDITATIVE MEDITERRANEAN MEDITERRANEANIZATION MEDITERRANEANIZATIONS MEDITERRANEANIZE MEDITERRANEANIZES MEDIUM MEDIUMS MEDLEY MEDUSA MEDUSAN MEEK MEEKER MEEKEST MEEKLY MEEKNESS MEET MEETING MEETINGHOUSE MEETINGS MEETS MEG MEGABAUD MEGABIT MEGABITS MEGABYTE MEGABYTES MEGAHERTZ MEGALOMANIA MEGATON MEGAVOLT MEGAWATT MEGAWORD MEGAWORDS MEGOHM MEIER MEIJI MEISTER MEISTERSINGER MEKONG MEL MELAMPUS MELANCHOLY MELANESIA MELANESIAN MELANIE MELBOURNE MELCHER MELINDA MELISANDE MELISSA MELLON MELLOW MELLOWED MELLOWING MELLOWNESS MELLOWS MELODIES MELODIOUS MELODIOUSLY MELODIOUSNESS MELODRAMA MELODRAMAS MELODRAMATIC MELODY MELON MELONS MELPOMENE MELT MELTED MELTING MELTINGLY MELTS MELVILLE MELVIN MEMBER MEMBERS MEMBERSHIP MEMBERSHIPS MEMBRANE MEMENTO MEMO MEMOIR MEMOIRS MEMORABILIA MEMORABLE MEMORABLENESS MEMORANDA MEMORANDUM MEMORIAL MEMORIALLY MEMORIALS MEMORIES MEMORIZATION MEMORIZE MEMORIZED MEMORIZER MEMORIZES MEMORIZING MEMORY MEMORYLESS MEMOS MEMPHIS MEN MENACE MENACED MENACING MENAGERIE MENARCHE MENCKEN MEND MENDACIOUS MENDACITY MENDED MENDEL MENDELIAN MENDELIZE MENDELIZES MENDELSSOHN MENDER MENDING MENDOZA MENDS MENELAUS MENIAL MENIALS MENLO MENNONITE MENNONITES MENOMINEE MENORCA MENS MENSCH MENSTRUATE MENSURABLE MENSURATION MENTAL MENTALITIES MENTALITY MENTALLY MENTION MENTIONABLE MENTIONED MENTIONER MENTIONERS MENTIONING MENTIONS MENTOR MENTORS MENU MENUS MENZIES MEPHISTOPHELES MERCANTILE MERCATOR MERCEDES MERCENARIES MERCENARINESS MERCENARY MERCHANDISE MERCHANDISER MERCHANDISING MERCHANT MERCHANTS MERCIFUL MERCIFULLY MERCILESS MERCILESSLY MERCK MERCURIAL MERCURY MERCY MERE MEREDITH MERELY MEREST MERGE MERGED MERGER MERGERS MERGES MERGING MERIDIAN MERINGUE MERIT MERITED MERITING MERITORIOUS MERITORIOUSLY MERITORIOUSNESS MERITS MERIWETHER MERLE MERMAID MERRIAM MERRICK MERRIEST MERRILL MERRILY MERRIMAC MERRIMACK MERRIMENT MERRITT MERRY MERRYMAKE MERVIN MESCALINE MESH MESON MESOPOTAMIA MESOZOIC MESQUITE MESS MESSAGE MESSAGES MESSED MESSENGER MESSENGERS MESSES MESSIAH MESSIAHS MESSIER MESSIEST MESSILY MESSINESS MESSING MESSY MET META METABOLIC METABOLISM METACIRCULAR METACIRCULARITY METAL METALANGUAGE METALLIC METALLIZATION METALLIZATIONS METALLURGY METALS METAMATHEMATICAL METAMORPHOSIS METAPHOR METAPHORICAL METAPHORICALLY METAPHORS METAPHYSICAL METAPHYSICALLY METAPHYSICS METAVARIABLE METCALF METE METED METEOR METEORIC METEORITE METEORITIC METEOROLOGY METEORS METER METERING METERS METES METHANE METHOD METHODICAL METHODICALLY METHODICALNESS METHODISM METHODIST METHODISTS METHODOLOGICAL METHODOLOGICALLY METHODOLOGIES METHODOLOGISTS METHODOLOGY METHODS METHUEN METHUSELAH METHUSELAHS METICULOUSLY METING METRECAL METRIC METRICAL METRICS METRO METRONOME METROPOLIS METROPOLITAN METS METTLE METTLESOME METZLER MEW MEWED MEWS MEXICAN MEXICANIZE MEXICANIZES MEXICANS MEXICO MEYER MEYERS MIAMI MIASMA MICA MICE MICHAEL MICHAELS MICHEL MICHELANGELO MICHELE MICHELIN MICHELSON MICHIGAN MICK MICKEY MICKIE MICKY MICRO MICROARCHITECTS MICROARCHITECTURE MICROARCHITECTURES MICROBIAL MICROBICIDAL MICROBICIDE MICROCODE MICROCODED MICROCODES MICROCODING MICROCOMPUTER MICROCOMPUTERS MICROCOSM MICROCYCLE MICROCYCLES MICROECONOMICS MICROELECTRONICS MICROFILM MICROFILMS MICROFINANCE MICROGRAMMING MICROINSTRUCTION MICROINSTRUCTIONS MICROJUMP MICROJUMPS MICROLEVEL MICRON MICRONESIA MICRONESIAN MICROOPERATIONS MICROPHONE MICROPHONES MICROPHONING MICROPORT MICROPROCEDURE MICROPROCEDURES MICROPROCESSING MICROPROCESSOR MICROPROCESSORS MICROPROGRAM MICROPROGRAMMABLE MICROPROGRAMMED MICROPROGRAMMER MICROPROGRAMMING MICROPROGRAMS MICROS MICROSCOPE MICROSCOPES MICROSCOPIC MICROSCOPY MICROSECOND MICROSECONDS MICROSOFT MICROSTORE MICROSYSTEMS MICROVAX MICROVAXES MICROWAVE MICROWAVES MICROWORD MICROWORDS MID MIDAS MIDDAY MIDDLE MIDDLEBURY MIDDLEMAN MIDDLEMEN MIDDLES MIDDLESEX MIDDLETON MIDDLETOWN MIDDLING MIDGET MIDLANDIZE MIDLANDIZES MIDNIGHT MIDNIGHTS MIDPOINT MIDPOINTS MIDRANGE MIDSCALE MIDSECTION MIDSHIPMAN MIDSHIPMEN MIDST MIDSTREAM MIDSTS MIDSUMMER MIDWAY MIDWEEK MIDWEST MIDWESTERN MIDWESTERNER MIDWESTERNERS MIDWIFE MIDWINTER MIDWIVES MIEN MIGHT MIGHTIER MIGHTIEST MIGHTILY MIGHTINESS MIGHTY MIGRANT MIGRATE MIGRATED MIGRATES MIGRATING MIGRATION MIGRATIONS MIGRATORY MIGUEL MIKE MIKHAIL MIKOYAN MILAN MILD MILDER MILDEST MILDEW MILDLY MILDNESS MILDRED MILE MILEAGE MILES MILESTONE MILESTONES MILITANT MILITANTLY MILITARILY MILITARISM MILITARY MILITIA MILK MILKED MILKER MILKERS MILKINESS MILKING MILKMAID MILKMAIDS MILKS MILKY MILL MILLARD MILLED MILLENNIUM MILLER MILLET MILLIAMMETER MILLIAMPERE MILLIE MILLIJOULE MILLIKAN MILLIMETER MILLIMETERS MILLINERY MILLING MILLINGTON MILLION MILLIONAIRE MILLIONAIRES MILLIONS MILLIONTH MILLIPEDE MILLIPEDES MILLISECOND MILLISECONDS MILLIVOLT MILLIVOLTMETER MILLIWATT MILLS MILLSTONE MILLSTONES MILNE MILQUETOAST MILQUETOASTS MILTON MILTONIAN MILTONIC MILTONISM MILTONIST MILTONIZE MILTONIZED MILTONIZES MILTONIZING MILWAUKEE MIMEOGRAPH MIMI MIMIC MIMICKED MIMICKING MIMICS MINARET MINCE MINCED MINCEMEAT MINCES MINCING MIND MINDANAO MINDED MINDFUL MINDFULLY MINDFULNESS MINDING MINDLESS MINDLESSLY MINDS MINE MINED MINEFIELD MINER MINERAL MINERALS MINERS MINERVA MINES MINESWEEPER MINGLE MINGLED MINGLES MINGLING MINI MINIATURE MINIATURES MINIATURIZATION MINIATURIZE MINIATURIZED MINIATURIZES MINIATURIZING MINICOMPUTER MINICOMPUTERS MINIMA MINIMAL MINIMALLY MINIMAX MINIMIZATION MINIMIZATIONS MINIMIZE MINIMIZED MINIMIZER MINIMIZERS MINIMIZES MINIMIZING MINIMUM MINING MINION MINIS MINISTER MINISTERED MINISTERING MINISTERS MINISTRIES MINISTRY MINK MINKS MINNEAPOLIS MINNESOTA MINNIE MINNOW MINNOWS MINOAN MINOR MINORING MINORITIES MINORITY MINORS MINOS MINOTAUR MINSK MINSKY MINSTREL MINSTRELS MINT MINTED MINTER MINTING MINTS MINUEND MINUET MINUS MINUSCULE MINUTE MINUTELY MINUTEMAN MINUTEMEN MINUTENESS MINUTER MINUTES MIOCENE MIPS MIRA MIRACLE MIRACLES MIRACULOUS MIRACULOUSLY MIRAGE MIRANDA MIRE MIRED MIRES MIRFAK MIRIAM MIRROR MIRRORED MIRRORING MIRRORS MIRTH MISANTHROPE MISBEHAVING MISCALCULATION MISCALCULATIONS MISCARRIAGE MISCARRY MISCEGENATION MISCELLANEOUS MISCELLANEOUSLY MISCELLANEOUSNESS MISCHIEF MISCHIEVOUS MISCHIEVOUSLY MISCHIEVOUSNESS MISCONCEPTION MISCONCEPTIONS MISCONDUCT MISCONSTRUE MISCONSTRUED MISCONSTRUES MISDEMEANORS MISER MISERABLE MISERABLENESS MISERABLY MISERIES MISERLY MISERS MISERY MISFIT MISFITS MISFORTUNE MISFORTUNES MISGIVING MISGIVINGS MISGUIDED MISHAP MISHAPS MISINFORMED MISJUDGED MISJUDGMENT MISLEAD MISLEADING MISLEADS MISLED MISMANAGEMENT MISMATCH MISMATCHED MISMATCHES MISMATCHING MISNOMER MISPLACE MISPLACED MISPLACES MISPLACING MISPRONUNCIATION MISREPRESENTATION MISREPRESENTATIONS MISS MISSED MISSES MISSHAPEN MISSILE MISSILES MISSING MISSION MISSIONARIES MISSIONARY MISSIONER MISSIONS MISSISSIPPI MISSISSIPPIAN MISSISSIPPIANS MISSIVE MISSOULA MISSOURI MISSPELL MISSPELLED MISSPELLING MISSPELLINGS MISSPELLS MISSY MIST MISTAKABLE MISTAKE MISTAKEN MISTAKENLY MISTAKES MISTAKING MISTED MISTER MISTERS MISTINESS MISTING MISTLETOE MISTRESS MISTRUST MISTRUSTED MISTS MISTY MISTYPE MISTYPED MISTYPES MISTYPING MISUNDERSTAND MISUNDERSTANDER MISUNDERSTANDERS MISUNDERSTANDING MISUNDERSTANDINGS MISUNDERSTOOD MISUSE MISUSED MISUSES MISUSING MITCH MITCHELL MITER MITIGATE MITIGATED MITIGATES MITIGATING MITIGATION MITIGATIVE MITRE MITRES MITTEN MITTENS MIX MIXED MIXER MIXERS MIXES MIXING MIXTURE MIXTURES MIXUP MIZAR MNEMONIC MNEMONICALLY MNEMONICS MOAN MOANED MOANS MOAT MOATS MOB MOBIL MOBILE MOBILITY MOBS MOBSTER MOCCASIN MOCCASINS MOCK MOCKED MOCKER MOCKERY MOCKING MOCKINGBIRD MOCKS MOCKUP MODAL MODALITIES MODALITY MODALLY MODE MODEL MODELED MODELING MODELINGS MODELS MODEM MODEMS MODERATE MODERATED MODERATELY MODERATENESS MODERATES MODERATING MODERATION MODERN MODERNITY MODERNIZE MODERNIZED MODERNIZER MODERNIZING MODERNLY MODERNNESS MODERNS MODES MODEST MODESTLY MODESTO MODESTY MODICUM MODIFIABILITY MODIFIABLE MODIFICATION MODIFICATIONS MODIFIED MODIFIER MODIFIERS MODIFIES MODIFY MODIFYING MODULA MODULAR MODULARITY MODULARIZATION MODULARIZE MODULARIZED MODULARIZES MODULARIZING MODULARLY MODULATE MODULATED MODULATES MODULATING MODULATION MODULATIONS MODULATOR MODULATORS MODULE MODULES MODULI MODULO MODULUS MODUS MOE MOEN MOGADISCIO MOGADISHU MOGHUL MOHAMMED MOHAMMEDAN MOHAMMEDANISM MOHAMMEDANIZATION MOHAMMEDANIZATIONS MOHAMMEDANIZE MOHAMMEDANIZES MOHAWK MOHR MOINES MOISEYEV MOIST MOISTEN MOISTLY MOISTNESS MOISTURE MOLAR MOLASSES MOLD MOLDAVIA MOLDED MOLDER MOLDING MOLDS MOLE MOLECULAR MOLECULE MOLECULES MOLEHILL MOLES MOLEST MOLESTED MOLESTING MOLESTS MOLIERE MOLINE MOLL MOLLIE MOLLIFY MOLLUSK MOLLY MOLLYCODDLE MOLOCH MOLOCHIZE MOLOCHIZES MOLOTOV MOLTEN MOLUCCAS MOMENT MOMENTARILY MOMENTARINESS MOMENTARY MOMENTOUS MOMENTOUSLY MOMENTOUSNESS MOMENTS MOMENTUM MOMMY MONA MONACO MONADIC MONARCH MONARCHIES MONARCHS MONARCHY MONASH MONASTERIES MONASTERY MONASTIC MONDAY MONDAYS MONET MONETARISM MONETARY MONEY MONEYED MONEYS MONFORT MONGOLIA MONGOLIAN MONGOLIANISM MONGOOSE MONICA MONITOR MONITORED MONITORING MONITORS MONK MONKEY MONKEYED MONKEYING MONKEYS MONKISH MONKS MONMOUTH MONOALPHABETIC MONOCEROS MONOCHROMATIC MONOCHROME MONOCOTYLEDON MONOCULAR MONOGAMOUS MONOGAMY MONOGRAM MONOGRAMS MONOGRAPH MONOGRAPHES MONOGRAPHS MONOLITH MONOLITHIC MONOLOGUE MONONGAHELA MONOPOLIES MONOPOLIZE MONOPOLIZED MONOPOLIZING MONOPOLY MONOPROGRAMMED MONOPROGRAMMING MONOSTABLE MONOTHEISM MONOTONE MONOTONIC MONOTONICALLY MONOTONICITY MONOTONOUS MONOTONOUSLY MONOTONOUSNESS MONOTONY MONROE MONROVIA MONSANTO MONSOON MONSTER MONSTERS MONSTROSITY MONSTROUS MONSTROUSLY MONT MONTAGUE MONTAIGNE MONTANA MONTANAN MONTCLAIR MONTENEGRIN MONTENEGRO MONTEREY MONTEVERDI MONTEVIDEO MONTGOMERY MONTH MONTHLY MONTHS MONTICELLO MONTMARTRE MONTPELIER MONTRACHET MONTREAL MONTY MONUMENT MONUMENTAL MONUMENTALLY MONUMENTS MOO MOOD MOODINESS MOODS MOODY MOON MOONED MOONEY MOONING MOONLIGHT MOONLIGHTER MOONLIGHTING MOONLIKE MOONLIT MOONS MOONSHINE MOOR MOORE MOORED MOORING MOORINGS MOORISH MOORS MOOSE MOOT MOP MOPED MOPS MORAINE MORAL MORALE MORALITIES MORALITY MORALLY MORALS MORAN MORASS MORATORIUM MORAVIA MORAVIAN MORAVIANIZED MORAVIANIZEDS MORBID MORBIDLY MORBIDNESS MORE MOREHOUSE MORELAND MOREOVER MORES MORESBY MORGAN MORIARTY MORIBUND MORLEY MORMON MORN MORNING MORNINGS MOROCCAN MOROCCO MORON MOROSE MORPHINE MORPHISM MORPHISMS MORPHOLOGICAL MORPHOLOGY MORRILL MORRIS MORRISON MORRISSEY MORRISTOWN MORROW MORSE MORSEL MORSELS MORTAL MORTALITY MORTALLY MORTALS MORTAR MORTARED MORTARING MORTARS MORTEM MORTGAGE MORTGAGES MORTICIAN MORTIFICATION MORTIFIED MORTIFIES MORTIFY MORTIFYING MORTIMER MORTON MOSAIC MOSAICS MOSCONE MOSCOW MOSER MOSES MOSLEM MOSLEMIZE MOSLEMIZES MOSLEMS MOSQUE MOSQUITO MOSQUITOES MOSS MOSSBERG MOSSES MOSSY MOST MOSTLY MOTEL MOTELS MOTH MOTHBALL MOTHBALLS MOTHER MOTHERED MOTHERER MOTHERERS MOTHERHOOD MOTHERING MOTHERLAND MOTHERLY MOTHERS MOTIF MOTIFS MOTION MOTIONED MOTIONING MOTIONLESS MOTIONLESSLY MOTIONLESSNESS MOTIONS MOTIVATE MOTIVATED MOTIVATES MOTIVATING MOTIVATION MOTIVATIONS MOTIVE MOTIVES MOTLEY MOTOR MOTORCAR MOTORCARS MOTORCYCLE MOTORCYCLES MOTORING MOTORIST MOTORISTS MOTORIZE MOTORIZED MOTORIZES MOTORIZING MOTOROLA MOTORS MOTTO MOTTOES MOULD MOULDING MOULTON MOUND MOUNDED MOUNDS MOUNT MOUNTABLE MOUNTAIN MOUNTAINEER MOUNTAINEERING MOUNTAINEERS MOUNTAINOUS MOUNTAINOUSLY MOUNTAINS MOUNTED MOUNTER MOUNTING MOUNTINGS MOUNTS MOURN MOURNED MOURNER MOURNERS MOURNFUL MOURNFULLY MOURNFULNESS MOURNING MOURNS MOUSE MOUSER MOUSES MOUSETRAP MOUSY MOUTH MOUTHE MOUTHED MOUTHES MOUTHFUL MOUTHING MOUTHPIECE MOUTHS MOUTON MOVABLE MOVE MOVED MOVEMENT MOVEMENTS MOVER MOVERS MOVES MOVIE MOVIES MOVING MOVINGS MOW MOWED MOWER MOWS MOYER MOZART MUCH MUCK MUCKER MUCKING MUCUS MUD MUDD MUDDIED MUDDINESS MUDDLE MUDDLED MUDDLEHEAD MUDDLER MUDDLERS MUDDLES MUDDLING MUDDY MUELLER MUENSTER MUFF MUFFIN MUFFINS MUFFLE MUFFLED MUFFLER MUFFLES MUFFLING MUFFS MUG MUGGING MUGS MUHAMMAD MUIR MUKDEN MULATTO MULBERRIES MULBERRY MULE MULES MULL MULLAH MULLEN MULTI MULTIBIT MULTIBUS MULTIBYTE MULTICAST MULTICASTING MULTICASTS MULTICELLULAR MULTICOMPUTER MULTICS MULTICS MULTIDIMENSIONAL MULTILATERAL MULTILAYER MULTILAYERED MULTILEVEL MULTIMEDIA MULTINATIONAL MULTIPLE MULTIPLES MULTIPLEX MULTIPLEXED MULTIPLEXER MULTIPLEXERS MULTIPLEXES MULTIPLEXING MULTIPLEXOR MULTIPLEXORS MULTIPLICAND MULTIPLICANDS MULTIPLICATION MULTIPLICATIONS MULTIPLICATIVE MULTIPLICATIVES MULTIPLICITY MULTIPLIED MULTIPLIER MULTIPLIERS MULTIPLIES MULTIPLY MULTIPLYING MULTIPROCESS MULTIPROCESSING MULTIPROCESSOR MULTIPROCESSORS MULTIPROGRAM MULTIPROGRAMMED MULTIPROGRAMMING MULTISTAGE MULTITUDE MULTITUDES MULTIUSER MULTIVARIATE MULTIWORD MUMBLE MUMBLED MUMBLER MUMBLERS MUMBLES MUMBLING MUMBLINGS MUMFORD MUMMIES MUMMY MUNCH MUNCHED MUNCHING MUNCIE MUNDANE MUNDANELY MUNDT MUNG MUNICH MUNICIPAL MUNICIPALITIES MUNICIPALITY MUNICIPALLY MUNITION MUNITIONS MUNROE MUNSEY MUNSON MUONG MURAL MURDER MURDERED MURDERER MURDERERS MURDERING MURDEROUS MURDEROUSLY MURDERS MURIEL MURKY MURMUR MURMURED MURMURER MURMURING MURMURS MURPHY MURRAY MURROW MUSCAT MUSCLE MUSCLED MUSCLES MUSCLING MUSCOVITE MUSCOVY MUSCULAR MUSCULATURE MUSE MUSED MUSES MUSEUM MUSEUMS MUSH MUSHROOM MUSHROOMED MUSHROOMING MUSHROOMS MUSHY MUSIC MUSICAL MUSICALLY MUSICALS MUSICIAN MUSICIANLY MUSICIANS MUSICOLOGY MUSING MUSINGS MUSK MUSKEGON MUSKET MUSKETS MUSKOX MUSKOXEN MUSKRAT MUSKRATS MUSKS MUSLIM MUSLIMS MUSLIN MUSSEL MUSSELS MUSSOLINI MUSSOLINIS MUSSORGSKY MUST MUSTACHE MUSTACHED MUSTACHES MUSTARD MUSTER MUSTINESS MUSTS MUSTY MUTABILITY MUTABLE MUTABLENESS MUTANDIS MUTANT MUTATE MUTATED MUTATES MUTATING MUTATION MUTATIONS MUTATIS MUTATIVE MUTE MUTED MUTELY MUTENESS MUTILATE MUTILATED MUTILATES MUTILATING MUTILATION MUTINIES MUTINY MUTT MUTTER MUTTERED MUTTERER MUTTERERS MUTTERING MUTTERS MUTTON MUTUAL MUTUALLY MUZAK MUZO MUZZLE MUZZLES MYCENAE MYCENAEAN MYERS MYNHEER MYRA MYRIAD MYRON MYRTLE MYSELF MYSORE MYSTERIES MYSTERIOUS MYSTERIOUSLY MYSTERIOUSNESS MYSTERY MYSTIC MYSTICAL MYSTICS MYSTIFY MYTH MYTHICAL MYTHOLOGIES MYTHOLOGY NAB NABISCO NABLA NABLAS NADIA NADINE NADIR NAG NAGASAKI NAGGED NAGGING NAGOYA NAGS NAGY NAIL NAILED NAILING NAILS NAIR NAIROBI NAIVE NAIVELY NAIVENESS NAIVETE NAKAMURA NAKAYAMA NAKED NAKEDLY NAKEDNESS NAKOMA NAME NAMEABLE NAMED NAMELESS NAMELESSLY NAMELY NAMER NAMERS NAMES NAMESAKE NAMESAKES NAMING NAN NANCY NANETTE NANKING NANOINSTRUCTION NANOINSTRUCTIONS NANOOK NANOPROGRAM NANOPROGRAMMING NANOSECOND NANOSECONDS NANOSTORE NANOSTORES NANTUCKET NAOMI NAP NAPKIN NAPKINS NAPLES NAPOLEON NAPOLEONIC NAPOLEONIZE NAPOLEONIZES NAPS NARBONNE NARCISSUS NARCOTIC NARCOTICS NARRAGANSETT NARRATE NARRATION NARRATIVE NARRATIVES NARROW NARROWED NARROWER NARROWEST NARROWING NARROWLY NARROWNESS NARROWS NARY NASA NASAL NASALLY NASAS NASH NASHUA NASHVILLE NASSAU NASTIER NASTIEST NASTILY NASTINESS NASTY NAT NATAL NATALIE NATCHEZ NATE NATHAN NATHANIEL NATION NATIONAL NATIONALIST NATIONALISTS NATIONALITIES NATIONALITY NATIONALIZATION NATIONALIZE NATIONALIZED NATIONALIZES NATIONALIZING NATIONALLY NATIONALS NATIONHOOD NATIONS NATIONWIDE NATIVE NATIVELY NATIVES NATIVITY NATO NATOS NATURAL NATURALISM NATURALIST NATURALIZATION NATURALLY NATURALNESS NATURALS NATURE NATURED NATURES NAUGHT NAUGHTIER NAUGHTINESS NAUGHTY NAUR NAUSEA NAUSEATE NAUSEUM NAVAHO NAVAJO NAVAL NAVALLY NAVEL NAVIES NAVIGABLE NAVIGATE NAVIGATED NAVIGATES NAVIGATING NAVIGATION NAVIGATOR NAVIGATORS NAVONA NAVY NAY NAZARENE NAZARETH NAZI NAZIS NAZISM NDJAMENA NEAL NEANDERTHAL NEAPOLITAN NEAR NEARBY NEARED NEARER NEAREST NEARING NEARLY NEARNESS NEARS NEARSIGHTED NEAT NEATER NEATEST NEATLY NEATNESS NEBRASKA NEBRASKAN NEBUCHADNEZZAR NEBULA NEBULAR NEBULOUS NECESSARIES NECESSARILY NECESSARY NECESSITATE NECESSITATED NECESSITATES NECESSITATING NECESSITATION NECESSITIES NECESSITY NECK NECKING NECKLACE NECKLACES NECKLINE NECKS NECKTIE NECKTIES NECROSIS NECTAR NED NEED NEEDED NEEDFUL NEEDHAM NEEDING NEEDLE NEEDLED NEEDLER NEEDLERS NEEDLES NEEDLESS NEEDLESSLY NEEDLESSNESS NEEDLEWORK NEEDLING NEEDS NEEDY NEFF NEGATE NEGATED NEGATES NEGATING NEGATION NEGATIONS NEGATIVE NEGATIVELY NEGATIVES NEGATOR NEGATORS NEGLECT NEGLECTED NEGLECTING NEGLECTS NEGLIGEE NEGLIGENCE NEGLIGENT NEGLIGIBLE NEGOTIABLE NEGOTIATE NEGOTIATED NEGOTIATES NEGOTIATING NEGOTIATION NEGOTIATIONS NEGRO NEGROES NEGROID NEGROIZATION NEGROIZATIONS NEGROIZE NEGROIZES NEHRU NEIGH NEIGHBOR NEIGHBORHOOD NEIGHBORHOODS NEIGHBORING NEIGHBORLY NEIGHBORS NEIL NEITHER NELL NELLIE NELSEN NELSON NEMESIS NEOCLASSIC NEON NEONATAL NEOPHYTE NEOPHYTES NEPAL NEPALI NEPHEW NEPHEWS NEPTUNE NERO NERVE NERVES NERVOUS NERVOUSLY NERVOUSNESS NESS NEST NESTED NESTER NESTING NESTLE NESTLED NESTLES NESTLING NESTOR NESTS NET NETHER NETHERLANDS NETS NETTED NETTING NETTLE NETTLED NETWORK NETWORKED NETWORKING NETWORKS NEUMANN NEURAL NEURITIS NEUROLOGICAL NEUROLOGISTS NEURON NEURONS NEUROSES NEUROSIS NEUROTIC NEUTER NEUTRAL NEUTRALITIES NEUTRALITY NEUTRALIZE NEUTRALIZED NEUTRALIZING NEUTRALLY NEUTRINO NEUTRINOS NEUTRON NEVA NEVADA NEVER NEVERTHELESS NEVINS NEW NEWARK NEWBOLD NEWBORN NEWBURY NEWBURYPORT NEWCASTLE NEWCOMER NEWCOMERS NEWELL NEWER NEWEST NEWFOUNDLAND NEWLY NEWLYWED NEWMAN NEWMANIZE NEWMANIZES NEWNESS NEWPORT NEWS NEWSCAST NEWSGROUP NEWSLETTER NEWSLETTERS NEWSMAN NEWSMEN NEWSPAPER NEWSPAPERS NEWSSTAND NEWSWEEK NEWSWEEKLY NEWT NEWTON NEWTONIAN NEXT NGUYEN NIAGARA NIAMEY NIBBLE NIBBLED NIBBLER NIBBLERS NIBBLES NIBBLING NIBELUNG NICARAGUA NICCOLO NICE NICELY NICENESS NICER NICEST NICHE NICHOLAS NICHOLLS NICHOLS NICHOLSON NICK NICKED NICKEL NICKELS NICKER NICKING NICKLAUS NICKNAME NICKNAMED NICKNAMES NICKS NICODEMUS NICOSIA NICOTINE NIECE NIECES NIELSEN NIELSON NIETZSCHE NIFTY NIGER NIGERIA NIGERIAN NIGH NIGHT NIGHTCAP NIGHTCLUB NIGHTFALL NIGHTGOWN NIGHTINGALE NIGHTINGALES NIGHTLY NIGHTMARE NIGHTMARES NIGHTMARISH NIGHTS NIGHTTIME NIHILISM NIJINSKY NIKKO NIKOLAI NIL NILE NILSEN NILSSON NIMBLE NIMBLENESS NIMBLER NIMBLY NIMBUS NINA NINE NINEFOLD NINES NINETEEN NINETEENS NINETEENTH NINETIES NINETIETH NINETY NINEVEH NINTH NIOBE NIP NIPPLE NIPPON NIPPONIZE NIPPONIZES NIPS NITRIC NITROGEN NITROUS NITTY NIXON NOAH NOBEL NOBILITY NOBLE NOBLEMAN NOBLENESS NOBLER NOBLES NOBLEST NOBLY NOBODY NOCTURNAL NOCTURNALLY NOD NODAL NODDED NODDING NODE NODES NODS NODULAR NODULE NOEL NOETHERIAN NOISE NOISELESS NOISELESSLY NOISES NOISIER NOISILY NOISINESS NOISY NOLAN NOLL NOMENCLATURE NOMINAL NOMINALLY NOMINATE NOMINATED NOMINATING NOMINATION NOMINATIVE NOMINEE NON NONADAPTIVE NONBIODEGRADABLE NONBLOCKING NONCE NONCHALANT NONCOMMERCIAL NONCOMMUNICATION NONCONSECUTIVELY NONCONSERVATIVE NONCRITICAL NONCYCLIC NONDECREASING NONDESCRIPT NONDESCRIPTLY NONDESTRUCTIVELY NONDETERMINACY NONDETERMINATE NONDETERMINATELY NONDETERMINISM NONDETERMINISTIC NONDETERMINISTICALLY NONE NONEMPTY NONETHELESS NONEXISTENCE NONEXISTENT NONEXTENSIBLE NONFUNCTIONAL NONGOVERNMENTAL NONIDEMPOTENT NONINTERACTING NONINTERFERENCE NONINTERLEAVED NONINTRUSIVE NONINTUITIVE NONINVERTING NONLINEAR NONLINEARITIES NONLINEARITY NONLINEARLY NONLOCAL NONMASKABLE NONMATHEMATICAL NONMILITARY NONNEGATIVE NONNEGLIGIBLE NONNUMERICAL NONOGENARIAN NONORTHOGONAL NONORTHOGONALITY NONPERISHABLE NONPERSISTENT NONPORTABLE NONPROCEDURAL NONPROCEDURALLY NONPROFIT NONPROGRAMMABLE NONPROGRAMMER NONSEGMENTED NONSENSE NONSENSICAL NONSEQUENTIAL NONSPECIALIST NONSPECIALISTS NONSTANDARD NONSYNCHRONOUS NONTECHNICAL NONTERMINAL NONTERMINALS NONTERMINATING NONTERMINATION NONTHERMAL NONTRANSPARENT NONTRIVIAL NONUNIFORM NONUNIFORMITY NONZERO NOODLE NOOK NOOKS NOON NOONDAY NOONS NOONTIDE NOONTIME NOOSE NOR NORA NORDHOFF NORDIC NORDSTROM NOREEN NORFOLK NORM NORMA NORMAL NORMALCY NORMALITY NORMALIZATION NORMALIZE NORMALIZED NORMALIZES NORMALIZING NORMALLY NORMALS NORMAN NORMANDY NORMANIZATION NORMANIZATIONS NORMANIZE NORMANIZER NORMANIZERS NORMANIZES NORMATIVE NORMS NORRIS NORRISTOWN NORSE NORTH NORTHAMPTON NORTHBOUND NORTHEAST NORTHEASTER NORTHEASTERN NORTHERLY NORTHERN NORTHERNER NORTHERNERS NORTHERNLY NORTHFIELD NORTHROP NORTHRUP NORTHUMBERLAND NORTHWARD NORTHWARDS NORTHWEST NORTHWESTERN NORTON NORWALK NORWAY NORWEGIAN NORWICH NOSE NOSED NOSES NOSING NOSTALGIA NOSTALGIC NOSTRADAMUS NOSTRAND NOSTRIL NOSTRILS NOT NOTABLE NOTABLES NOTABLY NOTARIZE NOTARIZED NOTARIZES NOTARIZING NOTARY NOTATION NOTATIONAL NOTATIONS NOTCH NOTCHED NOTCHES NOTCHING NOTE NOTEBOOK NOTEBOOKS NOTED NOTES NOTEWORTHY NOTHING NOTHINGNESS NOTHINGS NOTICE NOTICEABLE NOTICEABLY NOTICED NOTICES NOTICING NOTIFICATION NOTIFICATIONS NOTIFIED NOTIFIER NOTIFIERS NOTIFIES NOTIFY NOTIFYING NOTING NOTION NOTIONS NOTORIETY NOTORIOUS NOTORIOUSLY NOTRE NOTTINGHAM NOTWITHSTANDING NOUAKCHOTT NOUN NOUNS NOURISH NOURISHED NOURISHES NOURISHING NOURISHMENT NOVAK NOVEL NOVELIST NOVELISTS NOVELS NOVELTIES NOVELTY NOVEMBER NOVEMBERS NOVICE NOVICES NOVOSIBIRSK NOW NOWADAYS NOWHERE NOXIOUS NOYES NOZZLE NUANCE NUANCES NUBIA NUBIAN NUBILE NUCLEAR NUCLEI NUCLEIC NUCLEOTIDE NUCLEOTIDES NUCLEUS NUCLIDE NUDE NUDGE NUDGED NUDITY NUGENT NUGGET NUISANCE NUISANCES NULL NULLARY NULLED NULLIFIED NULLIFIERS NULLIFIES NULLIFY NULLIFYING NULLS NUMB NUMBED NUMBER NUMBERED NUMBERER NUMBERING NUMBERLESS NUMBERS NUMBING NUMBLY NUMBNESS NUMBS NUMERABLE NUMERAL NUMERALS NUMERATOR NUMERATORS NUMERIC NUMERICAL NUMERICALLY NUMERICS NUMEROUS NUMISMATIC NUMISMATIST NUN NUNS NUPTIAL NURSE NURSED NURSERIES NURSERY NURSES NURSING NURTURE NURTURED NURTURES NURTURING NUT NUTATE NUTRIA NUTRIENT NUTRITION NUTRITIOUS NUTS NUTSHELL NUTSHELLS NUZZLE NYLON NYMPH NYMPHOMANIA NYMPHOMANIAC NYMPHS NYQUIST OAF OAK OAKEN OAKLAND OAKLEY OAKMONT OAKS OAR OARS OASES OASIS OAT OATEN OATH OATHS OATMEAL OATS OBEDIENCE OBEDIENCES OBEDIENT OBEDIENTLY OBELISK OBERLIN OBERON OBESE OBEY OBEYED OBEYING OBEYS OBFUSCATE OBFUSCATORY OBITUARY OBJECT OBJECTED OBJECTING OBJECTION OBJECTIONABLE OBJECTIONS OBJECTIVE OBJECTIVELY OBJECTIVES OBJECTOR OBJECTORS OBJECTS OBLIGATED OBLIGATION OBLIGATIONS OBLIGATORY OBLIGE OBLIGED OBLIGES OBLIGING OBLIGINGLY OBLIQUE OBLIQUELY OBLIQUENESS OBLITERATE OBLITERATED OBLITERATES OBLITERATING OBLITERATION OBLIVION OBLIVIOUS OBLIVIOUSLY OBLIVIOUSNESS OBLONG OBNOXIOUS OBOE OBSCENE OBSCURE OBSCURED OBSCURELY OBSCURER OBSCURES OBSCURING OBSCURITIES OBSCURITY OBSEQUIOUS OBSERVABLE OBSERVANCE OBSERVANCES OBSERVANT OBSERVATION OBSERVATIONS OBSERVATORY OBSERVE OBSERVED OBSERVER OBSERVERS OBSERVES OBSERVING OBSESSION OBSESSIONS OBSESSIVE OBSOLESCENCE OBSOLESCENT OBSOLETE OBSOLETED OBSOLETES OBSOLETING OBSTACLE OBSTACLES OBSTINACY OBSTINATE OBSTINATELY OBSTRUCT OBSTRUCTED OBSTRUCTING OBSTRUCTION OBSTRUCTIONS OBSTRUCTIVE OBTAIN OBTAINABLE OBTAINABLY OBTAINED OBTAINING OBTAINS OBVIATE OBVIATED OBVIATES OBVIATING OBVIATION OBVIATIONS OBVIOUS OBVIOUSLY OBVIOUSNESS OCCAM OCCASION OCCASIONAL OCCASIONALLY OCCASIONED OCCASIONING OCCASIONINGS OCCASIONS OCCIDENT OCCIDENTAL OCCIDENTALIZATION OCCIDENTALIZATIONS OCCIDENTALIZE OCCIDENTALIZED OCCIDENTALIZES OCCIDENTALIZING OCCIDENTALS OCCIPITAL OCCLUDE OCCLUDED OCCLUDES OCCLUSION OCCLUSIONS OCCULT OCCUPANCIES OCCUPANCY OCCUPANT OCCUPANTS OCCUPATION OCCUPATIONAL OCCUPATIONALLY OCCUPATIONS OCCUPIED OCCUPIER OCCUPIES OCCUPY OCCUPYING OCCUR OCCURRED OCCURRENCE OCCURRENCES OCCURRING OCCURS OCEAN OCEANIA OCEANIC OCEANOGRAPHY OCEANS OCONOMOWOC OCTAGON OCTAGONAL OCTAHEDRA OCTAHEDRAL OCTAHEDRON OCTAL OCTANE OCTAVE OCTAVES OCTAVIA OCTET OCTETS OCTOBER OCTOBERS OCTOGENARIAN OCTOPUS ODD ODDER ODDEST ODDITIES ODDITY ODDLY ODDNESS ODDS ODE ODERBERG ODERBERGS ODES ODESSA ODIN ODIOUS ODIOUSLY ODIOUSNESS ODIUM ODOR ODOROUS ODOROUSLY ODOROUSNESS ODORS ODYSSEUS ODYSSEY OEDIPAL OEDIPALLY OEDIPUS OFF OFFENBACH OFFEND OFFENDED OFFENDER OFFENDERS OFFENDING OFFENDS OFFENSE OFFENSES OFFENSIVE OFFENSIVELY OFFENSIVENESS OFFER OFFERED OFFERER OFFERERS OFFERING OFFERINGS OFFERS OFFHAND OFFICE OFFICEMATE OFFICER OFFICERS OFFICES OFFICIAL OFFICIALDOM OFFICIALLY OFFICIALS OFFICIATE OFFICIO OFFICIOUS OFFICIOUSLY OFFICIOUSNESS OFFING OFFLOAD OFFS OFFSET OFFSETS OFFSETTING OFFSHORE OFFSPRING OFT OFTEN OFTENTIMES OGDEN OHIO OHM OHMMETER OIL OILCLOTH OILED OILER OILERS OILIER OILIEST OILING OILS OILY OINTMENT OJIBWA OKAMOTO OKAY OKINAWA OKLAHOMA OKLAHOMAN OLAF OLAV OLD OLDEN OLDENBURG OLDER OLDEST OLDNESS OLDSMOBILE OLDUVAI OLDY OLEANDER OLEG OLEOMARGARINE OLGA OLIGARCHY OLIGOCENE OLIN OLIVE OLIVER OLIVERS OLIVES OLIVETTI OLIVIA OLIVIER OLSEN OLSON OLYMPIA OLYMPIAN OLYMPIANIZE OLYMPIANIZES OLYMPIC OLYMPICS OLYMPUS OMAHA OMAN OMEGA OMELET OMEN OMENS OMICRON OMINOUS OMINOUSLY OMINOUSNESS OMISSION OMISSIONS OMIT OMITS OMITTED OMITTING OMNIBUS OMNIDIRECTIONAL OMNIPOTENT OMNIPRESENT OMNISCIENT OMNISCIENTLY OMNIVORE ONANISM ONCE ONCOLOGY ONE ONEIDA ONENESS ONEROUS ONES ONESELF ONETIME ONGOING ONION ONIONS ONLINE ONLOOKER ONLY ONONDAGA ONRUSH ONSET ONSETS ONSLAUGHT ONTARIO ONTO ONTOLOGY ONUS ONWARD ONWARDS ONYX OOZE OOZED OPACITY OPAL OPALS OPAQUE OPAQUELY OPAQUENESS OPCODE OPEC OPEL OPEN OPENED OPENER OPENERS OPENING OPENINGS OPENLY OPENNESS OPENS OPERA OPERABLE OPERAND OPERANDI OPERANDS OPERAS OPERATE OPERATED OPERATES OPERATING OPERATION OPERATIONAL OPERATIONALLY OPERATIONS OPERATIVE OPERATIVES OPERATOR OPERATORS OPERETTA OPHIUCHUS OPHIUCUS OPIATE OPINION OPINIONS OPIUM OPOSSUM OPPENHEIMER OPPONENT OPPONENTS OPPORTUNE OPPORTUNELY OPPORTUNISM OPPORTUNISTIC OPPORTUNITIES OPPORTUNITY OPPOSABLE OPPOSE OPPOSED OPPOSES OPPOSING OPPOSITE OPPOSITELY OPPOSITENESS OPPOSITES OPPOSITION OPPRESS OPPRESSED OPPRESSES OPPRESSING OPPRESSION OPPRESSIVE OPPRESSOR OPPRESSORS OPPROBRIUM OPT OPTED OPTHALMIC OPTIC OPTICAL OPTICALLY OPTICS OPTIMA OPTIMAL OPTIMALITY OPTIMALLY OPTIMISM OPTIMIST OPTIMISTIC OPTIMISTICALLY OPTIMIZATION OPTIMIZATIONS OPTIMIZE OPTIMIZED OPTIMIZER OPTIMIZERS OPTIMIZES OPTIMIZING OPTIMUM OPTING OPTION OPTIONAL OPTIONALLY OPTIONS OPTOACOUSTIC OPTOMETRIST OPTOMETRY OPTS OPULENCE OPULENT OPUS ORACLE ORACLES ORAL ORALLY ORANGE ORANGES ORANGUTAN ORATION ORATIONS ORATOR ORATORIES ORATORS ORATORY ORB ORBIT ORBITAL ORBITALLY ORBITED ORBITER ORBITERS ORBITING ORBITS ORCHARD ORCHARDS ORCHESTRA ORCHESTRAL ORCHESTRAS ORCHESTRATE ORCHID ORCHIDS ORDAIN ORDAINED ORDAINING ORDAINS ORDEAL ORDER ORDERED ORDERING ORDERINGS ORDERLIES ORDERLY ORDERS ORDINAL ORDINANCE ORDINANCES ORDINARILY ORDINARINESS ORDINARY ORDINATE ORDINATES ORDINATION ORE OREGANO OREGON OREGONIANS ORES ORESTEIA ORESTES ORGAN ORGANIC ORGANISM ORGANISMS ORGANIST ORGANISTS ORGANIZABLE ORGANIZATION ORGANIZATIONAL ORGANIZATIONALLY ORGANIZATIONS ORGANIZE ORGANIZED ORGANIZER ORGANIZERS ORGANIZES ORGANIZING ORGANS ORGASM ORGIASTIC ORGIES ORGY ORIENT ORIENTAL ORIENTALIZATION ORIENTALIZATIONS ORIENTALIZE ORIENTALIZED ORIENTALIZES ORIENTALIZING ORIENTALS ORIENTATION ORIENTATIONS ORIENTED ORIENTING ORIENTS ORIFICE ORIFICES ORIGIN ORIGINAL ORIGINALITY ORIGINALLY ORIGINALS ORIGINATE ORIGINATED ORIGINATES ORIGINATING ORIGINATION ORIGINATOR ORIGINATORS ORIGINS ORIN ORINOCO ORIOLE ORION ORKNEY ORLANDO ORLEANS ORLICK ORLY ORNAMENT ORNAMENTAL ORNAMENTALLY ORNAMENTATION ORNAMENTED ORNAMENTING ORNAMENTS ORNATE ORNERY ORONO ORPHAN ORPHANAGE ORPHANED ORPHANS ORPHEUS ORPHIC ORPHICALLY ORR ORTEGA ORTHANT ORTHODONTIST ORTHODOX ORTHODOXY ORTHOGONAL ORTHOGONALITY ORTHOGONALLY ORTHOPEDIC ORVILLE ORWELL ORWELLIAN OSAKA OSBERT OSBORN OSBORNE OSCAR OSCILLATE OSCILLATED OSCILLATES OSCILLATING OSCILLATION OSCILLATIONS OSCILLATOR OSCILLATORS OSCILLATORY OSCILLOSCOPE OSCILLOSCOPES OSGOOD OSHKOSH OSIRIS OSLO OSMOSIS OSMOTIC OSSIFY OSTENSIBLE OSTENSIBLY OSTENTATIOUS OSTEOPATH OSTEOPATHIC OSTEOPATHY OSTEOPOROSIS OSTRACISM OSTRANDER OSTRICH OSTRICHES OSWALD OTHELLO OTHER OTHERS OTHERWISE OTHERWORLDLY OTIS OTT OTTAWA OTTER OTTERS OTTO OTTOMAN OTTOMANIZATION OTTOMANIZATIONS OTTOMANIZE OTTOMANIZES OUAGADOUGOU OUCH OUGHT OUNCE OUNCES OUR OURS OURSELF OURSELVES OUST OUT OUTBOUND OUTBREAK OUTBREAKS OUTBURST OUTBURSTS OUTCAST OUTCASTS OUTCOME OUTCOMES OUTCRIES OUTCRY OUTDATED OUTDO OUTDOOR OUTDOORS OUTER OUTERMOST OUTFIT OUTFITS OUTFITTED OUTGOING OUTGREW OUTGROW OUTGROWING OUTGROWN OUTGROWS OUTGROWTH OUTING OUTLANDISH OUTLAST OUTLASTS OUTLAW OUTLAWED OUTLAWING OUTLAWS OUTLAY OUTLAYS OUTLET OUTLETS OUTLINE OUTLINED OUTLINES OUTLINING OUTLIVE OUTLIVED OUTLIVES OUTLIVING OUTLOOK OUTLYING OUTNUMBERED OUTPERFORM OUTPERFORMED OUTPERFORMING OUTPERFORMS OUTPOST OUTPOSTS OUTPUT OUTPUTS OUTPUTTING OUTRAGE OUTRAGED OUTRAGEOUS OUTRAGEOUSLY OUTRAGES OUTRIGHT OUTRUN OUTRUNS OUTS OUTSET OUTSIDE OUTSIDER OUTSIDERS OUTSKIRTS OUTSTANDING OUTSTANDINGLY OUTSTRETCHED OUTSTRIP OUTSTRIPPED OUTSTRIPPING OUTSTRIPS OUTVOTE OUTVOTED OUTVOTES OUTVOTING OUTWARD OUTWARDLY OUTWEIGH OUTWEIGHED OUTWEIGHING OUTWEIGHS OUTWIT OUTWITS OUTWITTED OUTWITTING OVAL OVALS OVARIES OVARY OVEN OVENS OVER OVERALL OVERALLS OVERBOARD OVERCAME OVERCOAT OVERCOATS OVERCOME OVERCOMES OVERCOMING OVERCROWD OVERCROWDED OVERCROWDING OVERCROWDS OVERDONE OVERDOSE OVERDRAFT OVERDRAFTS OVERDUE OVEREMPHASIS OVEREMPHASIZED OVERESTIMATE OVERESTIMATED OVERESTIMATES OVERESTIMATING OVERESTIMATION OVERFLOW OVERFLOWED OVERFLOWING OVERFLOWS OVERGROWN OVERHANG OVERHANGING OVERHANGS OVERHAUL OVERHAULING OVERHEAD OVERHEADS OVERHEAR OVERHEARD OVERHEARING OVERHEARS OVERJOY OVERJOYED OVERKILL OVERLAND OVERLAP OVERLAPPED OVERLAPPING OVERLAPS OVERLAY OVERLAYING OVERLAYS OVERLOAD OVERLOADED OVERLOADING OVERLOADS OVERLOOK OVERLOOKED OVERLOOKING OVERLOOKS OVERLY OVERNIGHT OVERNIGHTER OVERNIGHTERS OVERPOWER OVERPOWERED OVERPOWERING OVERPOWERS OVERPRINT OVERPRINTED OVERPRINTING OVERPRINTS OVERPRODUCTION OVERRIDDEN OVERRIDE OVERRIDES OVERRIDING OVERRODE OVERRULE OVERRULED OVERRULES OVERRUN OVERRUNNING OVERRUNS OVERSEAS OVERSEE OVERSEEING OVERSEER OVERSEERS OVERSEES OVERSHADOW OVERSHADOWED OVERSHADOWING OVERSHADOWS OVERSHOOT OVERSHOT OVERSIGHT OVERSIGHTS OVERSIMPLIFIED OVERSIMPLIFIES OVERSIMPLIFY OVERSIMPLIFYING OVERSIZED OVERSTATE OVERSTATED OVERSTATEMENT OVERSTATEMENTS OVERSTATES OVERSTATING OVERSTOCKS OVERSUBSCRIBED OVERT OVERTAKE OVERTAKEN OVERTAKER OVERTAKERS OVERTAKES OVERTAKING OVERTHREW OVERTHROW OVERTHROWN OVERTIME OVERTLY OVERTONE OVERTONES OVERTOOK OVERTURE OVERTURES OVERTURN OVERTURNED OVERTURNING OVERTURNS OVERUSE OVERVIEW OVERVIEWS OVERWHELM OVERWHELMED OVERWHELMING OVERWHELMINGLY OVERWHELMS OVERWORK OVERWORKED OVERWORKING OVERWORKS OVERWRITE OVERWRITES OVERWRITING OVERWRITTEN OVERZEALOUS OVID OWE OWED OWEN OWENS OWES OWING OWL OWLS OWN OWNED OWNER OWNERS OWNERSHIP OWNERSHIPS OWNING OWNS OXEN OXFORD OXIDE OXIDES OXIDIZE OXIDIZED OXNARD OXONIAN OXYGEN OYSTER OYSTERS OZARK OZARKS OZONE OZZIE PABLO PABST PACE PACED PACEMAKER PACER PACERS PACES PACIFIC PACIFICATION PACIFIED PACIFIER PACIFIES PACIFISM PACIFIST PACIFY PACING PACK PACKAGE PACKAGED PACKAGER PACKAGERS PACKAGES PACKAGING PACKAGINGS PACKARD PACKARDS PACKED PACKER PACKERS PACKET PACKETS PACKING PACKS PACKWOOD PACT PACTS PAD PADDED PADDING PADDLE PADDOCK PADDY PADLOCK PADS PAGAN PAGANINI PAGANS PAGE PAGEANT PAGEANTRY PAGEANTS PAGED PAGER PAGERS PAGES PAGINATE PAGINATED PAGINATES PAGINATING PAGINATION PAGING PAGODA PAID PAIL PAILS PAIN PAINE PAINED PAINFUL PAINFULLY PAINLESS PAINS PAINSTAKING PAINSTAKINGLY PAINT PAINTED PAINTER PAINTERS PAINTING PAINTINGS PAINTS PAIR PAIRED PAIRING PAIRINGS PAIRS PAIRWISE PAJAMA PAJAMAS PAKISTAN PAKISTANI PAKISTANIS PAL PALACE PALACES PALATE PALATES PALATINE PALE PALED PALELY PALENESS PALEOLITHIC PALEOZOIC PALER PALERMO PALES PALEST PALESTINE PALESTINIAN PALFREY PALINDROME PALINDROMIC PALING PALL PALLADIAN PALLADIUM PALLIATE PALLIATIVE PALLID PALM PALMED PALMER PALMING PALMOLIVE PALMS PALMYRA PALO PALOMAR PALPABLE PALS PALSY PAM PAMELA PAMPER PAMPHLET PAMPHLETS PAN PANACEA PANACEAS PANAMA PANAMANIAN PANCAKE PANCAKES PANCHO PANDA PANDANUS PANDAS PANDEMIC PANDEMONIUM PANDER PANDORA PANE PANEL PANELED PANELING PANELIST PANELISTS PANELS PANES PANG PANGAEA PANGS PANIC PANICKED PANICKING PANICKY PANICS PANNED PANNING PANORAMA PANORAMIC PANS PANSIES PANSY PANT PANTED PANTHEISM PANTHEIST PANTHEON PANTHER PANTHERS PANTIES PANTING PANTOMIME PANTRIES PANTRY PANTS PANTY PANTYHOSE PAOLI PAPA PAPAL PAPER PAPERBACK PAPERBACKS PAPERED PAPERER PAPERERS PAPERING PAPERINGS PAPERS PAPERWEIGHT PAPERWORK PAPOOSE PAPPAS PAPUA PAPYRUS PAR PARABOLA PARABOLIC PARABOLOID PARABOLOIDAL PARACHUTE PARACHUTED PARACHUTES PARADE PARADED PARADES PARADIGM PARADIGMS PARADING PARADISE PARADOX PARADOXES PARADOXICAL PARADOXICALLY PARAFFIN PARAGON PARAGONS PARAGRAPH PARAGRAPHING PARAGRAPHS PARAGUAY PARAGUAYAN PARAGUAYANS PARAKEET PARALLAX PARALLEL PARALLELED PARALLELING PARALLELISM PARALLELIZE PARALLELIZED PARALLELIZES PARALLELIZING PARALLELOGRAM PARALLELOGRAMS PARALLELS PARALYSIS PARALYZE PARALYZED PARALYZES PARALYZING PARAMETER PARAMETERIZABLE PARAMETERIZATION PARAMETERIZATIONS PARAMETERIZE PARAMETERIZED PARAMETERIZES PARAMETERIZING PARAMETERLESS PARAMETERS PARAMETRIC PARAMETRIZED PARAMILITARY PARAMOUNT PARAMUS PARANOIA PARANOIAC PARANOID PARANORMAL PARAPET PARAPETS PARAPHERNALIA PARAPHRASE PARAPHRASED PARAPHRASES PARAPHRASING PARAPSYCHOLOGY PARASITE PARASITES PARASITIC PARASITICS PARASOL PARBOIL PARC PARCEL PARCELED PARCELING PARCELS PARCH PARCHED PARCHMENT PARDON PARDONABLE PARDONABLY PARDONED PARDONER PARDONERS PARDONING PARDONS PARE PAREGORIC PARENT PARENTAGE PARENTAL PARENTHESES PARENTHESIS PARENTHESIZED PARENTHESIZES PARENTHESIZING PARENTHETIC PARENTHETICAL PARENTHETICALLY PARENTHOOD PARENTS PARES PARETO PARIAH PARIMUTUEL PARING PARINGS PARIS PARISH PARISHES PARISHIONER PARISIAN PARISIANIZATION PARISIANIZATIONS PARISIANIZE PARISIANIZES PARITY PARK PARKE PARKED PARKER PARKERS PARKERSBURG PARKHOUSE PARKING PARKINSON PARKINSONIAN PARKLAND PARKLIKE PARKS PARKWAY PARLAY PARLEY PARLIAMENT PARLIAMENTARIAN PARLIAMENTARY PARLIAMENTS PARLOR PARLORS PARMESAN PAROCHIAL PARODY PAROLE PAROLED PAROLES PAROLING PARR PARRIED PARRISH PARROT PARROTING PARROTS PARRS PARRY PARS PARSE PARSED PARSER PARSERS PARSES PARSI PARSIFAL PARSIMONY PARSING PARSINGS PARSLEY PARSON PARSONS PART PARTAKE PARTAKER PARTAKES PARTAKING PARTED PARTER PARTERS PARTHENON PARTHIA PARTIAL PARTIALITY PARTIALLY PARTICIPANT PARTICIPANTS PARTICIPATE PARTICIPATED PARTICIPATES PARTICIPATING PARTICIPATION PARTICIPLE PARTICLE PARTICLES PARTICULAR PARTICULARLY PARTICULARS PARTICULATE PARTIES PARTING PARTINGS PARTISAN PARTISANS PARTITION PARTITIONED PARTITIONING PARTITIONS PARTLY PARTNER PARTNERED PARTNERS PARTNERSHIP PARTOOK PARTRIDGE PARTRIDGES PARTS PARTY PASADENA PASCAL PASCAL PASO PASS PASSAGE PASSAGES PASSAGEWAY PASSAIC PASSE PASSED PASSENGER PASSENGERS PASSER PASSERS PASSES PASSING PASSION PASSIONATE PASSIONATELY PASSIONS PASSIVATE PASSIVE PASSIVELY PASSIVENESS PASSIVITY PASSOVER PASSPORT PASSPORTS PASSWORD PASSWORDS PAST PASTE PASTED PASTEL PASTERNAK PASTES PASTEUR PASTIME PASTIMES PASTING PASTNESS PASTOR PASTORAL PASTORS PASTRY PASTS PASTURE PASTURES PAT PATAGONIA PATAGONIANS PATCH PATCHED PATCHES PATCHING PATCHWORK PATCHY PATE PATEN PATENT PATENTABLE PATENTED PATENTER PATENTERS PATENTING PATENTLY PATENTS PATERNAL PATERNALLY PATERNOSTER PATERSON PATH PATHETIC PATHNAME PATHNAMES PATHOGEN PATHOGENESIS PATHOLOGICAL PATHOLOGY PATHOS PATHS PATHWAY PATHWAYS PATIENCE PATIENT PATIENTLY PATIENTS PATINA PATIO PATRIARCH PATRIARCHAL PATRIARCHS PATRIARCHY PATRICE PATRICIA PATRICIAN PATRICIANS PATRICK PATRIMONIAL PATRIMONY PATRIOT PATRIOTIC PATRIOTISM PATRIOTS PATROL PATROLLED PATROLLING PATROLMAN PATROLMEN PATROLS PATRON PATRONAGE PATRONIZE PATRONIZED PATRONIZES PATRONIZING PATRONS PATS PATSIES PATSY PATTER PATTERED PATTERING PATTERINGS PATTERN PATTERNED PATTERNING PATTERNS PATTERS PATTERSON PATTI PATTIES PATTON PATTY PAUCITY PAUL PAULA PAULETTE PAULI PAULINE PAULING PAULINIZE PAULINIZES PAULO PAULSEN PAULSON PAULUS PAUNCH PAUNCHY PAUPER PAUSE PAUSED PAUSES PAUSING PAVE PAVED PAVEMENT PAVEMENTS PAVES PAVILION PAVILIONS PAVING PAVLOV PAVLOVIAN PAW PAWING PAWN PAWNS PAWNSHOP PAWS PAWTUCKET PAY PAYABLE PAYCHECK PAYCHECKS PAYED PAYER PAYERS PAYING PAYMENT PAYMENTS PAYNE PAYNES PAYNIZE PAYNIZES PAYOFF PAYOFFS PAYROLL PAYS PAYSON PAZ PEA PEABODY PEACE PEACEABLE PEACEFUL PEACEFULLY PEACEFULNESS PEACETIME PEACH PEACHES PEACHTREE PEACOCK PEACOCKS PEAK PEAKED PEAKS PEAL PEALE PEALED PEALING PEALS PEANUT PEANUTS PEAR PEARCE PEARL PEARLS PEARLY PEARS PEARSON PEAS PEASANT PEASANTRY PEASANTS PEASE PEAT PEBBLE PEBBLES PECCARY PECK PECKED PECKING PECKS PECOS PECTORAL PECULIAR PECULIARITIES PECULIARITY PECULIARLY PECUNIARY PEDAGOGIC PEDAGOGICAL PEDAGOGICALLY PEDAGOGY PEDAL PEDANT PEDANTIC PEDANTRY PEDDLE PEDDLER PEDDLERS PEDESTAL PEDESTRIAN PEDESTRIANS PEDIATRIC PEDIATRICIAN PEDIATRICS PEDIGREE PEDRO PEEK PEEKED PEEKING PEEKS PEEL PEELED PEELING PEELS PEEP PEEPED PEEPER PEEPHOLE PEEPING PEEPS PEER PEERED PEERING PEERLESS PEERS PEG PEGASUS PEGBOARD PEGGY PEGS PEIPING PEJORATIVE PEKING PELHAM PELICAN PELLAGRA PELOPONNESE PELT PELTING PELTS PELVIC PELVIS PEMBROKE PEN PENAL PENALIZE PENALIZED PENALIZES PENALIZING PENALTIES PENALTY PENANCE PENCE PENCHANT PENCIL PENCILED PENCILS PEND PENDANT PENDED PENDING PENDLETON PENDS PENDULUM PENDULUMS PENELOPE PENETRABLE PENETRATE PENETRATED PENETRATES PENETRATING PENETRATINGLY PENETRATION PENETRATIONS PENETRATIVE PENETRATOR PENETRATORS PENGUIN PENGUINS PENH PENICILLIN PENINSULA PENINSULAS PENIS PENISES PENITENT PENITENTIARY PENN PENNED PENNIES PENNILESS PENNING PENNSYLVANIA PENNY PENROSE PENS PENSACOLA PENSION PENSIONER PENSIONS PENSIVE PENT PENTAGON PENTAGONS PENTATEUCH PENTECOST PENTECOSTAL PENTHOUSE PENULTIMATE PENUMBRA PEONY PEOPLE PEOPLED PEOPLES PEORIA PEP PEPPER PEPPERED PEPPERING PEPPERMINT PEPPERONI PEPPERS PEPPERY PEPPY PEPSI PEPSICO PEPSICO PEPTIDE PER PERCEIVABLE PERCEIVABLY PERCEIVE PERCEIVED PERCEIVER PERCEIVERS PERCEIVES PERCEIVING PERCENT PERCENTAGE PERCENTAGES PERCENTILE PERCENTILES PERCENTS PERCEPTIBLE PERCEPTIBLY PERCEPTION PERCEPTIONS PERCEPTIVE PERCEPTIVELY PERCEPTUAL PERCEPTUALLY PERCH PERCHANCE PERCHED PERCHES PERCHING PERCIVAL PERCUSSION PERCUTANEOUS PERCY PEREMPTORY PERENNIAL PERENNIALLY PEREZ PERFECT PERFECTED PERFECTIBLE PERFECTING PERFECTION PERFECTIONIST PERFECTIONISTS PERFECTLY PERFECTNESS PERFECTS PERFORCE PERFORM PERFORMANCE PERFORMANCES PERFORMED PERFORMER PERFORMERS PERFORMING PERFORMS PERFUME PERFUMED PERFUMES PERFUMING PERFUNCTORY PERGAMON PERHAPS PERICLEAN PERICLES PERIHELION PERIL PERILLA PERILOUS PERILOUSLY PERILS PERIMETER PERIOD PERIODIC PERIODICAL PERIODICALLY PERIODICALS PERIODS PERIPHERAL PERIPHERALLY PERIPHERALS PERIPHERIES PERIPHERY PERISCOPE PERISH PERISHABLE PERISHABLES PERISHED PERISHER PERISHERS PERISHES PERISHING PERJURE PERJURY PERK PERKINS PERKY PERLE PERMANENCE PERMANENT PERMANENTLY PERMEABLE PERMEATE PERMEATED PERMEATES PERMEATING PERMEATION PERMIAN PERMISSIBILITY PERMISSIBLE PERMISSIBLY PERMISSION PERMISSIONS PERMISSIVE PERMISSIVELY PERMIT PERMITS PERMITTED PERMITTING PERMUTATION PERMUTATIONS PERMUTE PERMUTED PERMUTES PERMUTING PERNICIOUS PERNOD PEROXIDE PERPENDICULAR PERPENDICULARLY PERPENDICULARS PERPETRATE PERPETRATED PERPETRATES PERPETRATING PERPETRATION PERPETRATIONS PERPETRATOR PERPETRATORS PERPETUAL PERPETUALLY PERPETUATE PERPETUATED PERPETUATES PERPETUATING PERPETUATION PERPETUITY PERPLEX PERPLEXED PERPLEXING PERPLEXITY PERRY PERSECUTE PERSECUTED PERSECUTES PERSECUTING PERSECUTION PERSECUTOR PERSECUTORS PERSEID PERSEPHONE PERSEUS PERSEVERANCE PERSEVERE PERSEVERED PERSEVERES PERSEVERING PERSHING PERSIA PERSIAN PERSIANIZATION PERSIANIZATIONS PERSIANIZE PERSIANIZES PERSIANS PERSIST PERSISTED PERSISTENCE PERSISTENT PERSISTENTLY PERSISTING PERSISTS PERSON PERSONAGE PERSONAGES PERSONAL PERSONALITIES PERSONALITY PERSONALIZATION PERSONALIZE PERSONALIZED PERSONALIZES PERSONALIZING PERSONALLY PERSONIFICATION PERSONIFIED PERSONIFIES PERSONIFY PERSONIFYING PERSONNEL PERSONS PERSPECTIVE PERSPECTIVES PERSPICUOUS PERSPICUOUSLY PERSPIRATION PERSPIRE PERSUADABLE PERSUADE PERSUADED PERSUADER PERSUADERS PERSUADES PERSUADING PERSUASION PERSUASIONS PERSUASIVE PERSUASIVELY PERSUASIVENESS PERTAIN PERTAINED PERTAINING PERTAINS PERTH PERTINENT PERTURB PERTURBATION PERTURBATIONS PERTURBED PERU PERUSAL PERUSE PERUSED PERUSER PERUSERS PERUSES PERUSING PERUVIAN PERUVIANIZE PERUVIANIZES PERUVIANS PERVADE PERVADED PERVADES PERVADING PERVASIVE PERVASIVELY PERVERSION PERVERT PERVERTED PERVERTS PESSIMISM PESSIMIST PESSIMISTIC PEST PESTER PESTICIDE PESTILENCE PESTILENT PESTS PET PETAL PETALS PETE PETER PETERS PETERSBURG PETERSEN PETERSON PETITION PETITIONED PETITIONER PETITIONING PETITIONS PETKIEWICZ PETRI PETROLEUM PETS PETTED PETTER PETTERS PETTIBONE PETTICOAT PETTICOATS PETTINESS PETTING PETTY PETULANCE PETULANT PEUGEOT PEW PEWAUKEE PEWS PEWTER PFIZER PHAEDRA PHANTOM PHANTOMS PHARMACEUTIC PHARMACIST PHARMACOLOGY PHARMACOPOEIA PHARMACY PHASE PHASED PHASER PHASERS PHASES PHASING PHEASANT PHEASANTS PHELPS PHENOMENA PHENOMENAL PHENOMENALLY PHENOMENOLOGICAL PHENOMENOLOGICALLY PHENOMENOLOGIES PHENOMENOLOGY PHENOMENON PHI PHIGS PHIL PHILADELPHIA PHILANTHROPY PHILCO PHILHARMONIC PHILIP PHILIPPE PHILIPPIANS PHILIPPINE PHILIPPINES PHILISTINE PHILISTINES PHILISTINIZE PHILISTINIZES PHILLIES PHILLIP PHILLIPS PHILLY PHILOSOPHER PHILOSOPHERS PHILOSOPHIC PHILOSOPHICAL PHILOSOPHICALLY PHILOSOPHIES PHILOSOPHIZE PHILOSOPHIZED PHILOSOPHIZER PHILOSOPHIZERS PHILOSOPHIZES PHILOSOPHIZING PHILOSOPHY PHIPPS PHOBOS PHOENICIA PHOENIX PHONE PHONED PHONEME PHONEMES PHONEMIC PHONES PHONETIC PHONETICS PHONING PHONOGRAPH PHONOGRAPHS PHONY PHOSGENE PHOSPHATE PHOSPHATES PHOSPHOR PHOSPHORESCENT PHOSPHORIC PHOSPHORUS PHOTO PHOTOCOPIED PHOTOCOPIER PHOTOCOPIERS PHOTOCOPIES PHOTOCOPY PHOTOCOPYING PHOTODIODE PHOTODIODES PHOTOGENIC PHOTOGRAPH PHOTOGRAPHED PHOTOGRAPHER PHOTOGRAPHERS PHOTOGRAPHIC PHOTOGRAPHING PHOTOGRAPHS PHOTOGRAPHY PHOTON PHOTOS PHOTOSENSITIVE PHOTOTYPESETTER PHOTOTYPESETTERS PHRASE PHRASED PHRASEOLOGY PHRASES PHRASING PHRASINGS PHYLA PHYLLIS PHYLUM PHYSIC PHYSICAL PHYSICALLY PHYSICALNESS PHYSICALS PHYSICIAN PHYSICIANS PHYSICIST PHYSICISTS PHYSICS PHYSIOLOGICAL PHYSIOLOGICALLY PHYSIOLOGY PHYSIOTHERAPIST PHYSIOTHERAPY PHYSIQUE PHYTOPLANKTON PIANIST PIANO PIANOS PICA PICAS PICASSO PICAYUNE PICCADILLY PICCOLO PICK PICKAXE PICKED PICKER PICKERING PICKERS PICKET PICKETED PICKETER PICKETERS PICKETING PICKETS PICKETT PICKFORD PICKING PICKINGS PICKLE PICKLED PICKLES PICKLING PICKMAN PICKS PICKUP PICKUPS PICKY PICNIC PICNICKED PICNICKING PICNICS PICOFARAD PICOJOULE PICOSECOND PICT PICTORIAL PICTORIALLY PICTURE PICTURED PICTURES PICTURESQUE PICTURESQUENESS PICTURING PIDDLE PIDGIN PIE PIECE PIECED PIECEMEAL PIECES PIECEWISE PIECING PIEDFORT PIEDMONT PIER PIERCE PIERCED PIERCES PIERCING PIERRE PIERS PIERSON PIES PIETY PIEZOELECTRIC PIG PIGEON PIGEONHOLE PIGEONS PIGGISH PIGGY PIGGYBACK PIGGYBACKED PIGGYBACKING PIGGYBACKS PIGMENT PIGMENTATION PIGMENTED PIGMENTS PIGPEN PIGS PIGSKIN PIGTAIL PIKE PIKER PIKES PILATE PILE PILED PILERS PILES PILFER PILFERAGE PILGRIM PILGRIMAGE PILGRIMAGES PILGRIMS PILING PILINGS PILL PILLAGE PILLAGED PILLAR PILLARED PILLARS PILLORY PILLOW PILLOWS PILLS PILLSBURY PILOT PILOTING PILOTS PIMP PIMPLE PIN PINAFORE PINBALL PINCH PINCHED PINCHES PINCHING PINCUSHION PINE PINEAPPLE PINEAPPLES PINED PINEHURST PINES PING PINHEAD PINHOLE PINING PINION PINK PINKER PINKEST PINKIE PINKISH PINKLY PINKNESS PINKS PINNACLE PINNACLES PINNED PINNING PINNINGS PINOCHLE PINPOINT PINPOINTING PINPOINTS PINS PINSCHER PINSKY PINT PINTO PINTS PINWHEEL PION PIONEER PIONEERED PIONEERING PIONEERS PIOTR PIOUS PIOUSLY PIP PIPE PIPED PIPELINE PIPELINED PIPELINES PIPELINING PIPER PIPERS PIPES PIPESTONE PIPETTE PIPING PIQUE PIRACY PIRAEUS PIRATE PIRATES PISA PISCATAWAY PISCES PISS PISTACHIO PISTIL PISTILS PISTOL PISTOLS PISTON PISTONS PIT PITCH PITCHED PITCHER PITCHERS PITCHES PITCHFORK PITCHING PITEOUS PITEOUSLY PITFALL PITFALLS PITH PITHED PITHES PITHIER PITHIEST PITHINESS PITHING PITHY PITIABLE PITIED PITIER PITIERS PITIES PITIFUL PITIFULLY PITILESS PITILESSLY PITNEY PITS PITT PITTED PITTSBURGH PITTSBURGHERS PITTSFIELD PITTSTON PITUITARY PITY PITYING PITYINGLY PIUS PIVOT PIVOTAL PIVOTING PIVOTS PIXEL PIXELS PIZARRO PIZZA PLACARD PLACARDS PLACATE PLACE PLACEBO PLACED PLACEHOLDER PLACEMENT PLACEMENTS PLACENTA PLACENTAL PLACER PLACES PLACID PLACIDLY PLACING PLAGIARISM PLAGIARIST PLAGUE PLAGUED PLAGUES PLAGUING PLAID PLAIDS PLAIN PLAINER PLAINEST PLAINFIELD PLAINLY PLAINNESS PLAINS PLAINTEXT PLAINTEXTS PLAINTIFF PLAINTIFFS PLAINTIVE PLAINTIVELY PLAINTIVENESS PLAINVIEW PLAIT PLAITS PLAN PLANAR PLANARITY PLANCK PLANE PLANED PLANELOAD PLANER PLANERS PLANES PLANET PLANETARIA PLANETARIUM PLANETARY PLANETESIMAL PLANETOID PLANETS PLANING PLANK PLANKING PLANKS PLANKTON PLANNED PLANNER PLANNERS PLANNING PLANOCONCAVE PLANOCONVEX PLANS PLANT PLANTATION PLANTATIONS PLANTED PLANTER PLANTERS PLANTING PLANTINGS PLANTS PLAQUE PLASMA PLASTER PLASTERED PLASTERER PLASTERING PLASTERS PLASTIC PLASTICITY PLASTICS PLATE PLATEAU PLATEAUS PLATED PLATELET PLATELETS PLATEN PLATENS PLATES PLATFORM PLATFORMS PLATING PLATINUM PLATITUDE PLATO PLATONIC PLATONISM PLATONIST PLATOON PLATTE PLATTER PLATTERS PLATTEVILLE PLAUSIBILITY PLAUSIBLE PLAY PLAYABLE PLAYBACK PLAYBOY PLAYED PLAYER PLAYERS PLAYFUL PLAYFULLY PLAYFULNESS PLAYGROUND PLAYGROUNDS PLAYHOUSE PLAYING PLAYMATE PLAYMATES PLAYOFF PLAYROOM PLAYS PLAYTHING PLAYTHINGS PLAYTIME PLAYWRIGHT PLAYWRIGHTS PLAYWRITING PLAZA PLEA PLEAD PLEADED PLEADER PLEADING PLEADS PLEAS PLEASANT PLEASANTLY PLEASANTNESS PLEASE PLEASED PLEASES PLEASING PLEASINGLY PLEASURE PLEASURES PLEAT PLEBEIAN PLEBIAN PLEBISCITE PLEBISCITES PLEDGE PLEDGED PLEDGES PLEIADES PLEISTOCENE PLENARY PLENIPOTENTIARY PLENTEOUS PLENTIFUL PLENTIFULLY PLENTY PLETHORA PLEURISY PLEXIGLAS PLIABLE PLIANT PLIED PLIERS PLIES PLIGHT PLINY PLIOCENE PLOD PLODDING PLOT PLOTS PLOTTED PLOTTER PLOTTERS PLOTTING PLOW PLOWED PLOWER PLOWING PLOWMAN PLOWS PLOWSHARE PLOY PLOYS PLUCK PLUCKED PLUCKING PLUCKS PLUCKY PLUG PLUGGABLE PLUGGED PLUGGING PLUGS PLUM PLUMAGE PLUMB PLUMBED PLUMBING PLUMBS PLUME PLUMED PLUMES PLUMMET PLUMMETING PLUMP PLUMPED PLUMPNESS PLUMS PLUNDER PLUNDERED PLUNDERER PLUNDERERS PLUNDERING PLUNDERS PLUNGE PLUNGED PLUNGER PLUNGERS PLUNGES PLUNGING PLUNK PLURAL PLURALITY PLURALS PLUS PLUSES PLUSH PLUTARCH PLUTO PLUTONIUM PLY PLYMOUTH PLYWOOD PNEUMATIC PNEUMONIA POACH POACHER POACHES POCAHONTAS POCKET POCKETBOOK POCKETBOOKS POCKETED POCKETFUL POCKETING POCKETS POCONO POCONOS POD PODIA PODIUM PODS PODUNK POE POEM POEMS POET POETIC POETICAL POETICALLY POETICS POETRIES POETRY POETS POGO POGROM POIGNANCY POIGNANT POINCARE POINDEXTER POINT POINTED POINTEDLY POINTER POINTERS POINTING POINTLESS POINTS POINTY POISE POISED POISES POISON POISONED POISONER POISONING POISONOUS POISONOUSNESS POISONS POISSON POKE POKED POKER POKERFACE POKES POKING POLAND POLAR POLARIS POLARITIES POLARITY POLAROID POLE POLECAT POLED POLEMIC POLEMICS POLES POLICE POLICED POLICEMAN POLICEMEN POLICES POLICIES POLICING POLICY POLING POLIO POLISH POLISHED POLISHER POLISHERS POLISHES POLISHING POLITBURO POLITE POLITELY POLITENESS POLITER POLITEST POLITIC POLITICAL POLITICALLY POLITICIAN POLITICIANS POLITICKING POLITICS POLK POLKA POLL POLLARD POLLED POLLEN POLLING POLLOI POLLS POLLUTANT POLLUTE POLLUTED POLLUTES POLLUTING POLLUTION POLLUX POLO POLYALPHABETIC POLYGON POLYGONS POLYHYMNIA POLYMER POLYMERS POLYMORPHIC POLYNESIA POLYNESIAN POLYNOMIAL POLYNOMIALS POLYPHEMUS POLYTECHNIC POLYTHEIST POMERANIA POMERANIAN POMONA POMP POMPADOUR POMPEII POMPEY POMPOSITY POMPOUS POMPOUSLY POMPOUSNESS PONCE PONCHARTRAIN PONCHO POND PONDER PONDERED PONDERING PONDEROUS PONDERS PONDS PONG PONIES PONTIAC PONTIFF PONTIFIC PONTIFICATE PONY POOCH POODLE POOL POOLE POOLED POOLING POOLS POOR POORER POOREST POORLY POORNESS POP POPCORN POPE POPEK POPEKS POPISH POPLAR POPLIN POPPED POPPIES POPPING POPPY POPS POPSICLE POPSICLES POPULACE POPULAR POPULARITY POPULARIZATION POPULARIZE POPULARIZED POPULARIZES POPULARIZING POPULARLY POPULATE POPULATED POPULATES POPULATING POPULATION POPULATIONS POPULOUS POPULOUSNESS PORCELAIN PORCH PORCHES PORCINE PORCUPINE PORCUPINES PORE PORED PORES PORING PORK PORKER PORNOGRAPHER PORNOGRAPHIC PORNOGRAPHY POROUS PORPOISE PORRIDGE PORT PORTABILITY PORTABLE PORTAGE PORTAL PORTALS PORTE PORTED PORTEND PORTENDED PORTENDING PORTENDS PORTENT PORTENTOUS PORTER PORTERHOUSE PORTERS PORTFOLIO PORTFOLIOS PORTIA PORTICO PORTING PORTION PORTIONS PORTLAND PORTLY PORTMANTEAU PORTO PORTRAIT PORTRAITS PORTRAY PORTRAYAL PORTRAYED PORTRAYING PORTRAYS PORTS PORTSMOUTH PORTUGAL PORTUGUESE POSE POSED POSEIDON POSER POSERS POSES POSH POSING POSIT POSITED POSITING POSITION POSITIONAL POSITIONED POSITIONING POSITIONS POSITIVE POSITIVELY POSITIVENESS POSITIVES POSITRON POSITS POSNER POSSE POSSESS POSSESSED POSSESSES POSSESSING POSSESSION POSSESSIONAL POSSESSIONS POSSESSIVE POSSESSIVELY POSSESSIVENESS POSSESSOR POSSESSORS POSSIBILITIES POSSIBILITY POSSIBLE POSSIBLY POSSUM POSSUMS POST POSTAGE POSTAL POSTCARD POSTCONDITION POSTDOCTORAL POSTED POSTER POSTERIOR POSTERIORI POSTERITY POSTERS POSTFIX POSTGRADUATE POSTING POSTLUDE POSTMAN POSTMARK POSTMASTER POSTMASTERS POSTMORTEM POSTOPERATIVE POSTORDER POSTPONE POSTPONED POSTPONING POSTPROCESS POSTPROCESSOR POSTS POSTSCRIPT POSTSCRIPTS POSTULATE POSTULATED POSTULATES POSTULATING POSTULATION POSTULATIONS POSTURE POSTURES POT POTABLE POTASH POTASSIUM POTATO POTATOES POTBELLY POTEMKIN POTENT POTENTATE POTENTATES POTENTIAL POTENTIALITIES POTENTIALITY POTENTIALLY POTENTIALS POTENTIATING POTENTIOMETER POTENTIOMETERS POTHOLE POTION POTLATCH POTOMAC POTPOURRI POTS POTSDAM POTTAWATOMIE POTTED POTTER POTTERS POTTERY POTTING POTTS POUCH POUCHES POUGHKEEPSIE POULTICE POULTRY POUNCE POUNCED POUNCES POUNCING POUND POUNDED POUNDER POUNDERS POUNDING POUNDS POUR POURED POURER POURERS POURING POURS POUSSIN POUSSINS POUT POUTED POUTING POUTS POVERTY POWDER POWDERED POWDERING POWDERPUFF POWDERS POWDERY POWELL POWER POWERED POWERFUL POWERFULLY POWERFULNESS POWERING POWERLESS POWERLESSLY POWERLESSNESS POWERS POX POYNTING PRACTICABLE PRACTICABLY PRACTICAL PRACTICALITY PRACTICALLY PRACTICE PRACTICED PRACTICES PRACTICING PRACTITIONER PRACTITIONERS PRADESH PRADO PRAGMATIC PRAGMATICALLY PRAGMATICS PRAGMATISM PRAGMATIST PRAGUE PRAIRIE PRAISE PRAISED PRAISER PRAISERS PRAISES PRAISEWORTHY PRAISING PRAISINGLY PRANCE PRANCED PRANCER PRANCING PRANK PRANKS PRATE PRATT PRATTVILLE PRAVDA PRAY PRAYED PRAYER PRAYERS PRAYING PREACH PREACHED PREACHER PREACHERS PREACHES PREACHING PREALLOCATE PREALLOCATED PREALLOCATING PREAMBLE PREAMBLES PREASSIGN PREASSIGNED PREASSIGNING PREASSIGNS PRECAMBRIAN PRECARIOUS PRECARIOUSLY PRECARIOUSNESS PRECAUTION PRECAUTIONS PRECEDE PRECEDED PRECEDENCE PRECEDENCES PRECEDENT PRECEDENTED PRECEDENTS PRECEDES PRECEDING PRECEPT PRECEPTS PRECESS PRECESSION PRECINCT PRECINCTS PRECIOUS PRECIOUSLY PRECIOUSNESS PRECIPICE PRECIPITABLE PRECIPITATE PRECIPITATED PRECIPITATELY PRECIPITATENESS PRECIPITATES PRECIPITATING PRECIPITATION PRECIPITOUS PRECIPITOUSLY PRECISE PRECISELY PRECISENESS PRECISION PRECISIONS PRECLUDE PRECLUDED PRECLUDES PRECLUDING PRECOCIOUS PRECOCIOUSLY PRECOCITY PRECOMPUTE PRECOMPUTED PRECOMPUTING PRECONCEIVE PRECONCEIVED PRECONCEPTION PRECONCEPTIONS PRECONDITION PRECONDITIONED PRECONDITIONS PRECURSOR PRECURSORS PREDATE PREDATED PREDATES PREDATING PREDATORY PREDECESSOR PREDECESSORS PREDEFINE PREDEFINED PREDEFINES PREDEFINING PREDEFINITION PREDEFINITIONS PREDETERMINATION PREDETERMINE PREDETERMINED PREDETERMINES PREDETERMINING PREDICAMENT PREDICATE PREDICATED PREDICATES PREDICATING PREDICATION PREDICATIONS PREDICT PREDICTABILITY PREDICTABLE PREDICTABLY PREDICTED PREDICTING PREDICTION PREDICTIONS PREDICTIVE PREDICTOR PREDICTS PREDILECTION PREDILECTIONS PREDISPOSITION PREDOMINANT PREDOMINANTLY PREDOMINATE PREDOMINATED PREDOMINATELY PREDOMINATES PREDOMINATING PREDOMINATION PREEMINENCE PREEMINENT PREEMPT PREEMPTED PREEMPTING PREEMPTION PREEMPTIVE PREEMPTOR PREEMPTS PREEN PREEXISTING PREFAB PREFABRICATE PREFACE PREFACED PREFACES PREFACING PREFER PREFERABLE PREFERABLY PREFERENCE PREFERENCES PREFERENTIAL PREFERENTIALLY PREFERRED PREFERRING PREFERS PREFIX PREFIXED PREFIXES PREFIXING PREGNANCY PREGNANT PREHISTORIC PREINITIALIZE PREINITIALIZED PREINITIALIZES PREINITIALIZING PREJUDGE PREJUDGED PREJUDICE PREJUDICED PREJUDICES PREJUDICIAL PRELATE PRELIMINARIES PRELIMINARY PRELUDE PRELUDES PREMATURE PREMATURELY PREMATURITY PREMEDITATED PREMEDITATION PREMIER PREMIERS PREMISE PREMISES PREMIUM PREMIUMS PREMONITION PRENATAL PRENTICE PRENTICED PRENTICING PREOCCUPATION PREOCCUPIED PREOCCUPIES PREOCCUPY PREP PREPARATION PREPARATIONS PREPARATIVE PREPARATIVES PREPARATORY PREPARE PREPARED PREPARES PREPARING PREPEND PREPENDED PREPENDING PREPOSITION PREPOSITIONAL PREPOSITIONS PREPOSTEROUS PREPOSTEROUSLY PREPROCESSED PREPROCESSING PREPROCESSOR PREPROCESSORS PREPRODUCTION PREPROGRAMMED PREREQUISITE PREREQUISITES PREROGATIVE PREROGATIVES PRESBYTERIAN PRESBYTERIANISM PRESBYTERIANIZE PRESBYTERIANIZES PRESCOTT PRESCRIBE PRESCRIBED PRESCRIBES PRESCRIPTION PRESCRIPTIONS PRESCRIPTIVE PRESELECT PRESELECTED PRESELECTING PRESELECTS PRESENCE PRESENCES PRESENT PRESENTATION PRESENTATIONS PRESENTED PRESENTER PRESENTING PRESENTLY PRESENTNESS PRESENTS PRESERVATION PRESERVATIONS PRESERVE PRESERVED PRESERVER PRESERVERS PRESERVES PRESERVING PRESET PRESIDE PRESIDED PRESIDENCY PRESIDENT PRESIDENTIAL PRESIDENTS PRESIDES PRESIDING PRESLEY PRESS PRESSED PRESSER PRESSES PRESSING PRESSINGS PRESSURE PRESSURED PRESSURES PRESSURING PRESSURIZE PRESSURIZED PRESTIDIGITATE PRESTIGE PRESTIGIOUS PRESTON PRESUMABLY PRESUME PRESUMED PRESUMES PRESUMING PRESUMPTION PRESUMPTIONS PRESUMPTIVE PRESUMPTUOUS PRESUMPTUOUSNESS PRESUPPOSE PRESUPPOSED PRESUPPOSES PRESUPPOSING PRESUPPOSITION PRETEND PRETENDED PRETENDER PRETENDERS PRETENDING PRETENDS PRETENSE PRETENSES PRETENSION PRETENSIONS PRETENTIOUS PRETENTIOUSLY PRETENTIOUSNESS PRETEXT PRETEXTS PRETORIA PRETORIAN PRETTIER PRETTIEST PRETTILY PRETTINESS PRETTY PREVAIL PREVAILED PREVAILING PREVAILINGLY PREVAILS PREVALENCE PREVALENT PREVALENTLY PREVENT PREVENTABLE PREVENTABLY PREVENTED PREVENTING PREVENTION PREVENTIVE PREVENTIVES PREVENTS PREVIEW PREVIEWED PREVIEWING PREVIEWS PREVIOUS PREVIOUSLY PREY PREYED PREYING PREYS PRIAM PRICE PRICED PRICELESS PRICER PRICERS PRICES PRICING PRICK PRICKED PRICKING PRICKLY PRICKS PRIDE PRIDED PRIDES PRIDING PRIEST PRIESTLEY PRIGGISH PRIM PRIMA PRIMACY PRIMAL PRIMARIES PRIMARILY PRIMARY PRIMATE PRIME PRIMED PRIMENESS PRIMER PRIMERS PRIMES PRIMEVAL PRIMING PRIMITIVE PRIMITIVELY PRIMITIVENESS PRIMITIVES PRIMROSE PRINCE PRINCELY PRINCES PRINCESS PRINCESSES PRINCETON PRINCIPAL PRINCIPALITIES PRINCIPALITY PRINCIPALLY PRINCIPALS PRINCIPIA PRINCIPLE PRINCIPLED PRINCIPLES PRINT PRINTABLE PRINTABLY PRINTED PRINTER PRINTERS PRINTING PRINTOUT PRINTS PRIOR PRIORI PRIORITIES PRIORITY PRIORY PRISCILLA PRISM PRISMS PRISON PRISONER PRISONERS PRISONS PRISTINE PRITCHARD PRIVACIES PRIVACY PRIVATE PRIVATELY PRIVATES PRIVATION PRIVATIONS PRIVIES PRIVILEGE PRIVILEGED PRIVILEGES PRIVY PRIZE PRIZED PRIZER PRIZERS PRIZES PRIZEWINNING PRIZING PRO PROBABILISTIC PROBABILISTICALLY PROBABILITIES PROBABILITY PROBABLE PROBABLY PROBATE PROBATED PROBATES PROBATING PROBATION PROBATIVE PROBE PROBED PROBES PROBING PROBINGS PROBITY PROBLEM PROBLEMATIC PROBLEMATICAL PROBLEMATICALLY PROBLEMS PROCAINE PROCEDURAL PROCEDURALLY PROCEDURE PROCEDURES PROCEED PROCEEDED PROCEEDING PROCEEDINGS PROCEEDS PROCESS PROCESSED PROCESSES PROCESSING PROCESSION PROCESSOR PROCESSORS PROCLAIM PROCLAIMED PROCLAIMER PROCLAIMERS PROCLAIMING PROCLAIMS PROCLAMATION PROCLAMATIONS PROCLIVITIES PROCLIVITY PROCOTOLS PROCRASTINATE PROCRASTINATED PROCRASTINATES PROCRASTINATING PROCRASTINATION PROCREATE PROCRUSTEAN PROCRUSTEANIZE PROCRUSTEANIZES PROCRUSTES PROCTER PROCURE PROCURED PROCUREMENT PROCUREMENTS PROCURER PROCURERS PROCURES PROCURING PROCYON PROD PRODIGAL PRODIGALLY PRODIGIOUS PRODIGY PRODUCE PRODUCED PRODUCER PRODUCERS PRODUCES PRODUCIBLE PRODUCING PRODUCT PRODUCTION PRODUCTIONS PRODUCTIVE PRODUCTIVELY PRODUCTIVITY PRODUCTS PROFANE PROFANELY PROFESS PROFESSED PROFESSES PROFESSING PROFESSION PROFESSIONAL PROFESSIONALISM PROFESSIONALLY PROFESSIONALS PROFESSIONS PROFESSOR PROFESSORIAL PROFESSORS PROFFER PROFFERED PROFFERS PROFICIENCY PROFICIENT PROFICIENTLY PROFILE PROFILED PROFILES PROFILING PROFIT PROFITABILITY PROFITABLE PROFITABLY PROFITED PROFITEER PROFITEERS PROFITING PROFITS PROFITTED PROFLIGATE PROFOUND PROFOUNDEST PROFOUNDLY PROFUNDITY PROFUSE PROFUSION PROGENITOR PROGENY PROGNOSIS PROGNOSTICATE PROGRAM PROGRAMMABILITY PROGRAMMABLE PROGRAMMED PROGRAMMER PROGRAMMERS PROGRAMMING PROGRAMS PROGRESS PROGRESSED PROGRESSES PROGRESSING PROGRESSION PROGRESSIONS PROGRESSIVE PROGRESSIVELY PROHIBIT PROHIBITED PROHIBITING PROHIBITION PROHIBITIONS PROHIBITIVE PROHIBITIVELY PROHIBITORY PROHIBITS PROJECT PROJECTED PROJECTILE PROJECTING PROJECTION PROJECTIONS PROJECTIVE PROJECTIVELY PROJECTOR PROJECTORS PROJECTS PROKOFIEFF PROKOFIEV PROLATE PROLEGOMENA PROLETARIAT PROLIFERATE PROLIFERATED PROLIFERATES PROLIFERATING PROLIFERATION PROLIFIC PROLIX PROLOG PROLOGUE PROLONG PROLONGATE PROLONGED PROLONGING PROLONGS PROMENADE PROMENADES PROMETHEAN PROMETHEUS PROMINENCE PROMINENT PROMINENTLY PROMISCUOUS PROMISE PROMISED PROMISES PROMISING PROMONTORY PROMOTE PROMOTED PROMOTER PROMOTERS PROMOTES PROMOTING PROMOTION PROMOTIONAL PROMOTIONS PROMPT PROMPTED PROMPTER PROMPTEST PROMPTING PROMPTINGS PROMPTLY PROMPTNESS PROMPTS PROMULGATE PROMULGATED PROMULGATES PROMULGATING PROMULGATION PRONE PRONENESS PRONG PRONGED PRONGS PRONOUN PRONOUNCE PRONOUNCEABLE PRONOUNCED PRONOUNCEMENT PRONOUNCEMENTS PRONOUNCES PRONOUNCING PRONOUNS PRONUNCIATION PRONUNCIATIONS PROOF PROOFREAD PROOFREADER PROOFS PROP PROPAGANDA PROPAGANDIST PROPAGATE PROPAGATED PROPAGATES PROPAGATING PROPAGATION PROPAGATIONS PROPANE PROPEL PROPELLANT PROPELLED PROPELLER PROPELLERS PROPELLING PROPELS PROPENSITY PROPER PROPERLY PROPERNESS PROPERTIED PROPERTIES PROPERTY PROPHECIES PROPHECY PROPHESIED PROPHESIER PROPHESIES PROPHESY PROPHET PROPHETIC PROPHETS PROPITIOUS PROPONENT PROPONENTS PROPORTION PROPORTIONAL PROPORTIONALLY PROPORTIONATELY PROPORTIONED PROPORTIONING PROPORTIONMENT PROPORTIONS PROPOS PROPOSAL PROPOSALS PROPOSE PROPOSED PROPOSER PROPOSES PROPOSING PROPOSITION PROPOSITIONAL PROPOSITIONALLY PROPOSITIONED PROPOSITIONING PROPOSITIONS PROPOUND PROPOUNDED PROPOUNDING PROPOUNDS PROPRIETARY PROPRIETOR PROPRIETORS PROPRIETY PROPS PROPULSION PROPULSIONS PRORATE PRORATED PRORATES PROS PROSCENIUM PROSCRIBE PROSCRIPTION PROSE PROSECUTE PROSECUTED PROSECUTES PROSECUTING PROSECUTION PROSECUTIONS PROSECUTOR PROSELYTIZE PROSELYTIZED PROSELYTIZES PROSELYTIZING PROSERPINE PROSODIC PROSODICS PROSPECT PROSPECTED PROSPECTING PROSPECTION PROSPECTIONS PROSPECTIVE PROSPECTIVELY PROSPECTIVES PROSPECTOR PROSPECTORS PROSPECTS PROSPECTUS PROSPER PROSPERED PROSPERING PROSPERITY PROSPEROUS PROSPERS PROSTATE PROSTHETIC PROSTITUTE PROSTITUTION PROSTRATE PROSTRATION PROTAGONIST PROTEAN PROTECT PROTECTED PROTECTING PROTECTION PROTECTIONS PROTECTIVE PROTECTIVELY PROTECTIVENESS PROTECTOR PROTECTORATE PROTECTORS PROTECTS PROTEGE PROTEGES PROTEIN PROTEINS PROTEST PROTESTANT PROTESTANTISM PROTESTANTIZE PROTESTANTIZES PROTESTATION PROTESTATIONS PROTESTED PROTESTING PROTESTINGLY PROTESTOR PROTESTS PROTISTA PROTOCOL PROTOCOLS PROTON PROTONS PROTOPHYTA PROTOPLASM PROTOTYPE PROTOTYPED PROTOTYPES PROTOTYPICAL PROTOTYPICALLY PROTOTYPING PROTOZOA PROTOZOAN PROTRACT PROTRUDE PROTRUDED PROTRUDES PROTRUDING PROTRUSION PROTRUSIONS PROTUBERANT PROUD PROUDER PROUDEST PROUDLY PROUST PROVABILITY PROVABLE PROVABLY PROVE PROVED PROVEN PROVENANCE PROVENCE PROVER PROVERB PROVERBIAL PROVERBS PROVERS PROVES PROVIDE PROVIDED PROVIDENCE PROVIDENT PROVIDER PROVIDERS PROVIDES PROVIDING PROVINCE PROVINCES PROVINCIAL PROVING PROVISION PROVISIONAL PROVISIONALLY PROVISIONED PROVISIONING PROVISIONS PROVISO PROVOCATION PROVOKE PROVOKED PROVOKES PROVOST PROW PROWESS PROWL PROWLED PROWLER PROWLERS PROWLING PROWS PROXIMAL PROXIMATE PROXIMITY PROXMIRE PROXY PRUDENCE PRUDENT PRUDENTIAL PRUDENTLY PRUNE PRUNED PRUNER PRUNERS PRUNES PRUNING PRURIENT PRUSSIA PRUSSIAN PRUSSIANIZATION PRUSSIANIZATIONS PRUSSIANIZE PRUSSIANIZER PRUSSIANIZERS PRUSSIANIZES PRY PRYING PSALM PSALMS PSEUDO PSEUDOFILES PSEUDOINSTRUCTION PSEUDOINSTRUCTIONS PSEUDONYM PSEUDOPARALLELISM PSILOCYBIN PSYCH PSYCHE PSYCHEDELIC PSYCHES PSYCHIATRIC PSYCHIATRIST PSYCHIATRISTS PSYCHIATRY PSYCHIC PSYCHO PSYCHOANALYSIS PSYCHOANALYST PSYCHOANALYTIC PSYCHOBIOLOGY PSYCHOLOGICAL PSYCHOLOGICALLY PSYCHOLOGIST PSYCHOLOGISTS PSYCHOLOGY PSYCHOPATH PSYCHOPATHIC PSYCHOPHYSIC PSYCHOSES PSYCHOSIS PSYCHOSOCIAL PSYCHOSOMATIC PSYCHOTHERAPEUTIC PSYCHOTHERAPIST PSYCHOTHERAPY PSYCHOTIC PTOLEMAIC PTOLEMAISTS PTOLEMY PUB PUBERTY PUBLIC PUBLICATION PUBLICATIONS PUBLICITY PUBLICIZE PUBLICIZED PUBLICIZES PUBLICIZING PUBLICLY PUBLISH PUBLISHED PUBLISHER PUBLISHERS PUBLISHES PUBLISHING PUBS PUCCINI PUCKER PUCKERED PUCKERING PUCKERS PUDDING PUDDINGS PUDDLE PUDDLES PUDDLING PUERTO PUFF PUFFED PUFFIN PUFFING PUFFS PUGH PUKE PULASKI PULITZER PULL PULLED PULLER PULLEY PULLEYS PULLING PULLINGS PULLMAN PULLMANIZE PULLMANIZES PULLMANS PULLOVER PULLS PULMONARY PULP PULPING PULPIT PULPITS PULSAR PULSATE PULSATION PULSATIONS PULSE PULSED PULSES PULSING PUMA PUMICE PUMMEL PUMP PUMPED PUMPING PUMPKIN PUMPKINS PUMPS PUN PUNCH PUNCHED PUNCHER PUNCHES PUNCHING PUNCTUAL PUNCTUALLY PUNCTUATION PUNCTURE PUNCTURED PUNCTURES PUNCTURING PUNDIT PUNGENT PUNIC PUNISH PUNISHABLE PUNISHED PUNISHES PUNISHING PUNISHMENT PUNISHMENTS PUNITIVE PUNJAB PUNJABI PUNS PUNT PUNTED PUNTING PUNTS PUNY PUP PUPA PUPIL PUPILS PUPPET PUPPETEER PUPPETS PUPPIES PUPPY PUPS PURCELL PURCHASE PURCHASED PURCHASER PURCHASERS PURCHASES PURCHASING PURDUE PURE PURELY PURER PUREST PURGATORY PURGE PURGED PURGES PURGING PURIFICATION PURIFICATIONS PURIFIED PURIFIER PURIFIERS PURIFIES PURIFY PURIFYING PURINA PURIST PURITAN PURITANIC PURITANIZE PURITANIZER PURITANIZERS PURITANIZES PURITY PURPLE PURPLER PURPLEST PURPORT PURPORTED PURPORTEDLY PURPORTER PURPORTERS PURPORTING PURPORTS PURPOSE PURPOSED PURPOSEFUL PURPOSEFULLY PURPOSELY PURPOSES PURPOSIVE PURR PURRED PURRING PURRS PURSE PURSED PURSER PURSES PURSUANT PURSUE PURSUED PURSUER PURSUERS PURSUES PURSUING PURSUIT PURSUITS PURVEYOR PURVIEW PUS PUSAN PUSEY PUSH PUSHBUTTON PUSHDOWN PUSHED PUSHER PUSHERS PUSHES PUSHING PUSS PUSSY PUSSYCAT PUT PUTNAM PUTS PUTT PUTTER PUTTERING PUTTERS PUTTING PUTTY PUZZLE PUZZLED PUZZLEMENT PUZZLER PUZZLERS PUZZLES PUZZLING PUZZLINGS PYGMALION PYGMIES PYGMY PYLE PYONGYANG PYOTR PYRAMID PYRAMIDS PYRE PYREX PYRRHIC PYTHAGORAS PYTHAGOREAN PYTHAGOREANIZE PYTHAGOREANIZES PYTHAGOREANS PYTHON QATAR QUA QUACK QUACKED QUACKERY QUACKS QUAD QUADRANGLE QUADRANGULAR QUADRANT QUADRANTS QUADRATIC QUADRATICAL QUADRATICALLY QUADRATICS QUADRATURE QUADRATURES QUADRENNIAL QUADRILATERAL QUADRILLION QUADRUPLE QUADRUPLED QUADRUPLES QUADRUPLING QUADRUPOLE QUAFF QUAGMIRE QUAGMIRES QUAHOG QUAIL QUAILS QUAINT QUAINTLY QUAINTNESS QUAKE QUAKED QUAKER QUAKERESS QUAKERIZATION QUAKERIZATIONS QUAKERIZE QUAKERIZES QUAKERS QUAKES QUAKING QUALIFICATION QUALIFICATIONS QUALIFIED QUALIFIER QUALIFIERS QUALIFIES QUALIFY QUALIFYING QUALITATIVE QUALITATIVELY QUALITIES QUALITY QUALM QUANDARIES QUANDARY QUANTA QUANTICO QUANTIFIABLE QUANTIFICATION QUANTIFICATIONS QUANTIFIED QUANTIFIER QUANTIFIERS QUANTIFIES QUANTIFY QUANTIFYING QUANTILE QUANTITATIVE QUANTITATIVELY QUANTITIES QUANTITY QUANTIZATION QUANTIZE QUANTIZED QUANTIZES QUANTIZING QUANTUM QUARANTINE QUARANTINES QUARANTINING QUARK QUARREL QUARRELED QUARRELING QUARRELS QUARRELSOME QUARRIES QUARRY QUART QUARTER QUARTERBACK QUARTERED QUARTERING QUARTERLY QUARTERMASTER QUARTERS QUARTET QUARTETS QUARTILE QUARTS QUARTZ QUARTZITE QUASAR QUASH QUASHED QUASHES QUASHING QUASI QUASIMODO QUATERNARY QUAVER QUAVERED QUAVERING QUAVERS QUAY QUEASY QUEBEC QUEEN QUEENLY QUEENS QUEENSLAND QUEER QUEERER QUEEREST QUEERLY QUEERNESS QUELL QUELLING QUENCH QUENCHED QUENCHES QUENCHING QUERIED QUERIES QUERY QUERYING QUEST QUESTED QUESTER QUESTERS QUESTING QUESTION QUESTIONABLE QUESTIONABLY QUESTIONED QUESTIONER QUESTIONERS QUESTIONING QUESTIONINGLY QUESTIONINGS QUESTIONNAIRE QUESTIONNAIRES QUESTIONS QUESTS QUEUE QUEUED QUEUEING QUEUER QUEUERS QUEUES QUEUING QUEZON QUIBBLE QUICHUA QUICK QUICKEN QUICKENED QUICKENING QUICKENS QUICKER QUICKEST QUICKIE QUICKLIME QUICKLY QUICKNESS QUICKSAND QUICKSILVER QUIESCENT QUIET QUIETED QUIETER QUIETEST QUIETING QUIETLY QUIETNESS QUIETS QUIETUDE QUILL QUILT QUILTED QUILTING QUILTS QUINCE QUININE QUINN QUINT QUINTET QUINTILLION QUIP QUIRINAL QUIRK QUIRKY QUIT QUITE QUITO QUITS QUITTER QUITTERS QUITTING QUIVER QUIVERED QUIVERING QUIVERS QUIXOTE QUIXOTIC QUIXOTISM QUIZ QUIZZED QUIZZES QUIZZICAL QUIZZING QUO QUONSET QUORUM QUOTA QUOTAS QUOTATION QUOTATIONS QUOTE QUOTED QUOTES QUOTH QUOTIENT QUOTIENTS QUOTING RABAT RABBI RABBIT RABBITS RABBLE RABID RABIES RABIN RACCOON RACCOONS RACE RACED RACER RACERS RACES RACETRACK RACHEL RACHMANINOFF RACIAL RACIALLY RACINE RACING RACK RACKED RACKET RACKETEER RACKETEERING RACKETEERS RACKETS RACKING RACKS RADAR RADARS RADCLIFFE RADIAL RADIALLY RADIAN RADIANCE RADIANT RADIANTLY RADIATE RADIATED RADIATES RADIATING RADIATION RADIATIONS RADIATOR RADIATORS RADICAL RADICALLY RADICALS RADICES RADII RADIO RADIOACTIVE RADIOASTRONOMY RADIOED RADIOGRAPHY RADIOING RADIOLOGY RADIOS RADISH RADISHES RADIUM RADIUS RADIX RADON RAE RAFAEL RAFFERTY RAFT RAFTER RAFTERS RAFTS RAG RAGE RAGED RAGES RAGGED RAGGEDLY RAGGEDNESS RAGING RAGS RAGUSAN RAGWEED RAID RAIDED RAIDER RAIDERS RAIDING RAIDS RAIL RAILED RAILER RAILERS RAILING RAILROAD RAILROADED RAILROADER RAILROADERS RAILROADING RAILROADS RAILS RAILWAY RAILWAYS RAIMENT RAIN RAINBOW RAINCOAT RAINCOATS RAINDROP RAINDROPS RAINED RAINFALL RAINIER RAINIEST RAINING RAINS RAINSTORM RAINY RAISE RAISED RAISER RAISERS RAISES RAISIN RAISING RAKE RAKED RAKES RAKING RALEIGH RALLIED RALLIES RALLY RALLYING RALPH RALSTON RAM RAMADA RAMAN RAMBLE RAMBLER RAMBLES RAMBLING RAMBLINGS RAMIFICATION RAMIFICATIONS RAMIREZ RAMO RAMONA RAMP RAMPAGE RAMPANT RAMPART RAMPS RAMROD RAMS RAMSEY RAN RANCH RANCHED RANCHER RANCHERS RANCHES RANCHING RANCID RAND RANDALL RANDOLPH RANDOM RANDOMIZATION RANDOMIZE RANDOMIZED RANDOMIZES RANDOMLY RANDOMNESS RANDY RANG RANGE RANGED RANGELAND RANGER RANGERS RANGES RANGING RANGOON RANGY RANIER RANK RANKED RANKER RANKERS RANKEST RANKIN RANKINE RANKING RANKINGS RANKLE RANKLY RANKNESS RANKS RANSACK RANSACKED RANSACKING RANSACKS RANSOM RANSOMER RANSOMING RANSOMS RANT RANTED RANTER RANTERS RANTING RANTS RAOUL RAP RAPACIOUS RAPE RAPED RAPER RAPES RAPHAEL RAPID RAPIDITY RAPIDLY RAPIDS RAPIER RAPING RAPPORT RAPPROCHEMENT RAPS RAPT RAPTLY RAPTURE RAPTURES RAPTUROUS RAPUNZEL RARE RARELY RARENESS RARER RAREST RARITAN RARITY RASCAL RASCALLY RASCALS RASH RASHER RASHLY RASHNESS RASMUSSEN RASP RASPBERRY RASPED RASPING RASPS RASTER RASTUS RAT RATE RATED RATER RATERS RATES RATFOR RATHER RATIFICATION RATIFIED RATIFIES RATIFY RATIFYING RATING RATINGS RATIO RATION RATIONAL RATIONALE RATIONALES RATIONALITIES RATIONALITY RATIONALIZATION RATIONALIZATIONS RATIONALIZE RATIONALIZED RATIONALIZES RATIONALIZING RATIONALLY RATIONALS RATIONING RATIONS RATIOS RATS RATTLE RATTLED RATTLER RATTLERS RATTLES RATTLESNAKE RATTLESNAKES RATTLING RAUCOUS RAUL RAVAGE RAVAGED RAVAGER RAVAGERS RAVAGES RAVAGING RAVE RAVED RAVEN RAVENING RAVENOUS RAVENOUSLY RAVENS RAVES RAVINE RAVINES RAVING RAVINGS RAW RAWER RAWEST RAWLINGS RAWLINS RAWLINSON RAWLY RAWNESS RAWSON RAY RAYBURN RAYLEIGH RAYMOND RAYMONDVILLE RAYS RAYTHEON RAZE RAZOR RAZORS REABBREVIATE REABBREVIATED REABBREVIATES REABBREVIATING REACH REACHABILITY REACHABLE REACHABLY REACHED REACHER REACHES REACHING REACQUIRED REACT REACTED REACTING REACTION REACTIONARIES REACTIONARY REACTIONS REACTIVATE REACTIVATED REACTIVATES REACTIVATING REACTIVATION REACTIVE REACTIVELY REACTIVITY REACTOR REACTORS REACTS READ READABILITY READABLE READER READERS READIED READIER READIES READIEST READILY READINESS READING READINGS READJUSTED READOUT READOUTS READS READY READYING REAGAN REAL REALEST REALIGN REALIGNED REALIGNING REALIGNS REALISM REALIST REALISTIC REALISTICALLY REALISTS REALITIES REALITY REALIZABLE REALIZABLY REALIZATION REALIZATIONS REALIZE REALIZED REALIZES REALIZING REALLOCATE REALLY REALM REALMS REALNESS REALS REALTOR REAM REANALYZE REANALYZES REANALYZING REAP REAPED REAPER REAPING REAPPEAR REAPPEARED REAPPEARING REAPPEARS REAPPRAISAL REAPPRAISALS REAPS REAR REARED REARING REARRANGE REARRANGEABLE REARRANGED REARRANGEMENT REARRANGEMENTS REARRANGES REARRANGING REARREST REARRESTED REARS REASON REASONABLE REASONABLENESS REASONABLY REASONED REASONER REASONING REASONINGS REASONS REASSEMBLE REASSEMBLED REASSEMBLES REASSEMBLING REASSEMBLY REASSESSMENT REASSESSMENTS REASSIGN REASSIGNED REASSIGNING REASSIGNMENT REASSIGNMENTS REASSIGNS REASSURE REASSURED REASSURES REASSURING REAWAKEN REAWAKENED REAWAKENING REAWAKENS REBATE REBATES REBECCA REBEL REBELLED REBELLING REBELLION REBELLIONS REBELLIOUS REBELLIOUSLY REBELLIOUSNESS REBELS REBIND REBINDING REBINDS REBOOT REBOOTED REBOOTING REBOOTS REBOUND REBOUNDED REBOUNDING REBOUNDS REBROADCAST REBROADCASTING REBROADCASTS REBUFF REBUFFED REBUILD REBUILDING REBUILDS REBUILT REBUKE REBUKED REBUKES REBUKING REBUTTAL REBUTTED REBUTTING RECALCITRANT RECALCULATE RECALCULATED RECALCULATES RECALCULATING RECALCULATION RECALCULATIONS RECALIBRATE RECALIBRATED RECALIBRATES RECALIBRATING RECALL RECALLED RECALLING RECALLS RECANT RECAPITULATE RECAPITULATED RECAPITULATES RECAPITULATION RECAPTURE RECAPTURED RECAPTURES RECAPTURING RECAST RECASTING RECASTS RECEDE RECEDED RECEDES RECEDING RECEIPT RECEIPTS RECEIVABLE RECEIVE RECEIVED RECEIVER RECEIVERS RECEIVES RECEIVING RECENT RECENTLY RECENTNESS RECEPTACLE RECEPTACLES RECEPTION RECEPTIONIST RECEPTIONS RECEPTIVE RECEPTIVELY RECEPTIVENESS RECEPTIVITY RECEPTOR RECESS RECESSED RECESSES RECESSION RECESSIVE RECIFE RECIPE RECIPES RECIPIENT RECIPIENTS RECIPROCAL RECIPROCALLY RECIPROCATE RECIPROCATED RECIPROCATES RECIPROCATING RECIPROCATION RECIPROCITY RECIRCULATE RECIRCULATED RECIRCULATES RECIRCULATING RECITAL RECITALS RECITATION RECITATIONS RECITE RECITED RECITER RECITES RECITING RECKLESS RECKLESSLY RECKLESSNESS RECKON RECKONED RECKONER RECKONING RECKONINGS RECKONS RECLAIM RECLAIMABLE RECLAIMED RECLAIMER RECLAIMERS RECLAIMING RECLAIMS RECLAMATION RECLAMATIONS RECLASSIFICATION RECLASSIFIED RECLASSIFIES RECLASSIFY RECLASSIFYING RECLINE RECLINING RECODE RECODED RECODES RECODING RECOGNITION RECOGNITIONS RECOGNIZABILITY RECOGNIZABLE RECOGNIZABLY RECOGNIZE RECOGNIZED RECOGNIZER RECOGNIZERS RECOGNIZES RECOGNIZING RECOIL RECOILED RECOILING RECOILS RECOLLECT RECOLLECTED RECOLLECTING RECOLLECTION RECOLLECTIONS RECOMBINATION RECOMBINE RECOMBINED RECOMBINES RECOMBINING RECOMMEND RECOMMENDATION RECOMMENDATIONS RECOMMENDED RECOMMENDER RECOMMENDING RECOMMENDS RECOMPENSE RECOMPILE RECOMPILED RECOMPILES RECOMPILING RECOMPUTE RECOMPUTED RECOMPUTES RECOMPUTING RECONCILE RECONCILED RECONCILER RECONCILES RECONCILIATION RECONCILING RECONFIGURABLE RECONFIGURATION RECONFIGURATIONS RECONFIGURE RECONFIGURED RECONFIGURER RECONFIGURES RECONFIGURING RECONNECT RECONNECTED RECONNECTING RECONNECTION RECONNECTS RECONSIDER RECONSIDERATION RECONSIDERED RECONSIDERING RECONSIDERS RECONSTITUTED RECONSTRUCT RECONSTRUCTED RECONSTRUCTING RECONSTRUCTION RECONSTRUCTS RECONVERTED RECONVERTS RECORD RECORDED RECORDER RECORDERS RECORDING RECORDINGS RECORDS RECOUNT RECOUNTED RECOUNTING RECOUNTS RECOURSE RECOVER RECOVERABLE RECOVERED RECOVERIES RECOVERING RECOVERS RECOVERY RECREATE RECREATED RECREATES RECREATING RECREATION RECREATIONAL RECREATIONS RECREATIVE RECRUIT RECRUITED RECRUITER RECRUITING RECRUITS RECTA RECTANGLE RECTANGLES RECTANGULAR RECTIFY RECTOR RECTORS RECTUM RECTUMS RECUPERATE RECUR RECURRENCE RECURRENCES RECURRENT RECURRENTLY RECURRING RECURS RECURSE RECURSED RECURSES RECURSING RECURSION RECURSIONS RECURSIVE RECURSIVELY RECYCLABLE RECYCLE RECYCLED RECYCLES RECYCLING RED REDBREAST REDCOAT REDDEN REDDENED REDDER REDDEST REDDISH REDDISHNESS REDECLARE REDECLARED REDECLARES REDECLARING REDEEM REDEEMED REDEEMER REDEEMERS REDEEMING REDEEMS REDEFINE REDEFINED REDEFINES REDEFINING REDEFINITION REDEFINITIONS REDEMPTION REDESIGN REDESIGNED REDESIGNING REDESIGNS REDEVELOPMENT REDFORD REDHEAD REDHOOK REDIRECT REDIRECTED REDIRECTING REDIRECTION REDIRECTIONS REDISPLAY REDISPLAYED REDISPLAYING REDISPLAYS REDISTRIBUTE REDISTRIBUTED REDISTRIBUTES REDISTRIBUTING REDLY REDMOND REDNECK REDNESS REDO REDONE REDOUBLE REDOUBLED REDRAW REDRAWN REDRESS REDRESSED REDRESSES REDRESSING REDS REDSTONE REDUCE REDUCED REDUCER REDUCERS REDUCES REDUCIBILITY REDUCIBLE REDUCIBLY REDUCING REDUCTION REDUCTIONS REDUNDANCIES REDUNDANCY REDUNDANT REDUNDANTLY REDWOOD REED REEDS REEDUCATION REEDVILLE REEF REEFER REEFS REEL REELECT REELECTED REELECTING REELECTS REELED REELER REELING REELS REEMPHASIZE REEMPHASIZED REEMPHASIZES REEMPHASIZING REENABLED REENFORCEMENT REENTER REENTERED REENTERING REENTERS REENTRANT REESE REESTABLISH REESTABLISHED REESTABLISHES REESTABLISHING REEVALUATE REEVALUATED REEVALUATES REEVALUATING REEVALUATION REEVES REEXAMINE REEXAMINED REEXAMINES REEXAMINING REEXECUTED REFER REFEREE REFEREED REFEREEING REFEREES REFERENCE REFERENCED REFERENCER REFERENCES REFERENCING REFERENDA REFERENDUM REFERENDUMS REFERENT REFERENTIAL REFERENTIALITY REFERENTIALLY REFERENTS REFERRAL REFERRALS REFERRED REFERRING REFERS REFILL REFILLABLE REFILLED REFILLING REFILLS REFINE REFINED REFINEMENT REFINEMENTS REFINER REFINERY REFINES REFINING REFLECT REFLECTED REFLECTING REFLECTION REFLECTIONS REFLECTIVE REFLECTIVELY REFLECTIVITY REFLECTOR REFLECTORS REFLECTS REFLEX REFLEXES REFLEXIVE REFLEXIVELY REFLEXIVENESS REFLEXIVITY REFORESTATION REFORM REFORMABLE REFORMAT REFORMATION REFORMATORY REFORMATS REFORMATTED REFORMATTING REFORMED REFORMER REFORMERS REFORMING REFORMS REFORMULATE REFORMULATED REFORMULATES REFORMULATING REFORMULATION REFRACT REFRACTED REFRACTION REFRACTORY REFRAGMENT REFRAIN REFRAINED REFRAINING REFRAINS REFRESH REFRESHED REFRESHER REFRESHERS REFRESHES REFRESHING REFRESHINGLY REFRESHMENT REFRESHMENTS REFRIGERATE REFRIGERATOR REFRIGERATORS REFUEL REFUELED REFUELING REFUELS REFUGE REFUGEE REFUGEES REFUSAL REFUSE REFUSED REFUSES REFUSING REFUTABLE REFUTATION REFUTE REFUTED REFUTER REFUTES REFUTING REGAIN REGAINED REGAINING REGAINS REGAL REGALED REGALLY REGARD REGARDED REGARDING REGARDLESS REGARDS REGATTA REGENERATE REGENERATED REGENERATES REGENERATING REGENERATION REGENERATIVE REGENERATOR REGENERATORS REGENT REGENTS REGIME REGIMEN REGIMENT REGIMENTATION REGIMENTED REGIMENTS REGIMES REGINA REGINALD REGION REGIONAL REGIONALLY REGIONS REGIS REGISTER REGISTERED REGISTERING REGISTERS REGISTRAR REGISTRATION REGISTRATIONS REGISTRY REGRESS REGRESSED REGRESSES REGRESSING REGRESSION REGRESSIONS REGRESSIVE REGRET REGRETFUL REGRETFULLY REGRETS REGRETTABLE REGRETTABLY REGRETTED REGRETTING REGROUP REGROUPED REGROUPING REGULAR REGULARITIES REGULARITY REGULARLY REGULARS REGULATE REGULATED REGULATES REGULATING REGULATION REGULATIONS REGULATIVE REGULATOR REGULATORS REGULATORY REGULUS REHABILITATE REHEARSAL REHEARSALS REHEARSE REHEARSED REHEARSER REHEARSES REHEARSING REICH REICHENBERG REICHSTAG REID REIGN REIGNED REIGNING REIGNS REILLY REIMBURSABLE REIMBURSE REIMBURSED REIMBURSEMENT REIMBURSEMENTS REIN REINCARNATE REINCARNATED REINCARNATION REINDEER REINED REINFORCE REINFORCED REINFORCEMENT REINFORCEMENTS REINFORCER REINFORCES REINFORCING REINHARD REINHARDT REINHOLD REINITIALIZE REINITIALIZED REINITIALIZING REINS REINSERT REINSERTED REINSERTING REINSERTS REINSTATE REINSTATED REINSTATEMENT REINSTATES REINSTATING REINTERPRET REINTERPRETED REINTERPRETING REINTERPRETS REINTRODUCE REINTRODUCED REINTRODUCES REINTRODUCING REINVENT REINVENTED REINVENTING REINVENTS REITERATE REITERATED REITERATES REITERATING REITERATION REJECT REJECTED REJECTING REJECTION REJECTIONS REJECTOR REJECTORS REJECTS REJOICE REJOICED REJOICER REJOICES REJOICING REJOIN REJOINDER REJOINED REJOINING REJOINS RELABEL RELABELED RELABELING RELABELLED RELABELLING RELABELS RELAPSE RELATE RELATED RELATER RELATES RELATING RELATION RELATIONAL RELATIONALLY RELATIONS RELATIONSHIP RELATIONSHIPS RELATIVE RELATIVELY RELATIVENESS RELATIVES RELATIVISM RELATIVISTIC RELATIVISTICALLY RELATIVITY RELAX RELAXATION RELAXATIONS RELAXED RELAXER RELAXES RELAXING RELAY RELAYED RELAYING RELAYS RELEASE RELEASED RELEASES RELEASING RELEGATE RELEGATED RELEGATES RELEGATING RELENT RELENTED RELENTING RELENTLESS RELENTLESSLY RELENTLESSNESS RELENTS RELEVANCE RELEVANCES RELEVANT RELEVANTLY RELIABILITY RELIABLE RELIABLY RELIANCE RELIANT RELIC RELICS RELIED RELIEF RELIES RELIEVE RELIEVED RELIEVER RELIEVERS RELIEVES RELIEVING RELIGION RELIGIONS RELIGIOUS RELIGIOUSLY RELIGIOUSNESS RELINK RELINQUISH RELINQUISHED RELINQUISHES RELINQUISHING RELISH RELISHED RELISHES RELISHING RELIVE RELIVES RELIVING RELOAD RELOADED RELOADER RELOADING RELOADS RELOCATABLE RELOCATE RELOCATED RELOCATES RELOCATING RELOCATION RELOCATIONS RELUCTANCE RELUCTANT RELUCTANTLY RELY RELYING REMAIN REMAINDER REMAINDERS REMAINED REMAINING REMAINS REMARK REMARKABLE REMARKABLENESS REMARKABLY REMARKED REMARKING REMARKS REMBRANDT REMEDIAL REMEDIED REMEDIES REMEDY REMEDYING REMEMBER REMEMBERED REMEMBERING REMEMBERS REMEMBRANCE REMEMBRANCES REMIND REMINDED REMINDER REMINDERS REMINDING REMINDS REMINGTON REMINISCENCE REMINISCENCES REMINISCENT REMINISCENTLY REMISS REMISSION REMIT REMITTANCE REMNANT REMNANTS REMODEL REMODELED REMODELING REMODELS REMONSTRATE REMONSTRATED REMONSTRATES REMONSTRATING REMONSTRATION REMONSTRATIVE REMORSE REMORSEFUL REMOTE REMOTELY REMOTENESS REMOTEST REMOVABLE REMOVAL REMOVALS REMOVE REMOVED REMOVER REMOVES REMOVING REMUNERATE REMUNERATION REMUS REMY RENA RENAISSANCE RENAL RENAME RENAMED RENAMES RENAMING RENAULT RENAULTS REND RENDER RENDERED RENDERING RENDERINGS RENDERS RENDEZVOUS RENDING RENDITION RENDITIONS RENDS RENE RENEE RENEGADE RENEGOTIABLE RENEW RENEWABLE RENEWAL RENEWED RENEWER RENEWING RENEWS RENO RENOIR RENOUNCE RENOUNCES RENOUNCING RENOVATE RENOVATED RENOVATION RENOWN RENOWNED RENSSELAER RENT RENTAL RENTALS RENTED RENTING RENTS RENUMBER RENUMBERING RENUMBERS RENUNCIATE RENUNCIATION RENVILLE REOCCUR REOPEN REOPENED REOPENING REOPENS REORDER REORDERED REORDERING REORDERS REORGANIZATION REORGANIZATIONS REORGANIZE REORGANIZED REORGANIZES REORGANIZING REPACKAGE REPAID REPAIR REPAIRED REPAIRER REPAIRING REPAIRMAN REPAIRMEN REPAIRS REPARATION REPARATIONS REPARTEE REPARTITION REPAST REPASTS REPAY REPAYING REPAYS REPEAL REPEALED REPEALER REPEALING REPEALS REPEAT REPEATABLE REPEATED REPEATEDLY REPEATER REPEATERS REPEATING REPEATS REPEL REPELLED REPELLENT REPELS REPENT REPENTANCE REPENTED REPENTING REPENTS REPERCUSSION REPERCUSSIONS REPERTOIRE REPERTORY REPETITION REPETITIONS REPETITIOUS REPETITIVE REPETITIVELY REPETITIVENESS REPHRASE REPHRASED REPHRASES REPHRASING REPINE REPLACE REPLACEABLE REPLACED REPLACEMENT REPLACEMENTS REPLACER REPLACES REPLACING REPLAY REPLAYED REPLAYING REPLAYS REPLENISH REPLENISHED REPLENISHES REPLENISHING REPLETE REPLETENESS REPLETION REPLICA REPLICAS REPLICATE REPLICATED REPLICATES REPLICATING REPLICATION REPLICATIONS REPLIED REPLIES REPLY REPLYING REPORT REPORTED REPORTEDLY REPORTER REPORTERS REPORTING REPORTS REPOSE REPOSED REPOSES REPOSING REPOSITION REPOSITIONED REPOSITIONING REPOSITIONS REPOSITORIES REPOSITORY REPREHENSIBLE REPRESENT REPRESENTABLE REPRESENTABLY REPRESENTATION REPRESENTATIONAL REPRESENTATIONALLY REPRESENTATIONS REPRESENTATIVE REPRESENTATIVELY REPRESENTATIVENESS REPRESENTATIVES REPRESENTED REPRESENTING REPRESENTS REPRESS REPRESSED REPRESSES REPRESSING REPRESSION REPRESSIONS REPRESSIVE REPRIEVE REPRIEVED REPRIEVES REPRIEVING REPRIMAND REPRINT REPRINTED REPRINTING REPRINTS REPRISAL REPRISALS REPROACH REPROACHED REPROACHES REPROACHING REPROBATE REPRODUCE REPRODUCED REPRODUCER REPRODUCERS REPRODUCES REPRODUCIBILITIES REPRODUCIBILITY REPRODUCIBLE REPRODUCIBLY REPRODUCING REPRODUCTION REPRODUCTIONS REPROGRAM REPROGRAMMED REPROGRAMMING REPROGRAMS REPROOF REPROVE REPROVER REPTILE REPTILES REPTILIAN REPUBLIC REPUBLICAN REPUBLICANS REPUBLICS REPUDIATE REPUDIATED REPUDIATES REPUDIATING REPUDIATION REPUDIATIONS REPUGNANT REPULSE REPULSED REPULSES REPULSING REPULSION REPULSIONS REPULSIVE REPUTABLE REPUTABLY REPUTATION REPUTATIONS REPUTE REPUTED REPUTEDLY REPUTES REQUEST REQUESTED REQUESTER REQUESTERS REQUESTING REQUESTS REQUIRE REQUIRED REQUIREMENT REQUIREMENTS REQUIRES REQUIRING REQUISITE REQUISITES REQUISITION REQUISITIONED REQUISITIONING REQUISITIONS REREAD REREGISTER REROUTE REROUTED REROUTES REROUTING RERUN RERUNS RESCHEDULE RESCIND RESCUE RESCUED RESCUER RESCUERS RESCUES RESCUING RESEARCH RESEARCHED RESEARCHER RESEARCHERS RESEARCHES RESEARCHING RESELECT RESELECTED RESELECTING RESELECTS RESELL RESELLING RESEMBLANCE RESEMBLANCES RESEMBLE RESEMBLED RESEMBLES RESEMBLING RESENT RESENTED RESENTFUL RESENTFULLY RESENTING RESENTMENT RESENTS RESERPINE RESERVATION RESERVATIONS RESERVE RESERVED RESERVER RESERVES RESERVING RESERVOIR RESERVOIRS RESET RESETS RESETTING RESETTINGS RESIDE RESIDED RESIDENCE RESIDENCES RESIDENT RESIDENTIAL RESIDENTIALLY RESIDENTS RESIDES RESIDING RESIDUAL RESIDUE RESIDUES RESIGN RESIGNATION RESIGNATIONS RESIGNED RESIGNING RESIGNS RESILIENT RESIN RESINS RESIST RESISTABLE RESISTANCE RESISTANCES RESISTANT RESISTANTLY RESISTED RESISTIBLE RESISTING RESISTIVE RESISTIVITY RESISTOR RESISTORS RESISTS RESOLUTE RESOLUTELY RESOLUTENESS RESOLUTION RESOLUTIONS RESOLVABLE RESOLVE RESOLVED RESOLVER RESOLVERS RESOLVES RESOLVING RESONANCE RESONANCES RESONANT RESONATE RESORT RESORTED RESORTING RESORTS RESOUND RESOUNDING RESOUNDS RESOURCE RESOURCEFUL RESOURCEFULLY RESOURCEFULNESS RESOURCES RESPECT RESPECTABILITY RESPECTABLE RESPECTABLY RESPECTED RESPECTER RESPECTFUL RESPECTFULLY RESPECTFULNESS RESPECTING RESPECTIVE RESPECTIVELY RESPECTS RESPIRATION RESPIRATOR RESPIRATORY RESPITE RESPLENDENT RESPLENDENTLY RESPOND RESPONDED RESPONDENT RESPONDENTS RESPONDER RESPONDING RESPONDS RESPONSE RESPONSES RESPONSIBILITIES RESPONSIBILITY RESPONSIBLE RESPONSIBLENESS RESPONSIBLY RESPONSIVE RESPONSIVELY RESPONSIVENESS REST RESTART RESTARTED RESTARTING RESTARTS RESTATE RESTATED RESTATEMENT RESTATES RESTATING RESTAURANT RESTAURANTS RESTAURATEUR RESTED RESTFUL RESTFULLY RESTFULNESS RESTING RESTITUTION RESTIVE RESTLESS RESTLESSLY RESTLESSNESS RESTORATION RESTORATIONS RESTORE RESTORED RESTORER RESTORERS RESTORES RESTORING RESTRAIN RESTRAINED RESTRAINER RESTRAINERS RESTRAINING RESTRAINS RESTRAINT RESTRAINTS RESTRICT RESTRICTED RESTRICTING RESTRICTION RESTRICTIONS RESTRICTIVE RESTRICTIVELY RESTRICTS RESTROOM RESTRUCTURE RESTRUCTURED RESTRUCTURES RESTRUCTURING RESTS RESULT RESULTANT RESULTANTLY RESULTANTS RESULTED RESULTING RESULTS RESUMABLE RESUME RESUMED RESUMES RESUMING RESUMPTION RESUMPTIONS RESURGENT RESURRECT RESURRECTED RESURRECTING RESURRECTION RESURRECTIONS RESURRECTOR RESURRECTORS RESURRECTS RESUSCITATE RESYNCHRONIZATION RESYNCHRONIZE RESYNCHRONIZED RESYNCHRONIZING RETAIL RETAILER RETAILERS RETAILING RETAIN RETAINED RETAINER RETAINERS RETAINING RETAINMENT RETAINS RETALIATE RETALIATION RETALIATORY RETARD RETARDED RETARDER RETARDING RETCH RETENTION RETENTIONS RETENTIVE RETENTIVELY RETENTIVENESS RETICLE RETICLES RETICULAR RETICULATE RETICULATED RETICULATELY RETICULATES RETICULATING RETICULATION RETINA RETINAL RETINAS RETINUE RETIRE RETIRED RETIREE RETIREMENT RETIREMENTS RETIRES RETIRING RETORT RETORTED RETORTS RETRACE RETRACED RETRACES RETRACING RETRACT RETRACTED RETRACTING RETRACTION RETRACTIONS RETRACTS RETRAIN RETRAINED RETRAINING RETRAINS RETRANSLATE RETRANSLATED RETRANSMISSION RETRANSMISSIONS RETRANSMIT RETRANSMITS RETRANSMITTED RETRANSMITTING RETREAT RETREATED RETREATING RETREATS RETRIBUTION RETRIED RETRIER RETRIERS RETRIES RETRIEVABLE RETRIEVAL RETRIEVALS RETRIEVE RETRIEVED RETRIEVER RETRIEVERS RETRIEVES RETRIEVING RETROACTIVE RETROACTIVELY RETROFIT RETROFITTING RETROGRADE RETROSPECT RETROSPECTION RETROSPECTIVE RETRY RETRYING RETURN RETURNABLE RETURNED RETURNER RETURNING RETURNS RETYPE RETYPED RETYPES RETYPING REUB REUBEN REUNION REUNIONS REUNITE REUNITED REUNITING REUSABLE REUSE REUSED REUSES REUSING REUTERS REUTHER REVAMP REVAMPED REVAMPING REVAMPS REVEAL REVEALED REVEALING REVEALS REVEL REVELATION REVELATIONS REVELED REVELER REVELING REVELRY REVELS REVENGE REVENGER REVENUE REVENUERS REVENUES REVERBERATE REVERE REVERED REVERENCE REVEREND REVERENDS REVERENT REVERENTLY REVERES REVERIE REVERIFIED REVERIFIES REVERIFY REVERIFYING REVERING REVERSAL REVERSALS REVERSE REVERSED REVERSELY REVERSER REVERSES REVERSIBLE REVERSING REVERSION REVERT REVERTED REVERTING REVERTS REVIEW REVIEWED REVIEWER REVIEWERS REVIEWING REVIEWS REVILE REVILED REVILER REVILING REVISE REVISED REVISER REVISES REVISING REVISION REVISIONARY REVISIONS REVISIT REVISITED REVISITING REVISITS REVIVAL REVIVALS REVIVE REVIVED REVIVER REVIVES REVIVING REVOCABLE REVOCATION REVOKE REVOKED REVOKER REVOKES REVOKING REVOLT REVOLTED REVOLTER REVOLTING REVOLTINGLY REVOLTS REVOLUTION REVOLUTIONARIES REVOLUTIONARY REVOLUTIONIZE REVOLUTIONIZED REVOLUTIONIZER REVOLUTIONS REVOLVE REVOLVED REVOLVER REVOLVERS REVOLVES REVOLVING REVULSION REWARD REWARDED REWARDING REWARDINGLY REWARDS REWIND REWINDING REWINDS REWIRE REWORK REWORKED REWORKING REWORKS REWOUND REWRITE REWRITES REWRITING REWRITTEN REX REYKJAVIK REYNOLDS RHAPSODY RHEA RHEIMS RHEINHOLDT RHENISH RHESUS RHETORIC RHEUMATIC RHEUMATISM RHINE RHINESTONE RHINO RHINOCEROS RHO RHODA RHODE RHODES RHODESIA RHODODENDRON RHOMBIC RHOMBUS RHUBARB RHYME RHYMED RHYMES RHYMING RHYTHM RHYTHMIC RHYTHMICALLY RHYTHMS RIB RIBALD RIBBED RIBBING RIBBON RIBBONS RIBOFLAVIN RIBONUCLEIC RIBS RICA RICAN RICANISM RICANS RICE RICH RICHARD RICHARDS RICHARDSON RICHER RICHES RICHEST RICHEY RICHFIELD RICHLAND RICHLY RICHMOND RICHNESS RICHTER RICK RICKENBAUGH RICKETS RICKETTSIA RICKETY RICKSHAW RICKSHAWS RICO RICOCHET RID RIDDANCE RIDDEN RIDDING RIDDLE RIDDLED RIDDLES RIDDLING RIDE RIDER RIDERS RIDES RIDGE RIDGEFIELD RIDGEPOLE RIDGES RIDGWAY RIDICULE RIDICULED RIDICULES RIDICULING RIDICULOUS RIDICULOUSLY RIDICULOUSNESS RIDING RIDS RIEMANN RIEMANNIAN RIFLE RIFLED RIFLEMAN RIFLER RIFLES RIFLING RIFT RIG RIGA RIGEL RIGGING RIGGS RIGHT RIGHTED RIGHTEOUS RIGHTEOUSLY RIGHTEOUSNESS RIGHTER RIGHTFUL RIGHTFULLY RIGHTFULNESS RIGHTING RIGHTLY RIGHTMOST RIGHTNESS RIGHTS RIGHTWARD RIGID RIGIDITY RIGIDLY RIGOR RIGOROUS RIGOROUSLY RIGORS RIGS RILEY RILKE RILL RIM RIME RIMS RIND RINDS RINEHART RING RINGED RINGER RINGERS RINGING RINGINGLY RINGINGS RINGS RINGSIDE RINK RINSE RINSED RINSER RINSES RINSING RIO RIORDAN RIOT RIOTED RIOTER RIOTERS RIOTING RIOTOUS RIOTS RIP RIPE RIPELY RIPEN RIPENESS RIPLEY RIPOFF RIPPED RIPPING RIPPLE RIPPLED RIPPLES RIPPLING RIPS RISC RISE RISEN RISER RISERS RISES RISING RISINGS RISK RISKED RISKING RISKS RISKY RITCHIE RITE RITES RITTER RITUAL RITUALLY RITUALS RITZ RIVAL RIVALED RIVALLED RIVALLING RIVALRIES RIVALRY RIVALS RIVER RIVERBANK RIVERFRONT RIVERS RIVERSIDE RIVERVIEW RIVET RIVETER RIVETS RIVIERA RIVULET RIVULETS RIYADH ROACH ROAD ROADBED ROADBLOCK ROADS ROADSIDE ROADSTER ROADSTERS ROADWAY ROADWAYS ROAM ROAMED ROAMING ROAMS ROAR ROARED ROARER ROARING ROARS ROAST ROASTED ROASTER ROASTING ROASTS ROB ROBBED ROBBER ROBBERIES ROBBERS ROBBERY ROBBIE ROBBIN ROBBING ROBBINS ROBE ROBED ROBERT ROBERTA ROBERTO ROBERTS ROBERTSON ROBERTSONS ROBES ROBIN ROBING ROBINS ROBINSON ROBINSONVILLE ROBOT ROBOTIC ROBOTICS ROBOTS ROBS ROBUST ROBUSTLY ROBUSTNESS ROCCO ROCHESTER ROCHFORD ROCK ROCKABYE ROCKAWAY ROCKAWAYS ROCKED ROCKEFELLER ROCKER ROCKERS ROCKET ROCKETED ROCKETING ROCKETS ROCKFORD ROCKIES ROCKING ROCKLAND ROCKS ROCKVILLE ROCKWELL ROCKY ROD RODE RODENT RODENTS RODEO RODGERS RODNEY RODRIGUEZ RODS ROE ROENTGEN ROGER ROGERS ROGUE ROGUES ROLAND ROLE ROLES ROLL ROLLBACK ROLLED ROLLER ROLLERS ROLLIE ROLLING ROLLINS ROLLS ROMAN ROMANCE ROMANCER ROMANCERS ROMANCES ROMANCING ROMANESQUE ROMANIA ROMANIZATIONS ROMANIZER ROMANIZERS ROMANIZES ROMANO ROMANS ROMANTIC ROMANTICS ROME ROMELDALE ROMEO ROMP ROMPED ROMPER ROMPING ROMPS ROMULUS RON RONALD RONNIE ROOF ROOFED ROOFER ROOFING ROOFS ROOFTOP ROOK ROOKIE ROOM ROOMED ROOMER ROOMERS ROOMFUL ROOMING ROOMMATE ROOMS ROOMY ROONEY ROOSEVELT ROOSEVELTIAN ROOST ROOSTER ROOSTERS ROOT ROOTED ROOTER ROOTING ROOTS ROPE ROPED ROPER ROPERS ROPES ROPING ROQUEMORE RORSCHACH ROSA ROSABELLE ROSALIE ROSARY ROSE ROSEBUD ROSEBUDS ROSEBUSH ROSELAND ROSELLA ROSEMARY ROSEN ROSENBERG ROSENBLUM ROSENTHAL ROSENZWEIG ROSES ROSETTA ROSETTE ROSIE ROSINESS ROSS ROSSI ROSTER ROSTRUM ROSWELL ROSY ROT ROTARIAN ROTARIANS ROTARY ROTATE ROTATED ROTATES ROTATING ROTATION ROTATIONAL ROTATIONS ROTATOR ROTH ROTHSCHILD ROTOR ROTS ROTTEN ROTTENNESS ROTTERDAM ROTTING ROTUND ROTUNDA ROUGE ROUGH ROUGHED ROUGHEN ROUGHER ROUGHEST ROUGHLY ROUGHNECK ROUGHNESS ROULETTE ROUND ROUNDABOUT ROUNDED ROUNDEDNESS ROUNDER ROUNDEST ROUNDHEAD ROUNDHOUSE ROUNDING ROUNDLY ROUNDNESS ROUNDOFF ROUNDS ROUNDTABLE ROUNDUP ROUNDWORM ROURKE ROUSE ROUSED ROUSES ROUSING ROUSSEAU ROUSTABOUT ROUT ROUTE ROUTED ROUTER ROUTERS ROUTES ROUTINE ROUTINELY ROUTINES ROUTING ROUTINGS ROVE ROVED ROVER ROVES ROVING ROW ROWBOAT ROWDY ROWE ROWED ROWENA ROWER ROWING ROWLAND ROWLEY ROWS ROXBURY ROXY ROY ROYAL ROYALIST ROYALISTS ROYALLY ROYALTIES ROYALTY ROYCE ROZELLE RUANDA RUB RUBAIYAT RUBBED RUBBER RUBBERS RUBBERY RUBBING RUBBISH RUBBLE RUBDOWN RUBE RUBEN RUBENS RUBIES RUBIN RUBLE RUBLES RUBOUT RUBS RUBY RUDDER RUDDERS RUDDINESS RUDDY RUDE RUDELY RUDENESS RUDIMENT RUDIMENTARY RUDIMENTS RUDOLF RUDOLPH RUDY RUDYARD RUE RUEFULLY RUFFIAN RUFFIANLY RUFFIANS RUFFLE RUFFLED RUFFLES RUFUS RUG RUGGED RUGGEDLY RUGGEDNESS RUGS RUIN RUINATION RUINATIONS RUINED RUINING RUINOUS RUINOUSLY RUINS RULE RULED RULER RULERS RULES RULING RULINGS RUM RUMANIA RUMANIAN RUMANIANS RUMBLE RUMBLED RUMBLER RUMBLES RUMBLING RUMEN RUMFORD RUMMAGE RUMMEL RUMMY RUMOR RUMORED RUMORS RUMP RUMPLE RUMPLED RUMPLY RUMPUS RUN RUNAWAY RUNDOWN RUNG RUNGE RUNGS RUNNABLE RUNNER RUNNERS RUNNING RUNNYMEDE RUNOFF RUNS RUNT RUNTIME RUNYON RUPEE RUPPERT RUPTURE RUPTURED RUPTURES RUPTURING RURAL RURALLY RUSH RUSHED RUSHER RUSHES RUSHING RUSHMORE RUSS RUSSELL RUSSET RUSSIA RUSSIAN RUSSIANIZATIONS RUSSIANIZES RUSSIANS RUSSO RUST RUSTED RUSTIC RUSTICATE RUSTICATED RUSTICATES RUSTICATING RUSTICATION RUSTING RUSTLE RUSTLED RUSTLER RUSTLERS RUSTLING RUSTS RUSTY RUT RUTGERS RUTH RUTHERFORD RUTHLESS RUTHLESSLY RUTHLESSNESS RUTLAND RUTLEDGE RUTS RWANDA RYAN RYDBERG RYDER RYE SABBATH SABBATHIZE SABBATHIZES SABBATICAL SABER SABERS SABINA SABINE SABLE SABLES SABOTAGE SACHS SACK SACKER SACKING SACKS SACRAMENT SACRAMENTO SACRED SACREDLY SACREDNESS SACRIFICE SACRIFICED SACRIFICER SACRIFICERS SACRIFICES SACRIFICIAL SACRIFICIALLY SACRIFICING SACRILEGE SACRILEGIOUS SACROSANCT SAD SADDEN SADDENED SADDENS SADDER SADDEST SADDLE SADDLEBAG SADDLED SADDLES SADIE SADISM SADIST SADISTIC SADISTICALLY SADISTS SADLER SADLY SADNESS SAFARI SAFE SAFEGUARD SAFEGUARDED SAFEGUARDING SAFEGUARDS SAFEKEEPING SAFELY SAFENESS SAFER SAFES SAFEST SAFETIES SAFETY SAFFRON SAG SAGA SAGACIOUS SAGACITY SAGE SAGEBRUSH SAGELY SAGES SAGGING SAGINAW SAGITTAL SAGITTARIUS SAGS SAGUARO SAHARA SAID SAIGON SAIL SAILBOAT SAILED SAILFISH SAILING SAILOR SAILORLY SAILORS SAILS SAINT SAINTED SAINTHOOD SAINTLY SAINTS SAKE SAKES SAL SALAAM SALABLE SALAD SALADS SALAMANDER SALAMI SALARIED SALARIES SALARY SALE SALEM SALERNO SALES SALESGIRL SALESIAN SALESLADY SALESMAN SALESMEN SALESPERSON SALIENT SALINA SALINE SALISBURY SALISH SALIVA SALIVARY SALIVATE SALK SALLE SALLIES SALLOW SALLY SALLYING SALMON SALON SALONS SALOON SALOONS SALT SALTED SALTER SALTERS SALTIER SALTIEST SALTINESS SALTING SALTON SALTS SALTY SALUTARY SALUTATION SALUTATIONS SALUTE SALUTED SALUTES SALUTING SALVADOR SALVADORAN SALVAGE SALVAGED SALVAGER SALVAGES SALVAGING SALVATION SALVATORE SALVE SALVER SALVES SALZ SAM SAMARITAN SAME SAMENESS SAMMY SAMOA SAMOAN SAMPLE SAMPLED SAMPLER SAMPLERS SAMPLES SAMPLING SAMPLINGS SAMPSON SAMSON SAMUEL SAMUELS SAMUELSON SAN SANA SANATORIA SANATORIUM SANBORN SANCHEZ SANCHO SANCTIFICATION SANCTIFIED SANCTIFY SANCTIMONIOUS SANCTION SANCTIONED SANCTIONING SANCTIONS SANCTITY SANCTUARIES SANCTUARY SANCTUM SAND SANDAL SANDALS SANDBAG SANDBURG SANDED SANDER SANDERLING SANDERS SANDERSON SANDIA SANDING SANDMAN SANDPAPER SANDRA SANDS SANDSTONE SANDUSKY SANDWICH SANDWICHES SANDY SANE SANELY SANER SANEST SANFORD SANG SANGUINE SANHEDRIN SANITARIUM SANITARY SANITATION SANITY SANK SANSKRIT SANSKRITIC SANSKRITIZE SANTA SANTAYANA SANTIAGO SANTO SAO SAP SAPIENS SAPLING SAPLINGS SAPPHIRE SAPPHO SAPS SAPSUCKER SARA SARACEN SARACENS SARAH SARAN SARASOTA SARATOGA SARCASM SARCASMS SARCASTIC SARDINE SARDINIA SARDONIC SARGENT SARI SARTRE SASH SASKATCHEWAN SASKATOON SAT SATAN SATANIC SATANISM SATANIST SATCHEL SATCHELS SATE SATED SATELLITE SATELLITES SATES SATIN SATING SATIRE SATIRES SATIRIC SATISFACTION SATISFACTIONS SATISFACTORILY SATISFACTORY SATISFIABILITY SATISFIABLE SATISFIED SATISFIES SATISFY SATISFYING SATURATE SATURATED SATURATES SATURATING SATURATION SATURDAY SATURDAYS SATURN SATURNALIA SATURNISM SATYR SAUCE SAUCEPAN SAUCEPANS SAUCER SAUCERS SAUCES SAUCY SAUD SAUDI SAUKVILLE SAUL SAULT SAUNDERS SAUNTER SAUSAGE SAUSAGES SAVAGE SAVAGED SAVAGELY SAVAGENESS SAVAGER SAVAGERS SAVAGES SAVAGING SAVANNAH SAVE SAVED SAVER SAVERS SAVES SAVING SAVINGS SAVIOR SAVIORS SAVIOUR SAVONAROLA SAVOR SAVORED SAVORING SAVORS SAVORY SAVOY SAVOYARD SAVOYARDS SAW SAWDUST SAWED SAWFISH SAWING SAWMILL SAWMILLS SAWS SAWTOOTH SAX SAXON SAXONIZATION SAXONIZATIONS SAXONIZE SAXONIZES SAXONS SAXONY SAXOPHONE SAXTON SAY SAYER SAYERS SAYING SAYINGS SAYS SCAB SCABBARD SCABBARDS SCABROUS SCAFFOLD SCAFFOLDING SCAFFOLDINGS SCAFFOLDS SCALA SCALABLE SCALAR SCALARS SCALD SCALDED SCALDING SCALE SCALED SCALES SCALING SCALINGS SCALLOP SCALLOPED SCALLOPS SCALP SCALPS SCALY SCAMPER SCAMPERING SCAMPERS SCAN SCANDAL SCANDALOUS SCANDALS SCANDINAVIA SCANDINAVIAN SCANDINAVIANS SCANNED SCANNER SCANNERS SCANNING SCANS SCANT SCANTIER SCANTIEST SCANTILY SCANTINESS SCANTLY SCANTY SCAPEGOAT SCAR SCARBOROUGH SCARCE SCARCELY SCARCENESS SCARCER SCARCITY SCARE SCARECROW SCARED SCARES SCARF SCARING SCARLATTI SCARLET SCARS SCARSDALE SCARVES SCARY SCATTER SCATTERBRAIN SCATTERED SCATTERING SCATTERS SCENARIO SCENARIOS SCENE SCENERY SCENES SCENIC SCENT SCENTED SCENTS SCEPTER SCEPTERS SCHAEFER SCHAEFFER SCHAFER SCHAFFNER SCHANTZ SCHAPIRO SCHEDULABLE SCHEDULE SCHEDULED SCHEDULER SCHEDULERS SCHEDULES SCHEDULING SCHEHERAZADE SCHELLING SCHEMA SCHEMAS SCHEMATA SCHEMATIC SCHEMATICALLY SCHEMATICS SCHEME SCHEMED SCHEMER SCHEMERS SCHEMES SCHEMING SCHILLER SCHISM SCHIZOPHRENIA SCHLESINGER SCHLITZ SCHLOSS SCHMIDT SCHMITT SCHNABEL SCHNEIDER SCHOENBERG SCHOFIELD SCHOLAR SCHOLARLY SCHOLARS SCHOLARSHIP SCHOLARSHIPS SCHOLASTIC SCHOLASTICALLY SCHOLASTICS SCHOOL SCHOOLBOY SCHOOLBOYS SCHOOLED SCHOOLER SCHOOLERS SCHOOLHOUSE SCHOOLHOUSES SCHOOLING SCHOOLMASTER SCHOOLMASTERS SCHOOLROOM SCHOOLROOMS SCHOOLS SCHOONER SCHOPENHAUER SCHOTTKY SCHROEDER SCHROEDINGER SCHUBERT SCHULTZ SCHULZ SCHUMACHER SCHUMAN SCHUMANN SCHUSTER SCHUYLER SCHUYLKILL SCHWAB SCHWARTZ SCHWEITZER SCIENCE SCIENCES SCIENTIFIC SCIENTIFICALLY SCIENTIST SCIENTISTS SCISSOR SCISSORED SCISSORING SCISSORS SCLEROSIS SCLEROTIC SCOFF SCOFFED SCOFFER SCOFFING SCOFFS SCOLD SCOLDED SCOLDING SCOLDS SCOOP SCOOPED SCOOPING SCOOPS SCOOT SCOPE SCOPED SCOPES SCOPING SCORCH SCORCHED SCORCHER SCORCHES SCORCHING SCORE SCOREBOARD SCORECARD SCORED SCORER SCORERS SCORES SCORING SCORINGS SCORN SCORNED SCORNER SCORNFUL SCORNFULLY SCORNING SCORNS SCORPIO SCORPION SCORPIONS SCOT SCOTCH SCOTCHGARD SCOTCHMAN SCOTIA SCOTIAN SCOTLAND SCOTS SCOTSMAN SCOTSMEN SCOTT SCOTTISH SCOTTSDALE SCOTTY SCOUNDREL SCOUNDRELS SCOUR SCOURED SCOURGE SCOURING SCOURS SCOUT SCOUTED SCOUTING SCOUTS SCOW SCOWL SCOWLED SCOWLING SCOWLS SCRAM SCRAMBLE SCRAMBLED SCRAMBLER SCRAMBLES SCRAMBLING SCRANTON SCRAP SCRAPE SCRAPED SCRAPER SCRAPERS SCRAPES SCRAPING SCRAPINGS SCRAPPED SCRAPS SCRATCH SCRATCHED SCRATCHER SCRATCHERS SCRATCHES SCRATCHING SCRATCHY SCRAWL SCRAWLED SCRAWLING SCRAWLS SCRAWNY SCREAM SCREAMED SCREAMER SCREAMERS SCREAMING SCREAMS SCREECH SCREECHED SCREECHES SCREECHING SCREEN SCREENED SCREENING SCREENINGS SCREENPLAY SCREENS SCREW SCREWBALL SCREWDRIVER SCREWED SCREWING SCREWS SCRIBBLE SCRIBBLED SCRIBBLER SCRIBBLES SCRIBE SCRIBES SCRIBING SCRIBNERS SCRIMMAGE SCRIPPS SCRIPT SCRIPTS SCRIPTURE SCRIPTURES SCROLL SCROLLED SCROLLING SCROLLS SCROOGE SCROUNGE SCRUB SCRUMPTIOUS SCRUPLE SCRUPULOUS SCRUPULOUSLY SCRUTINIZE SCRUTINIZED SCRUTINIZING SCRUTINY SCUBA SCUD SCUFFLE SCUFFLED SCUFFLES SCUFFLING SCULPT SCULPTED SCULPTOR SCULPTORS SCULPTS SCULPTURE SCULPTURED SCULPTURES SCURRIED SCURRY SCURVY SCUTTLE SCUTTLED SCUTTLES SCUTTLING SCYLLA SCYTHE SCYTHES SCYTHIA SEA SEABOARD SEABORG SEABROOK SEACOAST SEACOASTS SEAFOOD SEAGATE SEAGRAM SEAGULL SEAHORSE SEAL SEALED SEALER SEALING SEALS SEALY SEAM SEAMAN SEAMED SEAMEN SEAMING SEAMS SEAMY SEAN SEAPORT SEAPORTS SEAQUARIUM SEAR SEARCH SEARCHED SEARCHER SEARCHERS SEARCHES SEARCHING SEARCHINGLY SEARCHINGS SEARCHLIGHT SEARED SEARING SEARINGLY SEARS SEAS SEASHORE SEASHORES SEASIDE SEASON SEASONABLE SEASONABLY SEASONAL SEASONALLY SEASONED SEASONER SEASONERS SEASONING SEASONINGS SEASONS SEAT SEATED SEATING SEATS SEATTLE SEAWARD SEAWEED SEBASTIAN SECANT SECEDE SECEDED SECEDES SECEDING SECESSION SECLUDE SECLUDED SECLUSION SECOND SECONDARIES SECONDARILY SECONDARY SECONDED SECONDER SECONDERS SECONDHAND SECONDING SECONDLY SECONDS SECRECY SECRET SECRETARIAL SECRETARIAT SECRETARIES SECRETARY SECRETE SECRETED SECRETES SECRETING SECRETION SECRETIONS SECRETIVE SECRETIVELY SECRETLY SECRETS SECT SECTARIAN SECTION SECTIONAL SECTIONED SECTIONING SECTIONS SECTOR SECTORS SECTS SECULAR SECURE SECURED SECURELY SECURES SECURING SECURINGS SECURITIES SECURITY SEDAN SEDATE SEDGE SEDGWICK SEDIMENT SEDIMENTARY SEDIMENTS SEDITION SEDITIOUS SEDUCE SEDUCED SEDUCER SEDUCERS SEDUCES SEDUCING SEDUCTION SEDUCTIVE SEE SEED SEEDED SEEDER SEEDERS SEEDING SEEDINGS SEEDLING SEEDLINGS SEEDS SEEDY SEEING SEEK SEEKER SEEKERS SEEKING SEEKS SEELEY SEEM SEEMED SEEMING SEEMINGLY SEEMLY SEEMS SEEN SEEP SEEPAGE SEEPED SEEPING SEEPS SEER SEERS SEERSUCKER SEES SEETHE SEETHED SEETHES SEETHING SEGMENT SEGMENTATION SEGMENTATIONS SEGMENTED SEGMENTING SEGMENTS SEGOVIA SEGREGATE SEGREGATED SEGREGATES SEGREGATING SEGREGATION SEGUNDO SEIDEL SEISMIC SEISMOGRAPH SEISMOLOGY SEIZE SEIZED SEIZES SEIZING SEIZURE SEIZURES SELDOM SELECT SELECTED SELECTING SELECTION SELECTIONS SELECTIVE SELECTIVELY SELECTIVITY SELECTMAN SELECTMEN SELECTOR SELECTORS SELECTRIC SELECTS SELENA SELENIUM SELF SELFISH SELFISHLY SELFISHNESS SELFRIDGE SELFSAME SELKIRK SELL SELLER SELLERS SELLING SELLOUT SELLS SELMA SELTZER SELVES SELWYN SEMANTIC SEMANTICAL SEMANTICALLY SEMANTICIST SEMANTICISTS SEMANTICS SEMAPHORE SEMAPHORES SEMBLANCE SEMESTER SEMESTERS SEMI SEMIAUTOMATED SEMICOLON SEMICOLONS SEMICONDUCTOR SEMICONDUCTORS SEMINAL SEMINAR SEMINARIAN SEMINARIES SEMINARS SEMINARY SEMINOLE SEMIPERMANENT SEMIPERMANENTLY SEMIRAMIS SEMITE SEMITIC SEMITICIZE SEMITICIZES SEMITIZATION SEMITIZATIONS SEMITIZE SEMITIZES SENATE SENATES SENATOR SENATORIAL SENATORS SEND SENDER SENDERS SENDING SENDS SENECA SENEGAL SENILE SENIOR SENIORITY SENIORS SENSATION SENSATIONAL SENSATIONALLY SENSATIONS SENSE SENSED SENSELESS SENSELESSLY SENSELESSNESS SENSES SENSIBILITIES SENSIBILITY SENSIBLE SENSIBLY SENSING SENSITIVE SENSITIVELY SENSITIVENESS SENSITIVES SENSITIVITIES SENSITIVITY SENSOR SENSORS SENSORY SENSUAL SENSUOUS SENT SENTENCE SENTENCED SENTENCES SENTENCING SENTENTIAL SENTIMENT SENTIMENTAL SENTIMENTALLY SENTIMENTS SENTINEL SENTINELS SENTRIES SENTRY SEOUL SEPARABLE SEPARATE SEPARATED SEPARATELY SEPARATENESS SEPARATES SEPARATING SEPARATION SEPARATIONS SEPARATOR SEPARATORS SEPIA SEPOY SEPT SEPTEMBER SEPTEMBERS SEPULCHER SEPULCHERS SEQUEL SEQUELS SEQUENCE SEQUENCED SEQUENCER SEQUENCERS SEQUENCES SEQUENCING SEQUENCINGS SEQUENTIAL SEQUENTIALITY SEQUENTIALIZE SEQUENTIALIZED SEQUENTIALIZES SEQUENTIALIZING SEQUENTIALLY SEQUESTER SEQUOIA SERAFIN SERBIA SERBIAN SERBIANS SERENDIPITOUS SERENDIPITY SERENE SERENELY SERENITY SERF SERFS SERGEANT SERGEANTS SERGEI SERIAL SERIALIZABILITY SERIALIZABLE SERIALIZATION SERIALIZATIONS SERIALIZE SERIALIZED SERIALIZES SERIALIZING SERIALLY SERIALS SERIES SERIF SERIOUS SERIOUSLY SERIOUSNESS SERMON SERMONS SERPENS SERPENT SERPENTINE SERPENTS SERRA SERUM SERUMS SERVANT SERVANTS SERVE SERVED SERVER SERVERS SERVES SERVICE SERVICEABILITY SERVICEABLE SERVICED SERVICEMAN SERVICEMEN SERVICES SERVICING SERVILE SERVING SERVINGS SERVITUDE SERVO SERVOMECHANISM SESAME SESSION SESSIONS SET SETBACK SETH SETS SETTABLE SETTER SETTERS SETTING SETTINGS SETTLE SETTLED SETTLEMENT SETTLEMENTS SETTLER SETTLERS SETTLES SETTLING SETUP SETUPS SEVEN SEVENFOLD SEVENS SEVENTEEN SEVENTEENS SEVENTEENTH SEVENTH SEVENTIES SEVENTIETH SEVENTY SEVER SEVERAL SEVERALFOLD SEVERALLY SEVERANCE SEVERE SEVERED SEVERELY SEVERER SEVEREST SEVERING SEVERITIES SEVERITY SEVERN SEVERS SEVILLE SEW SEWAGE SEWARD SEWED SEWER SEWERS SEWING SEWS SEX SEXED SEXES SEXIST SEXTANS SEXTET SEXTILLION SEXTON SEXTUPLE SEXTUPLET SEXUAL SEXUALITY SEXUALLY SEXY SEYCHELLES SEYMOUR SHABBY SHACK SHACKED SHACKLE SHACKLED SHACKLES SHACKLING SHACKS SHADE SHADED SHADES SHADIER SHADIEST SHADILY SHADINESS SHADING SHADINGS SHADOW SHADOWED SHADOWING SHADOWS SHADOWY SHADY SHAFER SHAFFER SHAFT SHAFTS SHAGGY SHAKABLE SHAKABLY SHAKE SHAKEDOWN SHAKEN SHAKER SHAKERS SHAKES SHAKESPEARE SHAKESPEAREAN SHAKESPEARIAN SHAKESPEARIZE SHAKESPEARIZES SHAKINESS SHAKING SHAKY SHALE SHALL SHALLOW SHALLOWER SHALLOWLY SHALLOWNESS SHAM SHAMBLES SHAME SHAMED SHAMEFUL SHAMEFULLY SHAMELESS SHAMELESSLY SHAMES SHAMING SHAMPOO SHAMROCK SHAMS SHANGHAI SHANGHAIED SHANGHAIING SHANGHAIINGS SHANGHAIS SHANNON SHANTIES SHANTUNG SHANTY SHAPE SHAPED SHAPELESS SHAPELESSLY SHAPELESSNESS SHAPELY SHAPER SHAPERS SHAPES SHAPING SHAPIRO SHARABLE SHARD SHARE SHAREABLE SHARECROPPER SHARECROPPERS SHARED SHAREHOLDER SHAREHOLDERS SHARER SHARERS SHARES SHARI SHARING SHARK SHARKS SHARON SHARP SHARPE SHARPEN SHARPENED SHARPENING SHARPENS SHARPER SHARPEST SHARPLY SHARPNESS SHARPSHOOT SHASTA SHATTER SHATTERED SHATTERING SHATTERPROOF SHATTERS SHATTUCK SHAVE SHAVED SHAVEN SHAVES SHAVING SHAVINGS SHAWANO SHAWL SHAWLS SHAWNEE SHE SHEA SHEAF SHEAR SHEARED SHEARER SHEARING SHEARS SHEATH SHEATHING SHEATHS SHEAVES SHEBOYGAN SHED SHEDDING SHEDIR SHEDS SHEEHAN SHEEN SHEEP SHEEPSKIN SHEER SHEERED SHEET SHEETED SHEETING SHEETS SHEFFIELD SHEIK SHEILA SHELBY SHELDON SHELF SHELL SHELLED SHELLER SHELLEY SHELLING SHELLS SHELTER SHELTERED SHELTERING SHELTERS SHELTON SHELVE SHELVED SHELVES SHELVING SHENANDOAH SHENANIGAN SHEPARD SHEPHERD SHEPHERDS SHEPPARD SHERATON SHERBET SHERIDAN SHERIFF SHERIFFS SHERLOCK SHERMAN SHERRILL SHERRY SHERWIN SHERWOOD SHIBBOLETH SHIED SHIELD SHIELDED SHIELDING SHIELDS SHIES SHIFT SHIFTED SHIFTER SHIFTERS SHIFTIER SHIFTIEST SHIFTILY SHIFTINESS SHIFTING SHIFTS SHIFTY SHIITE SHIITES SHILL SHILLING SHILLINGS SHILLONG SHILOH SHIMMER SHIMMERING SHIN SHINBONE SHINE SHINED SHINER SHINERS SHINES SHINGLE SHINGLES SHINING SHININGLY SHINTO SHINTOISM SHINTOIZE SHINTOIZES SHINY SHIP SHIPBOARD SHIPBUILDING SHIPLEY SHIPMATE SHIPMENT SHIPMENTS SHIPPED SHIPPER SHIPPERS SHIPPING SHIPS SHIPSHAPE SHIPWRECK SHIPWRECKED SHIPWRECKS SHIPYARD SHIRE SHIRK SHIRKER SHIRKING SHIRKS SHIRLEY SHIRT SHIRTING SHIRTS SHIT SHIVA SHIVER SHIVERED SHIVERER SHIVERING SHIVERS SHMUEL SHOAL SHOALS SHOCK SHOCKED SHOCKER SHOCKERS SHOCKING SHOCKINGLY SHOCKLEY SHOCKS SHOD SHODDY SHOE SHOED SHOEHORN SHOEING SHOELACE SHOEMAKER SHOES SHOESTRING SHOJI SHONE SHOOK SHOOT SHOOTER SHOOTERS SHOOTING SHOOTINGS SHOOTS SHOP SHOPKEEPER SHOPKEEPERS SHOPPED SHOPPER SHOPPERS SHOPPING SHOPS SHOPWORN SHORE SHORELINE SHORES SHOREWOOD SHORN SHORT SHORTAGE SHORTAGES SHORTCOMING SHORTCOMINGS SHORTCUT SHORTCUTS SHORTED SHORTEN SHORTENED SHORTENING SHORTENS SHORTER SHORTEST SHORTFALL SHORTHAND SHORTHANDED SHORTING SHORTISH SHORTLY SHORTNESS SHORTS SHORTSIGHTED SHORTSTOP SHOSHONE SHOT SHOTGUN SHOTGUNS SHOTS SHOULD SHOULDER SHOULDERED SHOULDERING SHOULDERS SHOUT SHOUTED SHOUTER SHOUTERS SHOUTING SHOUTS SHOVE SHOVED SHOVEL SHOVELED SHOVELS SHOVES SHOVING SHOW SHOWBOAT SHOWCASE SHOWDOWN SHOWED SHOWER SHOWERED SHOWERING SHOWERS SHOWING SHOWINGS SHOWN SHOWPIECE SHOWROOM SHOWS SHOWY SHRANK SHRAPNEL SHRED SHREDDER SHREDDING SHREDS SHREVEPORT SHREW SHREWD SHREWDEST SHREWDLY SHREWDNESS SHREWS SHRIEK SHRIEKED SHRIEKING SHRIEKS SHRILL SHRILLED SHRILLING SHRILLNESS SHRILLY SHRIMP SHRINE SHRINES SHRINK SHRINKABLE SHRINKAGE SHRINKING SHRINKS SHRIVEL SHRIVELED SHROUD SHROUDED SHRUB SHRUBBERY SHRUBS SHRUG SHRUGS SHRUNK SHRUNKEN SHU SHUDDER SHUDDERED SHUDDERING SHUDDERS SHUFFLE SHUFFLEBOARD SHUFFLED SHUFFLES SHUFFLING SHULMAN SHUN SHUNS SHUNT SHUT SHUTDOWN SHUTDOWNS SHUTOFF SHUTOUT SHUTS SHUTTER SHUTTERED SHUTTERS SHUTTING SHUTTLE SHUTTLECOCK SHUTTLED SHUTTLES SHUTTLING SHY SHYLOCK SHYLOCKIAN SHYLY SHYNESS SIAM SIAMESE SIAN SIBERIA SIBERIAN SIBLEY SIBLING SIBLINGS SICILIAN SICILIANA SICILIANS SICILY SICK SICKEN SICKER SICKEST SICKLE SICKLY SICKNESS SICKNESSES SICKROOM SIDE SIDEARM SIDEBAND SIDEBOARD SIDEBOARDS SIDEBURNS SIDECAR SIDED SIDELIGHT SIDELIGHTS SIDELINE SIDEREAL SIDES SIDESADDLE SIDESHOW SIDESTEP SIDETRACK SIDEWALK SIDEWALKS SIDEWAYS SIDEWISE SIDING SIDINGS SIDNEY SIEGE SIEGEL SIEGES SIEGFRIED SIEGLINDA SIEGMUND SIEMENS SIENA SIERRA SIEVE SIEVES SIFFORD SIFT SIFTED SIFTER SIFTING SIGGRAPH SIGH SIGHED SIGHING SIGHS SIGHT SIGHTED SIGHTING SIGHTINGS SIGHTLY SIGHTS SIGHTSEEING SIGMA SIGMUND SIGN SIGNAL SIGNALED SIGNALING SIGNALLED SIGNALLING SIGNALLY SIGNALS SIGNATURE SIGNATURES SIGNED SIGNER SIGNERS SIGNET SIGNIFICANCE SIGNIFICANT SIGNIFICANTLY SIGNIFICANTS SIGNIFICATION SIGNIFIED SIGNIFIES SIGNIFY SIGNIFYING SIGNING SIGNS SIKH SIKHES SIKHS SIKKIM SIKKIMESE SIKORSKY SILAS SILENCE SILENCED SILENCER SILENCERS SILENCES SILENCING SILENT SILENTLY SILHOUETTE SILHOUETTED SILHOUETTES SILICA SILICATE SILICON SILICONE SILK SILKEN SILKIER SILKIEST SILKILY SILKINE SILKS SILKY SILL SILLIEST SILLINESS SILLS SILLY SILO SILT SILTED SILTING SILTS SILVER SILVERED SILVERING SILVERMAN SILVERS SILVERSMITH SILVERSTEIN SILVERWARE SILVERY SIMILAR SIMILARITIES SIMILARITY SIMILARLY SIMILE SIMILITUDE SIMLA SIMMER SIMMERED SIMMERING SIMMERS SIMMONS SIMMONSVILLE SIMMS SIMON SIMONS SIMONSON SIMPLE SIMPLEMINDED SIMPLENESS SIMPLER SIMPLEST SIMPLETON SIMPLEX SIMPLICITIES SIMPLICITY SIMPLIFICATION SIMPLIFICATIONS SIMPLIFIED SIMPLIFIER SIMPLIFIERS SIMPLIFIES SIMPLIFY SIMPLIFYING SIMPLISTIC SIMPLY SIMPSON SIMS SIMULA SIMULA SIMULATE SIMULATED SIMULATES SIMULATING SIMULATION SIMULATIONS SIMULATOR SIMULATORS SIMULCAST SIMULTANEITY SIMULTANEOUS SIMULTANEOUSLY SINAI SINATRA SINBAD SINCE SINCERE SINCERELY SINCEREST SINCERITY SINCLAIR SINE SINES SINEW SINEWS SINEWY SINFUL SINFULLY SINFULNESS SING SINGABLE SINGAPORE SINGBORG SINGE SINGED SINGER SINGERS SINGING SINGINGLY SINGLE SINGLED SINGLEHANDED SINGLENESS SINGLES SINGLET SINGLETON SINGLETONS SINGLING SINGLY SINGS SINGSONG SINGULAR SINGULARITIES SINGULARITY SINGULARLY SINISTER SINK SINKED SINKER SINKERS SINKHOLE SINKING SINKS SINNED SINNER SINNERS SINNING SINS SINUOUS SINUS SINUSOID SINUSOIDAL SINUSOIDS SIOUX SIP SIPHON SIPHONING SIPPING SIPS SIR SIRE SIRED SIREN SIRENS SIRES SIRIUS SIRS SIRUP SISTER SISTERLY SISTERS SISTINE SISYPHEAN SISYPHUS SIT SITE SITED SITES SITING SITS SITTER SITTERS SITTING SITTINGS SITU SITUATE SITUATED SITUATES SITUATING SITUATION SITUATIONAL SITUATIONALLY SITUATIONS SIVA SIX SIXES SIXFOLD SIXGUN SIXPENCE SIXTEEN SIXTEENS SIXTEENTH SIXTH SIXTIES SIXTIETH SIXTY SIZABLE SIZE SIZED SIZES SIZING SIZINGS SIZZLE SKATE SKATED SKATER SKATERS SKATES SKATING SKELETAL SKELETON SKELETONS SKEPTIC SKEPTICAL SKEPTICALLY SKEPTICISM SKEPTICS SKETCH SKETCHBOOK SKETCHED SKETCHES SKETCHILY SKETCHING SKETCHPAD SKETCHY SKEW SKEWED SKEWER SKEWERS SKEWING SKEWS SKI SKID SKIDDING SKIED SKIES SKIFF SKIING SKILL SKILLED SKILLET SKILLFUL SKILLFULLY SKILLFULNESS SKILLS SKIM SKIMMED SKIMMING SKIMP SKIMPED SKIMPING SKIMPS SKIMPY SKIMS SKIN SKINDIVE SKINNED SKINNER SKINNERS SKINNING SKINNY SKINS SKIP SKIPPED SKIPPER SKIPPERS SKIPPING SKIPPY SKIPS SKIRMISH SKIRMISHED SKIRMISHER SKIRMISHERS SKIRMISHES SKIRMISHING SKIRT SKIRTED SKIRTING SKIRTS SKIS SKIT SKOPJE SKULK SKULKED SKULKER SKULKING SKULKS SKULL SKULLCAP SKULLDUGGERY SKULLS SKUNK SKUNKS SKY SKYE SKYHOOK SKYJACK SKYLARK SKYLARKING SKYLARKS SKYLIGHT SKYLIGHTS SKYLINE SKYROCKETS SKYSCRAPER SKYSCRAPERS SLAB SLACK SLACKEN SLACKER SLACKING SLACKLY SLACKNESS SLACKS SLAIN SLAM SLAMMED SLAMMING SLAMS SLANDER SLANDERER SLANDEROUS SLANDERS SLANG SLANT SLANTED SLANTING SLANTS SLAP SLAPPED SLAPPING SLAPS SLAPSTICK SLASH SLASHED SLASHES SLASHING SLAT SLATE SLATED SLATER SLATES SLATS SLAUGHTER SLAUGHTERED SLAUGHTERHOUSE SLAUGHTERING SLAUGHTERS SLAV SLAVE SLAVER SLAVERY SLAVES SLAVIC SLAVICIZE SLAVICIZES SLAVISH SLAVIZATION SLAVIZATIONS SLAVIZE SLAVIZES SLAVONIC SLAVONICIZE SLAVONICIZES SLAVS SLAY SLAYER SLAYERS SLAYING SLAYS SLED SLEDDING SLEDGE SLEDGEHAMMER SLEDGES SLEDS SLEEK SLEEP SLEEPER SLEEPERS SLEEPILY SLEEPINESS SLEEPING SLEEPLESS SLEEPLESSLY SLEEPLESSNESS SLEEPS SLEEPWALK SLEEPY SLEET SLEEVE SLEEVES SLEIGH SLEIGHS SLEIGHT SLENDER SLENDERER SLEPT SLESINGER SLEUTH SLEW SLEWING SLICE SLICED SLICER SLICERS SLICES SLICING SLICK SLICKER SLICKERS SLICKS SLID SLIDE SLIDER SLIDERS SLIDES SLIDING SLIGHT SLIGHTED SLIGHTER SLIGHTEST SLIGHTING SLIGHTLY SLIGHTNESS SLIGHTS SLIM SLIME SLIMED SLIMLY SLIMY SLING SLINGING SLINGS SLINGSHOT SLIP SLIPPAGE SLIPPED SLIPPER SLIPPERINESS SLIPPERS SLIPPERY SLIPPING SLIPS SLIT SLITHER SLITS SLIVER SLOAN SLOANE SLOB SLOCUM SLOGAN SLOGANS SLOOP SLOP SLOPE SLOPED SLOPER SLOPERS SLOPES SLOPING SLOPPED SLOPPINESS SLOPPING SLOPPY SLOPS SLOT SLOTH SLOTHFUL SLOTHS SLOTS SLOTTED SLOTTING SLOUCH SLOUCHED SLOUCHES SLOUCHING SLOVAKIA SLOVENIA SLOW SLOWDOWN SLOWED SLOWER SLOWEST SLOWING SLOWLY SLOWNESS SLOWS SLUDGE SLUG SLUGGISH SLUGGISHLY SLUGGISHNESS SLUGS SLUICE SLUM SLUMBER SLUMBERED SLUMMING SLUMP SLUMPED SLUMPS SLUMS SLUNG SLUR SLURP SLURRING SLURRY SLURS SLY SLYLY SMACK SMACKED SMACKING SMACKS SMALL SMALLER SMALLEST SMALLEY SMALLISH SMALLNESS SMALLPOX SMALLTIME SMALLWOOD SMART SMARTED SMARTER SMARTEST SMARTLY SMARTNESS SMASH SMASHED SMASHER SMASHERS SMASHES SMASHING SMASHINGLY SMATTERING SMEAR SMEARED SMEARING SMEARS SMELL SMELLED SMELLING SMELLS SMELLY SMELT SMELTER SMELTS SMILE SMILED SMILES SMILING SMILINGLY SMIRK SMITE SMITH SMITHEREENS SMITHFIELD SMITHS SMITHSON SMITHSONIAN SMITHTOWN SMITHY SMITTEN SMOCK SMOCKING SMOCKS SMOG SMOKABLE SMOKE SMOKED SMOKER SMOKERS SMOKES SMOKESCREEN SMOKESTACK SMOKIES SMOKING SMOKY SMOLDER SMOLDERED SMOLDERING SMOLDERS SMOOCH SMOOTH SMOOTHBORE SMOOTHED SMOOTHER SMOOTHES SMOOTHEST SMOOTHING SMOOTHLY SMOOTHNESS SMOTE SMOTHER SMOTHERED SMOTHERING SMOTHERS SMUCKER SMUDGE SMUG SMUGGLE SMUGGLED SMUGGLER SMUGGLERS SMUGGLES SMUGGLING SMUT SMUTTY SMYRNA SMYTHE SNACK SNAFU SNAG SNAIL SNAILS SNAKE SNAKED SNAKELIKE SNAKES SNAP SNAPDRAGON SNAPPED SNAPPER SNAPPERS SNAPPILY SNAPPING SNAPPY SNAPS SNAPSHOT SNAPSHOTS SNARE SNARED SNARES SNARING SNARK SNARL SNARLED SNARLING SNATCH SNATCHED SNATCHES SNATCHING SNAZZY SNEAD SNEAK SNEAKED SNEAKER SNEAKERS SNEAKIER SNEAKIEST SNEAKILY SNEAKINESS SNEAKING SNEAKS SNEAKY SNEED SNEER SNEERED SNEERING SNEERS SNEEZE SNEEZED SNEEZES SNEEZING SNIDER SNIFF SNIFFED SNIFFING SNIFFLE SNIFFS SNIFTER SNIGGER SNIP SNIPE SNIPPET SNIVEL SNOB SNOBBERY SNOBBISH SNODGRASS SNOOP SNOOPED SNOOPING SNOOPS SNOOPY SNORE SNORED SNORES SNORING SNORKEL SNORT SNORTED SNORTING SNORTS SNOTTY SNOUT SNOUTS SNOW SNOWBALL SNOWBELT SNOWED SNOWFALL SNOWFLAKE SNOWIER SNOWIEST SNOWILY SNOWING SNOWMAN SNOWMEN SNOWS SNOWSHOE SNOWSHOES SNOWSTORM SNOWY SNUB SNUFF SNUFFED SNUFFER SNUFFING SNUFFS SNUG SNUGGLE SNUGGLED SNUGGLES SNUGGLING SNUGLY SNUGNESS SNYDER SOAK SOAKED SOAKING SOAKS SOAP SOAPED SOAPING SOAPS SOAPY SOAR SOARED SOARING SOARS SOB SOBBING SOBER SOBERED SOBERING SOBERLY SOBERNESS SOBERS SOBRIETY SOBS SOCCER SOCIABILITY SOCIABLE SOCIABLY SOCIAL SOCIALISM SOCIALIST SOCIALISTS SOCIALIZE SOCIALIZED SOCIALIZES SOCIALIZING SOCIALLY SOCIETAL SOCIETIES SOCIETY SOCIOECONOMIC SOCIOLOGICAL SOCIOLOGICALLY SOCIOLOGIST SOCIOLOGISTS SOCIOLOGY SOCK SOCKED SOCKET SOCKETS SOCKING SOCKS SOCRATES SOCRATIC SOD SODA SODDY SODIUM SODOMY SODS SOFA SOFAS SOFIA SOFT SOFTBALL SOFTEN SOFTENED SOFTENING SOFTENS SOFTER SOFTEST SOFTLY SOFTNESS SOFTWARE SOFTWARES SOGGY SOIL SOILED SOILING SOILS SOIREE SOJOURN SOJOURNER SOJOURNERS SOL SOLACE SOLACED SOLAR SOLD SOLDER SOLDERED SOLDIER SOLDIERING SOLDIERLY SOLDIERS SOLE SOLELY SOLEMN SOLEMNITY SOLEMNLY SOLEMNNESS SOLENOID SOLES SOLICIT SOLICITATION SOLICITED SOLICITING SOLICITOR SOLICITOUS SOLICITS SOLICITUDE SOLID SOLIDARITY SOLIDIFICATION SOLIDIFIED SOLIDIFIES SOLIDIFY SOLIDIFYING SOLIDITY SOLIDLY SOLIDNESS SOLIDS SOLILOQUY SOLITAIRE SOLITARY SOLITUDE SOLITUDES SOLLY SOLO SOLOMON SOLON SOLOS SOLOVIEV SOLSTICE SOLUBILITY SOLUBLE SOLUTION SOLUTIONS SOLVABLE SOLVE SOLVED SOLVENT SOLVENTS SOLVER SOLVERS SOLVES SOLVING SOMALI SOMALIA SOMALIS SOMATIC SOMBER SOMBERLY SOME SOMEBODY SOMEDAY SOMEHOW SOMEONE SOMEPLACE SOMERS SOMERSAULT SOMERSET SOMERVILLE SOMETHING SOMETIME SOMETIMES SOMEWHAT SOMEWHERE SOMMELIER SOMMERFELD SOMNOLENT SON SONAR SONATA SONENBERG SONG SONGBOOK SONGS SONIC SONNET SONNETS SONNY SONOMA SONORA SONS SONY SOON SOONER SOONEST SOOT SOOTH SOOTHE SOOTHED SOOTHER SOOTHES SOOTHING SOOTHSAYER SOPHIA SOPHIAS SOPHIE SOPHISTICATED SOPHISTICATION SOPHISTRY SOPHOCLEAN SOPHOCLES SOPHOMORE SOPHOMORES SOPRANO SORCERER SORCERERS SORCERY SORDID SORDIDLY SORDIDNESS SORE SORELY SORENESS SORENSEN SORENSON SORER SORES SOREST SORGHUM SORORITY SORREL SORRENTINE SORRIER SORRIEST SORROW SORROWFUL SORROWFULLY SORROWS SORRY SORT SORTED SORTER SORTERS SORTIE SORTING SORTS SOUGHT SOUL SOULFUL SOULS SOUND SOUNDED SOUNDER SOUNDEST SOUNDING SOUNDINGS SOUNDLY SOUNDNESS SOUNDPROOF SOUNDS SOUP SOUPED SOUPS SOUR SOURCE SOURCES SOURDOUGH SOURED SOURER SOUREST SOURING SOURLY SOURNESS SOURS SOUSA SOUTH SOUTHAMPTON SOUTHBOUND SOUTHEAST SOUTHEASTERN SOUTHERN SOUTHERNER SOUTHERNERS SOUTHERNMOST SOUTHERNWOOD SOUTHEY SOUTHFIELD SOUTHLAND SOUTHPAW SOUTHWARD SOUTHWEST SOUTHWESTERN SOUVENIR SOVEREIGN SOVEREIGNS SOVEREIGNTY SOVIET SOVIETS SOW SOWN SOY SOYA SOYBEAN SPA SPACE SPACECRAFT SPACED SPACER SPACERS SPACES SPACESHIP SPACESHIPS SPACESUIT SPACEWAR SPACING SPACINGS SPACIOUS SPADED SPADES SPADING SPAFFORD SPAHN SPAIN SPALDING SPAN SPANDREL SPANIARD SPANIARDIZATION SPANIARDIZATIONS SPANIARDIZE SPANIARDIZES SPANIARDS SPANIEL SPANISH SPANISHIZE SPANISHIZES SPANK SPANKED SPANKING SPANKS SPANNED SPANNER SPANNERS SPANNING SPANS SPARC SPARCSTATION SPARE SPARED SPARELY SPARENESS SPARER SPARES SPAREST SPARING SPARINGLY SPARK SPARKED SPARKING SPARKLE SPARKLING SPARKMAN SPARKS SPARRING SPARROW SPARROWS SPARSE SPARSELY SPARSENESS SPARSER SPARSEST SPARTA SPARTAN SPARTANIZE SPARTANIZES SPASM SPASTIC SPAT SPATE SPATES SPATIAL SPATIALLY SPATTER SPATTERED SPATULA SPAULDING SPAWN SPAWNED SPAWNING SPAWNS SPAYED SPEAK SPEAKABLE SPEAKEASY SPEAKER SPEAKERPHONE SPEAKERPHONES SPEAKERS SPEAKING SPEAKS SPEAR SPEARED SPEARMINT SPEARS SPEC SPECIAL SPECIALIST SPECIALISTS SPECIALIZATION SPECIALIZATIONS SPECIALIZE SPECIALIZED SPECIALIZES SPECIALIZING SPECIALLY SPECIALS SPECIALTIES SPECIALTY SPECIE SPECIES SPECIFIABLE SPECIFIC SPECIFICALLY SPECIFICATION SPECIFICATIONS SPECIFICITY SPECIFICS SPECIFIED SPECIFIER SPECIFIERS SPECIFIES SPECIFY SPECIFYING SPECIMEN SPECIMENS SPECIOUS SPECK SPECKLE SPECKLED SPECKLES SPECKS SPECTACLE SPECTACLED SPECTACLES SPECTACULAR SPECTACULARLY SPECTATOR SPECTATORS SPECTER SPECTERS SPECTOR SPECTRA SPECTRAL SPECTROGRAM SPECTROGRAMS SPECTROGRAPH SPECTROGRAPHIC SPECTROGRAPHY SPECTROMETER SPECTROPHOTOMETER SPECTROPHOTOMETRY SPECTROSCOPE SPECTROSCOPIC SPECTROSCOPY SPECTRUM SPECULATE SPECULATED SPECULATES SPECULATING SPECULATION SPECULATIONS SPECULATIVE SPECULATOR SPECULATORS SPED SPEECH SPEECHES SPEECHLESS SPEECHLESSNESS SPEED SPEEDBOAT SPEEDED SPEEDER SPEEDERS SPEEDILY SPEEDING SPEEDOMETER SPEEDS SPEEDUP SPEEDUPS SPEEDY SPELL SPELLBOUND SPELLED SPELLER SPELLERS SPELLING SPELLINGS SPELLS SPENCER SPENCERIAN SPEND SPENDER SPENDERS SPENDING SPENDS SPENGLERIAN SPENT SPERM SPERRY SPHERE SPHERES SPHERICAL SPHERICALLY SPHEROID SPHEROIDAL SPHINX SPICA SPICE SPICED SPICES SPICINESS SPICY SPIDER SPIDERS SPIDERY SPIEGEL SPIES SPIGOT SPIKE SPIKED SPIKES SPILL SPILLED SPILLER SPILLING SPILLS SPILT SPIN SPINACH SPINAL SPINALLY SPINDLE SPINDLED SPINDLING SPINE SPINNAKER SPINNER SPINNERS SPINNING SPINOFF SPINS SPINSTER SPINY SPIRAL SPIRALED SPIRALING SPIRALLY SPIRE SPIRES SPIRIT SPIRITED SPIRITEDLY SPIRITING SPIRITS SPIRITUAL SPIRITUALLY SPIRITUALS SPIRO SPIT SPITE SPITED SPITEFUL SPITEFULLY SPITEFULNESS SPITES SPITFIRE SPITING SPITS SPITTING SPITTLE SPITZ SPLASH SPLASHED SPLASHES SPLASHING SPLASHY SPLEEN SPLENDID SPLENDIDLY SPLENDOR SPLENETIC SPLICE SPLICED SPLICER SPLICERS SPLICES SPLICING SPLICINGS SPLINE SPLINES SPLINT SPLINTER SPLINTERED SPLINTERS SPLINTERY SPLIT SPLITS SPLITTER SPLITTERS SPLITTING SPLURGE SPOIL SPOILAGE SPOILED SPOILER SPOILERS SPOILING SPOILS SPOKANE SPOKE SPOKED SPOKEN SPOKES SPOKESMAN SPOKESMEN SPONGE SPONGED SPONGER SPONGERS SPONGES SPONGING SPONGY SPONSOR SPONSORED SPONSORING SPONSORS SPONSORSHIP SPONTANEITY SPONTANEOUS SPONTANEOUSLY SPOOF SPOOK SPOOKY SPOOL SPOOLED SPOOLER SPOOLERS SPOOLING SPOOLS SPOON SPOONED SPOONFUL SPOONING SPOONS SPORADIC SPORE SPORES SPORT SPORTED SPORTING SPORTINGLY SPORTIVE SPORTS SPORTSMAN SPORTSMEN SPORTSWEAR SPORTSWRITER SPORTSWRITING SPORTY SPOSATO SPOT SPOTLESS SPOTLESSLY SPOTLIGHT SPOTS SPOTTED SPOTTER SPOTTERS SPOTTING SPOTTY SPOUSE SPOUSES SPOUT SPOUTED SPOUTING SPOUTS SPRAGUE SPRAIN SPRANG SPRAWL SPRAWLED SPRAWLING SPRAWLS SPRAY SPRAYED SPRAYER SPRAYING SPRAYS SPREAD SPREADER SPREADERS SPREADING SPREADINGS SPREADS SPREADSHEET SPREE SPREES SPRIG SPRIGHTLY SPRING SPRINGBOARD SPRINGER SPRINGERS SPRINGFIELD SPRINGIER SPRINGIEST SPRINGINESS SPRINGING SPRINGS SPRINGTIME SPRINGY SPRINKLE SPRINKLED SPRINKLER SPRINKLES SPRINKLING SPRINT SPRINTED SPRINTER SPRINTERS SPRINTING SPRINTS SPRITE SPROCKET SPROUL SPROUT SPROUTED SPROUTING SPRUCE SPRUCED SPRUNG SPUDS SPUN SPUNK SPUR SPURIOUS SPURN SPURNED SPURNING SPURNS SPURS SPURT SPURTED SPURTING SPURTS SPUTTER SPUTTERED SPY SPYGLASS SPYING SQUABBLE SQUABBLED SQUABBLES SQUABBLING SQUAD SQUADRON SQUADRONS SQUADS SQUALID SQUALL SQUALLS SQUANDER SQUARE SQUARED SQUARELY SQUARENESS SQUARER SQUARES SQUAREST SQUARESVILLE SQUARING SQUASH SQUASHED SQUASHING SQUAT SQUATS SQUATTING SQUAW SQUAWK SQUAWKED SQUAWKING SQUAWKS SQUEAK SQUEAKED SQUEAKING SQUEAKS SQUEAKY SQUEAL SQUEALED SQUEALING SQUEALS SQUEAMISH SQUEEZE SQUEEZED SQUEEZER SQUEEZES SQUEEZING SQUELCH SQUIBB SQUID SQUINT SQUINTED SQUINTING SQUIRE SQUIRES SQUIRM SQUIRMED SQUIRMS SQUIRMY SQUIRREL SQUIRRELED SQUIRRELING SQUIRRELS SQUIRT SQUISHY SRI STAB STABBED STABBING STABILE STABILITIES STABILITY STABILIZE STABILIZED STABILIZER STABILIZERS STABILIZES STABILIZING STABLE STABLED STABLER STABLES STABLING STABLY STABS STACK STACKED STACKING STACKS STACY STADIA STADIUM STAFF STAFFED STAFFER STAFFERS STAFFING STAFFORD STAFFORDSHIRE STAFFS STAG STAGE STAGECOACH STAGECOACHES STAGED STAGER STAGERS STAGES STAGGER STAGGERED STAGGERING STAGGERS STAGING STAGNANT STAGNATE STAGNATION STAGS STAHL STAID STAIN STAINED STAINING STAINLESS STAINS STAIR STAIRCASE STAIRCASES STAIRS STAIRWAY STAIRWAYS STAIRWELL STAKE STAKED STAKES STALACTITE STALE STALEMATE STALEY STALIN STALINIST STALINS STALK STALKED STALKING STALL STALLED STALLING STALLINGS STALLION STALLS STALWART STALWARTLY STAMEN STAMENS STAMFORD STAMINA STAMMER STAMMERED STAMMERER STAMMERING STAMMERS STAMP STAMPED STAMPEDE STAMPEDED STAMPEDES STAMPEDING STAMPER STAMPERS STAMPING STAMPS STAN STANCH STANCHEST STANCHION STAND STANDARD STANDARDIZATION STANDARDIZE STANDARDIZED STANDARDIZES STANDARDIZING STANDARDLY STANDARDS STANDBY STANDING STANDINGS STANDISH STANDOFF STANDPOINT STANDPOINTS STANDS STANDSTILL STANFORD STANHOPE STANLEY STANS STANTON STANZA STANZAS STAPHYLOCOCCUS STAPLE STAPLER STAPLES STAPLETON STAPLING STAR STARBOARD STARCH STARCHED STARDOM STARE STARED STARER STARES STARFISH STARGATE STARING STARK STARKEY STARKLY STARLET STARLIGHT STARLING STARR STARRED STARRING STARRY STARS START STARTED STARTER STARTERS STARTING STARTLE STARTLED STARTLES STARTLING STARTS STARTUP STARTUPS STARVATION STARVE STARVED STARVES STARVING STATE STATED STATELY STATEMENT STATEMENTS STATEN STATES STATESMAN STATESMANLIKE STATESMEN STATEWIDE STATIC STATICALLY STATING STATION STATIONARY STATIONED STATIONER STATIONERY STATIONING STATIONMASTER STATIONS STATISTIC STATISTICAL STATISTICALLY STATISTICIAN STATISTICIANS STATISTICS STATLER STATUE STATUES STATUESQUE STATUESQUELY STATUESQUENESS STATUETTE STATURE STATUS STATUSES STATUTE STATUTES STATUTORILY STATUTORINESS STATUTORY STAUFFER STAUNCH STAUNCHEST STAUNCHLY STAUNTON STAVE STAVED STAVES STAY STAYED STAYING STAYS STEAD STEADFAST STEADFASTLY STEADFASTNESS STEADIED STEADIER STEADIES STEADIEST STEADILY STEADINESS STEADY STEADYING STEAK STEAKS STEAL STEALER STEALING STEALS STEALTH STEALTHILY STEALTHY STEAM STEAMBOAT STEAMBOATS STEAMED STEAMER STEAMERS STEAMING STEAMS STEAMSHIP STEAMSHIPS STEAMY STEARNS STEED STEEL STEELE STEELED STEELERS STEELING STEELMAKER STEELS STEELY STEEN STEEP STEEPED STEEPER STEEPEST STEEPING STEEPLE STEEPLES STEEPLY STEEPNESS STEEPS STEER STEERABLE STEERED STEERING STEERS STEFAN STEGOSAURUS STEINBECK STEINBERG STEINER STELLA STELLAR STEM STEMMED STEMMING STEMS STENCH STENCHES STENCIL STENCILS STENDHAL STENDLER STENOGRAPHER STENOGRAPHERS STENOTYPE STEP STEPCHILD STEPHAN STEPHANIE STEPHEN STEPHENS STEPHENSON STEPMOTHER STEPMOTHERS STEPPED STEPPER STEPPING STEPS STEPSON STEPWISE STEREO STEREOS STEREOSCOPIC STEREOTYPE STEREOTYPED STEREOTYPES STEREOTYPICAL STERILE STERILIZATION STERILIZATIONS STERILIZE STERILIZED STERILIZER STERILIZES STERILIZING STERLING STERN STERNBERG STERNLY STERNNESS STERNO STERNS STETHOSCOPE STETSON STETSONS STEUBEN STEVE STEVEDORE STEVEN STEVENS STEVENSON STEVIE STEW STEWARD STEWARDESS STEWARDS STEWART STEWED STEWS STICK STICKER STICKERS STICKIER STICKIEST STICKILY STICKINESS STICKING STICKLEBACK STICKS STICKY STIFF STIFFEN STIFFENS STIFFER STIFFEST STIFFLY STIFFNESS STIFFS STIFLE STIFLED STIFLES STIFLING STIGMA STIGMATA STILE STILES STILETTO STILL STILLBIRTH STILLBORN STILLED STILLER STILLEST STILLING STILLNESS STILLS STILLWELL STILT STILTS STIMSON STIMULANT STIMULANTS STIMULATE STIMULATED STIMULATES STIMULATING STIMULATION STIMULATIONS STIMULATIVE STIMULI STIMULUS STING STINGING STINGS STINGY STINK STINKER STINKERS STINKING STINKS STINT STIPEND STIPENDS STIPULATE STIPULATED STIPULATES STIPULATING STIPULATION STIPULATIONS STIR STIRLING STIRRED STIRRER STIRRERS STIRRING STIRRINGLY STIRRINGS STIRRUP STIRS STITCH STITCHED STITCHES STITCHING STOCHASTIC STOCHASTICALLY STOCK STOCKADE STOCKADES STOCKBROKER STOCKED STOCKER STOCKERS STOCKHOLDER STOCKHOLDERS STOCKHOLM STOCKING STOCKINGS STOCKPILE STOCKROOM STOCKS STOCKTON STOCKY STODGY STOICHIOMETRY STOKE STOKES STOLE STOLEN STOLES STOLID STOMACH STOMACHED STOMACHER STOMACHES STOMACHING STOMP STONE STONED STONEHENGE STONES STONING STONY STOOD STOOGE STOOL STOOP STOOPED STOOPING STOOPS STOP STOPCOCK STOPCOCKS STOPGAP STOPOVER STOPPABLE STOPPAGE STOPPED STOPPER STOPPERS STOPPING STOPS STOPWATCH STORAGE STORAGES STORE STORED STOREHOUSE STOREHOUSES STOREKEEPER STOREROOM STORES STOREY STOREYED STOREYS STORIED STORIES STORING STORK STORKS STORM STORMED STORMIER STORMIEST STORMINESS STORMING STORMS STORMY STORY STORYBOARD STORYTELLER STOUFFER STOUT STOUTER STOUTEST STOUTLY STOUTNESS STOVE STOVES STOW STOWE STOWED STRADDLE STRAFE STRAGGLE STRAGGLED STRAGGLER STRAGGLERS STRAGGLES STRAGGLING STRAIGHT STRAIGHTAWAY STRAIGHTEN STRAIGHTENED STRAIGHTENS STRAIGHTER STRAIGHTEST STRAIGHTFORWARD STRAIGHTFORWARDLY STRAIGHTFORWARDNESS STRAIGHTNESS STRAIGHTWAY STRAIN STRAINED STRAINER STRAINERS STRAINING STRAINS STRAIT STRAITEN STRAITS STRAND STRANDED STRANDING STRANDS STRANGE STRANGELY STRANGENESS STRANGER STRANGERS STRANGEST STRANGLE STRANGLED STRANGLER STRANGLERS STRANGLES STRANGLING STRANGLINGS STRANGULATION STRANGULATIONS STRAP STRAPS STRASBOURG STRATAGEM STRATAGEMS STRATEGIC STRATEGIES STRATEGIST STRATEGY STRATFORD STRATIFICATION STRATIFICATIONS STRATIFIED STRATIFIES STRATIFY STRATOSPHERE STRATOSPHERIC STRATTON STRATUM STRAUSS STRAVINSKY STRAW STRAWBERRIES STRAWBERRY STRAWS STRAY STRAYED STRAYS STREAK STREAKED STREAKS STREAM STREAMED STREAMER STREAMERS STREAMING STREAMLINE STREAMLINED STREAMLINER STREAMLINES STREAMLINING STREAMS STREET STREETCAR STREETCARS STREETERS STREETS STRENGTH STRENGTHEN STRENGTHENED STRENGTHENER STRENGTHENING STRENGTHENS STRENGTHS STRENUOUS STRENUOUSLY STREPTOCOCCUS STRESS STRESSED STRESSES STRESSFUL STRESSING STRETCH STRETCHED STRETCHER STRETCHERS STRETCHES STRETCHING STREW STREWN STREWS STRICKEN STRICKLAND STRICT STRICTER STRICTEST STRICTLY STRICTNESS STRICTURE STRIDE STRIDER STRIDES STRIDING STRIFE STRIKE STRIKEBREAKER STRIKER STRIKERS STRIKES STRIKING STRIKINGLY STRINDBERG STRING STRINGED STRINGENT STRINGENTLY STRINGER STRINGERS STRINGIER STRINGIEST STRINGINESS STRINGING STRINGS STRINGY STRIP STRIPE STRIPED STRIPES STRIPPED STRIPPER STRIPPERS STRIPPING STRIPS STRIPTEASE STRIVE STRIVEN STRIVES STRIVING STRIVINGS STROBE STROBED STROBES STROBOSCOPIC STRODE STROKE STROKED STROKER STROKERS STROKES STROKING STROLL STROLLED STROLLER STROLLING STROLLS STROM STROMBERG STRONG STRONGER STRONGEST STRONGHEART STRONGHOLD STRONGLY STRONTIUM STROVE STRUCK STRUCTURAL STRUCTURALLY STRUCTURE STRUCTURED STRUCTURER STRUCTURES STRUCTURING STRUGGLE STRUGGLED STRUGGLES STRUGGLING STRUNG STRUT STRUTS STRUTTING STRYCHNINE STU STUART STUB STUBBLE STUBBLEFIELD STUBBLEFIELDS STUBBORN STUBBORNLY STUBBORNNESS STUBBY STUBS STUCCO STUCK STUD STUDEBAKER STUDENT STUDENTS STUDIED STUDIES STUDIO STUDIOS STUDIOUS STUDIOUSLY STUDS STUDY STUDYING STUFF STUFFED STUFFIER STUFFIEST STUFFING STUFFS STUFFY STUMBLE STUMBLED STUMBLES STUMBLING STUMP STUMPED STUMPING STUMPS STUN STUNG STUNNING STUNNINGLY STUNT STUNTS STUPEFY STUPEFYING STUPENDOUS STUPENDOUSLY STUPID STUPIDEST STUPIDITIES STUPIDITY STUPIDLY STUPOR STURBRIDGE STURDINESS STURDY STURGEON STURM STUTTER STUTTGART STUYVESANT STYGIAN STYLE STYLED STYLER STYLERS STYLES STYLI STYLING STYLISH STYLISHLY STYLISHNESS STYLISTIC STYLISTICALLY STYLIZED STYLUS STYROFOAM STYX SUAVE SUB SUBATOMIC SUBCHANNEL SUBCHANNELS SUBCLASS SUBCLASSES SUBCOMMITTEES SUBCOMPONENT SUBCOMPONENTS SUBCOMPUTATION SUBCOMPUTATIONS SUBCONSCIOUS SUBCONSCIOUSLY SUBCULTURE SUBCULTURES SUBCYCLE SUBCYCLES SUBDIRECTORIES SUBDIRECTORY SUBDIVIDE SUBDIVIDED SUBDIVIDES SUBDIVIDING SUBDIVISION SUBDIVISIONS SUBDOMAINS SUBDUE SUBDUED SUBDUES SUBDUING SUBEXPRESSION SUBEXPRESSIONS SUBFIELD SUBFIELDS SUBFILE SUBFILES SUBGOAL SUBGOALS SUBGRAPH SUBGRAPHS SUBGROUP SUBGROUPS SUBINTERVAL SUBINTERVALS SUBJECT SUBJECTED SUBJECTING SUBJECTION SUBJECTIVE SUBJECTIVELY SUBJECTIVITY SUBJECTS SUBLANGUAGE SUBLANGUAGES SUBLAYER SUBLAYERS SUBLIMATION SUBLIMATIONS SUBLIME SUBLIMED SUBLIST SUBLISTS SUBMARINE SUBMARINER SUBMARINERS SUBMARINES SUBMERGE SUBMERGED SUBMERGES SUBMERGING SUBMISSION SUBMISSIONS SUBMISSIVE SUBMIT SUBMITS SUBMITTAL SUBMITTED SUBMITTING SUBMODE SUBMODES SUBMODULE SUBMODULES SUBMULTIPLEXED SUBNET SUBNETS SUBNETWORK SUBNETWORKS SUBOPTIMAL SUBORDINATE SUBORDINATED SUBORDINATES SUBORDINATION SUBPARTS SUBPHASES SUBPOENA SUBPROBLEM SUBPROBLEMS SUBPROCESSES SUBPROGRAM SUBPROGRAMS SUBPROJECT SUBPROOF SUBPROOFS SUBRANGE SUBRANGES SUBROUTINE SUBROUTINES SUBS SUBSCHEMA SUBSCHEMAS SUBSCRIBE SUBSCRIBED SUBSCRIBER SUBSCRIBERS SUBSCRIBES SUBSCRIBING SUBSCRIPT SUBSCRIPTED SUBSCRIPTING SUBSCRIPTION SUBSCRIPTIONS SUBSCRIPTS SUBSECTION SUBSECTIONS SUBSEGMENT SUBSEGMENTS SUBSEQUENCE SUBSEQUENCES SUBSEQUENT SUBSEQUENTLY SUBSERVIENT SUBSET SUBSETS SUBSIDE SUBSIDED SUBSIDES SUBSIDIARIES SUBSIDIARY SUBSIDIES SUBSIDING SUBSIDIZE SUBSIDIZED SUBSIDIZES SUBSIDIZING SUBSIDY SUBSIST SUBSISTED SUBSISTENCE SUBSISTENT SUBSISTING SUBSISTS SUBSLOT SUBSLOTS SUBSPACE SUBSPACES SUBSTANCE SUBSTANCES SUBSTANTIAL SUBSTANTIALLY SUBSTANTIATE SUBSTANTIATED SUBSTANTIATES SUBSTANTIATING SUBSTANTIATION SUBSTANTIATIONS SUBSTANTIVE SUBSTANTIVELY SUBSTANTIVITY SUBSTATION SUBSTATIONS SUBSTITUTABILITY SUBSTITUTABLE SUBSTITUTE SUBSTITUTED SUBSTITUTES SUBSTITUTING SUBSTITUTION SUBSTITUTIONS SUBSTRATE SUBSTRATES SUBSTRING SUBSTRINGS SUBSTRUCTURE SUBSTRUCTURES SUBSUME SUBSUMED SUBSUMES SUBSUMING SUBSYSTEM SUBSYSTEMS SUBTASK SUBTASKS SUBTERFUGE SUBTERRANEAN SUBTITLE SUBTITLED SUBTITLES SUBTLE SUBTLENESS SUBTLER SUBTLEST SUBTLETIES SUBTLETY SUBTLY SUBTOTAL SUBTRACT SUBTRACTED SUBTRACTING SUBTRACTION SUBTRACTIONS SUBTRACTOR SUBTRACTORS SUBTRACTS SUBTRAHEND SUBTRAHENDS SUBTREE SUBTREES SUBUNIT SUBUNITS SUBURB SUBURBAN SUBURBIA SUBURBS SUBVERSION SUBVERSIVE SUBVERT SUBVERTED SUBVERTER SUBVERTING SUBVERTS SUBWAY SUBWAYS SUCCEED SUCCEEDED SUCCEEDING SUCCEEDS SUCCESS SUCCESSES SUCCESSFUL SUCCESSFULLY SUCCESSION SUCCESSIONS SUCCESSIVE SUCCESSIVELY SUCCESSOR SUCCESSORS SUCCINCT SUCCINCTLY SUCCINCTNESS SUCCOR SUCCUMB SUCCUMBED SUCCUMBING SUCCUMBS SUCH SUCK SUCKED SUCKER SUCKERS SUCKING SUCKLE SUCKLING SUCKS SUCTION SUDAN SUDANESE SUDANIC SUDDEN SUDDENLY SUDDENNESS SUDS SUDSING SUE SUED SUES SUEZ SUFFER SUFFERANCE SUFFERED SUFFERER SUFFERERS SUFFERING SUFFERINGS SUFFERS SUFFICE SUFFICED SUFFICES SUFFICIENCY SUFFICIENT SUFFICIENTLY SUFFICING SUFFIX SUFFIXED SUFFIXER SUFFIXES SUFFIXING SUFFOCATE SUFFOCATED SUFFOCATES SUFFOCATING SUFFOCATION SUFFOLK SUFFRAGE SUFFRAGETTE SUGAR SUGARED SUGARING SUGARINGS SUGARS SUGGEST SUGGESTED SUGGESTIBLE SUGGESTING SUGGESTION SUGGESTIONS SUGGESTIVE SUGGESTIVELY SUGGESTS SUICIDAL SUICIDALLY SUICIDE SUICIDES SUING SUIT SUITABILITY SUITABLE SUITABLENESS SUITABLY SUITCASE SUITCASES SUITE SUITED SUITERS SUITES SUITING SUITOR SUITORS SUITS SUKARNO SULFA SULFUR SULFURIC SULFUROUS SULK SULKED SULKINESS SULKING SULKS SULKY SULLEN SULLENLY SULLENNESS SULLIVAN SULPHATE SULPHUR SULPHURED SULPHURIC SULTAN SULTANS SULTRY SULZBERGER SUM SUMAC SUMATRA SUMERIA SUMERIAN SUMMAND SUMMANDS SUMMARIES SUMMARILY SUMMARIZATION SUMMARIZATIONS SUMMARIZE SUMMARIZED SUMMARIZES SUMMARIZING SUMMARY SUMMATION SUMMATIONS SUMMED SUMMER SUMMERDALE SUMMERS SUMMERTIME SUMMING SUMMIT SUMMITRY SUMMON SUMMONED SUMMONER SUMMONERS SUMMONING SUMMONS SUMMONSES SUMNER SUMPTUOUS SUMS SUMTER SUN SUNBEAM SUNBEAMS SUNBELT SUNBONNET SUNBURN SUNBURNT SUNDAY SUNDAYS SUNDER SUNDIAL SUNDOWN SUNDRIES SUNDRY SUNFLOWER SUNG SUNGLASS SUNGLASSES SUNK SUNKEN SUNLIGHT SUNLIT SUNNED SUNNING SUNNY SUNNYVALE SUNRISE SUNS SUNSET SUNSHINE SUNSPOT SUNTAN SUNTANNED SUNTANNING SUPER SUPERB SUPERBLOCK SUPERBLY SUPERCOMPUTER SUPERCOMPUTERS SUPEREGO SUPEREGOS SUPERFICIAL SUPERFICIALLY SUPERFLUITIES SUPERFLUITY SUPERFLUOUS SUPERFLUOUSLY SUPERGROUP SUPERGROUPS SUPERHUMAN SUPERHUMANLY SUPERIMPOSE SUPERIMPOSED SUPERIMPOSES SUPERIMPOSING SUPERINTEND SUPERINTENDENT SUPERINTENDENTS SUPERIOR SUPERIORITY SUPERIORS SUPERLATIVE SUPERLATIVELY SUPERLATIVES SUPERMARKET SUPERMARKETS SUPERMINI SUPERMINIS SUPERNATURAL SUPERPOSE SUPERPOSED SUPERPOSES SUPERPOSING SUPERPOSITION SUPERSCRIPT SUPERSCRIPTED SUPERSCRIPTING SUPERSCRIPTS SUPERSEDE SUPERSEDED SUPERSEDES SUPERSEDING SUPERSET SUPERSETS SUPERSTITION SUPERSTITIONS SUPERSTITIOUS SUPERUSER SUPERVISE SUPERVISED SUPERVISES SUPERVISING SUPERVISION SUPERVISOR SUPERVISORS SUPERVISORY SUPINE SUPPER SUPPERS SUPPLANT SUPPLANTED SUPPLANTING SUPPLANTS SUPPLE SUPPLEMENT SUPPLEMENTAL SUPPLEMENTARY SUPPLEMENTED SUPPLEMENTING SUPPLEMENTS SUPPLENESS SUPPLICATION SUPPLIED SUPPLIER SUPPLIERS SUPPLIES SUPPLY SUPPLYING SUPPORT SUPPORTABLE SUPPORTED SUPPORTER SUPPORTERS SUPPORTING SUPPORTINGLY SUPPORTIVE SUPPORTIVELY SUPPORTS SUPPOSE SUPPOSED SUPPOSEDLY SUPPOSES SUPPOSING SUPPOSITION SUPPOSITIONS SUPPRESS SUPPRESSED SUPPRESSES SUPPRESSING SUPPRESSION SUPPRESSOR SUPPRESSORS SUPRANATIONAL SUPREMACY SUPREME SUPREMELY SURCHARGE SURE SURELY SURENESS SURETIES SURETY SURF SURFACE SURFACED SURFACENESS SURFACES SURFACING SURGE SURGED SURGEON SURGEONS SURGERY SURGES SURGICAL SURGICALLY SURGING SURLINESS SURLY SURMISE SURMISED SURMISES SURMOUNT SURMOUNTED SURMOUNTING SURMOUNTS SURNAME SURNAMES SURPASS SURPASSED SURPASSES SURPASSING SURPLUS SURPLUSES SURPRISE SURPRISED SURPRISES SURPRISING SURPRISINGLY SURREAL SURRENDER SURRENDERED SURRENDERING SURRENDERS SURREPTITIOUS SURREY SURROGATE SURROGATES SURROUND SURROUNDED SURROUNDING SURROUNDINGS SURROUNDS SURTAX SURVEY SURVEYED SURVEYING SURVEYOR SURVEYORS SURVEYS SURVIVAL SURVIVALS SURVIVE SURVIVED SURVIVES SURVIVING SURVIVOR SURVIVORS SUS SUSAN SUSANNE SUSCEPTIBLE SUSIE SUSPECT SUSPECTED SUSPECTING SUSPECTS SUSPEND SUSPENDED SUSPENDER SUSPENDERS SUSPENDING SUSPENDS SUSPENSE SUSPENSES SUSPENSION SUSPENSIONS SUSPICION SUSPICIONS SUSPICIOUS SUSPICIOUSLY SUSQUEHANNA SUSSEX SUSTAIN SUSTAINED SUSTAINING SUSTAINS SUSTENANCE SUTHERLAND SUTTON SUTURE SUTURES SUWANEE SUZANNE SUZERAINTY SUZUKI SVELTE SVETLANA SWAB SWABBING SWAGGER SWAGGERED SWAGGERING SWAHILI SWAIN SWAINS SWALLOW SWALLOWED SWALLOWING SWALLOWS SWALLOWTAIL SWAM SWAMI SWAMP SWAMPED SWAMPING SWAMPS SWAMPY SWAN SWANK SWANKY SWANLIKE SWANS SWANSEA SWANSON SWAP SWAPPED SWAPPING SWAPS SWARM SWARMED SWARMING SWARMS SWARTHMORE SWARTHOUT SWARTHY SWARTZ SWASTIKA SWAT SWATTED SWAY SWAYED SWAYING SWAZILAND SWEAR SWEARER SWEARING SWEARS SWEAT SWEATED SWEATER SWEATERS SWEATING SWEATS SWEATSHIRT SWEATY SWEDE SWEDEN SWEDES SWEDISH SWEENEY SWEENEYS SWEEP SWEEPER SWEEPERS SWEEPING SWEEPINGS SWEEPS SWEEPSTAKES SWEET SWEETEN SWEETENED SWEETENER SWEETENERS SWEETENING SWEETENINGS SWEETENS SWEETER SWEETEST SWEETHEART SWEETHEARTS SWEETISH SWEETLY SWEETNESS SWEETS SWELL SWELLED SWELLING SWELLINGS SWELLS SWELTER SWENSON SWEPT SWERVE SWERVED SWERVES SWERVING SWIFT SWIFTER SWIFTEST SWIFTLY SWIFTNESS SWIM SWIMMER SWIMMERS SWIMMING SWIMMINGLY SWIMS SWIMSUIT SWINBURNE SWINDLE SWINE SWING SWINGER SWINGERS SWINGING SWINGS SWINK SWIPE SWIRL SWIRLED SWIRLING SWISH SWISHED SWISS SWITCH SWITCHBLADE SWITCHBOARD SWITCHBOARDS SWITCHED SWITCHER SWITCHERS SWITCHES SWITCHING SWITCHINGS SWITCHMAN SWITZER SWITZERLAND SWIVEL SWIZZLE SWOLLEN SWOON SWOOP SWOOPED SWOOPING SWOOPS SWORD SWORDFISH SWORDS SWORE SWORN SWUM SWUNG SYBIL SYCAMORE SYCOPHANT SYCOPHANTIC SYDNEY SYKES SYLLABLE SYLLABLES SYLLOGISM SYLLOGISMS SYLLOGISTIC SYLOW SYLVAN SYLVANIA SYLVESTER SYLVIA SYLVIE SYMBIOSIS SYMBIOTIC SYMBOL SYMBOLIC SYMBOLICALLY SYMBOLICS SYMBOLISM SYMBOLIZATION SYMBOLIZE SYMBOLIZED SYMBOLIZES SYMBOLIZING SYMBOLS SYMINGTON SYMMETRIC SYMMETRICAL SYMMETRICALLY SYMMETRIES SYMMETRY SYMPATHETIC SYMPATHIES SYMPATHIZE SYMPATHIZED SYMPATHIZER SYMPATHIZERS SYMPATHIZES SYMPATHIZING SYMPATHIZINGLY SYMPATHY SYMPHONIC SYMPHONIES SYMPHONY SYMPOSIA SYMPOSIUM SYMPOSIUMS SYMPTOM SYMPTOMATIC SYMPTOMS SYNAGOGUE SYNAPSE SYNAPSES SYNAPTIC SYNCHRONISM SYNCHRONIZATION SYNCHRONIZE SYNCHRONIZED SYNCHRONIZER SYNCHRONIZERS SYNCHRONIZES SYNCHRONIZING SYNCHRONOUS SYNCHRONOUSLY SYNCHRONY SYNCHROTRON SYNCOPATE SYNDICATE SYNDICATED SYNDICATES SYNDICATION SYNDROME SYNDROMES SYNERGISM SYNERGISTIC SYNERGY SYNGE SYNOD SYNONYM SYNONYMOUS SYNONYMOUSLY SYNONYMS SYNOPSES SYNOPSIS SYNTACTIC SYNTACTICAL SYNTACTICALLY SYNTAX SYNTAXES SYNTHESIS SYNTHESIZE SYNTHESIZED SYNTHESIZER SYNTHESIZERS SYNTHESIZES SYNTHESIZING SYNTHETIC SYNTHETICS SYRACUSE SYRIA SYRIAN SYRIANIZE SYRIANIZES SYRIANS SYRINGE SYRINGES SYRUP SYRUPY SYSTEM SYSTEMATIC SYSTEMATICALLY SYSTEMATIZE SYSTEMATIZED SYSTEMATIZES SYSTEMATIZING SYSTEMIC SYSTEMS SYSTEMWIDE SZILARD TAB TABERNACLE TABERNACLES TABLE TABLEAU TABLEAUS TABLECLOTH TABLECLOTHS TABLED TABLES TABLESPOON TABLESPOONFUL TABLESPOONFULS TABLESPOONS TABLET TABLETS TABLING TABOO TABOOS TABS TABULAR TABULATE TABULATED TABULATES TABULATING TABULATION TABULATIONS TABULATOR TABULATORS TACHOMETER TACHOMETERS TACIT TACITLY TACITUS TACK TACKED TACKING TACKLE TACKLES TACOMA TACT TACTIC TACTICS TACTILE TAFT TAG TAGGED TAGGING TAGS TAHITI TAHOE TAIL TAILED TAILING TAILOR TAILORED TAILORING TAILORS TAILS TAINT TAINTED TAIPEI TAIWAN TAIWANESE TAKE TAKEN TAKER TAKERS TAKES TAKING TAKINGS TALE TALENT TALENTED TALENTS TALES TALK TALKATIVE TALKATIVELY TALKATIVENESS TALKED TALKER TALKERS TALKIE TALKING TALKS TALL TALLADEGA TALLAHASSEE TALLAHATCHIE TALLAHOOSA TALLCHIEF TALLER TALLEST TALLEYRAND TALLNESS TALLOW TALLY TALMUD TALMUDISM TALMUDIZATION TALMUDIZATIONS TALMUDIZE TALMUDIZES TAME TAMED TAMELY TAMENESS TAMER TAMES TAMIL TAMING TAMMANY TAMMANYIZE TAMMANYIZES TAMPA TAMPER TAMPERED TAMPERING TAMPERS TAN TANAKA TANANARIVE TANDEM TANG TANGANYIKA TANGENT TANGENTIAL TANGENTS TANGIBLE TANGIBLY TANGLE TANGLED TANGY TANK TANKER TANKERS TANKS TANNENBAUM TANNER TANNERS TANTALIZING TANTALIZINGLY TANTALUS TANTAMOUNT TANTRUM TANTRUMS TANYA TANZANIA TAOISM TAOIST TAOS TAP TAPE TAPED TAPER TAPERED TAPERING TAPERS TAPES TAPESTRIES TAPESTRY TAPING TAPINGS TAPPED TAPPER TAPPERS TAPPING TAPROOT TAPROOTS TAPS TAR TARA TARBELL TARDINESS TARDY TARGET TARGETED TARGETING TARGETS TARIFF TARIFFS TARRY TARRYTOWN TART TARTARY TARTLY TARTNESS TARTUFFE TARZAN TASK TASKED TASKING TASKS TASMANIA TASS TASSEL TASSELS TASTE TASTED TASTEFUL TASTEFULLY TASTEFULNESS TASTELESS TASTELESSLY TASTER TASTERS TASTES TASTING TATE TATTER TATTERED TATTOO TATTOOED TATTOOS TAU TAUGHT TAUNT TAUNTED TAUNTER TAUNTING TAUNTS TAURUS TAUT TAUTLY TAUTNESS TAUTOLOGICAL TAUTOLOGICALLY TAUTOLOGIES TAUTOLOGY TAVERN TAVERNS TAWNEY TAWNY TAX TAXABLE TAXATION TAXED TAXES TAXI TAXICAB TAXICABS TAXIED TAXIING TAXING TAXIS TAXONOMIC TAXONOMICALLY TAXONOMY TAXPAYER TAXPAYERS TAYLOR TAYLORIZE TAYLORIZES TAYLORS TCHAIKOVSKY TEA TEACH TEACHABLE TEACHER TEACHERS TEACHES TEACHING TEACHINGS TEACUP TEAM TEAMED TEAMING TEAMS TEAR TEARED TEARFUL TEARFULLY TEARING TEARS TEAS TEASE TEASED TEASES TEASING TEASPOON TEASPOONFUL TEASPOONFULS TEASPOONS TECHNICAL TECHNICALITIES TECHNICALITY TECHNICALLY TECHNICIAN TECHNICIANS TECHNION TECHNIQUE TECHNIQUES TECHNOLOGICAL TECHNOLOGICALLY TECHNOLOGIES TECHNOLOGIST TECHNOLOGISTS TECHNOLOGY TED TEDDY TEDIOUS TEDIOUSLY TEDIOUSNESS TEDIUM TEEM TEEMED TEEMING TEEMS TEEN TEENAGE TEENAGED TEENAGER TEENAGERS TEENS TEETH TEETHE TEETHED TEETHES TEETHING TEFLON TEGUCIGALPA TEHERAN TEHRAN TEKTRONIX TELECOMMUNICATION TELECOMMUNICATIONS TELEDYNE TELEFUNKEN TELEGRAM TELEGRAMS TELEGRAPH TELEGRAPHED TELEGRAPHER TELEGRAPHERS TELEGRAPHIC TELEGRAPHING TELEGRAPHS TELEMANN TELEMETRY TELEOLOGICAL TELEOLOGICALLY TELEOLOGY TELEPATHY TELEPHONE TELEPHONED TELEPHONER TELEPHONERS TELEPHONES TELEPHONIC TELEPHONING TELEPHONY TELEPROCESSING TELESCOPE TELESCOPED TELESCOPES TELESCOPING TELETEX TELETEXT TELETYPE TELETYPES TELEVISE TELEVISED TELEVISES TELEVISING TELEVISION TELEVISIONS TELEVISOR TELEVISORS TELEX TELL TELLER TELLERS TELLING TELLS TELNET TELNET TEMPER TEMPERAMENT TEMPERAMENTAL TEMPERAMENTS TEMPERANCE TEMPERATE TEMPERATELY TEMPERATENESS TEMPERATURE TEMPERATURES TEMPERED TEMPERING TEMPERS TEMPEST TEMPESTUOUS TEMPESTUOUSLY TEMPLATE TEMPLATES TEMPLE TEMPLEMAN TEMPLES TEMPLETON TEMPORAL TEMPORALLY TEMPORARIES TEMPORARILY TEMPORARY TEMPT TEMPTATION TEMPTATIONS TEMPTED TEMPTER TEMPTERS TEMPTING TEMPTINGLY TEMPTS TEN TENACIOUS TENACIOUSLY TENANT TENANTS TEND TENDED TENDENCIES TENDENCY TENDER TENDERLY TENDERNESS TENDERS TENDING TENDS TENEMENT TENEMENTS TENEX TENEX TENFOLD TENNECO TENNESSEE TENNEY TENNIS TENNYSON TENOR TENORS TENS TENSE TENSED TENSELY TENSENESS TENSER TENSES TENSEST TENSING TENSION TENSIONS TENT TENTACLE TENTACLED TENTACLES TENTATIVE TENTATIVELY TENTED TENTH TENTING TENTS TENURE TERESA TERM TERMED TERMINAL TERMINALLY TERMINALS TERMINATE TERMINATED TERMINATES TERMINATING TERMINATION TERMINATIONS TERMINATOR TERMINATORS TERMING TERMINOLOGIES TERMINOLOGY TERMINUS TERMS TERMWISE TERNARY TERPSICHORE TERRA TERRACE TERRACED TERRACES TERRAIN TERRAINS TERRAN TERRE TERRESTRIAL TERRESTRIALS TERRIBLE TERRIBLY TERRIER TERRIERS TERRIFIC TERRIFIED TERRIFIES TERRIFY TERRIFYING TERRITORIAL TERRITORIES TERRITORY TERROR TERRORISM TERRORIST TERRORISTIC TERRORISTS TERRORIZE TERRORIZED TERRORIZES TERRORIZING TERRORS TERTIARY TESS TESSIE TEST TESTABILITY TESTABLE TESTAMENT TESTAMENTS TESTED TESTER TESTERS TESTICLE TESTICLES TESTIFIED TESTIFIER TESTIFIERS TESTIFIES TESTIFY TESTIFYING TESTIMONIES TESTIMONY TESTING TESTINGS TESTS TEUTONIC TEX TEX TEXACO TEXAN TEXANS TEXAS TEXASES TEXT TEXTBOOK TEXTBOOKS TEXTILE TEXTILES TEXTRON TEXTS TEXTUAL TEXTUALLY TEXTURE TEXTURED TEXTURES THAI THAILAND THALIA THAMES THAN THANK THANKED THANKFUL THANKFULLY THANKFULNESS THANKING THANKLESS THANKLESSLY THANKLESSNESS THANKS THANKSGIVING THANKSGIVINGS THAT THATCH THATCHES THATS THAW THAWED THAWING THAWS THAYER THE THEA THEATER THEATERS THEATRICAL THEATRICALLY THEATRICALS THEBES THEFT THEFTS THEIR THEIRS THELMA THEM THEMATIC THEME THEMES THEMSELVES THEN THENCE THENCEFORTH THEODORE THEODOSIAN THEODOSIUS THEOLOGICAL THEOLOGY THEOREM THEOREMS THEORETIC THEORETICAL THEORETICALLY THEORETICIANS THEORIES THEORIST THEORISTS THEORIZATION THEORIZATIONS THEORIZE THEORIZED THEORIZER THEORIZERS THEORIZES THEORIZING THEORY THERAPEUTIC THERAPIES THERAPIST THERAPISTS THERAPY THERE THEREABOUTS THEREAFTER THEREBY THEREFORE THEREIN THEREOF THEREON THERESA THERETO THEREUPON THEREWITH THERMAL THERMODYNAMIC THERMODYNAMICS THERMOFAX THERMOMETER THERMOMETERS THERMOSTAT THERMOSTATS THESE THESES THESEUS THESIS THESSALONIAN THESSALY THETIS THEY THICK THICKEN THICKENS THICKER THICKEST THICKET THICKETS THICKLY THICKNESS THIEF THIENSVILLE THIEVE THIEVES THIEVING THIGH THIGHS THIMBLE THIMBLES THIMBU THIN THING THINGS THINK THINKABLE THINKABLY THINKER THINKERS THINKING THINKS THINLY THINNER THINNESS THINNEST THIRD THIRDLY THIRDS THIRST THIRSTED THIRSTS THIRSTY THIRTEEN THIRTEENS THIRTEENTH THIRTIES THIRTIETH THIRTY THIS THISTLE THOMAS THOMISTIC THOMPSON THOMSON THONG THOR THOREAU THORN THORNBURG THORNS THORNTON THORNY THOROUGH THOROUGHFARE THOROUGHFARES THOROUGHLY THOROUGHNESS THORPE THORSTEIN THOSE THOUGH THOUGHT THOUGHTFUL THOUGHTFULLY THOUGHTFULNESS THOUGHTLESS THOUGHTLESSLY THOUGHTLESSNESS THOUGHTS THOUSAND THOUSANDS THOUSANDTH THRACE THRACIAN THRASH THRASHED THRASHER THRASHES THRASHING THREAD THREADED THREADER THREADERS THREADING THREADS THREAT THREATEN THREATENED THREATENING THREATENS THREATS THREE THREEFOLD THREES THREESCORE THRESHOLD THRESHOLDS THREW THRICE THRIFT THRIFTY THRILL THRILLED THRILLER THRILLERS THRILLING THRILLINGLY THRILLS THRIVE THRIVED THRIVES THRIVING THROAT THROATED THROATS THROB THROBBED THROBBING THROBS THRONE THRONEBERRY THRONES THRONG THRONGS THROTTLE THROTTLED THROTTLES THROTTLING THROUGH THROUGHOUT THROUGHPUT THROW THROWER THROWING THROWN THROWS THRUSH THRUST THRUSTER THRUSTERS THRUSTING THRUSTS THUBAN THUD THUDS THUG THUGS THULE THUMB THUMBED THUMBING THUMBS THUMP THUMPED THUMPING THUNDER THUNDERBOLT THUNDERBOLTS THUNDERED THUNDERER THUNDERERS THUNDERING THUNDERS THUNDERSTORM THUNDERSTORMS THURBER THURMAN THURSDAY THURSDAYS THUS THUSLY THWART THWARTED THWARTING THWARTS THYSELF TIBER TIBET TIBETAN TIBURON TICK TICKED TICKER TICKERS TICKET TICKETS TICKING TICKLE TICKLED TICKLES TICKLING TICKLISH TICKS TICONDEROGA TIDAL TIDALLY TIDE TIDED TIDES TIDIED TIDINESS TIDING TIDINGS TIDY TIDYING TIE TIECK TIED TIENTSIN TIER TIERS TIES TIFFANY TIGER TIGERS TIGHT TIGHTEN TIGHTENED TIGHTENER TIGHTENERS TIGHTENING TIGHTENINGS TIGHTENS TIGHTER TIGHTEST TIGHTLY TIGHTNESS TIGRIS TIJUANA TILDE TILE TILED TILES TILING TILL TILLABLE TILLED TILLER TILLERS TILLICH TILLIE TILLING TILLS TILT TILTED TILTING TILTS TIM TIMBER TIMBERED TIMBERING TIMBERS TIME TIMED TIMELESS TIMELESSLY TIMELESSNESS TIMELY TIMEOUT TIMEOUTS TIMER TIMERS TIMES TIMESHARE TIMESHARES TIMESHARING TIMESTAMP TIMESTAMPS TIMETABLE TIMETABLES TIMEX TIMID TIMIDITY TIMIDLY TIMING TIMINGS TIMMY TIMON TIMONIZE TIMONIZES TIMS TIN TINA TINCTURE TINGE TINGED TINGLE TINGLED TINGLES TINGLING TINIER TINIEST TINILY TININESS TINKER TINKERED TINKERING TINKERS TINKLE TINKLED TINKLES TINKLING TINNIER TINNIEST TINNILY TINNINESS TINNY TINS TINSELTOWN TINT TINTED TINTING TINTS TINY TIOGA TIP TIPPECANOE TIPPED TIPPER TIPPERARY TIPPERS TIPPING TIPS TIPTOE TIRANA TIRE TIRED TIREDLY TIRELESS TIRELESSLY TIRELESSNESS TIRES TIRESOME TIRESOMELY TIRESOMENESS TIRING TISSUE TISSUES TIT TITAN TITHE TITHER TITHES TITHING TITLE TITLED TITLES TITO TITS TITTER TITTERS TITUS TOAD TOADS TOAST TOASTED TOASTER TOASTING TOASTS TOBACCO TOBAGO TOBY TODAY TODAYS TODD TOE TOES TOGETHER TOGETHERNESS TOGGLE TOGGLED TOGGLES TOGGLING TOGO TOIL TOILED TOILER TOILET TOILETS TOILING TOILS TOKEN TOKENS TOKYO TOLAND TOLD TOLEDO TOLERABILITY TOLERABLE TOLERABLY TOLERANCE TOLERANCES TOLERANT TOLERANTLY TOLERATE TOLERATED TOLERATES TOLERATING TOLERATION TOLL TOLLED TOLLEY TOLLS TOLSTOY TOM TOMAHAWK TOMAHAWKS TOMATO TOMATOES TOMB TOMBIGBEE TOMBS TOMLINSON TOMMIE TOMOGRAPHY TOMORROW TOMORROWS TOMPKINS TON TONE TONED TONER TONES TONGS TONGUE TONGUED TONGUES TONI TONIC TONICS TONIGHT TONING TONIO TONNAGE TONS TONSIL TOO TOOK TOOL TOOLED TOOLER TOOLERS TOOLING TOOLS TOOMEY TOOTH TOOTHBRUSH TOOTHBRUSHES TOOTHPASTE TOOTHPICK TOOTHPICKS TOP TOPEKA TOPER TOPIC TOPICAL TOPICALLY TOPICS TOPMOST TOPOGRAPHY TOPOLOGICAL TOPOLOGIES TOPOLOGY TOPPLE TOPPLED TOPPLES TOPPLING TOPS TOPSY TORAH TORCH TORCHES TORE TORIES TORMENT TORMENTED TORMENTER TORMENTERS TORMENTING TORN TORNADO TORNADOES TORONTO TORPEDO TORPEDOES TORQUE TORQUEMADA TORRANCE TORRENT TORRENTS TORRID TORTOISE TORTOISES TORTURE TORTURED TORTURER TORTURERS TORTURES TORTURING TORUS TORUSES TORY TORYIZE TORYIZES TOSCA TOSCANINI TOSHIBA TOSS TOSSED TOSSES TOSSING TOTAL TOTALED TOTALING TOTALITIES TOTALITY TOTALLED TOTALLER TOTALLERS TOTALLING TOTALLY TOTALS TOTO TOTTER TOTTERED TOTTERING TOTTERS TOUCH TOUCHABLE TOUCHED TOUCHES TOUCHIER TOUCHIEST TOUCHILY TOUCHINESS TOUCHING TOUCHINGLY TOUCHY TOUGH TOUGHEN TOUGHER TOUGHEST TOUGHLY TOUGHNESS TOULOUSE TOUR TOURED TOURING TOURIST TOURISTS TOURNAMENT TOURNAMENTS TOURS TOW TOWARD TOWARDS TOWED TOWEL TOWELING TOWELLED TOWELLING TOWELS TOWER TOWERED TOWERING TOWERS TOWN TOWNLEY TOWNS TOWNSEND TOWNSHIP TOWNSHIPS TOWSLEY TOY TOYED TOYING TOYNBEE TOYOTA TOYS TRACE TRACEABLE TRACED TRACER TRACERS TRACES TRACING TRACINGS TRACK TRACKED TRACKER TRACKERS TRACKING TRACKS TRACT TRACTABILITY TRACTABLE TRACTARIANS TRACTIVE TRACTOR TRACTORS TRACTS TRACY TRADE TRADED TRADEMARK TRADEMARKS TRADEOFF TRADEOFFS TRADER TRADERS TRADES TRADESMAN TRADING TRADITION TRADITIONAL TRADITIONALLY TRADITIONS TRAFFIC TRAFFICKED TRAFFICKER TRAFFICKERS TRAFFICKING TRAFFICS TRAGEDIES TRAGEDY TRAGIC TRAGICALLY TRAIL TRAILED TRAILER TRAILERS TRAILING TRAILINGS TRAILS TRAIN TRAINED TRAINEE TRAINEES TRAINER TRAINERS TRAINING TRAINS TRAIT TRAITOR TRAITORS TRAITS TRAJECTORIES TRAJECTORY TRAMP TRAMPED TRAMPING TRAMPLE TRAMPLED TRAMPLER TRAMPLES TRAMPLING TRAMPS TRANCE TRANCES TRANQUIL TRANQUILITY TRANQUILLY TRANSACT TRANSACTION TRANSACTIONS TRANSATLANTIC TRANSCEIVE TRANSCEIVER TRANSCEIVERS TRANSCEND TRANSCENDED TRANSCENDENT TRANSCENDING TRANSCENDS TRANSCONTINENTAL TRANSCRIBE TRANSCRIBED TRANSCRIBER TRANSCRIBERS TRANSCRIBES TRANSCRIBING TRANSCRIPT TRANSCRIPTION TRANSCRIPTIONS TRANSCRIPTS TRANSFER TRANSFERABILITY TRANSFERABLE TRANSFERAL TRANSFERALS TRANSFERENCE TRANSFERRED TRANSFERRER TRANSFERRERS TRANSFERRING TRANSFERS TRANSFINITE TRANSFORM TRANSFORMABLE TRANSFORMATION TRANSFORMATIONAL TRANSFORMATIONS TRANSFORMED TRANSFORMER TRANSFORMERS TRANSFORMING TRANSFORMS TRANSGRESS TRANSGRESSED TRANSGRESSION TRANSGRESSIONS TRANSIENCE TRANSIENCY TRANSIENT TRANSIENTLY TRANSIENTS TRANSISTOR TRANSISTORIZE TRANSISTORIZED TRANSISTORIZING TRANSISTORS TRANSIT TRANSITE TRANSITION TRANSITIONAL TRANSITIONED TRANSITIONS TRANSITIVE TRANSITIVELY TRANSITIVENESS TRANSITIVITY TRANSITORY TRANSLATABILITY TRANSLATABLE TRANSLATE TRANSLATED TRANSLATES TRANSLATING TRANSLATION TRANSLATIONAL TRANSLATIONS TRANSLATOR TRANSLATORS TRANSLUCENT TRANSMISSION TRANSMISSIONS TRANSMIT TRANSMITS TRANSMITTAL TRANSMITTED TRANSMITTER TRANSMITTERS TRANSMITTING TRANSMOGRIFICATION TRANSMOGRIFY TRANSPACIFIC TRANSPARENCIES TRANSPARENCY TRANSPARENT TRANSPARENTLY TRANSPIRE TRANSPIRED TRANSPIRES TRANSPIRING TRANSPLANT TRANSPLANTED TRANSPLANTING TRANSPLANTS TRANSPONDER TRANSPONDERS TRANSPORT TRANSPORTABILITY TRANSPORTATION TRANSPORTED TRANSPORTER TRANSPORTERS TRANSPORTING TRANSPORTS TRANSPOSE TRANSPOSED TRANSPOSES TRANSPOSING TRANSPOSITION TRANSPUTER TRANSVAAL TRANSYLVANIA TRAP TRAPEZOID TRAPEZOIDAL TRAPEZOIDS TRAPPED TRAPPER TRAPPERS TRAPPING TRAPPINGS TRAPS TRASH TRASTEVERE TRAUMA TRAUMATIC TRAVAIL TRAVEL TRAVELED TRAVELER TRAVELERS TRAVELING TRAVELINGS TRAVELS TRAVERSAL TRAVERSALS TRAVERSE TRAVERSED TRAVERSES TRAVERSING TRAVESTIES TRAVESTY TRAVIS TRAY TRAYS TREACHERIES TREACHEROUS TREACHEROUSLY TREACHERY TREAD TREADING TREADS TREADWELL TREASON TREASURE TREASURED TREASURER TREASURES TREASURIES TREASURING TREASURY TREAT TREATED TREATIES TREATING TREATISE TREATISES TREATMENT TREATMENTS TREATS TREATY TREBLE TREE TREES TREETOP TREETOPS TREK TREKS TREMBLE TREMBLED TREMBLES TREMBLING TREMENDOUS TREMENDOUSLY TREMOR TREMORS TRENCH TRENCHER TRENCHES TREND TRENDING TRENDS TRENTON TRESPASS TRESPASSED TRESPASSER TRESPASSERS TRESPASSES TRESS TRESSES TREVELYAN TRIAL TRIALS TRIANGLE TRIANGLES TRIANGULAR TRIANGULARLY TRIANGULUM TRIANON TRIASSIC TRIBAL TRIBE TRIBES TRIBUNAL TRIBUNALS TRIBUNE TRIBUNES TRIBUTARY TRIBUTE TRIBUTES TRICERATOPS TRICHINELLA TRICHOTOMY TRICK TRICKED TRICKIER TRICKIEST TRICKINESS TRICKING TRICKLE TRICKLED TRICKLES TRICKLING TRICKS TRICKY TRIED TRIER TRIERS TRIES TRIFLE TRIFLER TRIFLES TRIFLING TRIGGER TRIGGERED TRIGGERING TRIGGERS TRIGONOMETRIC TRIGONOMETRY TRIGRAM TRIGRAMS TRIHEDRAL TRILATERAL TRILL TRILLED TRILLION TRILLIONS TRILLIONTH TRIM TRIMBLE TRIMLY TRIMMED TRIMMER TRIMMEST TRIMMING TRIMMINGS TRIMNESS TRIMS TRINIDAD TRINKET TRINKETS TRIO TRIP TRIPLE TRIPLED TRIPLES TRIPLET TRIPLETS TRIPLETT TRIPLING TRIPOD TRIPS TRISTAN TRIUMPH TRIUMPHAL TRIUMPHANT TRIUMPHANTLY TRIUMPHED TRIUMPHING TRIUMPHS TRIVIA TRIVIAL TRIVIALITIES TRIVIALITY TRIVIALLY TROBRIAND TROD TROJAN TROLL TROLLEY TROLLEYS TROLLS TROOP TROOPER TROOPERS TROOPS TROPEZ TROPHIES TROPHY TROPIC TROPICAL TROPICS TROT TROTS TROTSKY TROUBLE TROUBLED TROUBLEMAKER TROUBLEMAKERS TROUBLES TROUBLESHOOT TROUBLESHOOTER TROUBLESHOOTERS TROUBLESHOOTING TROUBLESHOOTS TROUBLESOME TROUBLESOMELY TROUBLING TROUGH TROUSER TROUSERS TROUT TROUTMAN TROWEL TROWELS TROY TRUANT TRUANTS TRUCE TRUCK TRUCKED TRUCKEE TRUCKER TRUCKERS TRUCKING TRUCKS TRUDEAU TRUDGE TRUDGED TRUDY TRUE TRUED TRUER TRUES TRUEST TRUING TRUISM TRUISMS TRUJILLO TRUK TRULY TRUMAN TRUMBULL TRUMP TRUMPED TRUMPET TRUMPETER TRUMPS TRUNCATE TRUNCATED TRUNCATES TRUNCATING TRUNCATION TRUNCATIONS TRUNK TRUNKS TRUST TRUSTED TRUSTEE TRUSTEES TRUSTFUL TRUSTFULLY TRUSTFULNESS TRUSTING TRUSTINGLY TRUSTS TRUSTWORTHINESS TRUSTWORTHY TRUSTY TRUTH TRUTHFUL TRUTHFULLY TRUTHFULNESS TRUTHS TRY TRYING TSUNEMATSU TUB TUBE TUBER TUBERCULOSIS TUBERS TUBES TUBING TUBS TUCK TUCKED TUCKER TUCKING TUCKS TUCSON TUDOR TUESDAY TUESDAYS TUFT TUFTS TUG TUGS TUITION TULANE TULIP TULIPS TULSA TUMBLE TUMBLED TUMBLER TUMBLERS TUMBLES TUMBLING TUMOR TUMORS TUMULT TUMULTS TUMULTUOUS TUNABLE TUNE TUNED TUNER TUNERS TUNES TUNIC TUNICS TUNING TUNIS TUNISIA TUNISIAN TUNNEL TUNNELED TUNNELS TUPLE TUPLES TURBAN TURBANS TURBULENCE TURBULENT TURBULENTLY TURF TURGID TURGIDLY TURIN TURING TURKEY TURKEYS TURKISH TURKIZE TURKIZES TURMOIL TURMOILS TURN TURNABLE TURNAROUND TURNED TURNER TURNERS TURNING TURNINGS TURNIP TURNIPS TURNOVER TURNS TURPENTINE TURQUOISE TURRET TURRETS TURTLE TURTLENECK TURTLES TUSCALOOSA TUSCAN TUSCANIZE TUSCANIZES TUSCANY TUSCARORA TUSKEGEE TUTANKHAMEN TUTANKHAMON TUTANKHAMUN TUTENKHAMON TUTOR TUTORED TUTORIAL TUTORIALS TUTORING TUTORS TUTTLE TWAIN TWANG TWAS TWEED TWELFTH TWELVE TWELVES TWENTIES TWENTIETH TWENTY TWICE TWIG TWIGS TWILIGHT TWILIGHTS TWILL TWIN TWINE TWINED TWINER TWINKLE TWINKLED TWINKLER TWINKLES TWINKLING TWINS TWIRL TWIRLED TWIRLER TWIRLING TWIRLS TWIST TWISTED TWISTER TWISTERS TWISTING TWISTS TWITCH TWITCHED TWITCHING TWITTER TWITTERED TWITTERING TWO TWOFOLD TWOMBLY TWOS TYBURN TYING TYLER TYLERIZE TYLERIZES TYNDALL TYPE TYPED TYPEOUT TYPES TYPESETTER TYPEWRITER TYPEWRITERS TYPHOID TYPHON TYPICAL TYPICALLY TYPICALNESS TYPIFIED TYPIFIES TYPIFY TYPIFYING TYPING TYPIST TYPISTS TYPO TYPOGRAPHIC TYPOGRAPHICAL TYPOGRAPHICALLY TYPOGRAPHY TYRANNICAL TYRANNOSAURUS TYRANNY TYRANT TYRANTS TYSON TZELTAL UBIQUITOUS UBIQUITOUSLY UBIQUITY UDALL UGANDA UGH UGLIER UGLIEST UGLINESS UGLY UKRAINE UKRAINIAN UKRAINIANS ULAN ULCER ULCERS ULLMAN ULSTER ULTIMATE ULTIMATELY ULTRA ULTRASONIC ULTRIX ULTRIX ULYSSES UMBRAGE UMBRELLA UMBRELLAS UMPIRE UMPIRES UNABATED UNABBREVIATED UNABLE UNACCEPTABILITY UNACCEPTABLE UNACCEPTABLY UNACCOUNTABLE UNACCUSTOMED UNACHIEVABLE UNACKNOWLEDGED UNADULTERATED UNAESTHETICALLY UNAFFECTED UNAFFECTEDLY UNAFFECTEDNESS UNAIDED UNALIENABILITY UNALIENABLE UNALTERABLY UNALTERED UNAMBIGUOUS UNAMBIGUOUSLY UNAMBITIOUS UNANALYZABLE UNANIMITY UNANIMOUS UNANIMOUSLY UNANSWERABLE UNANSWERED UNANTICIPATED UNARMED UNARY UNASSAILABLE UNASSIGNED UNASSISTED UNATTAINABILITY UNATTAINABLE UNATTENDED UNATTRACTIVE UNATTRACTIVELY UNAUTHORIZED UNAVAILABILITY UNAVAILABLE UNAVOIDABLE UNAVOIDABLY UNAWARE UNAWARENESS UNAWARES UNBALANCED UNBEARABLE UNBECOMING UNBELIEVABLE UNBIASED UNBIND UNBLOCK UNBLOCKED UNBLOCKING UNBLOCKS UNBORN UNBOUND UNBOUNDED UNBREAKABLE UNBRIDLED UNBROKEN UNBUFFERED UNCANCELLED UNCANNY UNCAPITALIZED UNCAUGHT UNCERTAIN UNCERTAINLY UNCERTAINTIES UNCERTAINTY UNCHANGEABLE UNCHANGED UNCHANGING UNCLAIMED UNCLASSIFIED UNCLE UNCLEAN UNCLEANLY UNCLEANNESS UNCLEAR UNCLEARED UNCLES UNCLOSED UNCOMFORTABLE UNCOMFORTABLY UNCOMMITTED UNCOMMON UNCOMMONLY UNCOMPROMISING UNCOMPUTABLE UNCONCERNED UNCONCERNEDLY UNCONDITIONAL UNCONDITIONALLY UNCONNECTED UNCONSCIONABLE UNCONSCIOUS UNCONSCIOUSLY UNCONSCIOUSNESS UNCONSTITUTIONAL UNCONSTRAINED UNCONTROLLABILITY UNCONTROLLABLE UNCONTROLLABLY UNCONTROLLED UNCONVENTIONAL UNCONVENTIONALLY UNCONVINCED UNCONVINCING UNCOORDINATED UNCORRECTABLE UNCORRECTED UNCOUNTABLE UNCOUNTABLY UNCOUTH UNCOVER UNCOVERED UNCOVERING UNCOVERS UNDAMAGED UNDAUNTED UNDAUNTEDLY UNDECIDABLE UNDECIDED UNDECLARED UNDECOMPOSABLE UNDEFINABILITY UNDEFINED UNDELETED UNDENIABLE UNDENIABLY UNDER UNDERBRUSH UNDERDONE UNDERESTIMATE UNDERESTIMATED UNDERESTIMATES UNDERESTIMATING UNDERESTIMATION UNDERFLOW UNDERFLOWED UNDERFLOWING UNDERFLOWS UNDERFOOT UNDERGO UNDERGOES UNDERGOING UNDERGONE UNDERGRADUATE UNDERGRADUATES UNDERGROUND UNDERLIE UNDERLIES UNDERLINE UNDERLINED UNDERLINES UNDERLING UNDERLINGS UNDERLINING UNDERLININGS UNDERLOADED UNDERLYING UNDERMINE UNDERMINED UNDERMINES UNDERMINING UNDERNEATH UNDERPINNING UNDERPINNINGS UNDERPLAY UNDERPLAYED UNDERPLAYING UNDERPLAYS UNDERSCORE UNDERSCORED UNDERSCORES UNDERSTAND UNDERSTANDABILITY UNDERSTANDABLE UNDERSTANDABLY UNDERSTANDING UNDERSTANDINGLY UNDERSTANDINGS UNDERSTANDS UNDERSTATED UNDERSTOOD UNDERTAKE UNDERTAKEN UNDERTAKER UNDERTAKERS UNDERTAKES UNDERTAKING UNDERTAKINGS UNDERTOOK UNDERWATER UNDERWAY UNDERWEAR UNDERWENT UNDERWORLD UNDERWRITE UNDERWRITER UNDERWRITERS UNDERWRITES UNDERWRITING UNDESIRABILITY UNDESIRABLE UNDETECTABLE UNDETECTED UNDETERMINED UNDEVELOPED UNDID UNDIMINISHED UNDIRECTED UNDISCIPLINED UNDISCOVERED UNDISTURBED UNDIVIDED UNDO UNDOCUMENTED UNDOES UNDOING UNDOINGS UNDONE UNDOUBTEDLY UNDRESS UNDRESSED UNDRESSES UNDRESSING UNDUE UNDULY UNEASILY UNEASINESS UNEASY UNECONOMIC UNECONOMICAL UNEMBELLISHED UNEMPLOYED UNEMPLOYMENT UNENCRYPTED UNENDING UNENLIGHTENING UNEQUAL UNEQUALED UNEQUALLY UNEQUIVOCAL UNEQUIVOCALLY UNESCO UNESSENTIAL UNEVALUATED UNEVEN UNEVENLY UNEVENNESS UNEVENTFUL UNEXCUSED UNEXPANDED UNEXPECTED UNEXPECTEDLY UNEXPLAINED UNEXPLORED UNEXTENDED UNFAIR UNFAIRLY UNFAIRNESS UNFAITHFUL UNFAITHFULLY UNFAITHFULNESS UNFAMILIAR UNFAMILIARITY UNFAMILIARLY UNFAVORABLE UNFETTERED UNFINISHED UNFIT UNFITNESS UNFLAGGING UNFOLD UNFOLDED UNFOLDING UNFOLDS UNFORESEEN UNFORGEABLE UNFORGIVING UNFORMATTED UNFORTUNATE UNFORTUNATELY UNFORTUNATES UNFOUNDED UNFRIENDLINESS UNFRIENDLY UNFULFILLED UNGRAMMATICAL UNGRATEFUL UNGRATEFULLY UNGRATEFULNESS UNGROUNDED UNGUARDED UNGUIDED UNHAPPIER UNHAPPIEST UNHAPPILY UNHAPPINESS UNHAPPY UNHARMED UNHEALTHY UNHEARD UNHEEDED UNIBUS UNICORN UNICORNS UNICYCLE UNIDENTIFIED UNIDIRECTIONAL UNIDIRECTIONALITY UNIDIRECTIONALLY UNIFICATION UNIFICATIONS UNIFIED UNIFIER UNIFIERS UNIFIES UNIFORM UNIFORMED UNIFORMITY UNIFORMLY UNIFORMS UNIFY UNIFYING UNILLUMINATING UNIMAGINABLE UNIMPEDED UNIMPLEMENTED UNIMPORTANT UNINDENTED UNINITIALIZED UNINSULATED UNINTELLIGIBLE UNINTENDED UNINTENTIONAL UNINTENTIONALLY UNINTERESTING UNINTERESTINGLY UNINTERPRETED UNINTERRUPTED UNINTERRUPTEDLY UNION UNIONIZATION UNIONIZE UNIONIZED UNIONIZER UNIONIZERS UNIONIZES UNIONIZING UNIONS UNIPLUS UNIPROCESSOR UNIQUE UNIQUELY UNIQUENESS UNIROYAL UNISOFT UNISON UNIT UNITARIAN UNITARIANIZE UNITARIANIZES UNITARIANS UNITE UNITED UNITES UNITIES UNITING UNITS UNITY UNIVAC UNIVALVE UNIVALVES UNIVERSAL UNIVERSALITY UNIVERSALLY UNIVERSALS UNIVERSE UNIVERSES UNIVERSITIES UNIVERSITY UNIX UNIX UNJUST UNJUSTIFIABLE UNJUSTIFIED UNJUSTLY UNKIND UNKINDLY UNKINDNESS UNKNOWABLE UNKNOWING UNKNOWINGLY UNKNOWN UNKNOWNS UNLABELLED UNLAWFUL UNLAWFULLY UNLEASH UNLEASHED UNLEASHES UNLEASHING UNLESS UNLIKE UNLIKELY UNLIKENESS UNLIMITED UNLINK UNLINKED UNLINKING UNLINKS UNLOAD UNLOADED UNLOADING UNLOADS UNLOCK UNLOCKED UNLOCKING UNLOCKS UNLUCKY UNMANAGEABLE UNMANAGEABLY UNMANNED UNMARKED UNMARRIED UNMASK UNMASKED UNMATCHED UNMENTIONABLE UNMERCIFUL UNMERCIFULLY UNMISTAKABLE UNMISTAKABLY UNMODIFIED UNMOVED UNNAMED UNNATURAL UNNATURALLY UNNATURALNESS UNNECESSARILY UNNECESSARY UNNEEDED UNNERVE UNNERVED UNNERVES UNNERVING UNNOTICED UNOBSERVABLE UNOBSERVED UNOBTAINABLE UNOCCUPIED UNOFFICIAL UNOFFICIALLY UNOPENED UNORDERED UNPACK UNPACKED UNPACKING UNPACKS UNPAID UNPARALLELED UNPARSED UNPLANNED UNPLEASANT UNPLEASANTLY UNPLEASANTNESS UNPLUG UNPOPULAR UNPOPULARITY UNPRECEDENTED UNPREDICTABLE UNPREDICTABLY UNPRESCRIBED UNPRESERVED UNPRIMED UNPROFITABLE UNPROJECTED UNPROTECTED UNPROVABILITY UNPROVABLE UNPROVEN UNPUBLISHED UNQUALIFIED UNQUALIFIEDLY UNQUESTIONABLY UNQUESTIONED UNQUOTED UNRAVEL UNRAVELED UNRAVELING UNRAVELS UNREACHABLE UNREAL UNREALISTIC UNREALISTICALLY UNREASONABLE UNREASONABLENESS UNREASONABLY UNRECOGNIZABLE UNRECOGNIZED UNREGULATED UNRELATED UNRELIABILITY UNRELIABLE UNREPORTED UNREPRESENTABLE UNRESOLVED UNRESPONSIVE UNREST UNRESTRAINED UNRESTRICTED UNRESTRICTEDLY UNRESTRICTIVE UNROLL UNROLLED UNROLLING UNROLLS UNRULY UNSAFE UNSAFELY UNSANITARY UNSATISFACTORY UNSATISFIABILITY UNSATISFIABLE UNSATISFIED UNSATISFYING UNSCRUPULOUS UNSEEDED UNSEEN UNSELECTED UNSELFISH UNSELFISHLY UNSELFISHNESS UNSENT UNSETTLED UNSETTLING UNSHAKEN UNSHARED UNSIGNED UNSKILLED UNSLOTTED UNSOLVABLE UNSOLVED UNSOPHISTICATED UNSOUND UNSPEAKABLE UNSPECIFIED UNSTABLE UNSTEADINESS UNSTEADY UNSTRUCTURED UNSUCCESSFUL UNSUCCESSFULLY UNSUITABLE UNSUITED UNSUPPORTED UNSURE UNSURPRISING UNSURPRISINGLY UNSYNCHRONIZED UNTAGGED UNTAPPED UNTENABLE UNTERMINATED UNTESTED UNTHINKABLE UNTHINKING UNTIDINESS UNTIDY UNTIE UNTIED UNTIES UNTIL UNTIMELY UNTO UNTOLD UNTOUCHABLE UNTOUCHABLES UNTOUCHED UNTOWARD UNTRAINED UNTRANSLATED UNTREATED UNTRIED UNTRUE UNTRUTHFUL UNTRUTHFULNESS UNTYING UNUSABLE UNUSED UNUSUAL UNUSUALLY UNVARYING UNVEIL UNVEILED UNVEILING UNVEILS UNWANTED UNWELCOME UNWHOLESOME UNWIELDINESS UNWIELDY UNWILLING UNWILLINGLY UNWILLINGNESS UNWIND UNWINDER UNWINDERS UNWINDING UNWINDS UNWISE UNWISELY UNWISER UNWISEST UNWITTING UNWITTINGLY UNWORTHINESS UNWORTHY UNWOUND UNWRAP UNWRAPPED UNWRAPPING UNWRAPS UNWRITTEN UPBRAID UPCOMING UPDATE UPDATED UPDATER UPDATES UPDATING UPGRADE UPGRADED UPGRADES UPGRADING UPHELD UPHILL UPHOLD UPHOLDER UPHOLDERS UPHOLDING UPHOLDS UPHOLSTER UPHOLSTERED UPHOLSTERER UPHOLSTERING UPHOLSTERS UPKEEP UPLAND UPLANDS UPLIFT UPLINK UPLINKS UPLOAD UPON UPPER UPPERMOST UPRIGHT UPRIGHTLY UPRIGHTNESS UPRISING UPRISINGS UPROAR UPROOT UPROOTED UPROOTING UPROOTS UPSET UPSETS UPSHOT UPSHOTS UPSIDE UPSTAIRS UPSTREAM UPTON UPTURN UPTURNED UPTURNING UPTURNS UPWARD UPWARDS URANIA URANUS URBAN URBANA URCHIN URCHINS URDU URGE URGED URGENT URGENTLY URGES URGING URGINGS URI URINATE URINATED URINATES URINATING URINATION URINE URIS URN URNS URQUHART URSA URSULA URSULINE URUGUAY URUGUAYAN URUGUAYANS USABILITY USABLE USABLY USAGE USAGES USE USED USEFUL USEFULLY USEFULNESS USELESS USELESSLY USELESSNESS USENET USENIX USER USERS USES USHER USHERED USHERING USHERS USING USUAL USUALLY USURP USURPED USURPER UTAH UTENSIL UTENSILS UTICA UTILITIES UTILITY UTILIZATION UTILIZATIONS UTILIZE UTILIZED UTILIZES UTILIZING UTMOST UTOPIA UTOPIAN UTOPIANIZE UTOPIANIZES UTOPIANS UTRECHT UTTER UTTERANCE UTTERANCES UTTERED UTTERING UTTERLY UTTERMOST UTTERS UZI VACANCIES VACANCY VACANT VACANTLY VACATE VACATED VACATES VACATING VACATION VACATIONED VACATIONER VACATIONERS VACATIONING VACATIONS VACUO VACUOUS VACUOUSLY VACUUM VACUUMED VACUUMING VADUZ VAGABOND VAGABONDS VAGARIES VAGARY VAGINA VAGINAS VAGRANT VAGRANTLY VAGUE VAGUELY VAGUENESS VAGUER VAGUEST VAIL VAIN VAINLY VALE VALENCE VALENCES VALENTINE VALENTINES VALERIE VALERY VALES VALET VALETS VALHALLA VALIANT VALIANTLY VALID VALIDATE VALIDATED VALIDATES VALIDATING VALIDATION VALIDITY VALIDLY VALIDNESS VALKYRIE VALLETTA VALLEY VALLEYS VALOIS VALOR VALPARAISO VALUABLE VALUABLES VALUABLY VALUATION VALUATIONS VALUE VALUED VALUER VALUERS VALUES VALUING VALVE VALVES VAMPIRE VAN VANCE VANCEMENT VANCOUVER VANDALIZE VANDALIZED VANDALIZES VANDALIZING VANDENBERG VANDERBILT VANDERBURGH VANDERPOEL VANE VANES VANESSA VANGUARD VANILLA VANISH VANISHED VANISHER VANISHES VANISHING VANISHINGLY VANITIES VANITY VANQUISH VANQUISHED VANQUISHES VANQUISHING VANS VANTAGE VAPOR VAPORING VAPORS VARIABILITY VARIABLE VARIABLENESS VARIABLES VARIABLY VARIAN VARIANCE VARIANCES VARIANT VARIANTLY VARIANTS VARIATION VARIATIONS VARIED VARIES VARIETIES VARIETY VARIOUS VARIOUSLY VARITYPE VARITYPING VARNISH VARNISHES VARY VARYING VARYINGS VASE VASES VASQUEZ VASSAL VASSAR VAST VASTER VASTEST VASTLY VASTNESS VAT VATICAN VATICANIZATION VATICANIZATIONS VATICANIZE VATICANIZES VATS VAUDEVILLE VAUDOIS VAUGHAN VAUGHN VAULT VAULTED VAULTER VAULTING VAULTS VAUNT VAUNTED VAX VAXES VEAL VECTOR VECTORIZATION VECTORIZING VECTORS VEDA VEER VEERED VEERING VEERS VEGA VEGANISM VEGAS VEGETABLE VEGETABLES VEGETARIAN VEGETARIANS VEGETATE VEGETATED VEGETATES VEGETATING VEGETATION VEGETATIVE VEHEMENCE VEHEMENT VEHEMENTLY VEHICLE VEHICLES VEHICULAR VEIL VEILED VEILING VEILS VEIN VEINED VEINING VEINS VELA VELASQUEZ VELLA VELOCITIES VELOCITY VELVET VENDOR VENDORS VENERABLE VENERATION VENETIAN VENETO VENEZUELA VENEZUELAN VENGEANCE VENIAL VENICE VENISON VENN VENOM VENOMOUS VENOMOUSLY VENT VENTED VENTILATE VENTILATED VENTILATES VENTILATING VENTILATION VENTRICLE VENTRICLES VENTS VENTURA VENTURE VENTURED VENTURER VENTURERS VENTURES VENTURING VENTURINGS VENUS VENUSIAN VENUSIANS VERA VERACITY VERANDA VERANDAS VERB VERBAL VERBALIZE VERBALIZED VERBALIZES VERBALIZING VERBALLY VERBOSE VERBS VERDE VERDERER VERDI VERDICT VERDURE VERGE VERGER VERGES VERGIL VERIFIABILITY VERIFIABLE VERIFICATION VERIFICATIONS VERIFIED VERIFIER VERIFIERS VERIFIES VERIFY VERIFYING VERILY VERITABLE VERLAG VERMIN VERMONT VERN VERNA VERNACULAR VERNE VERNON VERONA VERONICA VERSA VERSAILLES VERSATEC VERSATILE VERSATILITY VERSE VERSED VERSES VERSING VERSION VERSIONS VERSUS VERTEBRATE VERTEBRATES VERTEX VERTICAL VERTICALLY VERTICALNESS VERTICES VERY VESSEL VESSELS VEST VESTED VESTIGE VESTIGES VESTIGIAL VESTS VESUVIUS VETERAN VETERANS VETERINARIAN VETERINARIANS VETERINARY VETO VETOED VETOER VETOES VEX VEXATION VEXED VEXES VEXING VIA VIABILITY VIABLE VIABLY VIAL VIALS VIBRATE VIBRATED VIBRATING VIBRATION VIBRATIONS VIBRATOR VIC VICE VICEROY VICES VICHY VICINITY VICIOUS VICIOUSLY VICIOUSNESS VICISSITUDE VICISSITUDES VICKERS VICKSBURG VICKY VICTIM VICTIMIZE VICTIMIZED VICTIMIZER VICTIMIZERS VICTIMIZES VICTIMIZING VICTIMS VICTOR VICTORIA VICTORIAN VICTORIANIZE VICTORIANIZES VICTORIANS VICTORIES VICTORIOUS VICTORIOUSLY VICTORS VICTORY VICTROLA VICTUAL VICTUALER VICTUALS VIDA VIDAL VIDEO VIDEOTAPE VIDEOTAPES VIDEOTEX VIE VIED VIENNA VIENNESE VIENTIANE VIER VIES VIET VIETNAM VIETNAMESE VIEW VIEWABLE VIEWED VIEWER VIEWERS VIEWING VIEWPOINT VIEWPOINTS VIEWS VIGILANCE VIGILANT VIGILANTE VIGILANTES VIGILANTLY VIGNETTE VIGNETTES VIGOR VIGOROUS VIGOROUSLY VIKING VIKINGS VIKRAM VILE VILELY VILENESS VILIFICATION VILIFICATIONS VILIFIED VILIFIES VILIFY VILIFYING VILLA VILLAGE VILLAGER VILLAGERS VILLAGES VILLAIN VILLAINOUS VILLAINOUSLY VILLAINOUSNESS VILLAINS VILLAINY VILLAS VINCE VINCENT VINCI VINDICATE VINDICATED VINDICATION VINDICTIVE VINDICTIVELY VINDICTIVENESS VINE VINEGAR VINES VINEYARD VINEYARDS VINSON VINTAGE VIOLATE VIOLATED VIOLATES VIOLATING VIOLATION VIOLATIONS VIOLATOR VIOLATORS VIOLENCE VIOLENT VIOLENTLY VIOLET VIOLETS VIOLIN VIOLINIST VIOLINISTS VIOLINS VIPER VIPERS VIRGIL VIRGIN VIRGINIA VIRGINIAN VIRGINIANS VIRGINITY VIRGINS VIRGO VIRTUAL VIRTUALLY VIRTUE VIRTUES VIRTUOSO VIRTUOSOS VIRTUOUS VIRTUOUSLY VIRULENT VIRUS VIRUSES VISA VISAGE VISAS VISCOUNT VISCOUNTS VISCOUS VISHNU VISIBILITY VISIBLE VISIBLY VISIGOTH VISIGOTHS VISION VISIONARY VISIONS VISIT VISITATION VISITATIONS VISITED VISITING VISITOR VISITORS VISITS VISOR VISORS VISTA VISTAS VISUAL VISUALIZE VISUALIZED VISUALIZER VISUALIZES VISUALIZING VISUALLY VITA VITAE VITAL VITALITY VITALLY VITALS VITO VITUS VIVALDI VIVIAN VIVID VIVIDLY VIVIDNESS VIZIER VLADIMIR VLADIVOSTOK VOCABULARIES VOCABULARY VOCAL VOCALLY VOCALS VOCATION VOCATIONAL VOCATIONALLY VOCATIONS VOGEL VOGUE VOICE VOICED VOICER VOICERS VOICES VOICING VOID VOIDED VOIDER VOIDING VOIDS VOLATILE VOLATILITIES VOLATILITY VOLCANIC VOLCANO VOLCANOS VOLITION VOLKSWAGEN VOLKSWAGENS VOLLEY VOLLEYBALL VOLLEYBALLS VOLSTEAD VOLT VOLTA VOLTAGE VOLTAGES VOLTAIRE VOLTERRA VOLTS VOLUME VOLUMES VOLUNTARILY VOLUNTARY VOLUNTEER VOLUNTEERED VOLUNTEERING VOLUNTEERS VOLVO VOMIT VOMITED VOMITING VOMITS VORTEX VOSS VOTE VOTED VOTER VOTERS VOTES VOTING VOTIVE VOUCH VOUCHER VOUCHERS VOUCHES VOUCHING VOUGHT VOW VOWED VOWEL VOWELS VOWER VOWING VOWS VOYAGE VOYAGED VOYAGER VOYAGERS VOYAGES VOYAGING VOYAGINGS VREELAND VULCAN VULCANISM VULGAR VULGARLY VULNERABILITIES VULNERABILITY VULNERABLE VULTURE VULTURES WAALS WABASH WACKE WACKY WACO WADE WADED WADER WADES WADING WADSWORTH WAFER WAFERS WAFFLE WAFFLES WAFT WAG WAGE WAGED WAGER WAGERS WAGES WAGING WAGNER WAGNERIAN WAGNERIZE WAGNERIZES WAGON WAGONER WAGONS WAGS WAHL WAIL WAILED WAILING WAILS WAINWRIGHT WAIST WAISTCOAT WAISTCOATS WAISTS WAIT WAITE WAITED WAITER WAITERS WAITING WAITRESS WAITRESSES WAITS WAIVE WAIVED WAIVER WAIVERABLE WAIVES WAIVING WAKE WAKED WAKEFIELD WAKEN WAKENED WAKENING WAKES WAKEUP WAKING WALBRIDGE WALCOTT WALDEN WALDENSIAN WALDO WALDORF WALDRON WALES WALFORD WALGREEN WALK WALKED WALKER WALKERS WALKING WALKS WALL WALLACE WALLED WALLENSTEIN WALLER WALLET WALLETS WALLING WALLIS WALLOW WALLOWED WALLOWING WALLOWS WALLS WALNUT WALNUTS WALPOLE WALRUS WALRUSES WALSH WALT WALTER WALTERS WALTHAM WALTON WALTZ WALTZED WALTZES WALTZING WALWORTH WAN WAND WANDER WANDERED WANDERER WANDERERS WANDERING WANDERINGS WANDERS WANE WANED WANES WANG WANING WANLY WANSEE WANSLEY WANT WANTED WANTING WANTON WANTONLY WANTONNESS WANTS WAPATO WAPPINGER WAR WARBLE WARBLED WARBLER WARBLES WARBLING WARBURTON WARD WARDEN WARDENS WARDER WARDROBE WARDROBES WARDS WARE WAREHOUSE WAREHOUSES WAREHOUSING WARES WARFARE WARFIELD WARILY WARINESS WARING WARLIKE WARM WARMED WARMER WARMERS WARMEST WARMING WARMLY WARMS WARMTH WARN WARNED WARNER WARNING WARNINGLY WARNINGS WARNOCK WARNS WARP WARPED WARPING WARPS WARRANT WARRANTED WARRANTIES WARRANTING WARRANTS WARRANTY WARRED WARRING WARRIOR WARRIORS WARS WARSAW WARSHIP WARSHIPS WART WARTIME WARTS WARWICK WARY WAS WASH WASHBURN WASHED WASHER WASHERS WASHES WASHING WASHINGS WASHINGTON WASHOE WASP WASPS WASSERMAN WASTE WASTED WASTEFUL WASTEFULLY WASTEFULNESS WASTES WASTING WATANABE WATCH WATCHED WATCHER WATCHERS WATCHES WATCHFUL WATCHFULLY WATCHFULNESS WATCHING WATCHINGS WATCHMAN WATCHWORD WATCHWORDS WATER WATERBURY WATERED WATERFALL WATERFALLS WATERGATE WATERHOUSE WATERING WATERINGS WATERLOO WATERMAN WATERPROOF WATERPROOFING WATERS WATERTOWN WATERWAY WATERWAYS WATERY WATKINS WATSON WATTENBERG WATTERSON WATTS WAUKESHA WAUNONA WAUPACA WAUPUN WAUSAU WAUWATOSA WAVE WAVED WAVEFORM WAVEFORMS WAVEFRONT WAVEFRONTS WAVEGUIDES WAVELAND WAVELENGTH WAVELENGTHS WAVER WAVERS WAVES WAVING WAX WAXED WAXEN WAXER WAXERS WAXES WAXING WAXY WAY WAYNE WAYNESBORO WAYS WAYSIDE WAYWARD WEAK WEAKEN WEAKENED WEAKENING WEAKENS WEAKER WEAKEST WEAKLY WEAKNESS WEAKNESSES WEALTH WEALTHIEST WEALTHS WEALTHY WEAN WEANED WEANING WEAPON WEAPONS WEAR WEARABLE WEARER WEARIED WEARIER WEARIEST WEARILY WEARINESS WEARING WEARISOME WEARISOMELY WEARS WEARY WEARYING WEASEL WEASELS WEATHER WEATHERCOCK WEATHERCOCKS WEATHERED WEATHERFORD WEATHERING WEATHERS WEAVE WEAVER WEAVES WEAVING WEB WEBB WEBBER WEBS WEBSTER WEBSTERVILLE WEDDED WEDDING WEDDINGS WEDGE WEDGED WEDGES WEDGING WEDLOCK WEDNESDAY WEDNESDAYS WEDS WEE WEED WEEDS WEEK WEEKEND WEEKENDS WEEKLY WEEKS WEEP WEEPER WEEPING WEEPS WEHR WEI WEIBULL WEIDER WEIDMAN WEIERSTRASS WEIGH WEIGHED WEIGHING WEIGHINGS WEIGHS WEIGHT WEIGHTED WEIGHTING WEIGHTS WEIGHTY WEINBERG WEINER WEINSTEIN WEIRD WEIRDLY WEISENHEIMER WEISS WEISSMAN WEISSMULLER WELCH WELCHER WELCHES WELCOME WELCOMED WELCOMES WELCOMING WELD WELDED WELDER WELDING WELDON WELDS WELDWOOD WELFARE WELL WELLED WELLER WELLES WELLESLEY WELLING WELLINGTON WELLMAN WELLS WELLSVILLE WELMERS WELSH WELTON WENCH WENCHES WENDELL WENDY WENT WENTWORTH WEPT WERE WERNER WERTHER WESLEY WESLEYAN WESSON WEST WESTBOUND WESTBROOK WESTCHESTER WESTERN WESTERNER WESTERNERS WESTFIELD WESTHAMPTON WESTINGHOUSE WESTMINSTER WESTMORE WESTON WESTPHALIA WESTPORT WESTWARD WESTWARDS WESTWOOD WET WETLY WETNESS WETS WETTED WETTER WETTEST WETTING WEYERHAUSER WHACK WHACKED WHACKING WHACKS WHALE WHALEN WHALER WHALES WHALING WHARF WHARTON WHARVES WHAT WHATEVER WHATLEY WHATSOEVER WHEAT WHEATEN WHEATLAND WHEATON WHEATSTONE WHEEL WHEELED WHEELER WHEELERS WHEELING WHEELINGS WHEELOCK WHEELS WHELAN WHELLER WHELP WHEN WHENCE WHENEVER WHERE WHEREABOUTS WHEREAS WHEREBY WHEREIN WHEREUPON WHEREVER WHETHER WHICH WHICHEVER WHILE WHIM WHIMPER WHIMPERED WHIMPERING WHIMPERS WHIMS WHIMSICAL WHIMSICALLY WHIMSIES WHIMSY WHINE WHINED WHINES WHINING WHIP WHIPPANY WHIPPED WHIPPER WHIPPERS WHIPPING WHIPPINGS WHIPPLE WHIPS WHIRL WHIRLED WHIRLING WHIRLPOOL WHIRLPOOLS WHIRLS WHIRLWIND WHIRR WHIRRING WHISK WHISKED WHISKER WHISKERS WHISKEY WHISKING WHISKS WHISPER WHISPERED WHISPERING WHISPERINGS WHISPERS WHISTLE WHISTLED WHISTLER WHISTLERS WHISTLES WHISTLING WHIT WHITAKER WHITCOMB WHITE WHITEHALL WHITEHORSE WHITELEAF WHITELEY WHITELY WHITEN WHITENED WHITENER WHITENERS WHITENESS WHITENING WHITENS WHITER WHITES WHITESPACE WHITEST WHITEWASH WHITEWASHED WHITEWATER WHITFIELD WHITING WHITLOCK WHITMAN WHITMANIZE WHITMANIZES WHITNEY WHITTAKER WHITTIER WHITTLE WHITTLED WHITTLES WHITTLING WHIZ WHIZZED WHIZZES WHIZZING WHO WHOEVER WHOLE WHOLEHEARTED WHOLEHEARTEDLY WHOLENESS WHOLES WHOLESALE WHOLESALER WHOLESALERS WHOLESOME WHOLESOMENESS WHOLLY WHOM WHOMEVER WHOOP WHOOPED WHOOPING WHOOPS WHORE WHORES WHORL WHORLS WHOSE WHY WICHITA WICK WICKED WICKEDLY WICKEDNESS WICKER WICKS WIDE WIDEBAND WIDELY WIDEN WIDENED WIDENER WIDENING WIDENS WIDER WIDESPREAD WIDEST WIDGET WIDOW WIDOWED WIDOWER WIDOWERS WIDOWS WIDTH WIDTHS WIELAND WIELD WIELDED WIELDER WIELDING WIELDS WIER WIFE WIFELY WIG WIGGINS WIGHTMAN WIGS WIGWAM WILBUR WILCOX WILD WILDCAT WILDCATS WILDER WILDERNESS WILDEST WILDLY WILDNESS WILE WILES WILEY WILFRED WILHELM WILHELMINA WILINESS WILKES WILKIE WILKINS WILKINSON WILL WILLA WILLAMETTE WILLARD WILLCOX WILLED WILLEM WILLFUL WILLFULLY WILLIAM WILLIAMS WILLIAMSBURG WILLIAMSON WILLIE WILLIED WILLIES WILLING WILLINGLY WILLINGNESS WILLIS WILLISSON WILLOUGHBY WILLOW WILLOWS WILLS WILLY WILMA WILMETTE WILMINGTON WILSHIRE WILSON WILSONIAN WILT WILTED WILTING WILTS WILTSHIRE WILY WIN WINCE WINCED WINCES WINCHELL WINCHESTER WINCING WIND WINDED WINDER WINDERS WINDING WINDMILL WINDMILLS WINDOW WINDOWS WINDS WINDSOR WINDY WINE WINED WINEHEAD WINER WINERS WINES WINFIELD WING WINGED WINGING WINGS WINIFRED WINING WINK WINKED WINKER WINKING WINKS WINNEBAGO WINNER WINNERS WINNETKA WINNIE WINNING WINNINGLY WINNINGS WINNIPEG WINNIPESAUKEE WINOGRAD WINOOSKI WINS WINSBOROUGH WINSETT WINSLOW WINSTON WINTER WINTERED WINTERING WINTERS WINTHROP WINTRY WIPE WIPED WIPER WIPERS WIPES WIPING WIRE WIRED WIRELESS WIRES WIRETAP WIRETAPPERS WIRETAPPING WIRETAPS WIRINESS WIRING WIRY WISCONSIN WISDOM WISDOMS WISE WISED WISELY WISENHEIMER WISER WISEST WISH WISHED WISHER WISHERS WISHES WISHFUL WISHING WISP WISPS WISTFUL WISTFULLY WISTFULNESS WIT WITCH WITCHCRAFT WITCHES WITCHING WITH WITHAL WITHDRAW WITHDRAWAL WITHDRAWALS WITHDRAWING WITHDRAWN WITHDRAWS WITHDREW WITHER WITHERS WITHERSPOON WITHHELD WITHHOLD WITHHOLDER WITHHOLDERS WITHHOLDING WITHHOLDINGS WITHHOLDS WITHIN WITHOUT WITHSTAND WITHSTANDING WITHSTANDS WITHSTOOD WITNESS WITNESSED WITNESSES WITNESSING WITS WITT WITTGENSTEIN WITTY WIVES WIZARD WIZARDS WOE WOEFUL WOEFULLY WOKE WOLCOTT WOLF WOLFE WOLFF WOLFGANG WOLVERTON WOLVES WOMAN WOMANHOOD WOMANLY WOMB WOMBS WOMEN WON WONDER WONDERED WONDERFUL WONDERFULLY WONDERFULNESS WONDERING WONDERINGLY WONDERMENT WONDERS WONDROUS WONDROUSLY WONG WONT WONTED WOO WOOD WOODARD WOODBERRY WOODBURY WOODCHUCK WOODCHUCKS WOODCOCK WOODCOCKS WOODED WOODEN WOODENLY WOODENNESS WOODLAND WOODLAWN WOODMAN WOODPECKER WOODPECKERS WOODROW WOODS WOODSTOCK WOODWARD WOODWARDS WOODWORK WOODWORKING WOODY WOOED WOOER WOOF WOOFED WOOFER WOOFERS WOOFING WOOFS WOOING WOOL WOOLEN WOOLLY WOOLS WOOLWORTH WOONSOCKET WOOS WOOSTER WORCESTER WORCESTERSHIRE WORD WORDED WORDILY WORDINESS WORDING WORDS WORDSWORTH WORDY WORE WORK WORKABLE WORKABLY WORKBENCH WORKBENCHES WORKBOOK WORKBOOKS WORKED WORKER WORKERS WORKHORSE WORKHORSES WORKING WORKINGMAN WORKINGS WORKLOAD WORKMAN WORKMANSHIP WORKMEN WORKS WORKSHOP WORKSHOPS WORKSPACE WORKSTATION WORKSTATIONS WORLD WORLDLINESS WORLDLY WORLDS WORLDWIDE WORM WORMED WORMING WORMS WORN WORRIED WORRIER WORRIERS WORRIES WORRISOME WORRY WORRYING WORRYINGLY WORSE WORSHIP WORSHIPED WORSHIPER WORSHIPFUL WORSHIPING WORSHIPS WORST WORSTED WORTH WORTHIEST WORTHINESS WORTHINGTON WORTHLESS WORTHLESSNESS WORTHS WORTHWHILE WORTHWHILENESS WORTHY WOTAN WOULD WOUND WOUNDED WOUNDING WOUNDS WOVE WOVEN WRANGLE WRANGLED WRANGLER WRAP WRAPAROUND WRAPPED WRAPPER WRAPPERS WRAPPING WRAPPINGS WRAPS WRATH WREAK WREAKS WREATH WREATHED WREATHES WRECK WRECKAGE WRECKED WRECKER WRECKERS WRECKING WRECKS WREN WRENCH WRENCHED WRENCHES WRENCHING WRENS WREST WRESTLE WRESTLER WRESTLES WRESTLING WRESTLINGS WRETCH WRETCHED WRETCHEDNESS WRETCHES WRIGGLE WRIGGLED WRIGGLER WRIGGLES WRIGGLING WRIGLEY WRING WRINGER WRINGS WRINKLE WRINKLED WRINKLES WRIST WRISTS WRISTWATCH WRISTWATCHES WRIT WRITABLE WRITE WRITER WRITERS WRITES WRITHE WRITHED WRITHES WRITHING WRITING WRITINGS WRITS WRITTEN WRONG WRONGED WRONGING WRONGLY WRONGS WRONSKIAN WROTE WROUGHT WRUNG WUHAN WYANDOTTE WYATT WYETH WYLIE WYMAN WYNER WYNN WYOMING XANTHUS XAVIER XEBEC XENAKIS XENIA XENIX XEROX XEROXED XEROXES XEROXING XERXES XHOSA YAGI YAKIMA YALE YALIES YALTA YAMAHA YANK YANKED YANKEE YANKEES YANKING YANKS YANKTON YAOUNDE YAQUI YARD YARDS YARDSTICK YARDSTICKS YARMOUTH YARN YARNS YATES YAUNDE YAWN YAWNER YAWNING YEA YEAGER YEAR YEARLY YEARN YEARNED YEARNING YEARNINGS YEARS YEAS YEAST YEASTS YEATS YELL YELLED YELLER YELLING YELLOW YELLOWED YELLOWER YELLOWEST YELLOWING YELLOWISH YELLOWKNIFE YELLOWNESS YELLOWS YELLOWSTONE YELP YELPED YELPING YELPS YEMEN YENTL YEOMAN YEOMEN YERKES YES YESTERDAY YESTERDAYS YET YIDDISH YIELD YIELDED YIELDING YIELDS YODER YOKE YOKES YOKNAPATAWPHA YOKOHAMA YOKUTS YON YONDER YONKERS YORICK YORK YORKER YORKERS YORKSHIRE YORKTOWN YOSEMITE YOST YOU YOUNG YOUNGER YOUNGEST YOUNGLY YOUNGSTER YOUNGSTERS YOUNGSTOWN YOUR YOURS YOURSELF YOURSELVES YOUTH YOUTHES YOUTHFUL YOUTHFULLY YOUTHFULNESS YPSILANTI YUBA YUCATAN YUGOSLAV YUGOSLAVIA YUGOSLAVIAN YUGOSLAVIANS YUH YUKI YUKON YURI YVES YVETTE ZACHARY ZAGREB ZAIRE ZAMBIA ZAN ZANZIBAR ZEAL ZEALAND ZEALOUS ZEALOUSLY ZEALOUSNESS ZEBRA ZEBRAS ZEFFIRELLI ZEISS ZELLERBACH ZEN ZENITH ZENNIST ZERO ZEROED ZEROES ZEROING ZEROS ZEROTH ZEST ZEUS ZIEGFELD ZIEGFELDS ZIEGLER ZIGGY ZIGZAG ZILLIONS ZIMMERMAN ZINC ZION ZIONISM ZIONIST ZIONISTS ZIONS ZODIAC ZOE ZOMBA ZONAL ZONALLY ZONE ZONED ZONES ZONING ZOO ZOOLOGICAL ZOOLOGICALLY ZOOM ZOOMS ZOOS ZORN ZOROASTER ZOROASTRIAN ZULU ZULUS ZURICH
-1
TheAlgorithms/Python
6,591
Test on Python 3.11
### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-10-03T07:32:25Z"
"2022-10-31T13:50:03Z"
b2165a65fcf1a087236d2a1527b10b64a12f69e6
a31edd4477af958adb840dadd568c38eecc9567b
Test on Python 3.11. ### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
### Describe your change: * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [ ] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [ ] This pull request is all my own work -- I have not plagiarized. * [ ] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms include at least one URL that points to Wikipedia or another similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
### Describe your change: * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [ ] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [ ] This pull request is all my own work -- I have not plagiarized. * [ ] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms include at least one URL that points to Wikipedia or another similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
-1
TheAlgorithms/Python
6,591
Test on Python 3.11
### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-10-03T07:32:25Z"
"2022-10-31T13:50:03Z"
b2165a65fcf1a087236d2a1527b10b64a12f69e6
a31edd4477af958adb840dadd568c38eecc9567b
Test on Python 3.11. ### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
# Ciphers Ciphers are used to protect data from people that are not allowed to have it. They are everywhere on the internet to protect your connections. * <https://en.wikipedia.org/wiki/Cipher> * <http://practicalcryptography.com/ciphers/> * <https://practicalcryptography.com/ciphers/classical-era/>
# Ciphers Ciphers are used to protect data from people that are not allowed to have it. They are everywhere on the internet to protect your connections. * <https://en.wikipedia.org/wiki/Cipher> * <http://practicalcryptography.com/ciphers/> * <https://practicalcryptography.com/ciphers/classical-era/>
-1
TheAlgorithms/Python
6,591
Test on Python 3.11
### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-10-03T07:32:25Z"
"2022-10-31T13:50:03Z"
b2165a65fcf1a087236d2a1527b10b64a12f69e6
a31edd4477af958adb840dadd568c38eecc9567b
Test on Python 3.11. ### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
-,16,12,21,-,-,- 16,-,-,17,20,-,- 12,-,-,28,-,31,- 21,17,28,-,18,19,23 -,20,-,18,-,-,11 -,-,31,19,-,-,27 -,-,-,23,11,27,-
-,16,12,21,-,-,- 16,-,-,17,20,-,- 12,-,-,28,-,31,- 21,17,28,-,18,19,23 -,20,-,18,-,-,11 -,-,31,19,-,-,27 -,-,-,23,11,27,-
-1
TheAlgorithms/Python
6,591
Test on Python 3.11
### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-10-03T07:32:25Z"
"2022-10-31T13:50:03Z"
b2165a65fcf1a087236d2a1527b10b64a12f69e6
a31edd4477af958adb840dadd568c38eecc9567b
Test on Python 3.11. ### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
# Conversion Conversion programs convert a type of data, a number from a numerical base or unit into one of another type, base or unit, e.g. binary to decimal, integer to string or foot to meters. * <https://en.wikipedia.org/wiki/Data_conversion> * <https://en.wikipedia.org/wiki/Transcoding>
# Conversion Conversion programs convert a type of data, a number from a numerical base or unit into one of another type, base or unit, e.g. binary to decimal, integer to string or foot to meters. * <https://en.wikipedia.org/wiki/Data_conversion> * <https://en.wikipedia.org/wiki/Transcoding>
-1
TheAlgorithms/Python
6,591
Test on Python 3.11
### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-10-03T07:32:25Z"
"2022-10-31T13:50:03Z"
b2165a65fcf1a087236d2a1527b10b64a12f69e6
a31edd4477af958adb840dadd568c38eecc9567b
Test on Python 3.11. ### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
# Compression Data compression is everywhere, you need it to store data without taking too much space. Either the compression lose some data (then we talk about lossy compression, such as .jpg) or it does not (and then it is lossless compression, such as .png) Lossless compression is mainly used for archive purpose as it allow storing data without losing information about the file archived. On the other hand, lossy compression is used for transfer of file where quality isn't necessarily what is required (i.e: images on Twitter). * <https://www.sciencedirect.com/topics/computer-science/compression-algorithm> * <https://en.wikipedia.org/wiki/Data_compression> * <https://en.wikipedia.org/wiki/Pigeonhole_principle>
# Compression Data compression is everywhere, you need it to store data without taking too much space. Either the compression lose some data (then we talk about lossy compression, such as .jpg) or it does not (and then it is lossless compression, such as .png) Lossless compression is mainly used for archive purpose as it allow storing data without losing information about the file archived. On the other hand, lossy compression is used for transfer of file where quality isn't necessarily what is required (i.e: images on Twitter). * <https://www.sciencedirect.com/topics/computer-science/compression-algorithm> * <https://en.wikipedia.org/wiki/Data_compression> * <https://en.wikipedia.org/wiki/Pigeonhole_principle>
-1
TheAlgorithms/Python
6,591
Test on Python 3.11
### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-10-03T07:32:25Z"
"2022-10-31T13:50:03Z"
b2165a65fcf1a087236d2a1527b10b64a12f69e6
a31edd4477af958adb840dadd568c38eecc9567b
Test on Python 3.11. ### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
MIT License Copyright (c) 2016-2022 TheAlgorithms and contributors Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions: The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software. THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
MIT License Copyright (c) 2016-2022 TheAlgorithms and contributors Permission is hereby granted, free of charge, to any person obtaining a copy of this software and associated documentation files (the "Software"), to deal in the Software without restriction, including without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the following conditions: The above copyright notice and this permission notice shall be included in all copies or substantial portions of the Software. THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
-1
TheAlgorithms/Python
6,591
Test on Python 3.11
### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-10-03T07:32:25Z"
"2022-10-31T13:50:03Z"
b2165a65fcf1a087236d2a1527b10b64a12f69e6
a31edd4477af958adb840dadd568c38eecc9567b
Test on Python 3.11. ### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
from __future__ import annotations from typing import Generic, TypeVar T = TypeVar("T") class StackOverflowError(BaseException): pass class StackUnderflowError(BaseException): pass class Stack(Generic[T]): """A stack is an abstract data type that serves as a collection of elements with two principal operations: push() and pop(). push() adds an element to the top of the stack, and pop() removes an element from the top of a stack. The order in which elements come off of a stack are Last In, First Out (LIFO). https://en.wikipedia.org/wiki/Stack_(abstract_data_type) """ def __init__(self, limit: int = 10): self.stack: list[T] = [] self.limit = limit def __bool__(self) -> bool: return bool(self.stack) def __str__(self) -> str: return str(self.stack) def push(self, data: T) -> None: """Push an element to the top of the stack.""" if len(self.stack) >= self.limit: raise StackOverflowError self.stack.append(data) def pop(self) -> T: """ Pop an element off of the top of the stack. >>> Stack().pop() Traceback (most recent call last): ... data_structures.stacks.stack.StackUnderflowError """ if not self.stack: raise StackUnderflowError return self.stack.pop() def peek(self) -> T: """ Peek at the top-most element of the stack. >>> Stack().pop() Traceback (most recent call last): ... data_structures.stacks.stack.StackUnderflowError """ if not self.stack: raise StackUnderflowError return self.stack[-1] def is_empty(self) -> bool: """Check if a stack is empty.""" return not bool(self.stack) def is_full(self) -> bool: return self.size() == self.limit def size(self) -> int: """Return the size of the stack.""" return len(self.stack) def __contains__(self, item: T) -> bool: """Check if item is in stack""" return item in self.stack def test_stack() -> None: """ >>> test_stack() """ stack: Stack[int] = Stack(10) assert bool(stack) is False assert stack.is_empty() is True assert stack.is_full() is False assert str(stack) == "[]" try: _ = stack.pop() raise AssertionError() # This should not happen except StackUnderflowError: assert True # This should happen try: _ = stack.peek() raise AssertionError() # This should not happen except StackUnderflowError: assert True # This should happen for i in range(10): assert stack.size() == i stack.push(i) assert bool(stack) assert not stack.is_empty() assert stack.is_full() assert str(stack) == str(list(range(10))) assert stack.pop() == 9 assert stack.peek() == 8 stack.push(100) assert str(stack) == str([0, 1, 2, 3, 4, 5, 6, 7, 8, 100]) try: stack.push(200) raise AssertionError() # This should not happen except StackOverflowError: assert True # This should happen assert not stack.is_empty() assert stack.size() == 10 assert 5 in stack assert 55 not in stack if __name__ == "__main__": test_stack()
from __future__ import annotations from typing import Generic, TypeVar T = TypeVar("T") class StackOverflowError(BaseException): pass class StackUnderflowError(BaseException): pass class Stack(Generic[T]): """A stack is an abstract data type that serves as a collection of elements with two principal operations: push() and pop(). push() adds an element to the top of the stack, and pop() removes an element from the top of a stack. The order in which elements come off of a stack are Last In, First Out (LIFO). https://en.wikipedia.org/wiki/Stack_(abstract_data_type) """ def __init__(self, limit: int = 10): self.stack: list[T] = [] self.limit = limit def __bool__(self) -> bool: return bool(self.stack) def __str__(self) -> str: return str(self.stack) def push(self, data: T) -> None: """Push an element to the top of the stack.""" if len(self.stack) >= self.limit: raise StackOverflowError self.stack.append(data) def pop(self) -> T: """ Pop an element off of the top of the stack. >>> Stack().pop() Traceback (most recent call last): ... data_structures.stacks.stack.StackUnderflowError """ if not self.stack: raise StackUnderflowError return self.stack.pop() def peek(self) -> T: """ Peek at the top-most element of the stack. >>> Stack().pop() Traceback (most recent call last): ... data_structures.stacks.stack.StackUnderflowError """ if not self.stack: raise StackUnderflowError return self.stack[-1] def is_empty(self) -> bool: """Check if a stack is empty.""" return not bool(self.stack) def is_full(self) -> bool: return self.size() == self.limit def size(self) -> int: """Return the size of the stack.""" return len(self.stack) def __contains__(self, item: T) -> bool: """Check if item is in stack""" return item in self.stack def test_stack() -> None: """ >>> test_stack() """ stack: Stack[int] = Stack(10) assert bool(stack) is False assert stack.is_empty() is True assert stack.is_full() is False assert str(stack) == "[]" try: _ = stack.pop() raise AssertionError() # This should not happen except StackUnderflowError: assert True # This should happen try: _ = stack.peek() raise AssertionError() # This should not happen except StackUnderflowError: assert True # This should happen for i in range(10): assert stack.size() == i stack.push(i) assert bool(stack) assert not stack.is_empty() assert stack.is_full() assert str(stack) == str(list(range(10))) assert stack.pop() == 9 assert stack.peek() == 8 stack.push(100) assert str(stack) == str([0, 1, 2, 3, 4, 5, 6, 7, 8, 100]) try: stack.push(200) raise AssertionError() # This should not happen except StackOverflowError: assert True # This should happen assert not stack.is_empty() assert stack.size() == 10 assert 5 in stack assert 55 not in stack if __name__ == "__main__": test_stack()
-1
TheAlgorithms/Python
6,591
Test on Python 3.11
### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-10-03T07:32:25Z"
"2022-10-31T13:50:03Z"
b2165a65fcf1a087236d2a1527b10b64a12f69e6
a31edd4477af958adb840dadd568c38eecc9567b
Test on Python 3.11. ### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" wiki: https://en.wikipedia.org/wiki/Anagram """ from collections import defaultdict from typing import DefaultDict def check_anagrams(first_str: str, second_str: str) -> bool: """ Two strings are anagrams if they are made up of the same letters but are arranged differently (ignoring the case). >>> check_anagrams('Silent', 'Listen') True >>> check_anagrams('This is a string', 'Is this a string') True >>> check_anagrams('This is a string', 'Is this a string') True >>> check_anagrams('There', 'Their') False """ first_str = first_str.lower().strip() second_str = second_str.lower().strip() # Remove whitespace first_str = first_str.replace(" ", "") second_str = second_str.replace(" ", "") # Strings of different lengths are not anagrams if len(first_str) != len(second_str): return False # Default values for count should be 0 count: DefaultDict[str, int] = defaultdict(int) # For each character in input strings, # increment count in the corresponding for i in range(len(first_str)): count[first_str[i]] += 1 count[second_str[i]] -= 1 for _count in count.values(): if _count != 0: return False return True if __name__ == "__main__": from doctest import testmod testmod() input_a = input("Enter the first string ").strip() input_b = input("Enter the second string ").strip() status = check_anagrams(input_a, input_b) print(f"{input_a} and {input_b} are {'' if status else 'not '}anagrams.")
""" wiki: https://en.wikipedia.org/wiki/Anagram """ from collections import defaultdict from typing import DefaultDict def check_anagrams(first_str: str, second_str: str) -> bool: """ Two strings are anagrams if they are made up of the same letters but are arranged differently (ignoring the case). >>> check_anagrams('Silent', 'Listen') True >>> check_anagrams('This is a string', 'Is this a string') True >>> check_anagrams('This is a string', 'Is this a string') True >>> check_anagrams('There', 'Their') False """ first_str = first_str.lower().strip() second_str = second_str.lower().strip() # Remove whitespace first_str = first_str.replace(" ", "") second_str = second_str.replace(" ", "") # Strings of different lengths are not anagrams if len(first_str) != len(second_str): return False # Default values for count should be 0 count: DefaultDict[str, int] = defaultdict(int) # For each character in input strings, # increment count in the corresponding for i in range(len(first_str)): count[first_str[i]] += 1 count[second_str[i]] -= 1 for _count in count.values(): if _count != 0: return False return True if __name__ == "__main__": from doctest import testmod testmod() input_a = input("Enter the first string ").strip() input_b = input("Enter the second string ").strip() status = check_anagrams(input_a, input_b) print(f"{input_a} and {input_b} are {'' if status else 'not '}anagrams.")
-1
TheAlgorithms/Python
6,591
Test on Python 3.11
### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-10-03T07:32:25Z"
"2022-10-31T13:50:03Z"
b2165a65fcf1a087236d2a1527b10b64a12f69e6
a31edd4477af958adb840dadd568c38eecc9567b
Test on Python 3.11. ### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
#!/usr/bin/env python3 """ Python program to translate to and from Morse code. https://en.wikipedia.org/wiki/Morse_code """ # fmt: off MORSE_CODE_DICT = { "A": ".-", "B": "-...", "C": "-.-.", "D": "-..", "E": ".", "F": "..-.", "G": "--.", "H": "....", "I": "..", "J": ".---", "K": "-.-", "L": ".-..", "M": "--", "N": "-.", "O": "---", "P": ".--.", "Q": "--.-", "R": ".-.", "S": "...", "T": "-", "U": "..-", "V": "...-", "W": ".--", "X": "-..-", "Y": "-.--", "Z": "--..", "1": ".----", "2": "..---", "3": "...--", "4": "....-", "5": ".....", "6": "-....", "7": "--...", "8": "---..", "9": "----.", "0": "-----", "&": ".-...", "@": ".--.-.", ":": "---...", ",": "--..--", ".": ".-.-.-", "'": ".----.", '"': ".-..-.", "?": "..--..", "/": "-..-.", "=": "-...-", "+": ".-.-.", "-": "-....-", "(": "-.--.", ")": "-.--.-", "!": "-.-.--", " ": "/" } # Exclamation mark is not in ITU-R recommendation # fmt: on REVERSE_DICT = {value: key for key, value in MORSE_CODE_DICT.items()} def encrypt(message: str) -> str: """ >>> encrypt("Sos!") '... --- ... -.-.--' >>> encrypt("SOS!") == encrypt("sos!") True """ return " ".join(MORSE_CODE_DICT[char] for char in message.upper()) def decrypt(message: str) -> str: """ >>> decrypt('... --- ... -.-.--') 'SOS!' """ return "".join(REVERSE_DICT[char] for char in message.split()) def main() -> None: """ >>> s = "".join(MORSE_CODE_DICT) >>> decrypt(encrypt(s)) == s True """ message = "Morse code here!" print(message) message = encrypt(message) print(message) message = decrypt(message) print(message) if __name__ == "__main__": main()
#!/usr/bin/env python3 """ Python program to translate to and from Morse code. https://en.wikipedia.org/wiki/Morse_code """ # fmt: off MORSE_CODE_DICT = { "A": ".-", "B": "-...", "C": "-.-.", "D": "-..", "E": ".", "F": "..-.", "G": "--.", "H": "....", "I": "..", "J": ".---", "K": "-.-", "L": ".-..", "M": "--", "N": "-.", "O": "---", "P": ".--.", "Q": "--.-", "R": ".-.", "S": "...", "T": "-", "U": "..-", "V": "...-", "W": ".--", "X": "-..-", "Y": "-.--", "Z": "--..", "1": ".----", "2": "..---", "3": "...--", "4": "....-", "5": ".....", "6": "-....", "7": "--...", "8": "---..", "9": "----.", "0": "-----", "&": ".-...", "@": ".--.-.", ":": "---...", ",": "--..--", ".": ".-.-.-", "'": ".----.", '"': ".-..-.", "?": "..--..", "/": "-..-.", "=": "-...-", "+": ".-.-.", "-": "-....-", "(": "-.--.", ")": "-.--.-", "!": "-.-.--", " ": "/" } # Exclamation mark is not in ITU-R recommendation # fmt: on REVERSE_DICT = {value: key for key, value in MORSE_CODE_DICT.items()} def encrypt(message: str) -> str: """ >>> encrypt("Sos!") '... --- ... -.-.--' >>> encrypt("SOS!") == encrypt("sos!") True """ return " ".join(MORSE_CODE_DICT[char] for char in message.upper()) def decrypt(message: str) -> str: """ >>> decrypt('... --- ... -.-.--') 'SOS!' """ return "".join(REVERSE_DICT[char] for char in message.split()) def main() -> None: """ >>> s = "".join(MORSE_CODE_DICT) >>> decrypt(encrypt(s)) == s True """ message = "Morse code here!" print(message) message = encrypt(message) print(message) message = decrypt(message) print(message) if __name__ == "__main__": main()
-1
TheAlgorithms/Python
6,591
Test on Python 3.11
### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-10-03T07:32:25Z"
"2022-10-31T13:50:03Z"
b2165a65fcf1a087236d2a1527b10b64a12f69e6
a31edd4477af958adb840dadd568c38eecc9567b
Test on Python 3.11. ### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" Heap's (iterative) algorithm returns the list of all permutations possible from a list. It minimizes movement by generating each permutation from the previous one by swapping only two elements. More information: https://en.wikipedia.org/wiki/Heap%27s_algorithm. """ def heaps(arr: list) -> list: """ Pure python implementation of the iterative Heap's algorithm, returning all permutations of a list. >>> heaps([]) [()] >>> heaps([0]) [(0,)] >>> heaps([-1, 1]) [(-1, 1), (1, -1)] >>> heaps([1, 2, 3]) [(1, 2, 3), (2, 1, 3), (3, 1, 2), (1, 3, 2), (2, 3, 1), (3, 2, 1)] >>> from itertools import permutations >>> sorted(heaps([1,2,3])) == sorted(permutations([1,2,3])) True >>> all(sorted(heaps(x)) == sorted(permutations(x)) ... for x in ([], [0], [-1, 1], [1, 2, 3])) True """ if len(arr) <= 1: return [tuple(arr)] res = [] def generate(n: int, arr: list): c = [0] * n res.append(tuple(arr)) i = 0 while i < n: if c[i] < i: if i % 2 == 0: arr[0], arr[i] = arr[i], arr[0] else: arr[c[i]], arr[i] = arr[i], arr[c[i]] res.append(tuple(arr)) c[i] += 1 i = 0 else: c[i] = 0 i += 1 generate(len(arr), arr) return res if __name__ == "__main__": user_input = input("Enter numbers separated by a comma:\n").strip() arr = [int(item) for item in user_input.split(",")] print(heaps(arr))
""" Heap's (iterative) algorithm returns the list of all permutations possible from a list. It minimizes movement by generating each permutation from the previous one by swapping only two elements. More information: https://en.wikipedia.org/wiki/Heap%27s_algorithm. """ def heaps(arr: list) -> list: """ Pure python implementation of the iterative Heap's algorithm, returning all permutations of a list. >>> heaps([]) [()] >>> heaps([0]) [(0,)] >>> heaps([-1, 1]) [(-1, 1), (1, -1)] >>> heaps([1, 2, 3]) [(1, 2, 3), (2, 1, 3), (3, 1, 2), (1, 3, 2), (2, 3, 1), (3, 2, 1)] >>> from itertools import permutations >>> sorted(heaps([1,2,3])) == sorted(permutations([1,2,3])) True >>> all(sorted(heaps(x)) == sorted(permutations(x)) ... for x in ([], [0], [-1, 1], [1, 2, 3])) True """ if len(arr) <= 1: return [tuple(arr)] res = [] def generate(n: int, arr: list): c = [0] * n res.append(tuple(arr)) i = 0 while i < n: if c[i] < i: if i % 2 == 0: arr[0], arr[i] = arr[i], arr[0] else: arr[c[i]], arr[i] = arr[i], arr[c[i]] res.append(tuple(arr)) c[i] += 1 i = 0 else: c[i] = 0 i += 1 generate(len(arr), arr) return res if __name__ == "__main__": user_input = input("Enter numbers separated by a comma:\n").strip() arr = [int(item) for item in user_input.split(",")] print(heaps(arr))
-1
TheAlgorithms/Python
6,591
Test on Python 3.11
### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
cclauss
"2022-10-03T07:32:25Z"
"2022-10-31T13:50:03Z"
b2165a65fcf1a087236d2a1527b10b64a12f69e6
a31edd4477af958adb840dadd568c38eecc9567b
Test on Python 3.11. ### Describe your change: Problem deps are qiskit, statsmodels, and tensorflow: * https://github.com/Qiskit/qiskit-terra/issues/9028 * ~https://github.com/symengine/symengine.py/issues/422~ * https://github.com/statsmodels/statsmodels/issues/8287 * https://github.com/tensorflow/tensorflow/releases * [ ] Try a new Python * [ ] Add an algorithm? * [ ] Fix a bug or typo in an existing algorithm? * [ ] Documentation change? ### Checklist: * [x] I have read [CONTRIBUTING.md](https://github.com/TheAlgorithms/Python/blob/master/CONTRIBUTING.md). * [x] This pull request is all my own work -- I have not plagiarized. * [x] I know that pull requests will not be merged if they fail the automated tests. * [ ] This PR only changes one algorithm file. To ease review, please open separate PRs for separate algorithms. * [ ] All new Python files are placed inside an existing directory. * [ ] All filenames are in all lowercase characters with no spaces or dashes. * [ ] All functions and variable names follow Python naming conventions. * [ ] All function parameters and return values are annotated with Python [type hints](https://docs.python.org/3/library/typing.html). * [ ] All functions have [doctests](https://docs.python.org/3/library/doctest.html) that pass the automated testing. * [ ] All new algorithms have a URL in its comments that points to Wikipedia or other similar explanation. * [ ] If this pull request resolves one or more open issues then the commit message contains `Fixes: #{$ISSUE_NO}`.
""" Modular Exponential. Modular exponentiation is a type of exponentiation performed over a modulus. For more explanation, please check https://en.wikipedia.org/wiki/Modular_exponentiation """ """Calculate Modular Exponential.""" def modular_exponential(base: int, power: int, mod: int): """ >>> modular_exponential(5, 0, 10) 1 >>> modular_exponential(2, 8, 7) 4 >>> modular_exponential(3, -2, 9) -1 """ if power < 0: return -1 base %= mod result = 1 while power > 0: if power & 1: result = (result * base) % mod power = power >> 1 base = (base * base) % mod return result def main(): """Call Modular Exponential Function.""" print(modular_exponential(3, 200, 13)) if __name__ == "__main__": import doctest doctest.testmod() main()
""" Modular Exponential. Modular exponentiation is a type of exponentiation performed over a modulus. For more explanation, please check https://en.wikipedia.org/wiki/Modular_exponentiation """ """Calculate Modular Exponential.""" def modular_exponential(base: int, power: int, mod: int): """ >>> modular_exponential(5, 0, 10) 1 >>> modular_exponential(2, 8, 7) 4 >>> modular_exponential(3, -2, 9) -1 """ if power < 0: return -1 base %= mod result = 1 while power > 0: if power & 1: result = (result * base) % mod power = power >> 1 base = (base * base) % mod return result def main(): """Call Modular Exponential Function.""" print(modular_exponential(3, 200, 13)) if __name__ == "__main__": import doctest doctest.testmod() main()
-1