blob_id
stringlengths
40
40
directory_id
stringlengths
40
40
path
stringlengths
2
616
content_id
stringlengths
40
40
detected_licenses
listlengths
0
69
license_type
stringclasses
2 values
repo_name
stringlengths
5
118
snapshot_id
stringlengths
40
40
revision_id
stringlengths
40
40
branch_name
stringlengths
4
63
visit_date
timestamp[us]
revision_date
timestamp[us]
committer_date
timestamp[us]
github_id
int64
2.91k
686M
star_events_count
int64
0
209k
fork_events_count
int64
0
110k
gha_license_id
stringclasses
23 values
gha_event_created_at
timestamp[us]
gha_created_at
timestamp[us]
gha_language
stringclasses
220 values
src_encoding
stringclasses
30 values
language
stringclasses
1 value
is_vendor
bool
2 classes
is_generated
bool
2 classes
length_bytes
int64
2
10.3M
extension
stringclasses
257 values
content
stringlengths
2
10.3M
authors
listlengths
1
1
author_id
stringlengths
0
212
9f97c3ea0bbe2352686a45e16d7aefe21da6a52b
6e6d84af8ed3722237021ae4041299edc01f37a4
/src/libary/secure.py
481d56fcea57633c91a0326b3f8e97bd04765589
[]
no_license
XBMC-Addons/script.game.snake
3831cfbf0e4cbf3c2849658a65f94c63675baf0e
a82734b59244656aa6ee24c7025a4745af68671a
refs/heads/master
2021-01-13T01:37:01.309832
2013-10-18T18:34:58
2013-10-18T18:34:58
13,685,950
1
0
null
null
null
null
UTF-8
Python
false
false
2,058
py
import os class Secure: def check_level(self, path): self.all_walls = 0 self.the_speed = 0 if os.path.exists(path): self.aefile = path else: return -1 f = open(self.aefile, 'r') self.xmldata = f.read() f.close() self.walldata = self.xmldata.split('<walls>')[1].split('</walls>')[0].split('\n') for wall in self.walldata: if (wall.strip() != ''): wallx = (int(wall.split('<x>')[1].split('</x>')[0]) - 1) wally = (int(wall.split('<y>')[1].split('</y>')[0]) - 1) self.all_walls += wallx self.all_walls += wallx self.speeddata = self.xmldata.split('<speed>')[1].split('</speed>')[0].split('\n') self.the_speed = int(self.speeddata[0]) try: self.keydata = self.xmldata.split('<key>')[1].split('</key>')[0].split('\n') self.the_key = int(self.keydata[0]) except: return -2 self.value = ((self.all_walls * self.the_speed) / 17) if (self.value == self.the_key): return 1 else: return 0 def get_key(self, path): self.all_walls = 0 self.the_speed = 0 if os.path.exists(path): self.aefile = path else: return -1 f = open(self.aefile, 'r') self.xmldata = f.read() f.close() self.walldata = self.xmldata.split('<walls>')[1].split('</walls>')[0].split('\n') for wall in self.walldata: if (wall.strip() != ''): wallx = (int(wall.split('<x>')[1].split('</x>')[0]) - 1) wally = (int(wall.split('<y>')[1].split('</y>')[0]) - 1) self.all_walls += wallx self.all_walls += wallx self.speeddata = self.xmldata.split('<speed>')[1].split('</speed>')[0].split('\n') self.the_speed = int(self.speeddata[0]) self.value = ((self.all_walls * self.the_speed) / 17) return self.value
[ "mcm.kaijser@gmail.com" ]
mcm.kaijser@gmail.com
4e5cf2859bc47856fc6afbf3e6b4155ba52f7699
524b2ef7ace38954af92a8ed33e27696f4f69ece
/montecarlo4fms/problems/reverse_engineering/models/__init__.py
91381dc8abcd561b7131ac0ef6fc8c47867e8c6c
[]
no_license
jmhorcas/montecarlo_analysis
ebf9357b0ede63aa9bcdadb6a5a30a50ad7460eb
2319838afb0f738125afc081fc4b58a0d8e2faee
refs/heads/main
2023-06-24T19:05:36.485241
2021-07-20T08:24:06
2021-07-20T08:24:06
363,059,338
0
0
null
null
null
null
UTF-8
Python
false
false
53
py
from .fm_state import FMState __all__ = ['FMState']
[ "miguelijordan@gmail.com" ]
miguelijordan@gmail.com
d79f6da6679e3021c09281d19ab8ea23b125c80e
4723f7b2908c90f8b2430f7c500efc42be6c348b
/Python/tool/remote.py
232e8713c2eb1b8b1352f38cbf87f5fc2a3b8f8e
[]
no_license
rheehot/tool_public
776ab3ac25d9b7950ced6452d5a9395f6ee0faa0
9f60048ead83630fb310cd214b082cf0a895fd2d
refs/heads/master
2022-11-08T01:40:58.056350
2020-06-23T08:35:46
2020-06-23T08:35:46
null
0
0
null
null
null
null
UTF-8
Python
false
false
6,392
py
import struct from .definition import ArrayTypeDefinition, TypeDefinition, PointerTypeDefinition, ClassDefinition, ForwardedObject def unpack(size, data, unsigned = False): if size == 8: fmt = '<q' elif size == 4: fmt = '<i' elif size == 2: fmt = '<h' elif size == 1: fmt = '<b' if unsigned: fmt = fmt.upper() return struct.unpack(fmt, bytes(data))[0] def pack(size, data, unsigned = False): if size == 8: fmt = '<q' elif size == 4: fmt = '<i' elif size == 2: fmt = '<h' elif size == 1: fmt = '<b' if unsigned: fmt = fmt.upper() return [x for x in struct.pack(fmt, data)] def unpack_float(size, data): if size == 8: fmt = '<d' elif size == 4: fmt = '<f' return struct.unpack(fmt, bytes(data))[0] class RemoteObject(object): def __init__(self, bridge, address): self._bridge = bridge self._address = address @property def address(self): return self._address class RemoteClass(RemoteObject): def __init__(self, bridge, address, definition): super().__init__(bridge, address) self._definition = definition def _get(self, key): definitions = [self._definition] + self._definition.bases field = None for definition in definitions: try: field = definition.get(key) except AttributeError: continue break if not field: raise NameError('No such field ' + key) if 'index' in field: return instantiate_vfn(self._bridge, self._address, field['index']) return instantiate(self._bridge, self._address + field['offset'], field['definition']) def __getattr__(self, key): value = self._get(key) if isinstance(value, RemoteVariable): return value.get() return value def __setattr__(self, key, value): if key in ['_bridge', '_definition', '_address']: object.__setattr__(self, key, value) return result = self._get(key) if not isinstance(result, RemoteVariable): raise AttributeError result.set(value) def cast(self, definition): return RemoteClass(self._bridge, self._address, definition) class RemoteVariable(RemoteObject): def __init__(self, bridge, address, size): super().__init__(bridge, address) self._size = size def get(self): return self._bridge.read_memory(self._address, self._size) def set(self, value): if len(value) != self._size: raise AssertionError('Invalid size') return self._bridge.write_memory(self._address, value) class RemoteArray(RemoteObject): def __init__(self, bridge, address, definition): super().__init__(bridge, address) self._element_type = definition.element_type self._total_size = definition.size def __getitem__(self, key): if not isinstance(key, int): raise TypeError() if key * self._element_type.size >= self._total_size: raise IndexError() value = instantiate(self._bridge, self._address + key * self._element_type.size, self._element_type) if isinstance(value, RemoteVariable): return value.get() return value class RemoteInteger(RemoteVariable): def __init__(self, bridge, address, definition): super().__init__(bridge, address, definition if isinstance(definition, int) else definition.size) def get(self): data = super().get() return unpack(self._size, data) def set(self, data): super().set(pack(self._size, data)) def __bool__(self): return self.get() != 0 def __int__(self): return self.get() class RemoteFloat(RemoteVariable): def __init__(self, bridge, address, definition): super().__init__(bridge, address, definition.size) def get(self): data = super().get() return unpack_float(self._size, data) def __bool__(self): return self.get() != 0 def __int__(self): return self.get() class RemoteFunction(RemoteObject): def __init__(self, bridge, patternOrAddress): address = patternOrAddress if isinstance(patternOrAddress, list): address = bridge.search_pattern(patternOrAddress) - len(patternOrAddress) super().__init__(bridge, address) self._this = 0 def bind_this(self, this): self._this = this def __call__(self, *args): return self._bridge.call_function_mainthread(self._address, True, self._this, [int(x) for x in args]) def this_call(self, this, *args): self._this = this self.__call__(*args) type_map = {'double': RemoteFloat, 'float': RemoteFloat, 'unsigned': RemoteInteger} def instantiate(bridge, address, definition): if isinstance(definition, ForwardedObject): definition = definition.get_real() spelling = definition.spelling if spelling in type_map: return type_map[spelling](bridge, address, definition) else: if isinstance(definition, ArrayTypeDefinition): return RemoteArray(bridge, address, definition) for i in type_map: if spelling.startswith(i): return type_map[i](bridge, address, definition) if isinstance(definition, ClassDefinition): return RemoteClass(bridge, address, definition) elif isinstance(definition, PointerTypeDefinition): return instantiate(bridge, unpack(definition.size, bridge.read_memory(address, definition.size)), definition.pointee) return RemoteVariable(bridge, address, definition.size) def register_type(name, clazz): type_map[name] = clazz def instantiate_vfn(bridge, address, index): #TODO won't work if class have multiple vtables(multiple inheritance) pointer_size = 8 if bridge.is_32bit(): pointer_size = 4 vtable_base = unpack(pointer_size, bridge.read_memory(address, pointer_size), True) function_base = unpack(pointer_size, bridge.read_memory(vtable_base + index * pointer_size, pointer_size), True) result = RemoteFunction(bridge, function_base) result.bind_this(address) return result
[ "dlunch@gmail.com" ]
dlunch@gmail.com
210ea9a60a611db409d76c3c0405210c78d2cfcc
2b7cd8141d6c17572c05d4d70e3e616e02449e72
/python/GafferSceneUI/CollectScenesUI.py
341298801206215eb7677d5fcea14b99ce048bf9
[ "BSD-3-Clause" ]
permissive
gray10b/gaffer
45aefd4ebbf515d5b491777a3bfd027d90715114
828b3b59f1154b0a14020cbf9a292c9048c09968
refs/heads/master
2021-01-02T09:11:13.137347
2017-08-04T05:07:31
2017-08-04T05:07:31
99,158,553
0
0
null
2017-08-02T20:34:13
2017-08-02T20:34:13
null
UTF-8
Python
false
false
3,233
py
########################################################################## # # Copyright (c) 2017, Image Engine Design Inc. All rights reserved. # # Redistribution and use in source and binary forms, with or without # modification, are permitted provided that the following conditions are # met: # # * Redistributions of source code must retain the above # copyright notice, this list of conditions and the following # disclaimer. # # * Redistributions in binary form must reproduce the above # copyright notice, this list of conditions and the following # disclaimer in the documentation and/or other materials provided with # the distribution. # # * Neither the name of John Haddon nor the names of # any other contributors to this software may be used to endorse or # promote products derived from this software without specific prior # written permission. # # THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS # IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, # THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR # PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR # CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, # EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, # PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR # PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF # LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING # NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS # SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. # ########################################################################## import Gaffer import GafferScene Gaffer.Metadata.registerNode( GafferScene.CollectScenes, "description", """ Builds a scene by bundling multiple input scenes together, each under their own root location. Instead of using an array of inputs like the Group node, a single input is used instead, and a context variable is provided so that a different hierarchy can be generated under each root location. This is especially powerful for building dynamic scenes where the number of inputs is not known prior to building the node graph. Since merging globals from multiple scenes often doesn't make sense, the output globals are taken directly from the scene corresponding to `rootNames[0]`. """, plugs = { "rootNames" : [ "description", """ The names of the locations to create at the root of the output scene. The input scene is copied underneath each of these root locations. Often the rootNames will be driven by an expression that generates a dynamic number of root locations, perhaps by querying an asset management system or listing cache files on disk. """, ], "rootNameVariable" : [ "description", """ The name of a context variable that is set to the current root name when evaluating the input scene. This can be used in upstream expressions and string substitutions to generate a different hierarchy under each root location. """, ], } )
[ "thehaddonyoof@gmail.com" ]
thehaddonyoof@gmail.com
3a3694b3fc5cfb0ae2e8710bfd56f996e65c15f2
eaf3682788bfc946e2d1b36696fb973cc547ef37
/Layouts/Dialogs/Ambulances/ambulancesList.py
f96aed95f6fb555f3c8e82b8d124ae556881b15a
[]
no_license
bits-magnet/MDTouch
6096bdc365ca6f6577bb56920a431c9df072baf7
5ad053667febb825332bbca96603ae9f3d1a304e
refs/heads/master
2020-04-13T05:32:06.971336
2019-01-10T08:43:26
2019-01-10T08:43:26
162,994,938
0
1
null
null
null
null
UTF-8
Python
false
false
1,746
py
# -*- coding: utf-8 -*- # Form implementation generated from reading ui file 'ambulancesList.ui' # # Created by: PyQt5 UI code generator 5.11.2 # # WARNING! All changes made in this file will be lost! from PyQt5 import QtCore, QtGui, QtWidgets class Ui_Form(object): def setupUi(self, Form): Form.setObjectName("Form") Form.resize(640, 480) self.frame = QtWidgets.QFrame(Form) self.frame.setGeometry(QtCore.QRect(10, 10, 621, 421)) self.frame.setFrameShape(QtWidgets.QFrame.StyledPanel) self.frame.setFrameShadow(QtWidgets.QFrame.Raised) self.frame.setObjectName("frame") self.ambulanceListLabel = QtWidgets.QLabel(self.frame) self.ambulanceListLabel.setGeometry(QtCore.QRect(210, 0, 191, 41)) self.ambulanceListLabel.setStyleSheet("font-size:14pt;\n" "font-weight: bold;") self.ambulanceListLabel.setObjectName("ambulanceListLabel") self.tableWidget = QtWidgets.QTableWidget(self.frame) self.tableWidget.setGeometry(QtCore.QRect(10, 41, 601, 371)) self.tableWidget.setObjectName("tableWidget") self.tableWidget.setColumnCount(0) self.tableWidget.setRowCount(0) self.okButton = QtWidgets.QPushButton(Form) self.okButton.setGeometry(QtCore.QRect(530, 440, 89, 25)) self.okButton.setObjectName("okButton") self.retranslateUi(Form) QtCore.QMetaObject.connectSlotsByName(Form) def retranslateUi(self, Form): _translate = QtCore.QCoreApplication.translate Form.setWindowTitle(_translate("Form", "Ambulances List")) self.ambulanceListLabel.setText(_translate("Form", "Ambulances List")) self.okButton.setText(_translate("Form", "close"))
[ "abhishek197770@gmail.com" ]
abhishek197770@gmail.com
f2dbfe14a65b0edc19d892ddcc7a57467691b220
f87f51ec4d9353bc3836e22ac4a944951f9c45c0
/.history/HW01_20210624144937.py
b9d45c1f373833420f3987ed361ba22bbc6b3abd
[]
no_license
sanjayMamidipaka/cs1301
deaffee3847519eb85030d1bd82ae11e734bc1b7
9ddb66596497382d807673eba96853a17884d67b
refs/heads/main
2023-06-25T04:52:28.153535
2021-07-26T16:42:44
2021-07-26T16:42:44
389,703,530
0
0
null
null
null
null
UTF-8
Python
false
false
2,177
py
""" Georgia Institute of Technology - CS1301 HW01 - Functions and Expressions Collaboration Statement: """ ######################################### """ Function Name: bake() Parameters: cakes (int), cupcakes (int), cookies (int) Returns: None """ def bake(cakes, cupcakes, cookies): cake_time = cakes*100 #time in minutes for each cake cupcakes_time = cupcakes*70 #same as above but for the other items cookies_time = cookies*45 total_time = cake_time + cupcakes_time + cookies_time #stores the total time used to make all the items hours = total_time//60 #converts the total minutes into the appropriate amount of hours and minutes minutes = total_time % 60 print('It will take {} hours and {} minutes to make {} cakes, {} cupcakes, and {} cookies.'.format(hours, minutes, cakes, cupcakes, cookies)) #formats the information and prints out the results ######################################### """ Function Name: cakeVolume() Parameters: radius (int), height (int) Returns: None """ def cakeVolume(radius, height): volume = 3.14 * radius**2 * height #calculating volume with the volume formula rounded_volume = round(volume, 2) #rounding my answer to 2 places print('The volume of the cake is {}.'.format(rounded_volume)) ######################################### """ Function Name: celebrate() Parameters: pizzas (int), pastas (int), burgers (int), tipPercent (int) Returns: None """ def celebrate(pizzas, pastas, burgers, tipPercent): pizzas_price = pizzas*14 pastas_price = pastas*10 burgers_price = burgers*7 total_price = pizzas_price + pastas_price + burgers_price tip = total_price * (tipPercent/100) print() ######################################### """ Function Name: bookstore() Parameters: daysBorrowed (int) Returns: None """ def bookstore(daysBorrowed): pass ######################################### """ Function Name: monthlyAllowance() Parameters: allowance (int), savingsPercentage (int) Returns: None """ def monthlyAllowance(allowance, savingsPercentage): pass bake(1, 3, 12) cakeVolume(5, 8)
[ "sanjay.mamidipaka@gmail.com" ]
sanjay.mamidipaka@gmail.com
b0d09acd0e702f673fb1ff31437facf784297199
bd160713e32095321417ee93e3c325229bf3dcbb
/bucketlist/__init__.py
28c871a03291231678fb17fcb9bc687ee48ab29a
[]
no_license
maquchizi/flask-bucket-list-api
50875d884e32d5276260352f0fd04a5f19b36924
e5963ce9f10b00796f895821c4afd3766138100f
refs/heads/develop
2021-01-12T06:32:35.150776
2017-02-24T08:40:49
2017-02-24T08:40:49
77,377,921
0
2
null
2017-01-05T12:31:03
2016-12-26T10:53:24
Python
UTF-8
Python
false
false
31
py
from bucketlist.app import app
[ "maqnganga@gmail.com" ]
maqnganga@gmail.com
e13da53d74b2d69b0e1d895cee7feb246e1d7403
2e178225f8b7e00f050617ac5e407a0beeba6396
/apps/monitoring/ssh/tasks.py
ba8b0d8d169ebce761e6c4e3640a8cd9d0596eac
[ "Apache-2.0" ]
permissive
madrover/pyscaler
413c24437c2c1f56de3391f12089b9373263a111
e3633bd062561b49c5ac2d7c3e061272a8256b1b
refs/heads/master
2021-01-16T21:18:45.898797
2013-06-24T15:52:10
2013-06-24T15:52:10
null
0
0
null
null
null
null
UTF-8
Python
false
false
4,222
py
""" The **apps.monitoring,ssh.tasks** module contains the Celery tasks for the **ssh** app. """ from djcelery import celery from django.core.cache import cache from apps.monitoring.ssh.models import SshCounter from celery.utils.log import get_task_logger import datetime import paramiko import sys #Get celery logger logger = get_task_logger(__name__) @celery.task def getSshTriggerCounters(node,trigger): """ The **getSshTriggerCounters** task connects to the **Node** parameter and executes all associated **SshCounter** from the **Trigger** parameter """ logger.debug('SSH Getting ' + trigger.name + ' SshCounter counters from ' + node.name) output=[] #Checking if the trigger has got SshCounter counters = trigger.counters.all().select_subclasses() hascounters=False for counter in counters: if isinstance(counter, SshCounter): hascounters=True if hascounters == False: return 'SSH Trigger ' + trigger.name + ' does not have SshCounter counters' logger.debug('SSH Connecting to ' + node.sshprofile.user + '@' + node.hostname) ssh = paramiko.SSHClient() ssh.set_missing_host_key_policy(paramiko.AutoAddPolicy()) try: mykey = paramiko.RSAKey.from_private_key_file(node.sshprofile.keyfile) ssh.connect(node.hostname, username=node.sshprofile.user, pkey = mykey) except Exception, e: #Exit if we can not connect to the node via SSH error = 'SSH Error connecting to ' + node.hostname logger.error(error) logger.error(str(e)) return error logger.debug('SSH Connected to ' + node.hostname) # Loop each trigger counter and get value from node for counter in counters: if isinstance(counter, SshCounter): logger.debug('SSH executing ' + counter.script) try: #channel = ssh.get_transport().open_session() stdin, stdout, stderr = ssh.exec_command(counter.script) value='' if stdout.channel.recv_exit_status() != 0: raise Exception("Error executing "+ counter.script) for line in stdout: value = value + line.strip('\n') longkey = 'SSH ' + node.name + ' ' + counter.name + ' ' + datetime.datetime.now().strftime('%Y%m%d%H%M') except Exception, e: error = 'SSH Error getting executing ' + counter.script + ' from Trigger "' + trigger.name + '" on ' + node.name + '. Exit status = ' + str(stdout.channel.recv_exit_status()) logger.error(error) logger.error(str(e)) ssh.close() return error key = 'ssh_sshcounter.' + str(node.pk) + '.' + str(counter.pk) # Update threshold counter in memached thresholdCounter = cache.get(key) if thresholdCounter == None: thresholdCounter = 0 thresholdCounter = int(thresholdCounter) if counter.comparison == ">": if float(value) > counter.threshold: thresholdCounter = thresholdCounter + 1 else: thresholdCounter = 0 if counter.comparison == "<": if float(value) < counter.threshold: thresholdCounter = thresholdCounter + 1 else: thresholdCounter = 0 if counter.comparison == "=": if float(value) == counter.threshold: thresholdCounter = thresholdCounter + 1 else: thresholdCounter = 0 cache.set(key,thresholdCounter,86400) key = key + '.' + datetime.datetime.now().strftime('%Y%m%d%H%M') #Send value to cache backend logger.debug('SSH value: ' + node.name + '.'+ counter.name + ':' + value) logger.debug('SSH cache entry: ' + key + ':' + value) cache.set(key,value,86400) output.append([node.name + '.' + counter.name,value]) ssh.close() return output
[ "miquel@adrover.info" ]
miquel@adrover.info
1a0570a9e48405efaaa47a4ef2947c14ef0f7688
8f9fdc8730aa11f5f0a29b0399fa73a53d9530ca
/upprifjun fyrir próf/stöðupróf/dæmi2 hangman.py
6faf7b5dd912d59e778bae131287633f21dc5096
[]
no_license
ballib/Forritun1
0048aa41dbd4a829814232df9d653ef6e845b549
7f4041a5ac974d5622f005498efffcfc452b3f1a
refs/heads/master
2020-07-20T05:21:24.022182
2019-12-13T19:10:08
2019-12-13T19:10:08
206,579,830
0
0
null
null
null
null
UTF-8
Python
false
false
2,101
py
random_words = ["lion", "umbrella", "window", "computer", "glass", "juice", "chair", "desktop", "laptop", "dog", "cat", "lemon", "cabel", "mirror", "hat"] import random def random_choice(): random.seed(int(input("Random seed: "))) def characters(word): print("The word you need to guess has "+str(len(word)),"characters") ## hérna er ég að prenta út lengdina af orðinu í tölu return word def guess(word, chars, counter=0): ord = "" ## búa til nýjann streng sem mun geyma stafina og fylla upp í með bandstrikum for ch in word: ## búa til forloop sem skoðar hvern staf í orðinu sem var randomly valið if ch in chars: ## og ef stafurinn er í chars listanum sem við bjuggum til áðann til þess að taka á móti stöfum sem er giskað á ord += ch + " " ## þá tjekkum við hvort stafurinn sé í tóma strengnum og ef ekki þá bætum við honum við. else: ord += "- " ## annars fyllum við uppí með bandstrikum. if word == ord.replace(" ",""): print("You won!") print("Word to guess:", ord) quit() if counter != 0: print("You are on guess ", str(counter) + "/12") print("Word to guess:", ord) return word def checker(word): counter = 0 chars = [] while counter < 12: letter = input("Choose a letter: ") if letter not in chars: for ch in word: if ch == letter: print("You guessed correctly!") counter += 1 break else: print("The letter is not in the word!") counter += 1 chars.append(letter) else: print("You have already guessed that letter!") guess(word, chars, counter) else: print("You lost! The secret word was ", word) def main(): random_choice() word = random.choice(random_words) characters(word) guess(word, []) checker(word) main()
[ "baldurb2@gmail.com" ]
baldurb2@gmail.com
0596320d1f64afee66f172c4d4144c9e6f41e088
dcd9d550464642275f41d105c0fa0b8a6a535d46
/python/bill_pay.py
b5e7d0948f8a78df2603afde127923379684be50
[]
no_license
ckanafie/ck
8ae96a5cd90e3a2d20846119cd401ac865230423
ebd8ccd145fe2697f1f5940b919a7ace81e64cca
refs/heads/master
2022-07-02T13:42:30.786880
2020-05-15T11:34:04
2020-05-15T11:34:04
null
0
0
null
null
null
null
UTF-8
Python
false
false
1,142
py
#!C:\Python34\python.exe import cgi import cx_Oracle print('Content-type: application/json\r\n\r\n') con=cx_Oracle.connect('cbs/apss@localhost/xe') cur=con.cursor() data=cgi.FieldStorage() amount=float(data.getvalue('amount')) sts=-2 rid=0 cid=0 bid=0 bill_status="" bill_amount=0 sql="SELECT ID FROM SESSIONS WHERE TYPE = 'CID'" cur.execute(sql) for r in cur: cid=r[0] sql="SELECT R.RIDE_ID FROM RIDE R, BILL B WHERE R.RIDE_ID = B.RIDE_ID AND B.STATUS = 'UNPAID' AND R.CUSTOMER_ID = %s" % (cid) cur.execute(sql) for r in cur: rid=r[0] sql="SELECT BILL_ID, STATUS, AMOUNT FROM BILL WHERE RIDE_ID = %s" % (rid) cur.execute(sql) for r in cur: bid=r[0] bill_status=r[1] bill_amount=r[2] if amount < bill_amount: due=bill_amount-amount sql="UPDATE BILL SET AMOUNT = %s WHERE BILL_ID = %s AND STATUS = 'UNPAID'" % (due, bid) cur.execute(sql) cur.execute('commit') sts=2 if amount == bill_amount: sql="UPDATE BILL SET AMOUNT = %s, STATUS = 'PAID' WHERE BILL_ID = %s AND STATUS = 'UNPAID'" % (amount, bid) cur.execute(sql) cur.execute('commit') sts=1 print("[\"", sts, "\"]")
[ "noreply@github.com" ]
ckanafie.noreply@github.com
105e96e11106d7e013e883ea5ba59bd59045edf9
d03f0c0073f0b445c6fa495785e7c1ff0d7f93de
/PGGendoNL/models.py
2f4da596859e257a713a723d141eedc28327aa4b
[]
no_license
xu003822/oTree-PGG
49da4850975742834434a525da6223445dc9b4f4
499145ae78d7db7ad08bcc89f1d2d2954360b13e
refs/heads/master
2021-06-22T21:00:27.374525
2017-08-30T16:37:15
2017-08-30T16:37:15
null
0
0
null
null
null
null
UTF-8
Python
false
false
7,362
py
from otree.api import ( models, widgets, BaseConstants, BaseSubsession, BaseGroup, BasePlayer, Currency as c, currency_range ) import random doc = """The Dutch version of Public Goods Game with endogeneous threshold """ class Constants(BaseConstants): name_in_url = 'PGGendoNL' players_per_group = 4 num_rounds = 12 endowment = c(20) efficiency_factor = 1.6 cost_parameter_low = 0.6 cost_parameter_high = 1.2 participation_fee = 5 euro_per_point = 0.1 phase1 = [1, 2, 3, 4] phase2 = [5, 6, 7, 8] phase3 = [9, 10, 11, 12] """"List of round numbers which are part of a distribution rule. """ paying_phase1 = random.choice(phase1) paying_phase2 = random.choice(phase2) paying_phase3 = random.choice(phase3) """"The random round generator for the three payment periods to calculate money payoff.""" class Subsession(BaseSubsession): def vars_for_admin_report(self): contributions = [p.contribution for p in self.get_players() if p.contribution is not None] return { 'total_contribution': sum(contributions), 'min_contribution': min(contributions), 'max_contribution': max(contributions), } class Group(BaseGroup): distribution_rule = models.CharField() threshold = models.CurrencyField() bonus = models.CurrencyField() total_contribution = models.CurrencyField() avg_contribution = models.CurrencyField() avg_payoff = models.CurrencyField() def set_distribution_rule(self): if self.round_number in Constants.phase1: self.distribution_rule = 'Gelijk deel van de bonus' elif self.round_number in Constants.phase2: self.distribution_rule = 'Gelijke verdiensten' elif self.round_number == min(Constants.phase3): if sum([p.prule for p in self.get_players() if p.prule is not None]) < 2: self.distribution_rule = 'Gelijk deel van de bonus' elif sum([p.prule for p in self.get_players() if p.prule is not None]) > 2: self.distribution_rule = 'Gelijke verdiensten' else: self.distribution_rule = random.choice\ (['Gelijk deel van de bonus', 'Gelijke verdiensten']) else: self.distribution_rule = self.in_round(self.round_number - 1).distribution_rule if self.in_round(self.round_number - 1).distribution_rule == 'Gelijk deel van de bonus uitzondering': self.distribution_rule = 'Gelijke verdiensten' """"This sets the distribution rule of each phase.""" def set_threshold(self): self.threshold = min([p.proposal for p in self.get_players() if p.proposal is not None]) """"The lowest proposed threshold by a player will become the round's threshold level.""" def set_payoffs(self): self.total_contribution = sum([p.contribution for p in self.get_players()]) self.avg_contribution = self.total_contribution / Constants.players_per_group if self.total_contribution < self.threshold: self.bonus = 0 else: self.bonus = Constants.efficiency_factor * self.threshold for p in self.get_players(): if 'lage' in p.role(): p.value = (Constants.endowment - Constants.cost_parameter_low * p.contribution) else: p.value = (Constants.endowment - Constants.cost_parameter_high * p.contribution) """"p.value is the amount of points a player has left after contributing.""" if self.distribution_rule == 'Gelijke verdiensten': if self.total_contribution < self.threshold: for p in self.get_players(): p.payoff_r = p.value else: for p in self.get_players(): p.payoff_r = (sum([p.value for p in self.get_players()]) + self.bonus) \ / Constants.players_per_group """"When threshold is met, payoff is calculated by summing the p.values, adding them to the bonus, and dividing it by the amount of players per group (4 in this case)""" p.check_r = p.payoff_r - p.value if any(p.check_r < 0 for p in self.get_players() if p.check_r is not None): self.distribution_rule = 'Gelijk deel van de bonus uitzondering' p.payoff_r = p.value + (self.bonus / Constants.players_per_group) """"An exception to the Equal payoff occurs when p.payoff_r is less than p.value, resulting in a value loss for a player. In that case the distribution rule is adjusted to equal share of the bonus""" else: if self.total_contribution < self.threshold: for p in self.get_players(): p.payoff_r = p.value else: for p in self.get_players(): p.payoff_r = p.value + (self.bonus / Constants.players_per_group) """"Equal share of the bonus is calculated by adding the individual's p.value with an equal share of the bonus, if the threshold is met.""" self.avg_payoff = sum([p.payoff_r for p in self.get_players()]) / Constants.players_per_group class Player(BasePlayer): def role(self): if self.id_in_group in [1, 2]: return 'lage' else: return 'hoge' proposal = models.CurrencyField( min=0, max=Constants.endowment*Constants.players_per_group, doc="""The proposed threshold level for the current round by the player.""", ) contribution = models.CurrencyField( min=0, max=Constants.endowment, doc="""The amount contributed by the player.""", ) value = models.CurrencyField( doc=""""The player's individual payoff before bonus is taken into account.""" ) prule = models.PositiveIntegerField( choices=[ [0, 'Gelijk deel van de bonus'], [1, 'Gelijke verdiensten'] ], widget=widgets.RadioSelect(), doc=""""The player's vote for distribution rule in phase 3.""" ) payoff_r = models.CurrencyField( doc=""""payoff in a certain round""" ) check_r = models.FloatField( doc=""""The check for Equal payoff viability, if negative value, it's not viable""" ) earnings_phase1 = models.CurrencyField() earnings_phase2 = models.CurrencyField() earnings_phase3 = models.CurrencyField() paid = models.FloatField() def set_payoff(self): self.earnings_phase1 = self.in_round(Constants.paying_phase1).payoff_r self.earnings_phase2 = self.in_round(Constants.paying_phase2).payoff_r self.earnings_phase3 = self.in_round(Constants.paying_phase3).payoff_r self.payoff = self.earnings_phase1 + self.earnings_phase2 + self.earnings_phase3 self.paid = (self.payoff * Constants.euro_per_point) + Constants.participation_fee """"The calculation of the payoffs during the random periods and total earnings as well as the to be paid amount."""
[ "bowiegoossens2@hotmail.com" ]
bowiegoossens2@hotmail.com
65e5532f41c19901974348a70018748a98d53dfa
4aefd6f36f5fc9e194896ce39b683b2093013cf7
/manage.py
b8b5e6b17f23e5b9e68db7a3d58527e336218a67
[]
no_license
Angeloem/jwtoly
316174ddc0c81183ec7229755939811d57ae948e
ebd3a11311835c58c14b3893dec8f217fd29c7b0
refs/heads/master
2020-07-24T20:00:47.690343
2019-09-12T15:37:44
2019-09-12T15:37:44
208,033,095
1
0
null
null
null
null
UTF-8
Python
false
false
626
py
#!/usr/bin/env python """Django's command-line utility for administrative tasks.""" import os import sys def main(): os.environ.setdefault('DJANGO_SETTINGS_MODULE', 'jwtoly.settings') try: from django.core.management import execute_from_command_line except ImportError as exc: raise ImportError( "Couldn't import Django. Are you sure it's installed and " "available on your PYTHONPATH environment variable? Did you " "forget to activate a virtual environment?" ) from exc execute_from_command_line(sys.argv) if __name__ == '__main__': main()
[ "esanga530@gmail.com" ]
esanga530@gmail.com
73bc81ef4065a43a74837bc0c87e2164cb2162f1
56ac4146d8c1f3c4a066a06cbd96a883228e623b
/examples/cifar10/async_trainer.py
0d6cf6bf92f2308e1bda8146a116267d60d3bebb
[]
no_license
qingzew/tfcluster
0893dafd52813cdb4cc601160a8008096e837bcc
6d99e981e1de3393ed4bc9a73afb60d10d34065b
refs/heads/master
2021-01-17T20:18:36.155762
2018-01-21T15:59:28
2018-01-21T15:59:28
79,696,887
1
1
null
null
null
null
UTF-8
Python
false
false
4,554
py
#! /usr/bin/env python # -*- coding: utf-8 -*- # vim:fenc=utf-8 # # Copyright © 2016 qingze <qingze@node39.com> # # Distributed under terms of the MIT license. """ """ import os import time import tensorflow as tf import logging from datetime import datetime def setup_logger(logger): logger.setLevel(logging.DEBUG) FORMAT = '%(levelname).1s%(asctime)-11s %(process)d %(filename)-9s:%(lineno)d] %(message)s' formatter = logging.Formatter(FORMAT, datefmt = '%m%d %H:%M:%S') console_handler = logging.StreamHandler() console_handler.setLevel(logging.DEBUG) console_handler.setFormatter(formatter) logger.addHandler(console_handler) return logger logger = logging.getLogger(__name__) setup_logger(logger) class Trainer(object): def __init__(self, logdir, steps): self.func_map = {} self.logdir = logdir self.steps = steps def register(self, name): def func_wrapper(func): self.func_map[name] = func return func return func_wrapper def call_method(self, name = None): func = self.func_map.get(name, None) if func is None: raise Exception("No function registered against - " + str(name)) return func() def train(self): ps_hosts = os.environ['PS'].split(',') worker_hosts = os.environ['WORKER'].split(',') # Create a cluster from the parameter server and worker hosts. cluster = tf.train.ClusterSpec({'ps': ps_hosts, 'worker': worker_hosts}) # Create and start a server for the local task. server = tf.train.Server(cluster, job_name = os.environ['JOB_NAME'], task_index = int(os.environ['TASK_INDEX'])) if os.environ['JOB_NAME'] == 'ps': server.join() elif os.environ['JOB_NAME'] == 'worker': with tf.Graph().as_default(): # Assigns ops to the local worker by default. with tf.device(tf.train.replica_device_setter( worker_device = '/job:worker/task:%d' % int(os.environ['TASK_INDEX']), cluster = cluster)): train_op, loss, global_step = self.call_method('build_model') init_op = tf.initialize_all_variables() # saver = tf.train.Saver(tf.all_variables(), max_to_keep = 25, keep_checkpoint_every_n_hours = 1) saver = tf.train.Saver(tf.all_variables(), max_to_keep = 25) # Create a "supervisor", which oversees the training process. sv = tf.train.Supervisor(is_chief = (int(os.environ['TASK_INDEX']) == 0), logdir = self.logdir, init_op = init_op, saver = saver, global_step = global_step, save_model_secs = 600) config = tf.ConfigProto(allow_soft_placement = True, log_device_placement = False) config.gpu_options.allow_growth = True # The supervisor takes care of session initialization, restoring from # a checkpoint, and closing when done or an error occurs. with sv.managed_session(server.target, config = config) as sess: sess.run(init_op) # Loop until the supervisor shuts down or 1000000 steps have completed. step = 0 while not sv.should_stop() and step < self.steps: # Run a training step asynchronously. # See `tf.train.SyncReplicasOptimizer` for additional details on how to # perform *synchronous* training. start_time = time.time() # step _, loss_value = sess.run([train_op, loss]) duration = time.time() - start_time if step % 1 == 0: format_str = ('%s: step %d, loss = %.2f (%.3f sec)') print(format_str % (datetime.now(), step, loss_value, duration)) # Print status to stdout. # print('Step %d: loss = %.2f (%.3f sec)' % (step, loss_value, duration)) step += 1 # Ask for all the services to stop. sv.stop()
[ "qingzew@gmail.com" ]
qingzew@gmail.com
d7ef00f6761c5aa5604699ffe74a1241d4afc934
d606b32f409fe21a742e6e7cc964913e09276837
/mputest/imutest.py
0b67a48bf1f75c681637e860b36b8934d69aaa4f
[ "BSD-2-Clause" ]
permissive
yycho0108/Elecanisms_Final
057258e4233d65ec64e0a0d8d6f18e78813159ed
5837e8481e2e224b250ac533d170ca3cf7fe2846
refs/heads/master
2021-01-21T07:08:33.523016
2017-05-04T15:19:09
2017-05-04T15:19:09
83,324,743
0
0
null
null
null
null
UTF-8
Python
false
false
826
py
import mputest import sys, time foo = mputest.mputest() foo.mpu_init() while 1: sys.stdout.write('\x1b[2J\x1b[1;1f') accel = foo.mpu_read_accel() gyro = foo.mpu_read_gyro() mag = foo.mpu_read_mag() print 'Accelerometer:' print ' x = {0:+05.3f}g'.format(accel[0]) print ' y = {0:+05.3f}g'.format(accel[1]) print ' z = {0:+05.3f}g'.format(accel[2]) print '\nGyroscope:' print ' x = {0:+08.3f}dps'.format(gyro[0]) print ' y = {0:+08.3f}dps'.format(gyro[1]) print ' z = {0:+08.3f}dps'.format(gyro[2]) print '\nMagnetometer:' print ' x = {0:+08.3f}uT'.format(mag[0]) print ' y = {0:+08.3f}uT'.format(mag[1]) print ' z = {0:+08.3f}uT'.format(mag[2]) t0 = time.clock() while time.clock()<t0+0.05: pass
[ "noreply@github.com" ]
yycho0108.noreply@github.com
28ce163f3b9cf5eb8781bca648c833347a56180a
47b4d76e9c87e6c45bab38e348ae12a60a60f94c
/Mutation_Modules/ILE_VAL.py
1febf610cbd99aa48137a62bd7106f55e86ea931
[]
no_license
PietroAronica/Parasol.py
9bc17fd8e177e432bbc5ce4e7ee2d721341b2707
238abcdc2caee7bbfea6cfcdda1ca705766db204
refs/heads/master
2021-01-10T23:57:40.225140
2020-10-14T02:21:15
2020-10-14T02:21:15
70,791,648
0
0
null
null
null
null
UTF-8
Python
false
false
12,858
py
# ILE to VAL Mutation import Frcmod_creator import PDBHandler import Leapy from parmed.tools.actions import * from parmed.amber.readparm import * def parmed_command(vxi='VXI', lipid='No'): bc = {} with open('Param_files/AminoAcid/ILE.param', 'r') as b: data = b.readlines()[1:] for line in data: key, value = line.split() bc[key] = float(value) b.close() fc = {} with open('Param_files/AminoAcid/VAL.param', 'r') as b: data = b.readlines()[1:] for line in data: key, value = line.split() fc[key] = float(value) b.close() for i in range(11): a = i*10 parm = AmberParm('Solv_{}_{}.prmtop'.format(a, 100-a)) changeLJPair(parm, ':{}@HG11'.format(vxi), ':{}@HD11'.format(vxi), '0', '0').execute() change(parm, 'charge', ':{}@N'.format(vxi), bc['N']+((fc['N']-bc['N'])/10)*i).execute() change(parm, 'charge', ':{}@H'.format(vxi), bc['H']+((fc['H']-bc['H'])/10)*i).execute() change(parm, 'charge', ':{}@CA'.format(vxi), bc['CA']+((fc['CA']-bc['CA'])/10)*i).execute() change(parm, 'charge', ':{}@HA'.format(vxi), bc['HA']+((fc['HA']-bc['HA'])/10)*i).execute() change(parm, 'charge', ':{}@CB'.format(vxi), bc['CB']+((fc['CB']-bc['CB'])/10)*i).execute() change(parm, 'charge', ':{}@HB'.format(vxi), bc['HB']+((fc['HB']-bc['HB'])/10)*i).execute() change(parm, 'charge', ':{}@CG2'.format(vxi), bc['CG2']+((fc['CG2']-bc['CG2'])/10)*i).execute() change(parm, 'charge', ':{}@HG21'.format(vxi), bc['HG21']+((fc['HG21']-bc['HG21'])/10)*i).execute() change(parm, 'charge', ':{}@HG22'.format(vxi), bc['HG22']+((fc['HG22']-bc['HG22'])/10)*i).execute() change(parm, 'charge', ':{}@HG23'.format(vxi), bc['HG23']+((fc['HG23']-bc['HG23'])/10)*i).execute() change(parm, 'charge', ':{}@CG1'.format(vxi), bc['CG1']+((fc['CG1']-bc['CG1'])/10)*i).execute() change(parm, 'charge', ':{}@HG11'.format(vxi), (fc['HG11']/10)*i).execute() change(parm, 'charge', ':{}@HG12'.format(vxi), bc['HG12']+((fc['HG12']-bc['HG12'])/10)*i).execute() change(parm, 'charge', ':{}@HG13'.format(vxi), bc['HG13']+((fc['HG13']-bc['HG13'])/10)*i).execute() change(parm, 'charge', ':{}@CD1'.format(vxi), bc['CD1']-(bc['CD1']/10)*i).execute() change(parm, 'charge', ':{}@HD11'.format(vxi), bc['HD11']-(bc['HD11']/10)*i).execute() change(parm, 'charge', ':{}@HD12'.format(vxi), bc['HD12']-(bc['HD12']/10)*i).execute() change(parm, 'charge', ':{}@HD13'.format(vxi), bc['HD13']-(bc['HD13']/10)*i).execute() change(parm, 'charge', ':{}@C'.format(vxi), bc['C']+((fc['C']-bc['C'])/10)*i).execute() change(parm, 'charge', ':{}@O'.format(vxi), bc['O']+((fc['O']-bc['O'])/10)*i).execute() setOverwrite(parm).execute() parmout(parm, 'Solv_{}_{}.prmtop'.format(a, 100-a)).execute() def makevxi(struct, out, aa, vxi='VXI'): struct.residue_dict[aa].set_resname(vxi) CD1 = struct.residue_dict[aa].atom_dict['CD1'] pdb = open(out, 'w') try: pdb.write(struct.other_dict['Cryst1'].formatted()) except KeyError: pass for res in struct.residue_list: for atom in res.atom_list: if atom.get_name() == 'CG1' and res.get_resname() == vxi: pdb.write(atom.formatted()) pdb.write(atom.superimposed1('HG11', CD1)) else: pdb.write(atom.formatted()) try: pdb.write(struct.other_dict[atom.get_number()].ter()) except: pass for oth in struct.other_dict: try: if oth.startswith('Conect'): pdb.write(struct.other_dict[oth].formatted()) except: pass pdb.write('END\n') def variablemake(sym='^'): var1 = sym + '1' var2 = sym + '2' var3 = sym + '3' var4 = sym + '4' var5 = sym + '5' var6 = sym + '6' var7 = sym + '7' var8 = sym + '8' var9 = sym + '9' var10 = sym + '0' var11 = sym + 'a' var12 = sym + 'b' var13 = sym + 'c' var14 = sym + 'd' var15 = sym + 'e' return var1, var2, var3, var4, var5, var6, var7, var8, var9, var10, var11, var12, var13, var14, var15 def lib_make(ff, outputfile, vxi='VXI', var=variablemake()): metcar = var[0] methyd = var[1] hydhyd = var[2] ctrl = open('lyp.in', 'w') ctrl.write("source %s\n"%ff) ctrl.write("%s=loadpdb Param_files/LibPDB/ILE-VAL.pdb\n"%vxi) ctrl.write('set %s.1.1 element "N"\n'%vxi) ctrl.write('set %s.1.2 element "H"\n'%vxi) ctrl.write('set %s.1.3 element "C"\n'%vxi) ctrl.write('set %s.1.4 element "H"\n'%vxi) ctrl.write('set %s.1.5 element "C"\n'%vxi) ctrl.write('set %s.1.6 element "H"\n'%vxi) ctrl.write('set %s.1.7 element "C"\n'%vxi) ctrl.write('set %s.1.8 element "H"\n'%vxi) ctrl.write('set %s.1.9 element "H"\n'%vxi) ctrl.write('set %s.1.10 element "H"\n'%vxi) ctrl.write('set %s.1.11 element "C"\n'%vxi) ctrl.write('set %s.1.12 element "H"\n'%vxi) ctrl.write('set %s.1.13 element "H"\n'%vxi) ctrl.write('set %s.1.14 element "H"\n'%vxi) ctrl.write('set %s.1.15 element "C"\n'%vxi) ctrl.write('set %s.1.16 element "H"\n'%vxi) ctrl.write('set %s.1.17 element "H"\n'%vxi) ctrl.write('set %s.1.18 element "H"\n'%vxi) ctrl.write('set %s.1.19 element "C"\n'%vxi) ctrl.write('set %s.1.20 element "O"\n'%vxi) ctrl.write('set %s.1.1 name "N"\n'%vxi) ctrl.write('set %s.1.2 name "H"\n'%vxi) ctrl.write('set %s.1.3 name "CA"\n'%vxi) ctrl.write('set %s.1.4 name "HA"\n'%vxi) ctrl.write('set %s.1.5 name "CB"\n'%vxi) ctrl.write('set %s.1.6 name "HB"\n'%vxi) ctrl.write('set %s.1.7 name "CG2"\n'%vxi) ctrl.write('set %s.1.8 name "HG21"\n'%vxi) ctrl.write('set %s.1.9 name "HG22"\n'%vxi) ctrl.write('set %s.1.10 name "HG23"\n'%vxi) ctrl.write('set %s.1.11 name "CG1"\n'%vxi) ctrl.write('set %s.1.12 name "HG11"\n'%vxi) ctrl.write('set %s.1.13 name "HG12"\n'%vxi) ctrl.write('set %s.1.14 name "HG13"\n'%vxi) ctrl.write('set %s.1.15 name "CD1"\n'%vxi) ctrl.write('set %s.1.16 name "HD11"\n'%vxi) ctrl.write('set %s.1.17 name "HD12"\n'%vxi) ctrl.write('set %s.1.18 name "HD13"\n'%vxi) ctrl.write('set %s.1.19 name "C"\n'%vxi) ctrl.write('set %s.1.20 name "O"\n'%vxi) ctrl.write('set %s.1.1 type "N"\n'%vxi) ctrl.write('set %s.1.2 type "H"\n'%vxi) ctrl.write('set %s.1.3 type "CT"\n'%vxi) ctrl.write('set %s.1.4 type "H1"\n'%vxi) ctrl.write('set %s.1.5 type "CT"\n'%vxi) ctrl.write('set %s.1.6 type "HC"\n'%vxi) ctrl.write('set %s.1.7 type "CT"\n'%vxi) ctrl.write('set %s.1.8 type "HC"\n'%vxi) ctrl.write('set %s.1.9 type "HC"\n'%vxi) ctrl.write('set %s.1.10 type "HC"\n'%vxi) ctrl.write('set %s.1.11 type "CT"\n'%vxi) ctrl.write('set %s.1.12 type "%s"\n'%(vxi, hydhyd)) ctrl.write('set %s.1.13 type "HC"\n'%vxi) ctrl.write('set %s.1.14 type "HC"\n'%vxi) ctrl.write('set %s.1.15 type "%s"\n'%(vxi, metcar)) ctrl.write('set %s.1.16 type "%s"\n'%(vxi, methyd)) ctrl.write('set %s.1.17 type "%s"\n'%(vxi, methyd)) ctrl.write('set %s.1.18 type "%s"\n'%(vxi, methyd)) ctrl.write('set %s.1.19 type "C"\n'%vxi) ctrl.write('set %s.1.20 type "O"\n'%vxi) ctrl.write('bond %s.1.1 %s.1.2\n'%(vxi, vxi)) ctrl.write('bond %s.1.1 %s.1.3\n'%(vxi, vxi)) ctrl.write('bond %s.1.3 %s.1.4\n'%(vxi, vxi)) ctrl.write('bond %s.1.3 %s.1.5\n'%(vxi, vxi)) ctrl.write('bond %s.1.3 %s.1.19\n'%(vxi, vxi)) ctrl.write('bond %s.1.5 %s.1.6\n'%(vxi, vxi)) ctrl.write('bond %s.1.5 %s.1.7\n'%(vxi, vxi)) ctrl.write('bond %s.1.5 %s.1.11\n'%(vxi, vxi)) ctrl.write('bond %s.1.7 %s.1.8\n'%(vxi, vxi)) ctrl.write('bond %s.1.7 %s.1.9\n'%(vxi, vxi)) ctrl.write('bond %s.1.7 %s.1.10\n'%(vxi, vxi)) ctrl.write('bond %s.1.11 %s.1.12\n'%(vxi, vxi)) ctrl.write('bond %s.1.11 %s.1.13\n'%(vxi, vxi)) ctrl.write('bond %s.1.11 %s.1.14\n'%(vxi, vxi)) ctrl.write('bond %s.1.11 %s.1.15\n'%(vxi, vxi)) ctrl.write('bond %s.1.15 %s.1.16\n'%(vxi, vxi)) ctrl.write('bond %s.1.15 %s.1.17\n'%(vxi, vxi)) ctrl.write('bond %s.1.15 %s.1.18\n'%(vxi, vxi)) ctrl.write('bond %s.1.19 %s.1.20\n'%(vxi, vxi)) ctrl.write('set %s.1 connect0 %s.1.N\n'%(vxi, vxi)) ctrl.write('set %s.1 connect1 %s.1.C\n'%(vxi, vxi)) ctrl.write('set %s name "%s"\n'%(vxi, vxi)) ctrl.write('set %s.1 name "%s"\n'%(vxi, vxi)) ctrl.write('set %s head %s.1.N\n'%(vxi, vxi)) ctrl.write('set %s tail %s.1.C\n'%(vxi, vxi)) ctrl.write('saveoff %s %s.lib\n'%(vxi, vxi)) ctrl.write("quit\n") ctrl.close() Leapy.run('lyp.in', outputfile) def all_make(): for i in range(0,110,10): Frcmod_creator.make ('{}_{}.frcmod'.format(i, 100-i)) def cal(x, y, i): num = x+((y-x)/10)*i return num def lac(x, y, i): num = y+((x-y)/10)*i return num def stock_add_to_all(var=variablemake()): metcar = var[0] methyd = var[1] hydhyd = var[2] Frcmod_creator.make_hyb() Frcmod_creator.TYPE_insert(metcar, 'C', 'sp3') Frcmod_creator.TYPE_insert(methyd, 'H', 'sp3') Frcmod_creator.TYPE_insert(hydhyd, 'H', 'sp3') p = {} with open('Param_files/Stock/Stock.param', 'r') as b: data = b.readlines()[1:] for line in data: p[line.split()[0]] = [] for point in line.split()[1:]: p[line.split()[0]].append(float(point)) b.close() for i in range(11): a = i*10 Frcmod_creator.MASS_insert('{}_{}.frcmod'.format(a, 100-a), metcar, cal(p['CT'][0], p['0_C'][0], i), cal(p['CT'][1], p['0_C'][1], i)) Frcmod_creator.MASS_insert('{}_{}.frcmod'.format(a, 100-a), methyd, cal(p['HC'][0], p['0_H'][0], i), cal(p['HC'][1], p['0_H'][1], i)) Frcmod_creator.MASS_insert('{}_{}.frcmod'.format(a, 100-a), hydhyd, cal(p['0_H'][0], p['HC'][0], i), cal(p['0_H'][1], p['HC'][1], i)) Frcmod_creator.BOND_insert('{}_{}.frcmod'.format(a, 100-a), '{}-{}'.format('CT', metcar), cal(p['CT_CT'][0], p['CT_mH'][0], i), cal(p['CT_CT'][1], p['CT_mH'][1], i)) Frcmod_creator.BOND_insert('{}_{}.frcmod'.format(a, 100-a), '{}-{}'.format('CT', hydhyd), cal(p['HC_sC'][0], p['CT_HC'][0], i), cal(p['HC_sC'][1], p['CT_HC'][1], i)) Frcmod_creator.BOND_insert('{}_{}.frcmod'.format(a, 100-a), '{}-{}'.format(metcar, methyd), cal(p['CT_HC'][0], p['HC_mH'][0], i), cal(p['CT_HC'][1], p['HC_mH'][1], i)) Frcmod_creator.ANGLE_insert('{}_{}.frcmod'.format(a, 100-a), '{}-{}-{}'.format('CT', metcar, methyd), cal(p['C_C_H'][0], p['Dritt'][0], i), cal(p['C_C_H'][1], p['Dritt'][1], i)) Frcmod_creator.ANGLE_insert('{}_{}.frcmod'.format(a, 100-a), '{}-{}-{}'.format(methyd, metcar, methyd), cal(p['H_C_H'][0], p['Close'][0], i), cal(p['H_C_H'][1], p['Close'][1], i)) Frcmod_creator.ANGLE_insert('{}_{}.frcmod'.format(a, 100-a), '{}-{}-{}'.format('CT', 'CT', metcar), cal(p['C_C_C'][0], p['C_C_C'][0], i), cal(p['C_C_C'][1], p['C_C_C'][1], i)) Frcmod_creator.ANGLE_insert('{}_{}.frcmod'.format(a, 100-a), '{}-{}-{}'.format('HC', 'CT', metcar), cal(p['C_C_H'][0], p['C_C_H'][0], i), cal(p['C_C_H'][1], p['C_C_H'][1], i)) Frcmod_creator.ANGLE_insert('{}_{}.frcmod'.format(a, 100-a), '{}-{}-{}'.format('HC', 'CT', hydhyd), cal(p['H_C_H'][0], p['H_C_H'][0], i), cal(p['H_C_H'][1], p['H_C_H'][1], i)) Frcmod_creator.ANGLE_insert('{}_{}.frcmod'.format(a, 100-a), '{}-{}-{}'.format(hydhyd, 'CT', metcar), cal(p['Close'][0], p['Close'][0], i), cal(p['Close'][1], p['Close'][1], i)) Frcmod_creator.ANGLE_insert('{}_{}.frcmod'.format(a, 100-a), '{}-{}-{}'.format('CT', 'CT', hydhyd), cal(p['C_C_H'][0], p['C_C_H'][0], i), cal(p['C_C_H'][1], p['C_C_H'][1], i)) Frcmod_creator.DIHEDRAL_insert('{}_{}.frcmod'.format(a, 100-a), '{}-{}-{}-{}'.format('CT', 'CT', metcar, methyd), cal(p['C_C_C_H'][0], p['0_1'][0], i), cal(p['C_C_C_H'][1], p['0_1'][1], i), cal(p['C_C_C_H'][2], p['0_1'][2], i), cal(p['C_C_C_H'][3], p['0_1'][3], i)) Frcmod_creator.DIHEDRAL_insert('{}_{}.frcmod'.format(a, 100-a), '{}-{}-{}-{}'.format('HC', 'CT', metcar, methyd), cal(p['H_C_C_H'][0], p['0_1'][0], i), cal(p['H_C_C_H'][1], p['0_1'][1], i), cal(p['H_C_C_H'][2], p['0_1'][2], i), cal(p['H_C_C_H'][3], p['0_1'][3], i)) Frcmod_creator.DIHEDRAL_insert('{}_{}.frcmod'.format(a, 100-a), '{}-{}-{}-{}'.format(hydhyd, 'CT', metcar, methyd), cal(p['0_Dihe'][0], p['0_Dihe'][0], i), cal(p['0_Dihe'][1], p['0_Dihe'][1], i), cal(p['0_Dihe'][2], p['0_Dihe'][2], i), cal(p['0_Dihe'][3], p['0_Dihe'][3], i)) Frcmod_creator.NONBON_insert('{}_{}.frcmod'.format(a, 100-a), metcar, cal(p['CT'][2], p['0_C'][2], i), cal(p['CT'][3], p['0_C'][3], i)) Frcmod_creator.NONBON_insert('{}_{}.frcmod'.format(a, 100-a), methyd, cal(p['HC'][2], p['0_H'][2], i), cal(p['HC'][3], p['0_H'][3], i)) Frcmod_creator.NONBON_insert('{}_{}.frcmod'.format(a, 100-a), hydhyd, cal(p['0_H'][2], p['HC'][2], i), cal(p['0_H'][3], p['HC'][3], i))
[ "pietro.ga.aronica@gmail.com" ]
pietro.ga.aronica@gmail.com
e8e556220a6cf463cb98d6d2d2aa7f443f80c37c
5a3ed55e95b6031105e8030116642d15513446ed
/foodsite-application/foodsite-application/settings.py
80b5c021c0b0275fbe49977c14111cf02ac3cf65
[]
no_license
yxni98/Development-Projects
7ba5a7894ac78064dade35833242ebb53fd38f00
b0a79aed7d9dbcf5512dd951dc72f93b71e3443d
refs/heads/master
2022-12-29T10:36:10.415031
2020-02-06T03:03:00
2020-02-06T03:11:03
null
0
0
null
null
null
null
UTF-8
Python
false
false
4,847
py
""" Django settings for foodsite-application project. Generated by 'django-admin startproject' using Django 1.11.5. For more information on this file, see https://docs.djangoproject.com/en/1.11/topics/settings/ For the full list of settings and their values, see https://docs.djangoproject.com/en/1.11/ref/settings/ """ from django.middleware.cache import UpdateCacheMiddleware from django.middleware.cache import FetchFromCacheMiddleware import os import logging # Build paths inside the project like this: os.path.join(BASE_DIR, ...) BASE_DIR = os.path.dirname(os.path.dirname(os.path.abspath(__file__))) # Quick-start development settings - unsuitable for production # See https://docs.djangoproject.com/en/1.11/howto/deployment/checklist/ # SECURITY WARNING: keep the secret key used in production secret! SECRET_KEY = 'rllm@lc++_!ig_2fv8tn0+!(@6#_st3cpc1(5)hdg8#%8*otxc' # SECURITY WARNING: don't run with debug turned on in production! DEBUG = False ALLOWED_HOSTS = ['*'] # Application definition INSTALLED_APPS = [ 'django.contrib.admin', 'django.contrib.auth', 'django.contrib.contenttypes', 'django.contrib.sessions', 'django.contrib.messages', 'django.contrib.staticfiles', 'corsheaders', 'library', 'account', 'food_site', ] MIDDLEWARE = [ # 'django.middleware.cache.UpdateCacheMiddleware', 'django.middleware.security.SecurityMiddleware', 'django.contrib.sessions.middleware.SessionMiddleware', 'django.middleware.common.CommonMiddleware', # 'django.middleware.csrf.CsrfViewMiddleware', 'django.contrib.auth.middleware.AuthenticationMiddleware', 'django.contrib.messages.middleware.MessageMiddleware', 'django.middleware.clickjacking.XFrameOptionsMiddleware', 'corsheaders.middleware.CorsMiddleware', 'django.middleware.common.CommonMiddleware', # 注意顺序 # 'django.middleware.cache.FetchFromCacheMiddleware', ] #跨域增加忽略 CORS_ALLOW_CREDENTIALS = True CORS_ORIGIN_ALLOW_ALL = True CORS_ORIGIN_WHITELIST = ( '*' ) CORS_ALLOW_METHODS = ( 'DELETE', 'GET', 'OPTIONS', 'PATCH', 'POST', 'PUT', 'VIEW', ) CORS_ALLOW_HEADERS = ( 'XMLHttpRequest', 'X_FILENAME', 'accept-encoding', 'authorization', 'content-type', 'dnt', 'origin', 'user-agent', 'x-csrftoken', 'x-requested-with', 'Pragma', ) # CACHE_MIDDLEWARE_ALIAS = "" # CACHE_MIDDLEWARE_SECONDS = "" # CACHE_MIDDLEWARE_KEY_PREFIX = "" ROOT_URLCONF = 'foodsite-application.urls' TEMPLATES = [ { 'BACKEND': 'django.template.backends.django.DjangoTemplates', 'DIRS': [], 'APP_DIRS': True, 'OPTIONS': { 'context_processors': [ 'django.template.context_processors.debug', 'django.template.context_processors.request', 'django.contrib.auth.context_processors.auth', 'django.contrib.messages.context_processors.messages', ], }, }, ] CACHES = { 'default': { 'BACKEND': 'django.core.cache.backends.locmem.LocMemCache', } } WSGI_APPLICATION = 'foodsite-application.wsgi.application' logging.basicConfig( level = logging.DEBUG, format = '%(asctime)s %(levelname)s %(message)s', ) # Database # https://docs.djangoproject.com/en/1.11/ref/settings/#databases DATABASES = { 'default': { # 'ENGINE': 'django.db.backends.sqlite3', # 'NAME': os.path.join(BASE_DIR, 'db.sqlite3'), 'ENGINE': 'django.db.backends.mysql', 'NAME': 'yongxin', 'USER': 'xxx', 'PASSWORD': 'xxx', 'HOST': 'xxx', 'PORT': 'xxx', } } # Password validation # https://docs.djangoproject.com/en/1.11/ref/settings/#auth-password-validators AUTH_PASSWORD_VALIDATORS = [ { 'NAME': 'django.contrib.auth.password_validation.UserAttributeSimilarityValidator', }, { 'NAME': 'django.contrib.auth.password_validation.MinimumLengthValidator', }, { 'NAME': 'django.contrib.auth.password_validation.CommonPasswordValidator', }, { 'NAME': 'django.contrib.auth.password_validation.NumericPasswordValidator', }, ] # Internationalization # https://docs.djangoproject.com/en/1.11/topics/i18n/ LANGUAGE_CODE = 'en-us' TIME_ZONE = 'UTC' USE_I18N = True USE_L10N = True USE_TZ = True # Static files (CSS, JavaScript, Images) # https://docs.djangoproject.com/en/1.11/howto/static-files/ STATIC_URL = '/static/' HERE = os.path.dirname(os.path.abspath(__file__)) HERE = os.path.join(HERE, '../') STATICFILES_DIRS = ( # Put strings here, like "/home/html/static" or "C:/www/django/static". # Always use forward slashes, even on Windows. # Don't forget to use absolute paths, not relative paths. os.path.join(HERE, 'static/'), )
[ "niyongxin2016@email.szu.edu.cn" ]
niyongxin2016@email.szu.edu.cn
7898ec57cd787e2f254f7c7793876dd708e2496d
29a4f419841959381db2d8ba035d6b1f5d2d67a9
/blink.py
6144191b71ddad09c60b0ecde2b286a8d9558b68
[]
no_license
becorey/ME592
31d7af758f82424404529381adeb5b6ea9b04de3
0b022127fda188fde43dbef5d059c98f893c3b88
refs/heads/master
2021-04-28T03:28:41.746464
2018-02-20T00:53:26
2018-02-20T00:53:26
122,140,173
0
0
null
null
null
null
UTF-8
Python
false
false
748
py
#!/usr/bin/python #import GPIO to access the pins import RPi.GPIO as GPIO #import time to use time.sleep import time #pins will be accessed from physical location on board GPIO.setmode(GPIO.BOARD) #we are wired to GPIO 26, which is physically pin 37 ledpin=37 #set our LED pin as an output to send current to it GPIO.setup(ledpin, GPIO.OUT) #we will loop to blink the led a few times for i in range(0,10): #when i is even the led will turn off if i%2==0: GPIO.output(ledpin, GPIO.LOW) print "gpio low" #else, i is odd, and the led will turn on else: GPIO.output(ledpin, GPIO.HIGH) print "gpio high" #leave the led on/off for 1 second time.sleep(1) #releases the pin setmode back to default GPIO.cleanup() print "Done blinking"
[ "coreymberman@gmail.com" ]
coreymberman@gmail.com
6bef768f4b5fe36e599eaa13f5c58cd2211f134c
7d95ba5003636509b957f4695bb4c72c9fcb76a9
/radio_data/src/TDL_channel.py
7c09f044a48b1f86e9a0aa3b95e68155ae1d6b15
[]
no_license
xiaogaogaoxiao/LinkAdaptationCSI
ce46253c789685384d22218e7b24ca64fd595d2b
c351bc2718775291cde69d1f1e54a97a85162a4b
refs/heads/master
2023-05-03T11:54:15.956390
2021-05-23T20:11:33
2021-05-23T20:11:33
420,411,198
1
0
null
null
null
null
UTF-8
Python
false
false
2,000
py
import itpp def channel_frequency_response(fft_size, relative_speed, channel_model, nrof_subframes): carrier_freq = 2.0e9 # 2 GHz subcarrier_spacing = 15000 # Hz sampling_frequency = subcarrier_spacing * fft_size sampling_interval = 1.0 / sampling_frequency relative_speed = relative_speed # in m/s doppler_frequency = (carrier_freq / 3e8) * relative_speed norm_doppler = doppler_frequency * sampling_interval frame_duration = 1.0e-3 # 1 ms frame_samples = int(frame_duration / sampling_interval) model = None if channel_model == 'ITU_PEDESTRIAN_A': model = itpp.comm.CHANNEL_PROFILE.ITU_Pedestrian_A elif channel_model == 'ITU_PEDESTRIAN_B': model = itpp.comm.CHANNEL_PROFILE.ITU_Pedestrian_B elif channel_model == 'ITU_VEHICULAR_A': model = itpp.comm.CHANNEL_PROFILE.ITU_Vehicular_A elif channel_model == 'ITU_VEHICULAR_B': model = itpp.comm.CHANNEL_PROFILE.ITU_Vehicular_B else: print('Specified channel model %s not configured in %s'%(model, __file__)) channel_spec = itpp.comm.Channel_Specification(model) channel = itpp.comm.TDL_Channel(channel_spec, sampling_interval) nrof_taps = channel.taps() channel.set_norm_doppler(norm_doppler) # Generate channel coefficients for a few frames channel_coeff = itpp.cmat() channel_coeff.set_size(nrof_subframes, nrof_taps, False) for frame_index in range(nrof_subframes): frame_start_sample = int(frame_index * frame_samples) channel.set_time_offset(frame_start_sample) frame_channel_coeff = itpp.cmat() channel.generate(1, frame_channel_coeff) channel_coeff.set_row(frame_index, frame_channel_coeff.get_row(0)) freq_resp = itpp.cmat() channel.calc_frequency_response(channel_coeff, freq_resp, fft_size) return freq_resp
[ "lissy.pellaco@gmail.com" ]
lissy.pellaco@gmail.com
3646911498cba7627ec5d93654ca853de8b3da0d
3416d7c865a2bead6361df57aa3cc22a4e58628f
/catkin_ws/src/control/src/test.py
0189a0c0b20fea51b3811dd4cc383ade3166adc9
[]
no_license
scottsuk0306/rcCarEndtoEnd
9546e48d2fe53ad3dcbb54798084ec9587a6edfc
ad4bb5b4f85cc89af253e14a954bafa1955405f6
refs/heads/main
2023-03-06T13:00:23.827406
2021-02-23T06:37:24
2021-02-23T06:37:24
333,681,183
0
0
null
null
null
null
UTF-8
Python
false
false
291
py
#! /usr/bin/env python from curtsies import Input def main(): with Input(keynames='curses') as input_generator: for e in input_generator: if e=='w': print("go front") if e=='s': print("go back") print() if __name__ == '__main__': main()
[ "39263767+scottsuk0306@users.noreply.github.com" ]
39263767+scottsuk0306@users.noreply.github.com
d7440e71113a64188e10129584a6781b9645ee82
d562027a4a5b2d64c776a3c394c88d8e278b664b
/lianxi.py
fe1ae4a043bde74fbbe420e0e533198292e8073e
[]
no_license
wft111/gittest_1
97f0916d37c4a5decff5355d3a92380d8049d3e8
f622918ed68f37686e67c9d51287a64cf0721b01
refs/heads/master
2020-07-30T05:52:35.441667
2019-09-22T08:21:43
2019-09-22T08:21:43
210,109,241
0
0
null
null
null
null
UTF-8
Python
false
false
11,524
py
#/usr/bin/python #-*-coding:utf-8-*- #a='hello,python' #print(a) #a= ' hello,python ' #b=a.strip() #print(b) #b=a.lstrip() #print(b) #b=a.rstrip() #print(b) #a='%s是%s个超级大国'%('中国',1) #print(a) #a=[12,121,12122,122] #a.sort() #print(a) #a.reverse() #print(a) #a=[123,1212,1445] #b=a.index(123) #print(b) #=[1223,233,65,556] #a.sort() #print(a) #a.reverse() #print(a) #b=[111,222] #a.extend(b) #print(a) #a.clear() #print(a) #a=[123,21323,1321424] #a.append(111) #a.insert(1,111) #a.remove(123) #print(a) #一、字符串:以单引号和双引号括起来 #字符串特点: #1、支持索引 #2、支持切片 #3、不可变的 #a=' hello,python ' #b=a.upper()#1、将字符串小写变大写 #b=a.lower()#2、将字符串大写变小写 #b=a.title()#3、将字符串的第一个字符首字母大写 #b=a.swapcase()#4、数据反转,大写变小写,小写变大写 #b=a.startswith('h')#5、判断字符串是否是以这个字符开头,如果正确返回ture,错误返回flash #b=a.endswith('n')6、#判断字符串是否以这个字符结尾,如果正确返回ture,错误,返回flash #b=a.replace('o','博文',1)7、替换字符串,(‘要替换的内容’,‘替换的内容’,替换数量(数量不用加引号)) #b=a.split('h')#8、将字符串分割成列表(分割字符串列表) #b='-'.join('6789')#9、形成新的字符串的分隔符(连接成新的字符串) #a='{}hello,python{}' #b=a.format('你好','蟒蛇')#10、格式化字符串,占位符{} 变量名.format.(字符串) #a='%s是%d个超级大国'%('中国',1)#11、%s可以填充所有,%d只能填充数字 #b=a.strip()#12、去除空格 #print(b) #b=a.lstrip()#去除左边空格 #print(b) #b=a.rstrip()#去除右边空格 #print(b) #二 、元组:元组是数据的集合,以小括号标识,中间以逗号隔开 #元组特点: #1、不可变 #2、支持索引 #3、支持切片 #内置函数练习 #a=(123,1234,567,123) #b=a.count(123)1、统计这个元素在元组中有多少个 #b=a.index(567)2、查询这个元素在这个元组中的下标位置 #print(b) #三、列表:列表是一组数据的集合,以中括号标识,中间用逗号隔开 #列表特点: #1、可变的 #2、支持索引 #3、支持切片 #列表内置函数基础练习 #a=[121,3423,12123] #a.append(122)1、对列表添加数据,添加后自动在最后面 #a.insert(1,222)2、根据下标进行添加数据 #a.remove(121)3、删除指定数据 #a.pop(1)4、根据下标删除数据 #b=a.count(121)5、统计这个数据在列表中有多少个 #b=a.index(121)6、查询此元素在列表的下标 #b=[111,345] #a.extend(b)7、将b中的数据更新到a中 #a.clear()8、清空数据 #a.sort()9、排序 #print(a) #a.reverse()10、数据转换 #b=a.copy()11、复制 #print(b) #列表和元组的区别? #1、元组是不可变的,列表是可变的; #2、元组是以小括号标识的,列表是以中括号标识的; #3、元组里面只有一个元素时,结尾必须要加逗号,才可以标识元组,而列表不需要; #四、集合:一组数据的集合,以大括号标识,中间用逗号隔开。 #集合的特点: #1、集合是无序的; #2、集合是不可重复的; #3、可变的; #集合的内置函数 #a={1332,'hdhjh',123} #a.add(111)1、添加数据,一次只能添加一个 #print(a) #五、字典:一组数据的集合,以大括号为标识,格式以键值对出现(key:value) #字典特点: #1、无序的 #2、可变的 #3、键必须是唯一的 #字典内置函数基础练习 #a={'姓名':'张三','年龄':'22','性别':'男'} #b=a.keys()1、获取所有的键 #b=a.values()2、获取所有的值 #b=a.items()3、获取所有的键值对 #a['sex']='111'4、添加数据,有的数据就更改 #a.pop('性别')5、指定删除的数据 #a.popitem()6、删除数据,默认删除最后一个 #b={'sex':'123'} #a.update(b)7、更新数据,将b的数据更新到a里面 #print(a) #a=0x20 #print(int(a)) #python if条件语句 #if False: # print(12) #else: # print(11) #a=int(input('输入账号')) #b=int(input('密码')) #if a==1761295435: # print() # if b==123456: # print('登录') # else: # print('密码错误') #else: # print('登录失败') #加 #a = 100 #b = 20 #d = 'hello,python' #c=a+b #print(c) #减 #c=a-b #print(c) #乘 #c=a*b #print(c) # 除 #c=a/b #print(c)#除的结果是浮点型 # 求整数【商的整数】 #c=a//b #print(c) #幂 #c=a**b #print(c) #求余数 #s1=100 #s2=3 #f=s1%s2 #print(f) # python 比较运算 两个变量之间值的比较 # ==等于 >大于 <小于 >=大于等于 <=小于等于 !=不等于 #a=int (input('输入成绩:')) #if 90<=a<=100: # print('优秀') #elif 80<=a<=90: # print('良好') #elif 60<=a<=80: # print('一般') #elif a<60 : # print('不及格') #python 赋值运算符 #= 赋值 +=累加 -=类减 *= /= %= //= **= #a1=100 #a1+=1 #a1=a1+1 #print(a1) #python成员运算符 #"""""" #in 在...里面 #not in 不在...里面 #x=[1,2,3,4] #print(1 in x) #逻辑运算符 #and 与 两个条件同时为True,结果才为Ture # or 或 有一个条件为Ture,结果就是Ture #not 非 一个条件,Ture变成False,False变成True #数值0、空字符串、空列表、空元组、空集合、空字典 默认是False; #None 空的 函数里面的返回值的一种; #if '': # print('hello') #python for 循环 #循环一个字典的时候,只能拿到它的键 # for i in xx; # 代码语句 # xx 代表的是可迭代的对象 字符串,列表,元组,集合,字典 # i 变量 代表 xx某一个具体的值 #str_1='hello,python' 字符串循环 #for i in str_1: # print(i) #dict_1={1:'python',2:'hello'}字典循环 #for i in dict_1: # print(i) #集合去重 #list_a=[1,2,1,3,4,2,5,1,6,7,4,6,5,3,2] #list_b=[] #for i in list_a: # if i not in list_b: # list_b.append (i) #print(list_b) #python九九乘法表 #for i in range(1,10): # for a in range (1,i+1): # print('{}*{}={}\t'.format(a,i,i*a),end='') # print() """圈圈小程序 import turtle as t t.color('red') for i in range(300): t.fd(i) t.left(120) t.done() """ #1、将text中每个首字符大写的英文单词添加到一个列表中 """text = "Early in the day it was whispered that we should sail in a boat, only thou and I, and never a soul in the world would know of this our pilgrimage to no country and to no end" g=text.split( ) b=[] for i in g: if i.istitle(): b.append(i) print(b)""" #2、将首字符小写的单词转换为首字符大写 #a=text.title() #print(a) #3、将text中所有的包含a的字符替换成博文两个字 #a=text.replace('a','博文') #print(a) #4、删除包含小t字符的单词后,组成一个新的字符串 # g=text.split(' ') # for i in g: # if 't' in i: # g.remove(i) # b=' '.join(g) # print ('hello'.find ('e')) #x="tom猫" #print(f"你好 {x}") #:空白字符包含:空白、\n \t \r 回车 # a='hello' # print(a[::-1]) #a=str(input('回文:' )) #for i in range (0,int(len(a))): # if a[i]!=a[-i-1]: # print('不是回文') # break #else: # print('是回文') '''a=[1,2,3,4] b=list(a) b= a[::-1] print(b)''' #a=[8,1,4,6,7] """a=list(input('输入数据:')) b=len(a) for i in range (b): for j in range(b-1): if a[j]>a[j+1]: a[j],a[j+1]=a[j+1],a[j] print(a)""" # 统计字符串长度大于5的 # 将e全部替换成博文 # 截取第一个逗号前的所有单词,并将首字符大写 # 删除除包含英文o的单词 s="""Then one day the mother eagle appeared at the top of the mountain cliff, with a big bowl of delicious food and she looked down at her baby. The baby looked up at the mother and cried "Why did you abandon me? I'm going to die any minute.'How could you do this to me?""" """统计字符串长度大于5的 b=[] c=s.split() for i in c: if len(i)>5: b.append(i) d=len(b) print(d)""" """截取第一个逗号前的所有单词,并将首字符大写; c=s.split(',') d=c[0] e=''.join(d) f=e.title() print(f)""" """删除除包含英文o的单词 c=s.split(' ') for i in c: if 'o' in i: c.remove(i) b=' '.join(c) print(b)""" # a=[1,3,11] # for i,j in enumerate(a): # #print(j) #print(j) # a=["面包","火腿","香蕉","苹果","桔子"] # b=[30,50,20,25,40] # k=[90,35,20,70,26] # print('商品编号\t商品名\t\t\t单价') # for i ,j in enumerate(a): # print('{}\t\t\t{}\t\t\t{}'.format(i,j,b[i])) # while True: # c=int (input('请输入商品编号')) # if 0<=len(a): # d=int(input('请输入购买数量:')) # if 0<(d): # e=input('是否使用会员?(y / n)') # if e=='y': # f=input('请输入会员卡号:') # if f in ['123456','666666']: # print('应付金额为{}元'.format(b[int(c)]*int(d)*0.95)) # else: # print('会员卡号输入错误!') # elif e=='n': # print('应付金额为{}元'.format(b[int(c)] * int(d))) # else: # print('输入无效,只能输入“yes”或"no"') # else: # print('数量输入错误!') # else: # print('商品号输入错误!') # 求1,2,3,4,可以组成多少个三位数 # 字符串类型的123456在不使用int()转为数字类型 # a=[1,2,3,4] # for i in(a): # for j in(a): # for q in (a): # c=('{}{}{}'.format(i,j,q)) # print(list((c)) # a='123456' # i=(int) # while True: # if str(i)==a: # print(i) # break # else: # i+=1 # A={1,2,3,4,5,6} # B={1,2,3,7,8} # c=A.union(B) # print(c) # 导入随机数库 【内置库】 # import random # b=random.randint(1,10) # print(b) # 列表推导式 #print ([a for a in range (10)]) # 先写一个空的列表 # 定义一个新的变量名 # 写循环语句 # print([a for a in range (100) if a%2==0]) #100以内被2整除的数字 # 一张纸,厚度0.08mm,珠穆朗玛峰高8848m,求折叠多少次能超过珠穆朗玛峰? # a = ["ads", "dafdsa5"," jjajs", "dfdsdas"] # p = ["fdsfd", "fdsfdsaffdsa", "", "jjja", '213232''] """ 账号长度在6~8之间为合法的账号 密码的长度在5~7之间为合法的密码 账号和密码都符合上述要求,将账号密码以键值对的形式保存 """ # c=[] # b=[] # for i in a: # if len(i)>=6 and 8>=len(i): # c.append(i) # for j in p: # if len (j)>=5 and 7>=len(j): # b.append(j) # print(dict(zip(c,b))) # d={ # "key":1000, # "key1":['我是列表'], # "key3":{1:2000,3:["a","b","c"]} # } # k={1:10000,2:20000 } # # k.setdefault("3") # print(tuple(k)) import xlwt a = [ ["序号", "名字", "年龄", "性别"], [1, "张三", 20, "男"], [2, "李四", 19, "男"], [3, "王五", 18, "女"], [4, "赵信", 16, "女"] ] #新建一个Excel文件 #第一步:新建一个Excel文件 #xlwt.workbook()新建一个文件excel文件 d =xlwt.Workbook() #第二步:新建一个Excel表 add_sheet(工作表的名字)表名必填 table =d.add_sheet("表一") #第三步:写入数据到Excel表中,一次写入一个单元格 #write(行号,列号,要写入的数据) for i in range(len(a)): for j in range(len(a[i])): table.write( i,j,a[i][j]) #第四步:保存Excel文件 #save('Excel文件名') d.save('wwww.xls')
[ "13525038273@163.com" ]
13525038273@163.com
9e0dcbef25fe0a97778094ddff84c585d45852b6
5d64bc5b5fa503e2276279701dab095e1e3373b1
/bitwise/s4_8-reverse_digits.py
1652da0fcf3e7cc29046720a24955a62a2701cba
[]
no_license
mknguyen1202/DataStructures_Algorithms
a8fe44fa2f665f3ef4d77a3f86e61f474a3457e6
2a120fa2a59e7a5faca024cb9c295e9912f1d5d8
refs/heads/master
2023-01-27T22:21:50.266975
2020-12-03T22:51:27
2020-12-03T22:51:27
298,703,165
0
0
null
null
null
null
UTF-8
Python
false
false
289
py
''' Write a program which takes an integer and returns the integer corresponding to the digits of the input written in reverse order. For example, input: 42 output: 24 input: -314 output: -413 ''' def reverse_bf(x: int) -> int: # TODO def reverse(x: int) -> int: # TODO
[ "mknguyen1202@Kiets-MacBook-Pro.local" ]
mknguyen1202@Kiets-MacBook-Pro.local
80366beb358b095b23c59e971c685289297d05e2
240cef6123b0ab2a8320258a0f5163d8834b9a16
/py10.py
cee6cbb788456f7119be5117bb208fd5a335d750
[]
no_license
Sankeerth0214/OCR-FR-1
814133520a38aa3c2879507ab1d1090b89dda1d5
4d612729d7c3296db4b06d26bea23b8d08fee031
refs/heads/master
2021-01-01T16:56:58.553656
2017-07-10T08:06:39
2017-07-10T08:06:39
null
0
0
null
null
null
null
UTF-8
Python
false
false
136
py
n=input("enter a range") a=[] for i in range(n): b=input() a.append(b) print("maximum number in") print a print "is" print(max(a))
[ "noreply@github.com" ]
Sankeerth0214.noreply@github.com
f5b9309479e7f2a7355c5b529b91f4d3fd8116df
bb21d28495eb6c53ccef823fa1bdcf1ff1d9b57e
/JDMR_Ischool/urls.py
f3ab8e7425acd5d6292f6b04214d36f46b53ede8
[]
no_license
hostingdemo/demo110-master
9b9ea6026abf019a1dcf074e6e21b572dcb842a5
3ae2bd84f46fa766bc860b0a63cbcb3674ece838
refs/heads/master
2023-07-04T08:37:24.570492
2021-07-28T12:00:56
2021-07-28T12:00:56
388,441,041
0
0
null
null
null
null
UTF-8
Python
false
false
467
py
from django.contrib import admin from django.urls import path, include from django.conf import settings from django.conf.urls.static import static urlpatterns = [ path('admin/', admin.site.urls), path('accounts/', include('allauth.urls')), path('', include('users.urls')), path('api/',include('rest_api.urls')) ]+ static(settings.STATIC_URL, document_root=settings.STATIC_ROOT) + static(settings.MEDIA_URL, document_root=settings.MEDIA_ROOT)
[ "hostingtask@gmail.com" ]
hostingtask@gmail.com
6f3c9299f5b03491e4aa0a69f391ff86c4f62761
ce670c59c0464aea06d53c8fa752402405543b06
/migrations/versions/1121a6f0c8de_no_update_become_date.py
9ae2b41ae3fada062139d9db54f83309d3d2d6ca
[]
no_license
gbarre/capsule-api
23548b8e8af8c563df12fc7a04a75d7f9136c906
52d4e648851a24515052e5597d3322e3029c3c52
refs/heads/master
2023-03-08T10:24:21.685406
2022-06-01T07:46:38
2022-06-01T07:46:38
247,653,584
2
2
null
2022-12-08T07:44:45
2020-03-16T08:53:52
Python
UTF-8
Python
false
false
1,032
py
"""no_update become date Revision ID: 1121a6f0c8de Revises: a0141c36b7c0 Create Date: 2021-03-05 11:48:49.709201 """ from alembic import op import sqlalchemy as sa import models from sqlalchemy.dialects import mysql # revision identifiers, used by Alembic. revision = '1121a6f0c8de' down_revision = 'a0141c36b7c0' branch_labels = None depends_on = None def upgrade(): # ### commands auto generated by Alembic - please adjust! ### op.alter_column('capsules', 'no_update', existing_type=mysql.TINYINT(display_width=1), type_=sa.DateTime(), existing_nullable=False) op.execute("UPDATE capsules SET no_update = '1970-01-01 10:00:00';") # ### end Alembic commands ### def downgrade(): # ### commands auto generated by Alembic - please adjust! ### op.alter_column('capsules', 'no_update', existing_type=sa.DateTime(), type_=mysql.TINYINT(display_width=1), existing_nullable=False) # ### end Alembic commands ###
[ "guillaume.barre@ac-versailles.fr" ]
guillaume.barre@ac-versailles.fr
19e5b00f91bf0b3b5006b61638f0eaf93703a415
cbfb679bd068a1153ed855f0db1a8b9e0d4bfd98
/leet/facebook/strings_arrays/implement_trie(prefix_tree).py
d2417b0002dda188bd8067925406649cf3692fca
[]
no_license
arsamigullin/problem_solving_python
47715858a394ba9298e04c11f2fe7f5ec0ee443a
59f70dc4466e15df591ba285317e4a1fe808ed60
refs/heads/master
2023-03-04T01:13:51.280001
2023-02-27T18:20:56
2023-02-27T18:20:56
212,953,851
0
0
null
null
null
null
UTF-8
Python
false
false
3,538
py
# this solution is slow but looks right # we declared TrieNode. It store list of TrieNodes inside of length 26 class TrieNode: def __init__(self): self.links = [None] * 26 self.end = False def get(self, char): return self.links[ord(char) - ord('a')] def contains(self, char): return self.links[ord(char) - ord('a')] != None def put(self, char, node): index = ord(char) - ord('a') self.links[index] = node def is_end(self): return self.end def set_end(self): self.end = True class Trie: def __init__(self): """ Initialize your data structure here. """ self.root = TrieNode() def insert(self, word: str) -> None: """ Inserts a word into the trie. """ node = self.root for ch in word: if not node.contains(ch): node.put(ch, TrieNode()) node = node.get(ch) node.set_end() def __search_prefix(self, word): node = self.root for ch in word: if node.contains(ch): node = node.get(ch) else: return None return node def search(self, word: str) -> bool: """ Returns if the word is in the trie. """ node = self.__search_prefix(word) return node is not None and node.is_end() def startsWith(self, prefix: str) -> bool: """ Returns if there is any word in the trie that starts with the given prefix. """ node = self.__search_prefix(prefix) return node is not None # Your Trie object will be instantiated and called as such: # obj = Trie() # obj.insert(word) # param_2 = obj.search(word) # param_3 = obj.startsWith(prefix) # this solution is much faster but underneath it uses dict class TrieDict: def __init__(self): """ Initialize your data structure here. """ self.root = dict() def insert(self, word: str) -> None: """ Inserts a word into the trie. """ currNode = self.root for c in word: if c not in currNode: currNode[c] = dict() currNode = currNode[c] # this placeholder denotes the end of a string # consider these two words abcc and abccd # after inserting the words to the trie we have # {'a': {'b': {'c': {'c': {'#': '#'}}}}} # {'a': {'b': {'c': {'c': {'#': '#', 'd': {'#': '#'}}}}}} # when searching the word after reaching the latest letter in word # we also check if the '#' among children of the latest letter # so the '#' allows us to say if the whole word (not prefix) is in the Trie currNode['#'] = '#' print(self.root) def search(self, word: str) -> bool: """ Returns if the word is in the trie. """ currNode = self.root for c in word: if c not in currNode: return False currNode = currNode[c] return '#' in currNode def startsWith(self, prefix: str) -> bool: """ Returns if there is any word in the trie that starts with the given prefix. """ currNode = self.root for c in prefix: if c not in currNode: return False currNode = currNode[c] return True if __name__ == "__main__": s = TrieDict() s.insert("abcc") s.insert("abccd")
[ "ar.smglln@gmail.com" ]
ar.smglln@gmail.com
74a441c692613e5f6d9340f57bc795abc62143c4
c959e6f17c2b4c1e40dc6169a53cf422cdc60242
/tools/recording/features.py
81828562d038cb042ff1d904d5fb10d2cb9043de
[ "Apache-2.0", "LicenseRef-scancode-proprietary-license", "LicenseRef-scancode-unknown-license-reference" ]
permissive
geoffxy/habitat
7931d6272973d028fc01abc94d2643718d870d72
5f01e523a1dc30dbfbaaa39cf4880a534c7781a2
refs/heads/master
2023-05-23T19:56:47.430514
2022-11-26T04:46:14
2022-11-26T04:46:14
372,279,560
48
9
Apache-2.0
2022-11-26T04:46:15
2021-05-30T17:45:52
Python
UTF-8
Python
false
false
640
py
conv2d = [ 'bias', 'batch', 'image_size', 'in_channels', 'out_channels', 'kernel_size', 'stride', 'padding', ] bmm = [ 'batch', # (batch, left, middle) x (batch, middle, right) 'left', 'middle', 'right', ] lstm = [ 'bias', # 0 or 1, represents the bias flag 'bidirectional', # 0 or 1, represents the bidirectional flag 'batch', 'seq_len', 'input_size', 'hidden_size', 'num_layers', ] linear = [ 'bias', 'batch', 'in_features', 'out_features', ] FEATURES = { 'bmm': bmm, 'conv2d': conv2d, 'linear': linear, 'lstm': lstm, }
[ "gxyu@cs.toronto.edu" ]
gxyu@cs.toronto.edu
bd99ee4471270f22b8beb7ca1b17ae9959c13aaf
5b39000731517e9e77db789f2d253fd8dd1bbcda
/gamesapi/gamesapi/urls.py
e87a1ec8d70bd1ded577a1eb37dcf1bfc7176ec9
[]
no_license
bunnycast/RestAPI
831a01c592ff91bebb410f060aaa8f19c7b40361
1f2b6837342a04c59752119eebb16a7eeeecaa4c
refs/heads/master
2022-11-16T21:25:26.485393
2020-07-20T03:12:52
2020-07-20T03:12:52
276,662,261
0
0
null
null
null
null
UTF-8
Python
false
false
910
py
"""gamesapi URL Configuration The `urlpatterns` list routes URLs to views. For more information please see: https://docs.djangoproject.com/en/3.0/topics/http/urls/ Examples: Function views 1. Add an import: from my_app import views 2. Add a URL to urlpatterns: path('', views.home, name='home') Class-based views 1. Add an import: from other_app.views import Home 2. Add a URL to urlpatterns: path('', Home.as_view(), name='home') Including another URLconf 1. Import the include() function: from django.urls import include, path 2. Add a URL to urlpatterns: path('blog/', include('blog.urls')) """ from django.conf.urls import url from django.contrib import admin from django.urls import path, include urlpatterns = [ path('admin/', admin.site.urls), url(r'^', include('games.urls')), url(r'^api-auth/', include('rest_framework.urls')), # api logIn, logOut ]
[ "berzzubunny@gmail.com" ]
berzzubunny@gmail.com
37c1b77dd3586311b40f194e2b54e9d3196a58e6
f874b3bffdf98ea52a12f9cd08566557e33d4c98
/extract_info.py
661aedd6a01faa476fa02e92316332480fa98e79
[ "Apache-2.0" ]
permissive
lmorillas/recursoscaa
8e567246f722a38a7fb61dd6a884fd0d153cd338
bac2ff39d67028ca8d4969d23f5061f09be59a0e
refs/heads/master
2018-12-28T00:24:31.042017
2015-08-29T08:13:23
2015-08-29T08:13:23
32,229,559
0
0
null
null
null
null
UTF-8
Python
false
false
2,684
py
from amara.bindery import html from amara.lib import U from urlparse import urljoin doc = html.parse('http://es.slideshare.net/JosManuelMarcos/presentations') doc2 = html.parse('http://es.slideshare.net/JosManuelMarcos/presentations/2') links = [] datos = [] def extract_links(doc): return doc.xml_select('//ul[@class="thumbnailFollowGrid"]/li//a') links.extend(extract_links(doc)) links.extend(extract_links(doc2)) print len(links), 'recursos a extraer ...' def encode_data(d): for k in d.keys(): d[k] = d[k].encode('utf-8') return d def extract_data(link): item = {} _link = urljoin('http://es.slideshare.net/', U(link.href)) _doc = html.parse(_link) if doc: print _link item['url'] = _link item['id'] = _link.split('/')[-1] item['autor'] = [] _label = U(_doc.xml_select('//h1[contains(@class, "slideshow-title-text")]')).strip() if u'Romero' in _label: item['autor'].append('David Romero') item['autor'].append(U(_doc.xml_select('//a[@class="j-author-name"]')).strip()) item['label'] = _label.split('-')[0].strip() item['fecha'] = U(_doc.xml_select('//time[@itemprop="datePublished"]')).strip() _desc = U(_doc.xml_select('//p[contains(@class, "j-desc-expand")]')).strip() if _desc: item['desc'] = _desc else: item['desc'] = U(_doc.xml_select('//div[contains(@class, "j-desc-more")]')).strip() item['imagen'] = _doc.xml_select(u'//img[contains(@class, "slide_image")]')[0].src return item datos = [extract_data(l) for l in links] import json json.dump({'items': datos}, open('datos.json', 'w')) ''' d2 = html.parse(urljoin('http://es.slideshare.net/', l) print d2.xml_encode() d2.xml_select('//time') map(d2.xml_select('//time'), lambda x: print x) map( lambda x: print x, d2.xml_select('//time')) lambda x: print x __version__ version _version_ print d2.xml_select('//time')[0] print d2.xml_select('//time')[1] print d2.xml_select('//time[@itemprop="datePublished"]') print d2.xml_select('//time[@itemprop="datePublished"]')[0] print d2.xml_select('//time[@itemprop="datePublished"]')[0] print d2.xml_select('//a[@class="j-author-name"]/text()') print d2.xml_select('//a[@class="j-author-name"]') print d2.xml_select('//a[@class="j-author-name"]') from amara.lib import U print U(d2.xml_select('//a[@class="j-author-name"]')).strip() print U(d2.xml_select('//div[contains(@class, "j-desc-more")]')).strip() print U(d2.xml_select('//a[contains(@class, "j-download")]')).strip() history '''
[ "morillas@gmail.com" ]
morillas@gmail.com
b22d43086123ed1fc379168323a312a3f843dbb6
da8a01889163fc0438bd53cf94547383379a1be8
/social_network/tests/test_views.py
f90aa642c613588f631512b716e830b8ca0abc32
[]
no_license
t1m4/social-network-with-jwt-authentication
853df6001ca93aa52e87524d986b28094acd89fb
3153db80335bd851512b83bddc5b67f7ce591892
refs/heads/master
2023-06-29T06:57:00.233578
2021-07-21T04:51:04
2021-07-21T04:51:04
null
0
0
null
null
null
null
UTF-8
Python
false
false
10,866
py
from datetime import datetime, timedelta from django.urls import reverse from django.utils.timezone import make_aware from rest_framework import status from rest_framework.test import APITestCase, APITransactionTestCase from authentication.models import User from social_network.models import Post, Like class CreatePostViewTest(APITestCase): @classmethod def setUpTestData(cls): """ setup data for whole class """ cls.create_post_url = reverse('social_network-create_post') cls.user_data = { 'email': 'test1@mail.ru', 'username': 'test1', 'password': 'alksdfjs', } u = User.objects.create(**cls.user_data) cls.access = u.tokens['access'] def setUp(self): self.post_data = { 'id': 2, 'title': 'title', 'description': 'description' } self.client.credentials(HTTP_AUTHORIZATION="Bearer " + self.access) def test_cannot_create_post_without_authorization(self): self.client.credentials() response = self.client.post(self.create_post_url) self.assertEqual(response.status_code, status.HTTP_401_UNAUTHORIZED) def test_cannot_create_post_without_data(self): response = self.client.post(self.create_post_url) self.assertEqual(response.status_code, status.HTTP_400_BAD_REQUEST) def test_cannot_create_post_with_invalid_fields(self): data = self.post_data data.pop('title') response = self.client.post(self.create_post_url, data) self.assertEqual(response.status_code, status.HTTP_400_BAD_REQUEST) def test_can_create_post(self): response = self.client.post(self.create_post_url, self.post_data) data = response.json() self.assertEqual(response.status_code, status.HTTP_201_CREATED) self.assertEqual(data.get('title'), self.post_data.get('title')) self.assertEqual(data.get('description'), self.post_data.get('description')) def like_and_unlike_setUp(self): self.like_url = reverse('social_network-like') self.unlike_url = reverse('social_network-unlike') user_data = { 'email': 'test1@mail.ru', 'username': 'test1', 'password': 'alksdfjs', } u = User.objects.create(**user_data) self.client.credentials(HTTP_AUTHORIZATION="Bearer " + u.tokens['access']) post_one = { 'user': u, 'title': 'title', 'description': 'description', } post_id = Post.objects.create(**post_one).id self.like_data = { 'post_id': post_id } class LikeViewTest(APITransactionTestCase): def setUp(self): like_and_unlike_setUp(self) def test_cannot_like_without_data(self): response = self.client.post(self.like_url) self.assertEqual(response.status_code, status.HTTP_400_BAD_REQUEST) def test_cannot_like_without_authorization(self): self.client.credentials() response = self.client.post(self.like_url) self.assertEqual(response.status_code, status.HTTP_401_UNAUTHORIZED) def test_can_like(self): response = self.client.post(self.like_url, self.like_data) data = response.json() self.assertEqual(response.status_code, status.HTTP_201_CREATED) self.assertIsNotNone(data.get('create_at')) def test_cannot_like_if_already_like(self): self.client.post(self.like_url, self.like_data) response = self.client.post(self.like_url, self.like_data) self.assertEqual(response.status_code, status.HTTP_400_BAD_REQUEST) def test_cannot_like_not_exists_post(self): self.like_data['post_id'] = 2 self.client.post(self.like_url, self.like_data) response = self.client.post(self.like_url, self.like_data) self.assertEqual(response.status_code, status.HTTP_400_BAD_REQUEST) class UnlikeViewTest(APITransactionTestCase): def setUp(self): like_and_unlike_setUp(self) def test_cannot_unlike_without_data(self): self.client.post(self.like_url, self.like_data) response = self.client.post(self.unlike_url) self.assertEqual(response.status_code, status.HTTP_400_BAD_REQUEST) def test_cannot_unlike_without_authorization(self): self.client.credentials() self.client.post(self.like_url, self.like_data) response = self.client.post(self.unlike_url) self.assertEqual(response.status_code, status.HTTP_401_UNAUTHORIZED) def test_can_unlike(self): self.client.post(self.like_url, self.like_data) response = self.client.post(self.unlike_url, self.like_data) self.assertEqual(response.status_code, status.HTTP_204_NO_CONTENT) def test_cannot_unlike_if_not_exist_like(self): response = self.client.post(self.unlike_url, self.like_data) self.assertEqual(response.status_code, status.HTTP_400_BAD_REQUEST) def test_cannot_unlike_not_exists_post(self): self.like_data['post_id'] += 1 self.client.post(self.unlike_url, self.like_data) response = self.client.post(self.like_url, self.like_data) self.assertEqual(response.status_code, status.HTTP_400_BAD_REQUEST) class AnalyticsViewTest(APITestCase): """ If each user like his every post and another user like half his posts: All like - users_count * posts_count + users_count * int(posts_count / 2) analytics return count - posts_count + int(posts_count / 2) If each user like his every post and another user like every his posts: All like - 2 * users_count * posts_count analytics return count - 2 * posts_count If each user like his every post and each other users like every his posts: All like - users_count * users_count * posts_count analytics return count - users_count * posts_count """ users_count = 3 posts_count = 4 def setUp(self): self.analytics_url = reverse('social_network-analytics') self.date_from = "2021-07-01" self.date_to = "2021-07-25" self.params = "?date_from={date_from}&date_to={date_to}".format(date_from=self.date_from, date_to=self.date_to) users = self.create_users() for i in range(self.users_count): user = users[i] # like half posts for the next user # posts = users[(i + 1) % self.users_count].post_set.all()[:int(self.posts_count / 2)] posts = users[(i + 1) % self.users_count].post_set.all() for post in posts: like = Like.objects.create(user=user, post=post) like.create_at = make_aware(datetime(year=2021, month=7, day=12)) like.save() self.auth_user = users[0] self.client.credentials(HTTP_AUTHORIZATION="Bearer " + self.auth_user.tokens['access']) def create_users(self): """ create user and its post and like it """ user_data = { 'email': 'test_0@mail.ru', 'username': 'test_0', 'password': 'alksdfjs', } post_data = { 'user': 'user', 'title': 'title_0', 'description': 'description', } users = [] for i in range(self.users_count): user_data['email'] = user_data['email'].replace(str(i), str(i + 1)) user_data['username'] = user_data['username'].replace(str(i), str(i + 1)) user = User.objects.create(**user_data) users.append(user) post_data['user'] = user # create post for user and like it. for i in range(self.posts_count): post_data['title'] = post_data['title'].replace(str(i), str(i + 1)) post = Post.objects.create(**post_data) like = Like.objects.create(user=user, post=post) like.create_at = make_aware(datetime.now() + timedelta(days=i)) like.save() return users def test_cannot_get_without_data(self): response = self.client.get(self.analytics_url) self.assertEqual(response.status_code, status.HTTP_400_BAD_REQUEST) def test_cannot_analytics_without_authorization(self): self.client.credentials() response = self.client.get(self.analytics_url + self.params) self.assertEqual(response.status_code, status.HTTP_401_UNAUTHORIZED) def test_can_get_analytics(self): response = self.client.get(self.analytics_url + self.params) data = response.json() like_count = 0 for i in data: day = datetime.strptime(i.get('day'), "%Y-%m-%d") # get every like with this user and in this range date likes = Like.objects.filter(post__user=self.auth_user, create_at__year=day.year, create_at__month=day.month, create_at__day=day.day) day_likes = i.get('count') self.assertEqual(likes.count(), day_likes) like_count += day_likes def test_cannot_if_likes_not_exist(self): Like.objects.all().delete() response = self.client.get(self.analytics_url + self.params) data = response.json() self.assertEqual(data, []) def test_cannot_get_analytics_with_invalid_date(self): self.params = self.params.replace(self.date_from, self.date_from + "1") response = self.client.get(self.analytics_url + self.params) self.assertEqual(response.status_code, status.HTTP_400_BAD_REQUEST) class ActivityViewTest(APITestCase): def setUp(self): self.analytics_url = reverse('social_network-activity') user_data = { 'email': 'test1@mail.ru', 'username': 'test1', 'password': 'alksdfjs', } self.user = User.objects.create(**user_data) self.client.credentials(HTTP_AUTHORIZATION="Bearer " + self.user.tokens['access']) self.params = "?username={username}".format(username=user_data.get('username')) def test_cannot_get_without_data(self): response = self.client.get(self.analytics_url) self.assertEqual(response.status_code, status.HTTP_400_BAD_REQUEST) def test_cannot_analytics_without_authorization(self): self.client.credentials() response = self.client.get(self.analytics_url) self.assertEqual(response.status_code, status.HTTP_401_UNAUTHORIZED) def test_can_get_activity(self): response = self.client.get(self.analytics_url + self.params) self.assertEqual(response.status_code, status.HTTP_200_OK) def test_cannot_if_user_not_exist(self): self.params += "invalid" response = self.client.get(self.analytics_url + self.params) self.assertEqual(response.status_code, status.HTTP_400_BAD_REQUEST)
[ "50275532+t1m4@users.noreply.github.com" ]
50275532+t1m4@users.noreply.github.com
59e26cb7170ffa57c95ffefd8600b4a5dd800ddb
9335ca6cdc25b6adc87300d1714325463b6aad76
/polls/admin.py
500a68f0dac52db1a99565b334094fd6ae85f41d
[]
no_license
Anna159/Polls
cfea9450a77ea9dd5ac7bf6b4c736a0a54949eba
2531be9d9c3a7a2ddac160ad1239f346a2dce647
refs/heads/master
2021-02-08T16:34:08.249986
2020-03-01T15:26:19
2020-03-01T15:26:19
244,172,354
0
0
null
null
null
null
UTF-8
Python
false
false
1,063
py
from django.contrib import admin from .models import Choice, Question, Tag class QuestionAdmin(admin.ModelAdmin): fieldsets = [ (None, {'fields': ['question_text']}), ('Date information', {'fields': ['pub_date']}), ('Tags', {'fields': ['tags']}), ] list_filter = ['pub_date'] list_display = ('question_text', 'pub_date', 'was_published_recently','get_tag') search_fields = ['question_text'] autocomplete_fields = ['tags'] def get_tag(self, obj): return ", ".join([p.tag_name for p in obj.tags.all()]) class Meta: model= Question class TagAdmin(admin.ModelAdmin): search_fields = ['tag_name'] def get_search_results(self, request, queryset, search_term): queryset, use_distinct = super().get_search_results(request, queryset, search_term) queryset = queryset.filter(is_active=True) return queryset, use_distinct admin.site.register(Question, QuestionAdmin) admin.site.register(Choice) admin.site.register(Tag, TagAdmin)
[ "noreply@github.com" ]
Anna159.noreply@github.com
71bacaaa1f126e95abfa5f4e50e72c7bf3c92afe
54db7b3015b01378ccf28de6419010835e3cb93b
/secret_words.py
0dac7b95b71ad8185e7d45aef247d0ee9e6aee72
[]
no_license
Mortisanti/Hangman
173344683a00904439eaeb4011377eb35b0c41e2
f232c3eaceca5dfe20bda056dd58b7033beec645
refs/heads/main
2023-05-28T07:24:39.261420
2021-06-09T01:01:50
2021-06-09T01:01:50
323,566,647
0
0
null
null
null
null
UTF-8
Python
false
false
1,003,192
py
import random eng_dictionary = [ "aachen", "aardvark", "aardvarks", "aaron", "aback", "abacus", "abacuses", "abaft", "abalone", "abandon", "abandoned", "abandoning", "abandonment", "abandons", "abase", "abased", "abasement", "abases", "abash", "abashed", "abasing", "abate", "abated", "abatement", "abatements", "abates", "abating", "abattoir", "abattoirs", "abbess", "abbesses", "abbey", "abbeys", "abbot", "abbots", "abbreviate", "abbreviated", "abbreviates", "abbreviating", "abbreviation", "abbreviations", "abdicant", "abdicants", "abdicate", "abdicated", "abdicates", "abdicating", "abdication", "abdications", "abdomen", "abdomens", "abdominal", "abdominally", "abduct", "abducted", "abducting", "abduction", "abductions", "abductor", "abductors", "abducts", "abe", "abeam", "abearances", "abed", "abel", "aberrance", "aberrances", "aberrancy", "aberrant", "aberrate", "aberrated", "aberrates", "aberrating", "aberration", "aberrational", "aberrations", "abet", "abets", "abetted", "abetting", "abettor", "abettors", "abeyance", "abeyant", "abhor", "abhorred", "abhorrence", "abhorrent", "abhorring", "abhors", "abide", "abided", "abides", "abiding", "abidjan", "abigail", "abilities", "ability", "abject", "abjectly", "abjure", "abjured", "abjures", "abjuring", "ablaze", "able", "ablest", "ablution", "ablutions", "ably", "abnormal", "abnormalities", "abnormality", "abnormally", "aboard", "abode", "abodes", "abolish", "abolished", "abolishes", "abolishing", "abolishment", "abolition", "abolitionism", "abolitionist", "abolitionists", "abominable", "abominably", "abominate", "abominated", "abominates", "abomination", "abominations", "aboriginal", "aborigine", "aborigines", "abort", "aborted", "aborting", "abortion", "abortionist", "abortions", "abortive", "abortively", "aborts", "abound", "abounded", "abounding", "abounds", "about", "above", "aboveground", "abracadabra", "abrade", "abraded", "abrades", "abrading", "abraham", "abrasion", "abrasions", "abrasive", "abrasively", "abrasives", "abreast", "abridge", "abridged", "abridger", "abridgers", "abridges", "abridging", "abridgment", "abridgments", "abroad", "abrogate", "abrogated", "abrogates", "abrogating", "abrogative", "abrogator", "abrogators", "abrupt", "abruptly", "abruptness", "absalom", "abscess", "abscessed", "abscesses", "abscissa", "abscond", "absconded", "absconder", "absconders", "absconding", "absconds", "abseil", "abseiled", "abseiler", "abseilers", "abseiling", "abseils", "absence", "absences", "absent", "absented", "absentee", "absenteeism", "absentees", "absenting", "absently", "absentminded", "absentmindedly", "absents", "absinthe", "absolute", "absolutely", "absoluteness", "absolutes", "absolution", "absolve", "absolved", "absolves", "absolving", "absorb", "absorbed", "absorbency", "absorbent", "absorber", "absorbers", "absorbing", "absorbs", "absorption", "absorptions", "absorptive", "abstain", "abstained", "abstainer", "abstainers", "abstaining", "abstains", "abstemious", "abstemiously", "abstention", "abstentions", "abstinence", "abstinent", "abstract", "abstracted", "abstractedly", "abstracting", "abstraction", "abstractions", "abstractly", "abstractor", "abstracts", "abstruse", "absurd", "absurdities", "absurdity", "absurdly", "abundance", "abundances", "abundant", "abundantly", "abusable", "abuse", "abused", "abuser", "abusers", "abuses", "abusing", "abusive", "abusively", "abut", "abutment", "abutments", "abuts", "abutted", "abutting", "abysmal", "abysmally", "abyss", "abyssal", "abyssinia", "acacia", "academe", "academic", "academical", "academically", "academician", "academics", "academies", "academy", "acapulco", "accede", "acceded", "accedes", "acceding", "accelerate", "accelerated", "accelerates", "accelerating", "acceleration", "accelerations", "accelerator", "accelerators", "accelerometer", "accent", "accented", "accenting", "accents", "accentual", "accentuate", "accentuated", "accentuates", "accentuating", "accentuation", "accept", "acceptability", "acceptable", "acceptably", "acceptance", "acceptant", "acceptation", "accepted", "accepting", "acceptor", "accepts", "access", "accessed", "accesses", "accessibility", "accessible", "accessibly", "accessing", "accession", "accessories", "accessory", "accident", "accidental", "accidentally", "accidents", "acclaim", "acclaimed", "acclaiming", "acclaims", "acclamation", "acclamatory", "acclimate", "acclimated", "acclimates", "acclimating", "acclimation", "acclimatization", "acclimatize", "acclimatized", "acclimatizes", "acclimatizing", "accolade", "accolades", "accommodate", "accommodated", "accommodates", "accommodating", "accommodation", "accommodations", "accompanied", "accompanies", "accompaniment", "accompaniments", "accompanist", "accompanists", "accompany", "accompanying", "accomplice", "accomplices", "accomplish", "accomplishable", "accomplished", "accomplishes", "accomplishing", "accomplishment", "accomplishments", "accord", "accordance", "accordant", "accorded", "according", "accordingly", "accordion", "accordionist", "accordionists", "accordions", "accords", "accost", "accosted", "accosting", "accosts", "account", "accountability", "accountable", "accountableness", "accountably", "accountancy", "accountant", "accountants", "accounted", "accounting", "accounts", "accouterment", "accouterments", "accra", "accredit", "accreditate", "accreditation", "accredited", "accrediting", "accredits", "accreted", "accreting", "accretion", "accrual", "accrue", "accrued", "accrues", "accruing", "acculturate", "accumulate", "accumulated", "accumulates", "accumulating", "accumulation", "accumulations", "accumulative", "accumulator", "accumulators", "accuracy", "accurate", "accurately", "accurse", "accursed", "accurst", "accusal", "accusation", "accusations", "accusative", "accusatory", "accuse", "accused", "accuser", "accusers", "accuses", "accusing", "accusingly", "accustom", "accustomary", "accustomed", "accustoming", "accustoms", "ace", "acerbate", "acerbated", "acerbates", "acerbating", "acerbic", "aces", "acetate", "acetates", "acetic", "acetone", "acetones", "acetylene", "ache", "ached", "aches", "achievable", "achieve", "achieved", "achievement", "achievements", "achieves", "achieving", "achilles", "aching", "achromatic", "acid", "acidic", "acidified", "acidifies", "acidify", "acidifying", "acidity", "acidosis", "acids", "acknowledge", "acknowledgeable", "acknowledgeably", "acknowledged", "acknowledges", "acknowledging", "acknowledgment", "acknowledgments", "acme", "acne", "acolyte", "aconite", "acorn", "acorns", "acoustic", "acoustical", "acoustically", "acoustics", "acquaint", "acquaintance", "acquaintances", "acquaintanceship", "acquainted", "acquainting", "acquaints", "acquiesce", "acquiesced", "acquiescence", "acquiescent", "acquiescently", "acquiesces", "acquiescing", "acquirable", "acquire", "acquired", "acquirement", "acquires", "acquiring", "acquisition", "acquisitions", "acquisitive", "acquisitiveness", "acquit", "acquits", "acquittal", "acquittals", "acquittance", "acquitted", "acquitting", "acre", "acreage", "acreages", "acres", "acrid", "acridity", "acrimonies", "acrimonious", "acrimoniously", "acrimony", "acrobacy", "acrobat", "acrobatic", "acrobatics", "acrobats", "acronym", "acronyms", "acrophobia", "acropolis", "across", "acryl", "acrylate", "acrylic", "acrylics", "act", "acted", "actin", "acting", "actinide", "actinium", "action", "actionable", "actions", "activate", "activated", "activates", "activating", "activation", "activator", "activators", "active", "actively", "activism", "activist", "activists", "activities", "activity", "actor", "actors", "actress", "actresses", "acts", "actual", "actualists", "actualities", "actuality", "actualization", "actualize", "actualized", "actualizes", "actualizing", "actually", "actuals", "actuarial", "actuaries", "actuary", "actuate", "actuated", "actuates", "actuating", "actuator", "actuators", "acuity", "acumen", "acupuncture", "acute", "acutely", "acuteness", "acyclic", "ada", "adage", "adages", "adagio", "adam", "adamant", "adamantine", "adamantly", "adams", "adamson", "adamstown", "adapt", "adaptability", "adaptable", "adaptably", "adaptation", "adaptations", "adapted", "adapter", "adapters", "adapting", "adaption", "adaptions", "adaptive", "adapts", "add", "added", "addend", "addenda", "addendum", "adder", "adders", "addict", "addicted", "addictedness", "addiction", "addictions", "addictive", "addicts", "adding", "addison", "addition", "additional", "additionally", "additions", "additive", "additively", "additives", "addle", "addled", "addles", "addling", "address", "addressable", "addressed", "addressee", "addressees", "addresser", "addressers", "addresses", "addressing", "addressograph", "adds", "adduce", "adduced", "adduces", "adducing", "adelaide", "aden", "adenoid", "adenoids", "adept", "adeptly", "adequacy", "adequate", "adequately", "adhere", "adhered", "adherence", "adherent", "adherents", "adherer", "adheres", "adhering", "adhesion", "adhesive", "adhesiveness", "adhesives", "adieu", "adjacency", "adjacent", "adjacently", "adject", "adjectival", "adjectivally", "adjective", "adjectives", "adjoin", "adjoined", "adjoining", "adjoins", "adjoint", "adjourn", "adjourned", "adjourning", "adjournment", "adjournments", "adjourns", "adjudge", "adjudged", "adjudges", "adjudging", "adjudgment", "adjudgments", "adjudicate", "adjudicated", "adjudicates", "adjudicating", "adjudication", "adjudications", "adjudicator", "adjudicators", "adjunct", "adjuncts", "adjure", "adjust", "adjustable", "adjusted", "adjuster", "adjusters", "adjusting", "adjustment", "adjustments", "adjusts", "adjutant", "adjutants", "adler", "adman", "administer", "administered", "administering", "administers", "administrable", "administrate", "administrated", "administrates", "administrating", "administration", "administrations", "administrative", "administrator", "administrators", "admirable", "admirably", "admiral", "admirals", "admiralty", "admiration", "admire", "admired", "admirer", "admirers", "admires", "admiring", "admiringly", "admissibility", "admissible", "admissibly", "admission", "admissions", "admit", "admits", "admittance", "admittances", "admitted", "admittedly", "admitting", "admix", "admixture", "admonish", "admonished", "admonishes", "admonishing", "admonishment", "admonishments", "admonition", "admonitions", "admonitory", "ado", "adolescence", "adolescent", "adolescents", "adon", "adonis", "adopt", "adopted", "adopting", "adoption", "adoptions", "adoptive", "adopts", "adorable", "adorably", "adoration", "adore", "adored", "adorer", "adorers", "adores", "adoring", "adorn", "adorned", "adorning", "adornment", "adornments", "adorns", "adrenal", "adrenaline", "adrian", "adriatic", "adrift", "adroit", "adroitness", "adsorb", "adsorbate", "adsorbed", "adsorbing", "adsorbs", "adsorption", "adsorptive", "adulate", "adulated", "adulates", "adulating", "adulation", "adulator", "adulators", "adult", "adulterate", "adulterated", "adulterates", "adulterating", "adulteration", "adulterator", "adulterators", "adulterer", "adulterers", "adulteress", "adulteresses", "adulterous", "adulterously", "adultery", "adulthood", "adults", "adumbration", "advance", "advanced", "advancement", "advancements", "advances", "advancing", "advantage", "advantageous", "advantageously", "advantages", "advent", "adventist", "adventists", "adventitious", "adventure", "adventured", "adventurer", "adventurers", "adventures", "adventuring", "adventurous", "adventurously", "adverb", "adverbial", "adverbially", "adverbs", "adversaries", "adversary", "adverse", "adversely", "adversities", "adversity", "advert", "advertise", "advertised", "advertisement", "advertisements", "advertiser", "advertisers", "advertises", "advertising", "adverts", "advice", "advisability", "advisable", "advise", "advised", "advisedly", "advisedness", "advisee", "advisement", "adviser", "advisers", "advises", "advising", "advisor", "advisors", "advisory", "advocacy", "advocate", "advocated", "advocates", "advocating", "aegean", "aegis", "aerate", "aerated", "aerates", "aerating", "aeration", "aerator", "aerators", "aerial", "aerially", "aerials", "aerobatic", "aerobatically", "aerobatics", "aerobic", "aerodynamic", "aerodynamics", "aerogramme", "aerogrammes", "aeronaut", "aeronautic", "aeronautical", "aeronautically", "aeronautics", "aeronauts", "aerosol", "aerosols", "aerospace", "aesop", "aesthete", "aesthetic", "aesthetically", "aesthetics", "afar", "affability", "affable", "affably", "affair", "affaire", "affaires", "affairs", "affect", "affectation", "affectations", "affected", "affectedly", "affecting", "affectingly", "affection", "affectionate", "affectionately", "affections", "affective", "affects", "affiance", "affianced", "affiances", "affiancing", "affidavit", "affidavits", "affiliate", "affiliated", "affiliates", "affiliating", "affiliation", "affiliations", "affinities", "affinitive", "affinity", "affirm", "affirmable", "affirmance", "affirmation", "affirmations", "affirmative", "affirmatively", "affirmatory", "affirmed", "affirmer", "affirmers", "affirming", "affirmingly", "affirms", "affix", "affixed", "affixes", "affixing", "afflict", "afflicted", "afflicting", "affliction", "afflictions", "afflictive", "afflicts", "affluence", "affluent", "afford", "affordability", "affordable", "afforded", "affording", "affords", "afforest", "afforestation", "affray", "affrays", "affright", "affront", "affronted", "affronting", "affronts", "afghan", "afghani", "afghanistan", "aficionado", "aficionados", "afield", "afire", "aflame", "afloat", "aflutter", "afoot", "afore", "aforehand", "aforementioned", "aforesaid", "aforethought", "afoul", "afraid", "afresh", "africa", "african", "afrikaans", "afrikaner", "afrikaners", "afro", "aft", "after", "afterbirth", "afterburners", "aftercare", "aftereffect", "afterglow", "afterlife", "aftermath", "afternoon", "afternoons", "afterpiece", "afterpieces", "aftershave", "aftertaste", "afterthought", "afterthoughts", "afterward", "afterwards", "again", "against", "agamemnon", "agana", "agape", "agate", "agatha", "age", "aged", "ageless", "agelong", "agencies", "agency", "agenda", "agendas", "agent", "agents", "ages", "agglomerate", "agglomerated", "agglomerates", "agglomeration", "agglutinate", "aggrandize", "aggrandized", "aggrandizement", "aggrandizes", "aggrandizing", "aggravate", "aggravated", "aggravates", "aggravating", "aggravatingly", "aggravation", "aggravations", "aggregate", "aggregated", "aggregates", "aggregating", "aggregation", "aggregations", "aggress", "aggression", "aggressions", "aggressive", "aggressively", "aggressiveness", "aggressor", "aggressors", "aggrieve", "aggrieved", "aggrieves", "aggrieving", "aghast", "agile", "agilely", "agility", "aging", "agitate", "agitated", "agitatedly", "agitates", "agitating", "agitation", "agitations", "agitator", "agitators", "agleam", "aglow", "agnes", "agnostic", "agnosticism", "agnostics", "ago", "agog", "agonies", "agonize", "agonized", "agonizedly", "agonizes", "agonizing", "agonizingly", "agony", "agoraphobia", "agoraphobic", "agrarian", "agree", "agreeable", "agreeably", "agreed", "agreeing", "agreement", "agreements", "agrees", "agricultural", "agriculturally", "agriculture", "agriculturist", "agriculturists", "agronomy", "aground", "ague", "agues", "aha", "ahead", "ahem", "ahmadabad", "ahoy", "aid", "aida", "aide", "aided", "aider", "aiders", "aides", "aiding", "aids", "ail", "ailed", "aileron", "ailerons", "ailing", "ailment", "ailments", "ails", "aim", "aimed", "aiming", "aimless", "aimlessly", "aimlessness", "aims", "air", "airborne", "airbrush", "aircraft", "airdrome", "airdromes", "airdrop", "aired", "airedale", "airfare", "airfield", "airfields", "airflow", "airfoil", "airframe", "airhole", "airholes", "airily", "airiness", "airing", "airless", "airlift", "airlifts", "airline", "airliner", "airliners", "airlines", "airlock", "airlocks", "airmail", "airman", "airmen", "airplane", "airplanes", "airport", "airports", "airpost", "airs", "airship", "airships", "airsick", "airsickness", "airspeed", "airstrip", "airstrips", "airtight", "airtightness", "airwave", "airwaves", "airway", "airways", "airworthiness", "airworthy", "airy", "aisle", "aisles", "aitken", "ajar", "ajax", "akimbo", "akin", "alabama", "alabamian", "alabaster", "alacrity", "aladdin", "alamo", "alan", "alarm", "alarmed", "alarming", "alarmingly", "alarmist", "alarmists", "alarms", "alas", "alaska", "albania", "albanian", "albany", "albatross", "albatrosses", "albeit", "albert", "albinism", "albino", "albinos", "album", "albumen", "albumin", "albums", "alcatraz", "alcazar", "alchemist", "alchemists", "alchemy", "alcohol", "alcoholic", "alcoholics", "alcoholism", "alcohols", "alcove", "alcoves", "alder", "alderman", "aldermen", "aldernay", "alders", "ale", "alec", "alert", "alerted", "alerting", "alertly", "alertness", "alerts", "ales", "alex", "alexander", "alexandra", "alexandria", "alfalfa", "alfred", "alfresco", "algae", "algebra", "algebraic", "algebraically", "algeria", "algerian", "algerians", "algernon", "algiers", "alginate", "algorithm", "algorithmic", "algorithms", "alhambra", "alias", "aliases", "alibi", "alibis", "alice", "alicia", "alien", "alienate", "alienated", "alienates", "alienating", "alienation", "aliens", "alight", "alighted", "alighting", "alights", "align", "aligned", "aligning", "alignment", "alignments", "aligns", "alike", "alimentary", "alimony", "alison", "alistair", "alit", "alive", "alkali", "alkaline", "alkalinity", "alkalis", "alkaloid", "alkaloids", "all", "allah", "allan", "allay", "allayed", "allaying", "allays", "allegation", "allegations", "allege", "alleged", "allegedly", "alleges", "allegiance", "allegiances", "allegiant", "alleging", "allegoric", "allegorical", "allegorically", "allegories", "allegory", "allegro", "allergen", "allergens", "allergic", "allergies", "allergy", "alleviate", "alleviated", "alleviates", "alleviating", "alleviation", "alley", "alleys", "alleyway", "alleyways", "alliance", "alliances", "allied", "allies", "alligator", "alligators", "allison", "alliterate", "alliterated", "alliterates", "alliteration", "alliterative", "allocable", "allocate", "allocated", "allocates", "allocating", "allocation", "allocations", "allocatur", "allophone", "allophones", "allot", "allotment", "allotments", "allots", "allotted", "allotting", "allow", "allowable", "allowably", "allowance", "allowances", "allowed", "allowing", "allows", "alloy", "alloyed", "alloying", "alloys", "allsorts", "allspice", "allude", "alluded", "alludes", "alluding", "allure", "allured", "allurement", "allures", "alluring", "alluringly", "allusion", "allusions", "allusive", "alluvial", "alluvium", "ally", "allying", "alm", "almanac", "almanacs", "almighty", "almond", "almonds", "almoner", "almoners", "almost", "alms", "aloft", "aloha", "alone", "along", "alongside", "aloof", "aloofly", "aloofness", "alopecia", "aloud", "alp", "alpha", "alphabet", "alphabetic", "alphabetical", "alphabetically", "alphabetics", "alphabetized", "alphabets", "alphanumeric", "alphanumerics", "alpine", "alpinist", "alpinists", "alps", "already", "alright", "alsatian", "alsatians", "also", "altar", "altars", "alter", "alterability", "alterable", "alteration", "alterations", "altercate", "altercation", "altercations", "altered", "altering", "alternate", "alternated", "alternately", "alternates", "alternating", "alternation", "alternative", "alternatively", "alternatives", "alters", "although", "altimeter", "altimeters", "altitude", "altitudes", "alto", "altogether", "altos", "altruism", "altruist", "altruistic", "altruistically", "alum", "aluminate", "aluminium", "aluminized", "alumni", "alumnus", "alvin", "always", "alwinton", "amadeus", "amain", "amalgam", "amalgamate", "amalgamated", "amalgamates", "amalgamating", "amalgamation", "amanda", "amanuensis", "amass", "amassed", "amasses", "amassing", "amateur", "amateurish", "amateurishness", "amateurs", "amaze", "amazed", "amazement", "amazes", "amazing", "amazingly", "amazon", "ambassador", "ambassadors", "amber", "ambergris", "ambiance", "ambidexterity", "ambidextrous", "ambidextrously", "ambidextrousness", "ambience", "ambient", "ambiguities", "ambiguity", "ambiguous", "ambiguously", "ambit", "ambition", "ambitions", "ambitious", "ambitiously", "ambitiousness", "ambivalence", "ambivalent", "amble", "ambled", "ambler", "ambles", "ambleside", "ambling", "ambrosia", "ambrosial", "ambulance", "ambulances", "ambulant", "ambulatory", "ambush", "ambushed", "ambusher", "ambushers", "ambushes", "ambushing", "ameba", "amebic", "ameliorate", "ameliorated", "ameliorates", "ameliorating", "amelioration", "ameliorative", "ameliorator", "amen", "amenability", "amenable", "amend", "amended", "amending", "amendment", "amendments", "amends", "amenities", "amenity", "america", "american", "americanism", "americans", "americium", "amethyst", "amethysts", "amharic", "amiability", "amiable", "amiably", "amicable", "amicably", "amid", "amidships", "amidst", "amine", "amines", "amino", "amiss", "amissa", "amity", "amman", "ammeter", "ammonia", "ammoniac", "ammonium", "ammunition", "amnesia", "amnesiac", "amnesties", "amnesty", "amoebae", "amok", "among", "amongst", "amoral", "amorous", "amorously", "amorousness", "amorphous", "amortization", "amortize", "amortized", "amortizes", "amortizing", "amos", "amount", "amounted", "amounting", "amounts", "amour", "amp", "amperage", "ampere", "amperes", "ampersand", "ampersands", "amphetamine", "amphetamines", "amphibian", "amphibians", "amphibious", "amphitheater", "amphitheaters", "amphora", "ample", "amplification", "amplified", "amplifier", "amplifiers", "amplifies", "amplify", "amplifying", "amplitude", "amplitudes", "amply", "ampoule", "ampoules", "amps", "amputate", "amputated", "amputates", "amputating", "amputation", "amputations", "amputee", "amputees", "amritsar", "amsted", "amsterdam", "amtrak", "amuck", "amulet", "amulets", "amuse", "amused", "amusedly", "amusement", "amusements", "amuses", "amusing", "amusingly", "amy", "anabaptist", "anabaptists", "anachronism", "anachronisms", "anachronistic", "anaconda", "anacondas", "anaesthetize", "anaesthetized", "anagram", "anagrams", "anal", "analgesia", "analgesic", "analgesics", "analog", "analogies", "analogous", "analogously", "analogue", "analogues", "analogy", "analyses", "analysis", "analyst", "analysts", "analytic", "analytical", "analytically", "analyticity", "analyzable", "analyze", "analyzed", "analyzer", "analyzers", "analyzes", "analyzing", "anamorphic", "anarchic", "anarchical", "anarchism", "anarchist", "anarchistic", "anarchists", "anarchy", "anastasia", "anastigmat", "anastigmatic", "anathema", "anatolia", "anatomic", "anatomical", "anatomically", "anatomicals", "anatomist", "anatomists", "anatomy", "ancestor", "ancestors", "ancestral", "ancestry", "anchor", "anchorage", "anchorages", "anchored", "anchoring", "anchors", "anchovies", "anchovy", "ancient", "anciently", "ancients", "ancillaries", "ancillary", "and", "andalusian", "andante", "andes", "andorra", "andover", "andre", "andrea", "andrew", "andrews", "android", "androids", "andromeda", "andy", "anecdotal", "anecdote", "anecdotes", "anemia", "anemic", "anemometer", "anemone", "anemones", "anesthesia", "anesthetic", "anesthetically", "anesthetics", "anesthetist", "anesthetists", "anesthetized", "anew", "angel", "angela", "angelfish", "angelic", "angelica", "angeline", "angels", "anger", "angered", "angering", "angers", "angina", "anginal", "angle", "angled", "angler", "anglers", "angles", "angliae", "anglican", "anglicanism", "angling", "anglo", "anglophobia", "angola", "angolan", "angora", "angostura", "angrier", "angriest", "angrily", "angry", "angst", "angstrom", "anguilla", "anguish", "anguished", "angular", "angularity", "angus", "anhydride", "anhydrite", "anhydrous", "aniline", "animal", "animals", "animate", "animated", "animatedly", "animates", "animating", "animation", "animations", "animator", "animators", "animism", "animist", "animosity", "animus", "anise", "aniseed", "anisette", "anita", "ankara", "ankle", "ankles", "anklet", "anklets", "ann", "anna", "annals", "annapolis", "annapurna", "anne", "anneal", "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", "annoying", "annoyingly", "annoys", "annual", "annually", "annuals", "annuities", "annuity", "annul", "annular", "annulation", "annuli", "annulled", "annulling", "annulment", "annuls", "annulus", "annum", "annunciate", "annunciated", "annunciates", "annunciating", "annunciation", "annunciator", "annunciators", "anode", "anodes", "anodic", "anodyne", "anoint", "anointed", "anointing", "anoints", "anomalies", "anomalistic", "anomalistical", "anomalous", "anomalously", "anomaly", "anomie", "anon", "anonyme", "anonymity", "anonymous", "anonymously", "anorak", "anoraks", "anorexia", "anorexic", "another", "answer", "answerable", "answerably", "answered", "answering", "answers", "ant", "antacid", "antagonism", "antagonisms", "antagonist", "antagonistic", "antagonists", "antagonize", "antagonized", "antagonizes", "antagonizing", "antarctic", "antarctica", "ante", "anteater", "antecedent", "antecedents", "antedate", "antediluvian", "antelope", "antelopes", "antenatal", "antenna", "antennae", "antennas", "anterior", "anteroom", "anthem", "anthems", "anthill", "anthills", "anthologies", "anthology", "anthony", "anthracite", "anthrax", "anthropogenic", "anthropoid", "anthropoids", "anthropological", "anthropologist", "anthropologists", "anthropology", "anthropomorph", "anthropomorphic", "anthropomorphism", "anti", "antibiotic", "antibiotics", "antibodies", "antibody", "antic", "anticipate", "anticipated", "anticipates", "anticipating", "anticipation", "anticipations", "anticipatory", "anticlimax", "anticlockwise", "anticoagulant", "anticoagulation", "antics", "anticyclone", "anticyclones", "antidote", "antidotes", "antifreeze", "antigen", "antigone", "antigua", "antihistamine", "antilles", "antimony", "antipasta", "antipasto", "antipathetic", "antipathic", "antipathy", "antiperspirant", "antiperspirants", "antipodes", "antiquarian", "antiquarians", "antiquary", "antiquate", "antiquated", "antique", "antiques", "antiquities", "antiquity", "antisemitic", "antisemitism", "antiseptic", "antiseptics", "antislavery", "antisocial", "antistatic", "antisubmarine", "antitheses", "antithesis", "antithetical", "antitoxin", "antler", "antlers", "antoinette", "anton", "antonio", "antony", "antonym", "antonyms", "antrim", "ants", "antwerp", "anus", "anuses", "anvil", "anvils", "anxieties", "anxiety", "anxious", "anxiously", "any", "anybody", "anyhow", "anymore", "anyone", "anyplace", "anything", "anytime", "anyway", "anywhere", "aorta", "aortae", "aortas", "aortic", "apace", "apache", "apaches", "apart", "apartheid", "apartment", "apartments", "apathetic", "apathetically", "apathy", "ape", "aped", "aperiodic", "aperitif", "aperture", "apertures", "apes", "apex", "apexes", "aphasia", "aphelia", "aphid", "aphids", "aphorism", "aphorisms", "aphrodisiac", "aphrodisiacal", "aphrodisiacs", "aphrodite", "apia", "apiaries", "apiary", "apiece", "aping", "apish", "apishly", "aplomb", "apocalypse", "apocalyptic", "apocrypha", "apocryphal", "apogee", "apolitical", "apolitically", "apollo", "apollonian", "apologetic", "apologetically", "apologia", "apologies", "apologist", "apologists", "apologize", "apologized", "apologizes", "apologizing", "apology", "apoplectic", "apoplexy", "apostate", "apostates", "apostle", "apostles", "apostolic", "apostrophe", "apostrophes", "apothecaries", "apothecary", "apothegm", "apotheosis", "appalachian", "appalachians", "appall", "appalled", "appalling", "appallingly", "appalls", "apparatchik", "apparatus", "apparel", "apparent", "apparently", "apparition", "apparitions", "appeal", "appealed", "appealing", "appealingly", "appeals", "appear", "appearance", "appearances", "appeared", "appearing", "appears", "appeasable", "appease", "appeased", "appeasement", "appeases", "appeasing", "appeasingly", "appellant", "appellants", "appellate", "append", "appendage", "appendages", "appendant", "appendants", "appendectomy", "appended", "appendices", "appendicitis", "appending", "appendix", "appendixes", "appends", "appertain", "appertained", "appertaining", "appertains", "appetite", "appetites", "appetizer", "appetizers", "appetizing", "applaud", "applauded", "applauding", "applauds", "applause", "apple", "apples", "appliance", "appliances", "applicability", "applicable", "applicant", "applicants", "applicate", "application", "applications", "applicator", "applicators", "applied", "applies", "apply", "applying", "appoint", "appointed", "appointee", "appointees", "appointing", "appointment", "appointments", "appoints", "apportion", "apportioned", "apportioning", "apportionment", "apportionments", "apportions", "apposite", "apposition", "appraisal", "appraisals", "appraise", "appraised", "appraisement", "appraisers", "appraises", "appraising", "appraisingly", "appreciable", "appreciably", "appreciate", "appreciated", "appreciates", "appreciating", "appreciation", "appreciations", "appreciative", "appreciatively", "apprehend", "apprehended", "apprehending", "apprehends", "apprehension", "apprehensions", "apprehensive", "apprehensively", "apprentice", "apprenticed", "apprentices", "apprenticeship", "apprenticeships", "apprise", "apprised", "apprises", "apprising", "approach", "approachability", "approachable", "approached", "approaches", "approaching", "approbate", "approbation", "appropriable", "appropriate", "appropriated", "appropriately", "appropriateness", "appropriates", "appropriating", "appropriation", "appropriations", "appropriator", "appropriators", "approval", "approvals", "approve", "approved", "approves", "approving", "approvingly", "approximable", "approximant", "approximate", "approximated", "approximately", "approximates", "approximating", "approximation", "approximations", "apricot", "apricots", "april", "apron", "aprons", "apropos", "apse", "apt", "aptitude", "aptitudes", "aptly", "aptness", "aqua", "aquaplane", "aquaplaned", "aquaplanes", "aquaplaning", "aquaria", "aquarium", "aquarius", "aquatic", "aqueduct", "aqueducts", "aqueous", "aquifer", "aquifers", "aquiline", "aquinas", "arab", "arabesque", "arabia", "arabian", "arabians", "arabic", "arable", "arabs", "arachnid", "arbiter", "arbiters", "arbitrage", "arbitrarily", "arbitrary", "arbitrate", "arbitrated", "arbitrates", "arbitrating", "arbitration", "arbitrations", "arbitrator", "arbitrators", "arbor", "arboreal", "arboreta", "arboretum", "arbors", "arc", "arcade", "arcaded", "arcades", "arcane", "arced", "arch", "archaeological", "archaeologically", "archaeologist", "archaeologists", "archaeology", "archaic", "archaism", "archangel", "archangels", "archbishop", "archbishops", "archdeacon", "archdiocese", "arched", "archer", "archers", "archery", "arches", "archetypal", "archetype", "archfool", "archibald", "archie", "archimedes", "arching", "archipelago", "architect", "architects", "architectural", "architecturally", "architecture", "architrave", "architraves", "archival", "archive", "archived", "archives", "archiving", "archly", "archness", "archway", "arcing", "arcs", "arcsin", "arcsine", "arctan", "arctangent", "arctic", "arden", "ardent", "ardently", "ardor", "arduous", "arduously", "arduousness", "are", "area", "areas", "areaway", "areawide", "arena", "arenas", "argent", "argentina", "argentinian", "argh", "argon", "argonaut", "argonauts", "argos", "argot", "arguable", "arguably", "argue", "argued", "argues", "arguing", "argument", "argumentation", "argumentative", "argumentatively", "arguments", "argus", "argyle", "argyll", "aria", "arias", "arid", "aridity", "aries", "aright", "aril", "arise", "arisen", "arises", "arising", "aristocracy", "aristocrat", "aristocratic", "aristocratically", "aristocrats", "aristotle", "arithmetic", "arithmetical", "arithmetically", "arizona", "ark", "arkansan", "arkansas", "arks", "arlington", "arm", "armada", "armadas", "armadillo", "armadillos", "armageddon", "armagnac", "armament", "armaments", "armature", "armatures", "armband", "armbands", "armchair", "armchairs", "armed", "armenia", "armenian", "armful", "armhole", "armholes", "armies", "arming", "armistice", "armless", "armlet", "armoire", "armor", "armored", "armorial", "armoring", "armors", "armory", "armpit", "armpits", "armrest", "arms", "armstrong", "army", "arnold", "aroma", "aromas", "aromatic", "aromatics", "arose", "around", "arousal", "arouse", "aroused", "arouses", "arousing", "arousingly", "arraign", "arraigned", "arraigning", "arraignment", "arraigns", "arrange", "arrangeable", "arranged", "arrangement", "arrangements", "arranger", "arrangers", "arranges", "arranging", "arrant", "array", "arrayed", "arraying", "arrays", "arrear", "arrears", "arrest", "arrested", "arrester", "arresters", "arresting", "arrestingly", "arrests", "arrival", "arrivals", "arrive", "arrived", "arrives", "arriving", "arrogance", "arrogant", "arrogantly", "arrow", "arrowed", "arrowhead", "arrowheads", "arrowing", "arrowroot", "arrows", "arse", "arsenal", "arsenals", "arsenate", "arsenic", "arsenide", "arson", "arsonist", "arsonists", "art", "arterial", "arteries", "arterioles", "arteriosclerosis", "artery", "artful", "artfully", "artfulness", "arthritic", "arthritics", "arthritis", "arthropod", "arthropods", "arthur", "arthurian", "artichoke", "artichokes", "article", "articled", "articles", "articulate", "articulated", "articulates", "articulating", "articulation", "articulations", "articulator", "artifact", "artifacts", "artifice", "artificer", "artifices", "artificial", "artificiality", "artificially", "artificing", "artillerist", "artillery", "artily", "artisan", "artisans", "artist", "artiste", "artistes", "artistic", "artistically", "artistry", "artists", "artless", "artlessly", "arts", "artwork", "arty", "aruba", "arvin", "aryan", "asbestos", "ascend", "ascendancy", "ascendant", "ascended", "ascending", "ascends", "ascension", "ascent", "ascents", "ascertain", "ascertainable", "ascertained", "ascertaining", "ascertains", "ascetic", "ascetically", "asceticism", "ascetics", "ascii", "ascorbic", "ascot", "ascribable", "ascribably", "ascribe", "ascribed", "ascribes", "ascribing", "ascription", "aseptic", "asexual", "ash", "ashame", "ashamed", "ashamedly", "ashberry", "ashen", "ashes", "ashley", "ashore", "ashton", "ashtray", "ashtrays", "ashy", "asia", "asian", "asians", "asiatic", "aside", "asides", "asimov", "asinine", "ask", "askance", "asked", "asker", "askers", "askew", "asking", "asks", "aslant", "asleep", "asocial", "asp", "asparagus", "aspect", "aspects", "aspen", "asperity", "aspersion", "aspersions", "asphalt", "aspherical", "asphyxia", "asphyxiate", "asphyxiated", "asphyxiates", "asphyxiating", "asphyxiation", "asphyxiator", "asphyxiators", "aspic", "aspidistra", "aspirant", "aspirants", "aspirate", "aspirates", "aspiration", "aspirations", "aspirator", "aspirators", "aspire", "aspired", "aspires", "aspirin", "aspiring", "aspirins", "asps", "asquith", "ass", "assail", "assailable", "assailant", "assailants", "assailed", "assailing", "assails", "assam", "assassin", "assassinate", "assassinated", "assassinates", "assassinating", "assassination", "assassinations", "assassins", "assault", "assaulted", "assaulter", "assaulters", "assaulting", "assaults", "assay", "assayed", "assaying", "assays", "assemblage", "assemblages", "assemble", "assembled", "assembler", "assemblers", "assembles", "assemblies", "assembling", "assembly", "assent", "assented", "assenting", "assents", "assert", "asserted", "asserting", "assertion", "assertions", "assertive", "assertiveness", "assertor", "assertors", "asserts", "asses", "assess", "assessable", "assessed", "assesses", "assessing", "assessment", "assessments", "assessor", "assessors", "asset", "assets", "assiduity", "assiduous", "assiduously", "assign", "assignable", "assignation", "assignations", "assigned", "assignee", "assigning", "assignment", "assignments", "assigns", "assimilable", "assimilate", "assimilated", "assimilates", "assimilating", "assimilation", "assist", "assistance", "assistant", "assistants", "assisted", "assisting", "assists", "assize", "assizes", "associate", "associated", "associates", "associating", "association", "associations", "associative", "associatively", "assonance", "assonant", "assort", "assorted", "assortment", "assortments", "assuage", "assuaged", "assuages", "assuaging", "assumably", "assume", "assumed", "assumedly", "assumes", "assuming", "assumingly", "assumption", "assumptions", "assurance", "assurances", "assure", "assured", "assuredly", "assurer", "assurers", "assures", "assuring", "assyria", "assyriology", "aster", "asteria", "asterisk", "asterisks", "astern", "asteroid", "asteroidal", "asteroids", "asters", "asthma", "asthmatic", "asthmatics", "astigmat", "astigmatic", "astigmatism", "astir", "astonish", "astonished", "astonishes", "astonishing", "astonishingly", "astonishment", "astoria", "astound", "astounded", "astounding", "astoundingly", "astounds", "astraddle", "astral", "astray", "astrid", "astride", "astringency", "astringent", "astringently", "astrologer", "astrologers", "astrology", "astronaut", "astronautic", "astronauts", "astronomer", "astronomers", "astronomic", "astronomical", "astronomically", "astronomy", "astrophysical", "astrophysicist", "astrophysics", "astute", "astutely", "astuteness", "asuncion", "asunder", "asylum", "asylums", "asymmetric", "asymmetrical", "asymmetrically", "asymmetry", "asynchronous", "asynchronously", "asynchronousness", "atavism", "atavistic", "ate", "atelier", "atheism", "atheist", "atheistic", "atheists", "athena", "athenian", "athens", "athirst", "athlete", "athletes", "athletic", "athletically", "athleticism", "athletics", "athwart", "atilt", "atkins", "atkinson", "atlanta", "atlantic", "atlantis", "atlas", "atlases", "atmosphere", "atmospheres", "atmospheric", "atmospherics", "atoll", "atolls", "atom", "atomic", "atomics", "atomization", "atomize", "atomized", "atomizer", "atomizes", "atomizing", "atoms", "atonal", "atonally", "atone", "atoned", "atonement", "atones", "atonic", "atoning", "atop", "atrium", "atriums", "atrocious", "atrociously", "atrociousness", "atrocities", "atrocity", "atrophied", "atrophies", "atrophy", "atrophying", "attach", "attachable", "attache", "attached", "attaches", "attaching", "attachment", "attachments", "attack", "attacked", "attacker", "attackers", "attacking", "attacks", "attain", "attainable", "attained", "attaining", "attainment", "attainments", "attains", "attaint", "attempt", "attempted", "attempting", "attempts", "attend", "attendance", "attendances", "attendant", "attendants", "attended", "attendee", "attendees", "attending", "attends", "attention", "attentions", "attentive", "attentively", "attenuate", "attenuated", "attenuates", "attenuating", "attenuation", "attest", "attestation", "attested", "attesting", "attestor", "attestors", "attests", "attic", "attics", "attire", "attired", "attires", "attiring", "attitude", "attitudes", "attorney", "attorneys", "attorneyship", "attorneyships", "attract", "attracted", "attracting", "attraction", "attractions", "attractive", "attractively", "attractiveness", "attracts", "attributable", "attributably", "attribute", "attributed", "attributes", "attributing", "attribution", "attributive", "attributively", "attrition", "attune", "attuned", "attunes", "attuning", "atypical", "aubrey", "auburn", "auction", "auctioned", "auctioneer", "auctioneers", "auctioning", "auctions", "auctorial", "audacious", "audaciously", "audacity", "audibility", "audible", "audibly", "audience", "audiences", "audio", "audiology", "audiophile", "audiotape", "audiovisual", "audit", "audited", "auditing", "audition", "auditioning", "auditions", "auditor", "auditorium", "auditoriums", "auditors", "auditory", "audits", "audrey", "auger", "aught", "augment", "augmentation", "augmented", "augmenting", "augments", "augur", "augured", "auguring", "augurs", "augury", "august", "augusts", "auk", "auks", "auld", "aunt", "auntie", "aunts", "aura", "aural", "aurally", "auras", "auricle", "auricular", "auriculate", "auriferous", "aurora", "auschwitz", "auspice", "auspices", "auspicious", "auspiciously", "auspiciousness", "austen", "austere", "austerely", "austerity", "austin", "austral", "australasia", "australia", "australian", "australians", "austria", "austrian", "austrians", "authentic", "authentically", "authenticate", "authenticated", "authenticates", "authenticating", "authentication", "authentications", "authenticator", "authenticators", "authenticity", "author", "authoress", "authoresses", "authoritarian", "authoritative", "authoritatively", "authorities", "authority", "authorization", "authorizations", "authorize", "authorized", "authorizer", "authorizes", "authorizing", "authors", "authorship", "autism", "autistic", "auto", "autobiographer", "autobiographical", "autobiographies", "autobiography", "autoclave", "autocollimate", "autocollimator", "autocorrelate", "autocracies", "autocracy", "autocrat", "autocratic", "autocrats", "autocue", "autograph", "autographs", "automat", "automata", "automate", "automated", "automates", "automatic", "automatically", "automatics", "automating", "automation", "automaton", "automobile", "automobiles", "autonomic", "autonomous", "autonomously", "autonomy", "autopsied", "autopsies", "autopsy", "autoregressive", "autos", "autosuggestible", "autumn", "autumnal", "autumns", "auxiliaries", "auxiliary", "avail", "availabilities", "availability", "available", "availed", "availing", "avails", "avalanche", "avalanches", "avant", "avarice", "avaricious", "avariciously", "avenge", "avenged", "avengeful", "avenger", "avengers", "avenges", "avenging", "avenue", "avenues", "aver", "average", "averaged", "averages", "averaging", "averred", "averring", "avers", "averse", "aversely", "aversion", "aversions", "avert", "averted", "averting", "averts", "avery", "aviaries", "aviary", "aviate", "aviated", "aviates", "aviating", "aviation", "aviator", "aviators", "aviatrix", "aviatrixes", "avid", "avidity", "avidly", "avocado", "avocados", "avocat", "avocation", "avocet", "avocets", "avoid", "avoidable", "avoidably", "avoidance", "avoided", "avoiding", "avoids", "avoirdupois", "avon", "avow", "avowal", "avowed", "avowedly", "avowing", "avows", "avuncular", "await", "awaited", "awaiting", "awaits", "awake", "awaked", "awaken", "awakened", "awakening", "awakens", "awakes", "awaking", "award", "awarded", "awarding", "awards", "aware", "awareness", "awash", "away", "awe", "aweary", "awed", "aweigh", "awes", "awesome", "awesomely", "awesomeness", "awful", "awfully", "awfulness", "awhile", "awhirl", "awing", "awkward", "awkwardly", "awkwardness", "awl", "awls", "awn", "awning", "awnings", "awoke", "awoken", "awol", "awry", "axed", "axes", "axial", "axially", "axing", "axiology", "axiom", "axiomatic", "axiomatically", "axioms", "axis", "axisymmetric", "axle", "axles", "aye", "ayes", "azalea", "azaleas", "azerbaijan", "azimuth", "azimuths", "azonal", "azores", "aztec", "azure", "baba", "babble", "babbled", "babbler", "babblers", "babbles", "babbling", "babe", "babes", "babies", "baboon", "baboons", "baby", "babyhood", "babyish", "babylon", "babylonian", "babysat", "babysit", "babysits", "babysitter", "babysitters", "babysitting", "bacardi", "bacchus", "bach", "bachelor", "bachelordom", "bachelorhood", "bachelors", "bacillary", "bacilli", "bacillus", "back", "backache", "backbite", "backbiter", "backbiters", "backbiting", "backbitten", "backboard", "backboards", "backbone", "backbones", "backchat", "backcloth", "backcomb", "backcombed", "backcombing", "backcombs", "backdate", "backdated", "backdates", "backdating", "backdown", "backdrop", "backdrops", "backed", "backer", "backers", "backfire", "backfired", "backfires", "backfiring", "backgammon", "background", "backgrounds", "backhand", "backhanded", "backhandedly", "backhander", "backhanders", "backing", "backlash", "backlashes", "backlight", "backlights", "backlist", "backlists", "backlog", "backlogs", "backmarker", "backmarkers", "backmost", "backorder", "backpack", "backpacker", "backpackers", "backpacking", "backpacks", "backplane", "backplate", "backrest", "backrests", "backs", "backscratcher", "backscratchers", "backscratching", "backside", "backsides", "backslash", "backslashes", "backslid", "backslide", "backslider", "backsliders", "backslides", "backsliding", "backspace", "backspaced", "backspaces", "backspacing", "backspin", "backstage", "backstairs", "backstitch", "backstitched", "backstitches", "backstitching", "backstroke", "backstrokes", "backtrack", "backtracked", "backtracking", "backtracks", "backup", "backups", "backward", "backwards", "backwash", "backwater", "backwaters", "backwood", "backwoods", "backyard", "backyards", "bacon", "bacteria", "bacterial", "bactericide", "bacteriologic", "bacteriological", "bacteriologically", "bacteriologist", "bacteriologists", "bacterium", "bacteroid", "bad", "bade", "badge", "badged", "badger", "badgered", "badgering", "badgers", "badges", "badging", "badinage", "badlands", "badly", "badminton", "badmouth", "badness", "baffin", "baffle", "baffled", "bafflement", "baffles", "baffling", "bafflingly", "bag", "bagatelle", "bagatelles", "bagel", "bagful", "bagfuls", "baggage", "bagged", "baggier", "baggily", "bagging", "baggy", "baghdad", "bagman", "bagmen", "bagpipe", "bagpipes", "bags", "bah", "bahaman", "bahamas", "bahrain", "bahrein", "bail", "bailed", "bailee", "bailey", "bailiff", "bailiffs", "bailing", "bailiwick", "bailiwicks", "bails", "bainbridge", "bait", "baited", "baiting", "baits", "baize", "bake", "baked", "bakelite", "baker", "bakeries", "bakers", "bakery", "bakes", "baking", "balance", "balanced", "balancer", "balancers", "balances", "balancing", "balconies", "balcony", "bald", "balder", "balderdash", "baldest", "balding", "baldish", "baldly", "baldness", "baldpate", "baldwin", "bale", "balearic", "baleful", "baler", "balers", "bales", "balfour", "bali", "balinese", "balk", "balkan", "balkans", "balked", "balkier", "balkiness", "balking", "balks", "balky", "ball", "ballad", "balladeer", "balladeers", "ballads", "ballast", "ballerina", "ballerinas", "ballet", "ballets", "ballistic", "ballistically", "ballistics", "balloon", "ballooning", "balloonist", "balloonists", "balloons", "ballot", "balloted", "balloting", "ballots", "ballplayer", "ballplayers", "ballpoint", "ballroom", "ballrooms", "balls", "ballyhoo", "balm", "balmier", "balmiest", "balminess", "balms", "balmy", "baloney", "balsa", "balsam", "balsams", "baltic", "baltimore", "baltimorean", "balustrade", "balustrades", "balzac", "bamako", "bambi", "bamboo", "bamboozle", "bamboozlement", "bamboozler", "bamboozlers", "ban", "banal", "banana", "bananas", "banco", "bancos", "band", "bandage", "bandaged", "bandages", "bandaging", "bandanna", "bandannas", "banded", "bandied", "banding", "bandit", "banditry", "bandits", "bandmaster", "bandmasters", "bandoleer", "bandoleers", "bandolier", "bandoliers", "bands", "bandsman", "bandsmen", "bandstand", "bandstands", "bandwagon", "bandwagons", "bandwidth", "bandwidths", "bandy", "bandying", "bane", "baneberry", "baneful", "banff", "bang", "bangalore", "banged", "banging", "bangkok", "bangladesh", "bangle", "bangled", "bangles", "bangor", "bangs", "bangui", "banish", "banished", "banishes", "banishing", "banishment", "banister", "banisters", "banjo", "banjoist", "banjoists", "banjos", "banjul", "bank", "bankable", "bankbook", "bankbooks", "banked", "banker", "bankers", "banking", "banknote", "banknotes", "bankroll", "bankrolled", "bankrolling", "bankrolls", "bankrupt", "bankruptcies", "bankruptcy", "bankrupted", "bankrupting", "bankrupts", "banks", "banned", "banner", "banners", "banning", "banns", "banquet", "banqueted", "banqueting", "banquets", "bans", "banshee", "banshees", "bantam", "bantams", "bantamweight", "banter", "bantered", "banterer", "banterers", "bantering", "banters", "bantu", "baptism", "baptismal", "baptisms", "baptist", "baptistery", "baptists", "baptize", "baptized", "baptizes", "baptizing", "bar", "barb", "barbados", "barbara", "barbarian", "barbarians", "barbaric", "barbarically", "barbarism", "barbarity", "barbarous", "barbarously", "barbecue", "barbecued", "barbecues", "barbecuing", "barbed", "barbell", "barbells", "barber", "barbers", "barbican", "barbiturate", "barbiturates", "barbs", "barcelona", "barclays", "bard", "bards", "bare", "bareback", "bared", "barefaced", "barefoot", "barefooted", "bareheaded", "barely", "bareness", "bares", "barest", "bargain", "bargained", "bargaining", "bargainor", "bargainors", "bargains", "barge", "barged", "bargeman", "bargemen", "bargepole", "bargepoles", "barges", "barging", "baring", "baritone", "baritones", "barium", "bark", "barked", "barkeeper", "barkeepers", "barker", "barking", "barks", "barley", "barmaid", "barmaids", "barman", "barmen", "barn", "barnabas", "barnabus", "barnacle", "barnacles", "barnard", "barns", "barnstorm", "barnstormed", "barnstormer", "barnstormers", "barnstorming", "barnstorms", "barnyard", "barnyards", "barometer", "barometers", "barometric", "baron", "baroness", "baronet", "baronetcy", "baronets", "baronial", "barons", "barony", "baroque", "barrack", "barracked", "barracking", "barracks", "barracuda", "barrage", "barraged", "barrages", "barraging", "barranquilla", "barred", "barrel", "barrelful", "barrelfuls", "barrels", "barren", "barrens", "barretor", "barretors", "barricade", "barricaded", "barricades", "barricading", "barrier", "barriers", "barring", "barrington", "barrio", "barrister", "barristers", "barroom", "barrow", "barrows", "barry", "bars", "barstool", "barstools", "bart", "bartender", "bartenders", "barter", "bartered", "bartering", "barters", "bartholomew", "bartlett", "bartok", "basal", "basalt", "base", "baseball", "baseballs", "baseboard", "based", "basel", "baseless", "baseline", "baselines", "basely", "basement", "basements", "baseness", "baseplate", "baseplates", "baser", "bases", "basest", "bash", "bashed", "bashes", "bashful", "bashfully", "bashfulness", "bashing", "basic", "basically", "basics", "basil", "basilisk", "basin", "basing", "basins", "basis", "bask", "basked", "basket", "basketball", "basketful", "basketfuls", "basketry", "baskets", "basking", "basks", "basle", "basque", "basra", "bass", "basses", "bassinet", "bassoon", "bassoonist", "bassoonists", "bassoons", "basswood", "bast", "bastard", "bastardize", "bastardized", "bastards", "baste", "basted", "bastes", "basting", "bastion", "bastions", "bat", "bata", "batavia", "batch", "batches", "bate", "bateau", "bateaux", "bated", "bates", "bath", "bathe", "bathed", "bather", "bathers", "bathes", "bathhouse", "bathhouses", "bathing", "bathos", "bathrobe", "bathrobes", "bathroom", "bathrooms", "baths", "bathsheba", "bathtub", "bathtubs", "bating", "batman", "batmen", "baton", "batons", "bats", "battalion", "battalions", "batted", "battel", "batten", "battenberg", "battened", "battening", "battens", "batter", "battered", "batteries", "battering", "batters", "battery", "batting", "battle", "battled", "battledores", "battlefield", "battlefields", "battlefront", "battleground", "battlegrounds", "battlement", "battlements", "battles", "battleship", "battleships", "battling", "batty", "bauble", "baubles", "baud", "baulk", "baulked", "baulking", "baulks", "bauxite", "bavaria", "bavarian", "bavarois", "bawd", "bawdier", "bawdiest", "bawdily", "bawds", "bawdy", "bawl", "bawled", "bawling", "bawls", "baxter", "bay", "bayberry", "baying", "bayonet", "bayoneted", "bayoneting", "bayonets", "bayou", "bays", "bazaar", "bazaars", "bazooka", "bazookas", "bbc", "beach", "beachcomber", "beachcombers", "beached", "beaches", "beachhead", "beachheads", "beaching", "beacon", "beacons", "bead", "beaded", "beadier", "beadiest", "beading", "beadle", "beadles", "beads", "beady", "beagle", "beagles", "beak", "beaker", "beakers", "beaks", "beam", "beamed", "beaming", "beamingly", "beams", "bean", "beanfeasts", "beanies", "beanpole", "beanpoles", "beans", "beansprouts", "beanstalk", "beanstalks", "bear", "bearable", "bearably", "beard", "bearded", "bearding", "beardless", "beards", "beardsley", "bearer", "bearers", "beargarden", "beargardens", "bearing", "bearings", "bearish", "bearnaise", "bears", "bearskin", "bearskins", "beast", "beastliness", "beastly", "beasts", "beat", "beaten", "beater", "beaters", "beatific", "beatification", "beatified", "beatifies", "beatify", "beatifying", "beating", "beatings", "beatitude", "beatitudes", "beatnik", "beatniks", "beatrice", "beats", "beau", "beaufort", "beaujolais", "beauteous", "beauteously", "beautician", "beauticians", "beauties", "beautification", "beautified", "beautifier", "beautifiers", "beautifies", "beautiful", "beautifully", "beautify", "beautifying", "beauty", "beaux", "beaver", "beavered", "beavering", "beavers", "bebop", "becalm", "becalmed", "becalming", "becalms", "became", "because", "bechamel", "beck", "beckon", "beckoned", "beckoning", "beckons", "become", "becomes", "becoming", "becomingly", "bed", "bedaub", "bedaubs", "bedazzle", "bedazzled", "bedazzlement", "bedazzles", "bedazzling", "bedbug", "bedbugs", "bedchamber", "bedchambers", "bedclothes", "bedded", "bedding", "bedeck", "bedecked", "bedecking", "bedecks", "bedevil", "bedeviled", "bedeviling", "bedevils", "bedewed", "bedewing", "bedfellow", "bedfellows", "bedlam", "bedmaker", "bedmakers", "bedouin", "bedpan", "bedpans", "bedpost", "bedposts", "bedraggle", "bedraggled", "bedridden", "bedrock", "bedroll", "bedrolls", "bedroom", "bedrooms", "beds", "bedside", "bedsitter", "bedsitters", "bedsore", "bedsores", "bedspread", "bedspreads", "bedspring", "bedsprings", "bedstead", "bedsteads", "bedstraw", "bedtable", "bedtables", "bedtime", "bedtimes", "bee", "beech", "beeches", "beechwood", "beef", "beefburger", "beefburgers", "beefcake", "beefed", "beefier", "beefiness", "beefs", "beefsteak", "beefsteaks", "beefy", "beehive", "beehives", "beekeeper", "beekeepers", "beeline", "beelzebub", "been", "beep", "beeped", "beeper", "beepers", "beeping", "beeps", "beer", "beers", "bees", "beeswax", "beet", "beethoven", "beetle", "beetled", "beetles", "beetling", "beetroot", "beetroots", "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", "befuddlement", "befuddles", "befuddling", "beg", "began", "beget", "begetters", "begetting", "beggar", "beggared", "beggarliness", "beggarly", "beggars", "beggary", "begged", "begging", "begin", "beginner", "beginners", "beginning", "beginnings", "begins", "begonia", "begot", "begotten", "begrudge", "begrudged", "begrudges", "begrudging", "begrudgingly", "begs", "beguile", "beguiled", "beguilement", "beguiler", "beguiles", "beguiling", "beguilingly", "begun", "behalf", "behave", "behaved", "behaves", "behaving", "behavior", "behavioral", "behaviorally", "behaviorism", "behaviors", "behead", "beheaded", "beheading", "beheads", "beheld", "behest", "behind", "behinds", "behold", "beholden", "beholding", "beholds", "behoof", "behoove", "behooves", "beige", "beijing", "being", "beings", "beirut", "belabor", "belabored", "belaboring", "belabors", "belated", "belatedly", "belay", "belayed", "belaying", "belays", "belch", "belched", "belches", "belching", "beleaguer", "beleaguered", "beleaguering", "beleaguers", "belfast", "belfries", "belfry", "belgian", "belgians", "belgium", "belgrade", "belie", "belied", "belief", "beliefs", "belies", "believable", "believably", "believe", "believed", "believer", "believers", "believes", "believing", "believingly", "belinda", "belittle", "belittled", "belittlement", "belittler", "belittlers", "belittles", "belittling", "belize", "bell", "belladonna", "bellboy", "bellboys", "belle", "belles", "bellflower", "bellhop", "bellhops", "bellicose", "bellicosity", "bellied", "bellies", "belligerence", "belligerency", "belligerent", "belligerently", "bello", "bellow", "bellowed", "bellowing", "bellows", "bells", "bellwether", "bellwethers", "belly", "bellyache", "bellyful", "belmopan", "belong", "belonged", "belonging", "belongings", "belongs", "beloved", "below", "belshazzar", "belt", "belted", "belting", "belts", "belvedere", "belvederes", "belying", "bembridge", "bemire", "bemoan", "bemoaned", "bemoaning", "bemoans", "bemock", "bemuse", "bemused", "bemuses", "bemusing", "bemusingly", "ben", "bench", "benched", "benches", "benchmark", "benchmarks", "bend", "bender", "benders", "bending", "bends", "beneath", "benedict", "benedictine", "benediction", "benefaction", "benefactor", "benefactors", "benefactress", "benefice", "beneficence", "beneficent", "beneficial", "beneficially", "beneficiaries", "beneficiary", "benefit", "benefited", "benefiting", "benefits", "benelux", "benevolence", "benevolent", "benevolently", "bengal", "bengali", "benighted", "benign", "benin", "benjamin", "bennett", "bent", "bentley", "benumb", "benumbed", "benumbing", "benumbs", "benzedrine", "benzene", "beowulf", "beplaster", "bequeath", "bequeathed", "bequeathing", "bequeaths", "bequest", "bequests", "berate", "berated", "berates", "berating", "berber", "bereave", "bereaved", "bereavement", "bereavements", "bereaves", "bereft", "beret", "berets", "berg", "bergamot", "bergen", "bergs", "beribboned", "beriberi", "bering", "berkeley", "berkelium", "berlin", "berlioz", "bermuda", "bern", "bernadette", "bernard", "bernie", "bernstein", "berries", "berry", "berserk", "bert", "berth", "bertha", "berthed", "berthing", "berths", "bertie", "bertram", "bertrand", "beryl", "beryllium", "beseech", "beseeched", "beseeches", "beseeching", "beseechingly", "beset", "besets", "besetting", "beside", "besides", "besiege", "besieged", "besiegers", "besieges", "besieging", "besmear", "besmeared", "besmirch", "besmirched", "besmirches", "besmirching", "besotted", "besought", "bespatter", "bespattered", "bespattering", "bespatters", "bespeak", "bespeaks", "bespectacled", "bespoke", "bess", "best", "bested", "bestial", "bestiality", "bestir", "bestirred", "bestirring", "bestirs", "bestow", "bestowal", "bestowed", "bestowing", "bestows", "bests", "bestseller", "bestsellers", "bet", "beta", "betatron", "betel", "beth", "bethink", "bethinking", "bethlehem", "betide", "betimes", "betoken", "betokened", "betray", "betrayal", "betrayed", "betrayer", "betrayers", "betraying", "betrays", "betroth", "betrothal", "betrothed", "bets", "betsy", "betted", "better", "bettered", "bettering", "betterment", "betters", "betting", "betty", "between", "betwixt", "bevel", "beveled", "beveling", "bevels", "beverage", "beverages", "beverly", "bevies", "bevy", "bewail", "beware", "bewhisker", "bewhiskered", "bewilder", "bewildered", "bewilderedly", "bewildering", "bewilderingly", "bewilderment", "bewilders", "bewitch", "bewitched", "bewitcher", "bewitchers", "bewitches", "bewitching", "beyond", "bhutan", "biannual", "bias", "biased", "biases", "biasing", "biassed", "biathlon", "biathlons", "bib", "bible", "bibles", "biblical", "biblically", "bibliographic", "bibliographical", "bibliographies", "bibliography", "bibliophile", "bibliophiles", "bibs", "bicarbonate", "bicentenaries", "bicentenary", "bicentennial", "biceps", "bicker", "bickered", "bickering", "bickers", "bicycle", "bicycles", "bicycling", "bid", "biddable", "bidden", "bidder", "bidders", "biddies", "bidding", "biddy", "bide", "bided", "bides", "bidet", "biding", "bidirectional", "bids", "biennial", "biennially", "bier", "biers", "bifocal", "bifocals", "big", "bigamist", "bigamists", "bigamous", "bigamously", "bigamy", "bigger", "biggest", "bighorn", "bighorns", "bight", "bights", "bigness", "bigot", "bigoted", "bigotry", "bigots", "bigwig", "bigwigs", "biharmonic", "bijouterie", "bike", "biked", "bikes", "biking", "bikini", "bikinis", "bilateral", "bilaterally", "bilberries", "bilberry", "bile", "bilge", "bilges", "bilharziasis", "bilinear", "bilingual", "bilious", "biliousness", "bilked", "bill", "billboard", "billboards", "billed", "billet", "billeted", "billeting", "billets", "billiards", "billing", "billings", "billion", "billions", "billionth", "billow", "billowed", "billowing", "billows", "billowy", "bills", "billy", "bimetallic", "bimetallism", "bimodal", "bimolecular", "bimonthly", "bin", "binaries", "binary", "binaural", "bind", "binder", "binders", "bindery", "binding", "bindings", "binds", "bindweed", "binge", "binged", "binges", "bingo", "binnacle", "binocular", "binoculars", "binomial", "bins", "binuclear", "biochemic", "biochemical", "biochemicals", "biochemist", "biochemistry", "biochemists", "biograph", "biographer", "biographers", "biographical", "biographies", "biography", "biologic", "biological", "biologically", "biologist", "biologists", "biology", "biomedical", "biomes", "biometrics", "biometry", "bionic", "biophysic", "biophysical", "biophysicist", "biopsies", "biopsy", "biorhythm", "biorhythms", "bios", "bioscience", "biosphere", "biostatistic", "biosynthesis", "biosynthesize", "biosynthesized", "biotechnology", "biotic", "bipartisan", "bipartite", "biped", "bipeds", "biplane", "biplanes", "bipolar", "birch", "birches", "bird", "birdbath", "birdhouse", "birdie", "birdied", "birdies", "birdlike", "birdman", "birdmen", "birds", "birdseed", "birdsfoot", "birdsong", "birdwatch", "birmingham", "birth", "birthday", "birthdays", "birthed", "birthmark", "birthmarks", "birthplace", "birthplaces", "birthright", "births", "birthstone", "birthstones", "birthwort", "biscuit", "biscuits", "bisect", "bisected", "bisecting", "bisection", "bisector", "bisects", "bisexual", "bishop", "bishopdom", "bishopric", "bishops", "bismarck", "bismuth", "bison", "bisons", "bisque", "bissau", "bistro", "bistros", "bit", "bitch", "bitches", "bitchier", "bitchiest", "bitching", "bitchy", "bite", "biter", "biters", "bites", "biting", "bitingly", "bits", "bitten", "bitter", "bitterest", "bitterly", "bittern", "bitterness", "bitterns", "bitterroot", "bitters", "bittersweet", "bitty", "bitumen", "bituminous", "bivouac", "biweekly", "bizarre", "blab", "blabbed", "blabber", "blabbermouth", "blabbing", "blabs", "black", "blackball", "blackballed", "blackballing", "blackballs", "blackberries", "blackberry", "blackbird", "blackbirds", "blackboard", "blackboards", "blackbody", "blackcock", "blackcurrant", "blackcurrants", "blacked", "blacken", "blackened", "blackening", "blackens", "blackest", "blackguard", "blackguards", "blackhead", "blacking", "blackish", "blackjack", "blackleg", "blacklist", "blacklisted", "blacklisting", "blacklists", "blackmail", "blackmailed", "blackmailer", "blackmailers", "blackmailing", "blackmails", "blackmarket", "blackmarkets", "blackness", "blackout", "blackouts", "blacks", "blacksmith", "blacksmiths", "blackthorn", "bladder", "bladders", "bladderwort", "blade", "bladed", "blades", "blake", "blame", "blamed", "blameful", "blameless", "blames", "blameworthy", "blaming", "blanch", "blanched", "blanches", "blanching", "blancmange", "blancmanges", "bland", "blandish", "blandishment", "blandishments", "blandly", "blandness", "blank", "blanked", "blanket", "blanketed", "blanketing", "blankets", "blanking", "blankly", "blanks", "blare", "blared", "blares", "blaring", "blarney", "blase", "blaspheme", "blasphemed", "blasphemer", "blasphemers", "blasphemes", "blasphemies", "blaspheming", "blasphemous", "blasphemy", "blast", "blasted", "blasting", "blasts", "blatancy", "blatant", "blatantly", "blather", "blathered", "blathering", "blathers", "blaze", "blazed", "blazer", "blazers", "blazes", "blazing", "blazon", "bleach", "bleached", "bleachers", "bleaches", "bleaching", "bleak", "bleaker", "bleakest", "bleakly", "bleakness", "blear", "bleared", "blearing", "blears", "bleary", "bleat", "bleated", "bleating", "bleats", "bled", "bleed", "bleeder", "bleeders", "bleeding", "bleedings", "bleeds", "bleep", "bleeped", "bleeping", "bleeps", "blemish", "blemished", "blemishes", "blemishing", "blench", "blend", "blended", "blender", "blenders", "blending", "blends", "blepharitis", "bless", "blessed", "blessedly", "blesses", "blessing", "blessings", "blest", "blew", "blight", "blighted", "blighting", "blights", "blimp", "blimps", "blind", "blinded", "blindfold", "blindfolded", "blindfolding", "blindfolds", "blinding", "blindingly", "blindly", "blindness", "blinds", "blink", "blinked", "blinker", "blinkered", "blinkers", "blinking", "blinks", "blip", "blips", "bliss", "blissful", "blissfully", "blister", "blistered", "blistering", "blisteringly", "blisters", "blithe", "blithely", "blither", "blithered", "blithering", "blithers", "blitz", "blitzes", "blitzkrieg", "blizzard", "blizzards", "bloat", "bloated", "bloats", "blob", "blobs", "bloc", "block", "blockade", "blockaded", "blockades", "blockading", "blockage", "blockages", "blockbuster", "blockbusters", "blockbusting", "blocked", "blockhead", "blockheads", "blockhouse", "blockhouses", "blocking", "blocks", "bloke", "blokes", "blond", "blonde", "blondes", "blood", "bloodbath", "bloodbaths", "blooded", "bloodhound", "bloodhounds", "bloodied", "bloodier", "bloodiest", "bloodily", "blooding", "bloodless", "bloodlines", "bloods", "bloodshed", "bloodshot", "bloodspots", "bloodstain", "bloodstained", "bloodstains", "bloodstock", "bloodstone", "bloodstream", "bloodsucker", "bloodsuckers", "bloodtests", "bloodthirstiness", "bloodthirsty", "bloodvessel", "bloodvessels", "bloody", "bloodyminded", "bloom", "bloomed", "blooming", "blooms", "blooper", "blossom", "blossomed", "blossoming", "blossoms", "blot", "blotch", "blotched", "blotches", "blotching", "blotchy", "blots", "blotted", "blotter", "blotters", "blotting", "blouse", "blouses", "blouson", "blow", "blower", "blowers", "blowfish", "blowflies", "blowfly", "blowgun", "blowing", "blowlamp", "blowlamps", "blown", "blowout", "blows", "blowtorch", "blowup", "blowzy", "blubber", "blubbered", "blubberer", "blubberers", "blubbering", "blubbers", "bludgeon", "bludgeoned", "bludgeoning", "bludgeons", "blue", "bluebell", "bluebells", "blueberries", "blueberry", "bluebird", "bluebottle", "bluebottles", "blueprint", "blueprints", "blues", "bluest", "bluff", "bluffed", "bluffer", "bluffers", "bluffing", "bluffs", "bluish", "blunder", "blunderbuss", "blundered", "blunderer", "blunderers", "blundering", "blunderings", "blunders", "blunt", "blunted", "blunter", "blunting", "bluntly", "bluntness", "blunts", "blur", "blurb", "blurred", "blurring", "blurry", "blurs", "blurt", "blurted", "blurting", "blurts", "blush", "blushed", "blusher", "blushes", "blushing", "blushingly", "bluster", "blustered", "blustering", "blusters", "blustery", "boa", "boar", "board", "boarded", "boarder", "boarders", "boarding", "boardinghouse", "boardinghouses", "boards", "boars", "boas", "boast", "boasted", "boaster", "boasters", "boastful", "boastfully", "boastfulness", "boasting", "boastings", "boasts", "boat", "boater", "boaters", "boathouse", "boathouses", "boating", "boatload", "boatloads", "boatman", "boatmen", "boats", "boatsman", "boatsmen", "boatswain", "boattrains", "boatyard", "boatyards", "bob", "bobbed", "bobbie", "bobbies", "bobbin", "bobbing", "bobbins", "bobble", "bobbled", "bobbles", "bobbling", "bobby", "bobcat", "bobcats", "bobs", "bobsled", "bobsleigh", "bode", "boded", "bodes", "bodice", "bodices", "bodied", "bodies", "bodiless", "bodily", "boding", "bods", "body", "bodybuilder", "bodybuilders", "bodybuilding", "bodyguard", "bodyguards", "bodyweight", "bodywork", "boeing", "boer", "boers", "bog", "bogey", "bogeyed", "bogeyman", "bogeymen", "bogeys", "bogged", "bogging", "boggle", "boggled", "boggles", "boggling", "boggy", "bogie", "bogies", "bogota", "bogs", "bogus", "bogy", "bohemia", "bohemian", "boil", "boiled", "boiler", "boilermaker", "boilermakers", "boilers", "boiling", "boils", "boisterous", "boisterously", "bold", "bolder", "boldest", "boldly", "boldness", "bolero", "bolivia", "bollard", "bollards", "bologna", "bolognese", "bolshevik", "bolshevism", "bolshevist", "bolster", "bolstered", "bolstering", "bolsters", "bolt", "bolted", "bolting", "bolts", "bomb", "bombard", "bombarded", "bombardier", "bombarding", "bombardment", "bombardments", "bombards", "bombast", "bombastic", "bombastically", "bombay", "bombed", "bomber", "bombers", "bombing", "bombings", "bombproof", "bombs", "bombshell", "bombshells", "bonanza", "bonanzas", "bonaparte", "bonaventure", "bonbon", "bonbons", "bond", "bondage", "bonded", "bonding", "bonds", "bondsman", "bondsmen", "bone", "boned", "boner", "bones", "bonfire", "bonfires", "bong", "bongo", "boning", "bonn", "bonnet", "bonnets", "bonny", "bonsai", "bonus", "bonuses", "bony", "boo", "boob", "boobs", "booby", "booed", "boogie", "boogied", "booing", "book", "bookcase", "bookcases", "booked", "bookend", "bookends", "bookful", "bookie", "bookies", "booking", "bookings", "bookish", "bookkeeper", "bookkeeping", "booklet", "booklets", "bookmaker", "bookmakers", "bookmark", "bookmarks", "bookplate", "books", "bookseller", "booksellers", "bookshelf", "bookshelves", "bookshop", "bookshops", "bookstall", "bookstalls", "bookstore", "bookstores", "boolean", "boom", "boomed", "boomerang", "boomerangs", "booming", "booms", "boomtown", "boon", "boons", "boor", "boorish", "boorishly", "boorishness", "boors", "boos", "boost", "boosted", "booster", "boosters", "boosting", "boosts", "boot", "booted", "bootee", "bootees", "booth", "booths", "bootie", "booting", "bootleg", "bootlegger", "bootleggers", "bootlegging", "bootless", "bootlick", "boots", "bootstrap", "bootstrapped", "bootstrapping", "bootstraps", "booty", "booze", "boozed", "boozer", "boozers", "boozes", "boozing", "boozy", "bop", "bopping", "borate", "borates", "borax", "bordeaux", "bordello", "border", "bordered", "bordering", "borderland", "borderlands", "borderline", "borders", "bore", "bored", "boredom", "borer", "bores", "boring", "boris", "born", "borne", "borneo", "borodin", "boron", "borough", "boroughs", "borrow", "borrowed", "borrower", "borrowers", "borrowing", "borrows", "bosh", "bosom", "bosoms", "bosomy", "boss", "bossed", "bosses", "bossier", "bossiest", "bossily", "bossiness", "bossing", "bossy", "boston", "bostonian", "bosun", "bosuns", "botanic", "botanical", "botanically", "botanist", "botanists", "botany", "botch", "botched", "botches", "botching", "botfly", "both", "bother", "bothered", "bothering", "bothers", "bothersome", "botswana", "botticelli", "bottle", "bottled", "bottleneck", "bottlenecks", "bottler", "bottlers", "bottles", "bottling", "bottom", "bottomed", "bottoming", "bottomless", "bottoms", "botulism", "boudoir", "boudoirs", "bough", "boughs", "bought", "boulder", "boulders", "boulevard", "boulevards", "bounce", "bounced", "bouncer", "bouncers", "bounces", "bouncier", "bounciest", "bouncing", "bouncy", "bound", "boundaries", "boundary", "bounded", "bounder", "bounders", "bounding", "boundless", "bounds", "bounteous", "bounteously", "bounties", "bountiful", "bounty", "bouquet", "bouquets", "bourbon", "bourbons", "bourgeois", "bourgeoisie", "bout", "boutique", "boutiques", "bouts", "bovine", "bovines", "bow", "bowdlerize", "bowdlerized", "bowdlerizes", "bowdlerizing", "bowed", "bowel", "bowels", "bower", "bowers", "bowfin", "bowie", "bowing", "bowl", "bowled", "bowler", "bowlers", "bowlful", "bowline", "bowling", "bowls", "bowman", "bowmen", "bowmore", "bows", "bowstring", "box", "boxcar", "boxcars", "boxed", "boxer", "boxers", "boxes", "boxing", "boxwood", "boy", "boycott", "boycotted", "boycotting", "boycotts", "boyd", "boyhood", "boyish", "boyishly", "boys", "bra", "brace", "braced", "bracelet", "bracelets", "bracer", "bracers", "braces", "bracing", "bracken", "bracket", "bracketed", "bracketing", "brackets", "brackish", "brad", "brads", "brag", "bragged", "bragger", "braggers", "bragging", "braggingly", "brags", "brahmin", "brahms", "braid", "braided", "braiding", "braids", "braille", "brain", "brainchild", "brained", "brainier", "brainiest", "brainless", "brains", "brainstorm", "brainstorming", "brainstorms", "brainteaser", "brainteasers", "brainwash", "brainwashed", "brainwashes", "brainwashing", "brainwave", "brainwaves", "brainy", "braise", "braised", "braises", "braising", "brake", "braked", "brakes", "braking", "bramble", "brambles", "brambly", "bran", "branch", "branched", "branches", "branching", "branchingly", "brand", "branded", "brandeis", "brandies", "branding", "brandish", "brandished", "brandishes", "brandishing", "brands", "brandy", "bras", "brash", "brashly", "brashness", "brasilia", "brass", "brasserie", "brasses", "brassiere", "brassieres", "brassily", "brassy", "brat", "bratislava", "brats", "bravado", "brave", "braved", "bravely", "braver", "bravery", "braves", "bravest", "braving", "bravo", "bravura", "brawl", "brawled", "brawler", "brawlers", "brawling", "brawls", "brawn", "brawnier", "brawniest", "brawniness", "brawny", "bray", "brayed", "braying", "brays", "braze", "brazen", "brazened", "brazening", "brazenly", "brazenness", "brazens", "brazier", "braziers", "brazil", "brazilian", "brazilians", "brazzaville", "breach", "breached", "breaches", "breaching", "bread", "breadboard", "breadcrumbs", "breads", "breadth", "breadthways", "breadthwise", "breadwinner", "breadwinners", "break", "breakable", "breakables", "breakage", "breakages", "breakaway", "breakdown", "breakdowns", "breaker", "breakers", "breakfast", "breakfasted", "breakfasting", "breakfasts", "breaking", "breakneck", "breakoff", "breakpoint", "breakpoints", "breaks", "breakthrough", "breakthroughs", "breakup", "breakups", "breakwater", "breakwaters", "bream", "breast", "breasted", "breastplate", "breasts", "breaststroke", "breath", "breathalyzer", "breathalyzers", "breathe", "breathed", "breather", "breathers", "breathes", "breathing", "breathless", "breathlessly", "breaths", "breathtaking", "breathy", "bred", "breech", "breeches", "breed", "breeder", "breeders", "breeding", "breeds", "breeze", "breezed", "breezes", "breezily", "breezing", "breezy", "bremen", "brenda", "brendan", "brennan", "brethren", "breton", "breughel", "brevet", "brevity", "brew", "brewed", "brewer", "breweries", "brewers", "brewery", "brewing", "brews", "brian", "briar", "briars", "bribe", "bribeable", "bribed", "briber", "bribers", "bribery", "bribes", "bribing", "brick", "brickbat", "bricked", "bricking", "bricklayer", "bricklayers", "bricklaying", "bricks", "brickwork", "bridal", "bride", "bridegroom", "bridegrooms", "brides", "bridesmaid", "bridesmaids", "bridewell", "bridge", "bridgeable", "bridged", "bridgehead", "bridgeheads", "bridges", "bridget", "bridgetown", "bridging", "bridle", "bridled", "bridles", "bridling", "brie", "brief", "briefcase", "briefcases", "briefed", "briefer", "briefest", "briefing", "briefings", "briefly", "briefness", "briefs", "brier", "briers", "brig", "brigade", "brigades", "brigadier", "brigadiers", "brigand", "brigands", "briggs", "bright", "brighten", "brightened", "brightening", "brightens", "brighter", "brightest", "brightly", "brightness", "brilliance", "brilliancy", "brilliant", "brilliantine", "brilliantly", "brim", "brimful", "brimmed", "brimming", "brims", "brimstone", "brine", "bring", "bringer", "bringers", "bringing", "brings", "brink", "brinkmanship", "briny", "brio", "brioche", "brisbane", "brisk", "brisker", "brisket", "briskly", "briskness", "bristle", "bristled", "bristles", "bristling", "bristly", "bristol", "britain", "britannia", "britannic", "britannica", "britches", "british", "britisher", "briton", "britons", "brittany", "brittle", "brittleness", "broach", "broached", "broaches", "broaching", "broad", "broadcast", "broadcasted", "broadcaster", "broadcasters", "broadcasting", "broadcastings", "broadcasts", "broaden", "broadened", "broadening", "broadens", "broader", "broadest", "broadly", "broads", "broadsheet", "broadsheets", "broadside", "broadsides", "broadsword", "broadway", "brocade", "brocaded", "brocades", "broccoli", "brochette", "brochettes", "brochure", "brochures", "brogue", "brogues", "broil", "broiled", "broiler", "broilers", "broiling", "broils", "broke", "broken", "brokenhearted", "brokenly", "broker", "brokerage", "brokerages", "brokers", "bromide", "bromides", "bromine", "bronchi", "bronchial", "bronchiolar", "bronchiole", "bronchioles", "bronchiolitis", "bronchitis", "bronchus", "bronco", "broncos", "bronx", "bronze", "bronzed", "brooch", "brooches", "brood", "brooded", "brooder", "broodier", "broodiest", "broodiness", "brooding", "broodingly", "broods", "broody", "brook", "brooke", "brooked", "brooking", "brooklyn", "brooks", "broom", "broomrape", "brooms", "broomstick", "broomsticks", "broth", "brothel", "brothels", "brother", "brotherhood", "brotherliness", "brotherly", "brothers", "brought", "brouhaha", "brow", "browbeat", "browbeaten", "browbeating", "browbeats", "brown", "browned", "brownie", "brownies", "browning", "brownish", "browns", "brows", "browse", "browsed", "browses", "browsing", "bruce", "brucellosis", "bruges", "bruise", "bruised", "bruiser", "bruisers", "bruises", "bruising", "brunch", "brunei", "brunet", "brunette", "brunettes", "brunswick", "brunt", "brush", "brushcut", "brushed", "brushes", "brushfire", "brushing", "brushlike", "brushwork", "brushy", "brusque", "brusquely", "brusqueness", "brussels", "brutal", "brutalities", "brutality", "brutalize", "brutalized", "brutalizes", "brutalizing", "brutally", "brute", "brutes", "brutish", "brutishly", "brutishness", "bryan", "bsc", "btu", "bubble", "bubbled", "bubbles", "bubbling", "bubbly", "buccaneer", "buccaneering", "buccaneers", "bucharest", "buck", "bucked", "bucket", "bucketed", "bucketful", "bucketfuls", "bucketing", "buckets", "bucking", "buckle", "buckled", "buckles", "buckling", "bucks", "buckshot", "buckwheat", "bucolic", "bud", "budapest", "budded", "buddha", "buddhism", "buddhist", "buddhists", "buddies", "budding", "buddy", "budge", "budged", "budgerigar", "budgerigars", "budges", "budget", "budgetary", "budgeted", "budgeting", "budgets", "budging", "buds", "buff", "buffalo", "buffaloes", "buffalos", "buffed", "buffer", "buffered", "buffering", "buffers", "buffet", "buffeted", "buffeting", "buffets", "buffing", "buffoon", "buffoonery", "buffoons", "buffs", "bug", "bugbear", "bugbears", "bugeyed", "bugged", "bugger", "buggers", "buggies", "bugging", "buggy", "bugle", "bugler", "buglers", "bugles", "bugs", "build", "builder", "builders", "building", "buildings", "builds", "built", "bulb", "bulbar", "bulbous", "bulbs", "bulbuls", "bulgaria", "bulgarian", "bulge", "bulged", "bulges", "bulging", "bulk", "bulked", "bulkhead", "bulkheads", "bulkier", "bulkiest", "bulkiness", "bulks", "bulky", "bull", "bulldog", "bulldogs", "bulldoze", "bulldozed", "bulldozer", "bulldozers", "bulldozes", "bulldozing", "bullet", "bulletin", "bulletins", "bullets", "bullfight", "bullfighter", "bullfighters", "bullfights", "bullfinch", "bullfrog", "bullfrogs", "bullied", "bullies", "bullion", "bullish", "bullock", "bullocks", "bulls", "bullseye", "bully", "bullying", "bulrush", "bulrushes", "bulwark", "bulwarks", "bum", "bumble", "bumblebee", "bumblebees", "bumbled", "bumbler", "bumblers", "bumbles", "bumbling", "bumblingly", "bummed", "bumming", "bump", "bumped", "bumper", "bumpers", "bumpiness", "bumping", "bumpkin", "bumpkins", "bumps", "bumptious", "bumpy", "bums", "bun", "bunch", "bunched", "bunches", "bunchier", "bunchiest", "bunching", "bunchy", "bundle", "bundled", "bundles", "bundling", "bung", "bungalow", "bungalows", "bunged", "bunging", "bungle", "bungled", "bungler", "bunglers", "bungles", "bungling", "bungs", "bunion", "bunions", "bunk", "bunked", "bunker", "bunkered", "bunkers", "bunking", "bunks", "bunkum", "bunnies", "bunny", "buns", "bunsen", "bunting", "buoy", "buoyancy", "buoyant", "buoyed", "buoys", "burden", "burdened", "burdening", "burdens", "burdensome", "burdensomely", "burdock", "bureau", "bureaucracies", "bureaucracy", "bureaucrat", "bureaucratic", "bureaucratically", "bureaucratization", "bureaucrats", "bureaus", "burford", "burgeon", "burgeoned", "burgeoning", "burgeons", "burger", "burgers", "burghs", "burglar", "burglaries", "burglarproof", "burglars", "burglary", "burgle", "burgled", "burgles", "burgling", "burgundian", "burgundies", "burgundy", "burial", "burials", "buried", "buries", "burke", "burkina", "burlesque", "burlesques", "burley", "burlington", "burly", "burma", "burmese", "burn", "burned", "burner", "burners", "burning", "burnings", "burnish", "burnished", "burnishes", "burnishing", "burnout", "burns", "burnt", "burp", "burped", "burping", "burps", "burr", "burrito", "burritos", "burrow", "burrowed", "burrowing", "burrows", "burrs", "bursar", "bursars", "burst", "bursting", "bursts", "burundi", "bury", "burying", "bus", "busboys", "buses", "bush", "bushed", "bushel", "bushels", "bushes", "bushier", "bushiest", "bushing", "bushy", "busied", "busier", "busies", "busiest", "busily", "business", "businesses", "businesslike", "businessman", "businessmen", "businesswoman", "businesswomen", "busker", "buskers", "bussed", "busses", "bussing", "bust", "bustard", "busted", "buster", "busting", "bustle", "bustled", "bustles", "bustling", "busts", "busy", "busybodies", "busybody", "busyness", "but", "butane", "butanol", "butch", "butcher", "butchered", "butchering", "butchers", "butchery", "butler", "butlers", "butt", "butte", "butted", "butter", "buttercream", "buttercup", "buttercups", "buttered", "butterfat", "butterfingers", "butterflies", "butterfly", "butteries", "buttering", "buttermilk", "butternut", "butters", "butterscotch", "buttery", "butting", "buttock", "buttocks", "button", "buttoned", "buttonhole", "buttonholes", "buttoning", "buttons", "buttonwood", "buttress", "buttressed", "buttresses", "buttressing", "butts", "buxom", "buy", "buyer", "buyers", "buying", "buys", "buzz", "buzzard", "buzzards", "buzzed", "buzzer", "buzzers", "buzzes", "buzzing", "buzzword", "bye", "byelorussia", "bygone", "bygones", "bylaw", "bylaws", "byline", "bylines", "bypass", "bypassed", "bypasses", "bypassing", "bypath", "bypaths", "byproduct", "byproducts", "byres", "byron", "bystander", "bystanders", "byte", "bytes", "byway", "byways", "byword", "bywords", "byzantine", "byzantium", "cab", "cabal", "cabals", "cabaret", "cabarets", "cabbage", "cabbages", "cabbies", "cabby", "cabdriver", "cabdrivers", "cabin", "cabinet", "cabinetmake", "cabinetmakers", "cabinetry", "cabinets", "cabins", "cable", "cabled", "cables", "cabling", "cabs", "cache", "cached", "caches", "cachet", "cachets", "caching", "cackle", "cackled", "cackler", "cacklers", "cackles", "cackling", "cacophonies", "cacophonist", "cacophonous", "cacophonously", "cacophony", "cacti", "cactus", "cad", "cadaver", "cadaverous", "cadavers", "cadbury", "caddie", "caddies", "caddis", "caddy", "cadence", "cadenced", "cadences", "cadenza", "cadenzas", "cadet", "cadets", "cadge", "cadged", "cadger", "cadgers", "cadges", "cadging", "cadillac", "cadmic", "cadmium", "cadre", "cadres", "cads", "caesar", "caesurae", "cafe", "cafes", "cafeteria", "cafeterias", "caffeine", "caftan", "caftans", "cage", "caged", "cages", "cagey", "cagily", "caginess", "caging", "cagoule", "cagoules", "cahoots", "cain", "cairn", "cairns", "cairo", "caisson", "caissons", "caitiff", "cajole", "cajoled", "cajolement", "cajoler", "cajolery", "cajoles", "cajoling", "cake", "caked", "cakes", "cakewalk", "caking", "calais", "calamine", "calamities", "calamitous", "calamitously", "calamity", "calcification", "calcified", "calcifies", "calcify", "calcifying", "calcite", "calcium", "calculability", "calculable", "calculate", "calculated", "calculates", "calculating", "calculation", "calculations", "calculator", "calculators", "calculus", "calcutta", "caldron", "caledonia", "caledonian", "calendar", "calendars", "calendrical", "calf", "calfskin", "calgary", "caliber", "calibrate", "calibrated", "calibrates", "calibrating", "calibration", "calibrations", "calibrator", "calibrators", "calico", "california", "californian", "californians", "californium", "caliper", "calipers", "caliph", "caliphs", "calisthenics", "call", "callaghan", "called", "caller", "callers", "callgirl", "callgirls", "calligrapher", "calligraphers", "calligraphy", "calling", "callosity", "callous", "calloused", "callouses", "callously", "callousness", "callow", "calls", "calm", "calmat", "calmative", "calmed", "calmer", "calmest", "calming", "calmly", "calmness", "calms", "caloric", "calorie", "calories", "calorific", "calorimeter", "calorimetric", "calorimetry", "calumniate", "calumniated", "calumniator", "calumnies", "calumnious", "calumny", "calvados", "calvary", "calve", "calved", "calves", "calvin", "calving", "calvinist", "calvinists", "calypso", "cam", "camaraderie", "camas", "camber", "cambered", "cambers", "cambia", "cambodia", "cambrian", "cambric", "cambridge", "came", "camel", "camelot", "camels", "camembert", "cameo", "cameos", "camera", "cameraman", "cameramen", "cameras", "cameron", "cameroon", "camouflage", "camouflaged", "camouflages", "camouflaging", "camp", "campaign", "campaigned", "campaigner", "campaigners", "campaigning", "campaigns", "campanile", "campaniles", "campanologist", "campanologists", "campanology", "campbell", "camped", "camper", "campers", "campfire", "campfires", "camphor", "camping", "camps", "campsite", "campsites", "campus", "campuses", "cams", "camshaft", "camshafts", "can", "canada", "canadian", "canadians", "canal", "canalization", "canalize", "canalized", "canalizes", "canalizing", "canals", "canape", "canapes", "canard", "canaries", "canary", "canasta", "canberra", "cancan", "cancel", "canceled", "canceling", "cancellation", "cancellations", "cancels", "cancer", "cancerous", "cancers", "candela", "candelabra", "candelabras", "candid", "candidacies", "candidacy", "candidate", "candidates", "candidly", "candidness", "candied", "candies", "candle", "candled", "candlelight", "candlemas", "candles", "candlestick", "candlesticks", "candlewick", "candor", "candy", "candytuft", "cane", "caned", "canes", "canine", "canines", "caning", "canister", "canisters", "cank", "canker", "cankerous", "cankers", "canna", "cannabis", "canned", "cannelloni", "canneries", "cannery", "cannibal", "cannibalism", "cannibalistic", "cannibalize", "cannibalized", "cannibalizes", "cannibalizing", "cannibals", "cannier", "canniest", "cannily", "canniness", "canning", "cannon", "cannonade", "cannonball", "cannonballs", "cannons", "cannot", "cannulated", "canny", "canoe", "canoed", "canoeing", "canoeist", "canoeists", "canoes", "canon", "canonical", "canonically", "canonici", "canonist", "canonize", "canonized", "canonizes", "canonizing", "canons", "canopied", "canopies", "canopy", "cans", "cant", "cantankerous", "cantankerously", "cantankerousness", "cantata", "canted", "canteen", "canteens", "canter", "canterbury", "cantered", "cantering", "canters", "canticle", "cantilever", "cantilevered", "cantilevering", "cantilevers", "canting", "cantle", "canto", "canton", "cantonese", "cants", "canvas", "canvasback", "canvases", "canvass", "canvassed", "canvasser", "canvassers", "canvasses", "canvassing", "canyon", "canyons", "cap", "capabilities", "capability", "capable", "capableness", "capably", "capacious", "capaciously", "capaciousness", "capacitance", "capacitate", "capacities", "capacitive", "capacitor", "capacitors", "capacity", "caparisons", "cape", "caper", "capered", "capering", "capers", "capes", "capillary", "capita", "capital", "capitalism", "capitalist", "capitalistic", "capitalists", "capitalization", "capitalize", "capitalized", "capitalizes", "capitalizing", "capitally", "capitals", "capitation", "capitol", "capitulant", "capitulants", "capitulate", "capitulated", "capitulates", "capitulating", "capitulation", "capitulator", "capitulators", "capitulatory", "capon", "capons", "capped", "capping", "caprice", "capricious", "capriciously", "capricorn", "caps", "capsize", "capsized", "capsizes", "capsizing", "capslock", "capstan", "capstans", "capsulated", "capsule", "capsules", "captain", "captaincy", "captained", "captaining", "captains", "caption", "captioned", "captioning", "captions", "captionship", "captious", "captiously", "captiousness", "captivate", "captivated", "captivates", "captivating", "captivatingly", "captivation", "captive", "captives", "captivity", "captor", "captors", "capture", "captured", "captures", "capturing", "car", "caracas", "carafe", "carafes", "caramel", "caramelize", "caramelized", "caramelizes", "caramelizing", "caramels", "carapace", "carat", "carats", "caravan", "caravans", "caraway", "carbide", "carbine", "carbines", "carbohydrate", "carbohydrates", "carbolic", "carbon", "carbonaceous", "carbonate", "carbonates", "carbonic", "carboniferous", "carbonize", "carbonized", "carbonizes", "carbonizing", "carbons", "carbonyl", "carborundum", "carboy", "carboys", "carbuncle", "carbuncles", "carburetor", "carburetors", "carcass", "carcasses", "carcinogen", "carcinogenic", "carcinogens", "carcinoma", "carcinomas", "card", "cardamom", "cardboard", "carded", "cardiac", "cardiff", "cardigan", "cardigans", "cardinal", "cardinally", "cardinals", "cardiology", "cardiovascular", "cards", "care", "cared", "careen", "careened", "careening", "careens", "career", "careered", "careering", "careerism", "careers", "carefree", "carefreeness", "careful", "carefully", "carefulness", "careless", "carelessly", "carelessness", "cares", "caress", "caressed", "caresses", "caressing", "caressingly", "caretaker", "caretakers", "carew", "careworn", "carey", "cargill", "cargo", "cargoes", "cargos", "caribbean", "caribou", "caricature", "caricatured", "caricatures", "caricaturing", "caricaturist", "caries", "caring", "caringly", "carlisle", "carload", "carloads", "carmine", "carnage", "carnal", "carnality", "carnally", "carnation", "carnations", "carnegie", "carnival", "carnivals", "carnivore", "carnivores", "carnivorous", "carnivorously", "carnivorousness", "carol", "caroled", "caroler", "carolers", "carolina", "caroline", "caroling", "carols", "carotene", "carousal", "carouse", "caroused", "carousel", "carousels", "carouser", "carousers", "carouses", "carousing", "carp", "carped", "carpenter", "carpenters", "carpentry", "carper", "carpet", "carpeted", "carpeting", "carpets", "carping", "carpool", "carpooling", "carpools", "carport", "carports", "carps", "carriage", "carriages", "carriageway", "carriageways", "carried", "carrier", "carriers", "carries", "carrion", "carrot", "carrots", "carry", "carryall", "carrying", "carryover", "carryovers", "cars", "carsick", "carsickness", "carson", "cart", "cartage", "carted", "cartel", "cartels", "carter", "cartesian", "carthorse", "carthorses", "cartilage", "carting", "cartload", "cartographer", "cartographers", "cartographic", "cartography", "carton", "cartons", "cartoon", "cartoonist", "cartoonists", "cartoons", "cartridge", "cartridges", "carts", "cartwheel", "cartwheels", "caruso", "carve", "carved", "carver", "carvers", "carves", "carving", "carvings", "casaba", "casablanca", "casanova", "cascade", "cascaded", "cascades", "cascading", "case", "casebook", "cased", "casein", "caseload", "casement", "casements", "cases", "casework", "caseworker", "caseworkers", "cash", "cashable", "cashbook", "cashed", "cashes", "cashew", "cashews", "cashier", "cashiered", "cashiering", "cashiers", "cashing", "cashmere", "casing", "casings", "casino", "casinos", "cask", "casket", "caskets", "casks", "caspian", "cassandra", "casserole", "casseroles", "cassette", "cassettes", "cassias", "cassiopeia", "cassock", "cassocks", "cast", "castanet", "castanets", "castaway", "castaways", "caste", "caster", "castes", "castigate", "castigated", "castigates", "castigating", "castigation", "castigator", "castigators", "castilian", "casting", "castings", "castle", "castled", "castles", "castling", "castoff", "castoffs", "castor", "castors", "castrate", "castrated", "castrates", "castrating", "castration", "castrations", "castrator", "castrators", "castro", "casts", "casual", "casually", "casuals", "casualties", "casualty", "casuist", "casuistic", "casuistical", "casuistry", "casuists", "cat", "catachresis", "catachrestic", "cataclysm", "cataclysmal", "cataclysmic", "cataclysmically", "cataclysms", "catacomb", "catacombs", "catafalque", "catafalques", "catalan", "catalepsy", "cataleptic", "cataleptics", "catalogue", "catalogued", "cataloguer", "cataloguers", "catalogues", "cataloguing", "catalysis", "catalyst", "catalysts", "catalytic", "catamaran", "catamarans", "catamount", "cataplectic", "cataplectics", "cataplexy", "catapult", "catapulted", "catapulting", "catapults", "cataract", "cataracts", "catarrh", "catarrhal", "catastrophe", "catastrophes", "catastrophic", "catastrophically", "catastrophism", "catatonic", "catcall", "catcalls", "catch", "catchall", "catcher", "catchers", "catches", "catchfly", "catching", "catchment", "catchup", "catchword", "catchwords", "catchy", "catechism", "catechize", "categoric", "categorical", "categorically", "categories", "categorization", "categorize", "categorized", "categorizes", "categorizing", "category", "catenary", "catenate", "catenated", "catenates", "catenating", "catenation", "cater", "catered", "caterer", "caterers", "catering", "caterpillar", "caterpillars", "caters", "caterwaul", "caterwauling", "catfish", "catgut", "catharine", "catharsis", "cathartic", "cathedral", "cathedrals", "catherine", "catheter", "cathode", "cathodes", "cathodic", "catholic", "catholicism", "catholics", "cathy", "cationic", "catkin", "catkins", "catnap", "catnapped", "catnapping", "catnaps", "cats", "cattier", "cattiest", "cattily", "cattle", "cattleman", "cattlemen", "catty", "catwalk", "catwalks", "caucasian", "caucasus", "caucus", "caucuses", "caucusing", "caught", "cauldron", "cauldrons", "cauliflower", "cauliflowers", "caulk", "caulked", "caulker", "caulkers", "caulking", "caulks", "causal", "causality", "causally", "causation", "causative", "cause", "caused", "causeless", "causes", "causeway", "causeways", "causing", "caustic", "caustically", "causticity", "cauterization", "cauterize", "cauterized", "cauterizes", "cauterizing", "caution", "cautionary", "cautioned", "cautioning", "cautions", "cautious", "cautiously", "cautiousness", "cavalcade", "cavalcades", "cavalier", "cavaliers", "cavalries", "cavalry", "cavalryman", "cavalrymen", "cave", "caveat", "caveats", "caved", "caveman", "cavemen", "cavendish", "cavern", "cavernous", "cavernously", "caverns", "caves", "caviar", "caviare", "cavil", "caviled", "caviler", "cavilers", "caviling", "cavils", "caving", "cavitations", "cavities", "cavity", "cavort", "cavorted", "cavorting", "cavorts", "caw", "cawed", "cawing", "caws", "cayenne", "cayman", "cbi", "cease", "ceased", "ceaseless", "ceaselessly", "ceases", "ceasing", "ceasingly", "cecil", "cecile", "cecilia", "cedar", "cedars", "cede", "ceded", "cedes", "cedilla", "ceding", "ceiling", "ceilings", "celandine", "celebes", "celebrant", "celebrants", "celebrate", "celebrated", "celebrates", "celebrating", "celebration", "celebrations", "celebrator", "celebrators", "celebratory", "celebrities", "celebrity", "celeriac", "celerity", "celery", "celestial", "celia", "celiac", "celibacy", "celibate", "cell", "cellar", "cellars", "cellist", "cellists", "cello", "cellophane", "cellos", "cells", "cellular", "celluloid", "cellulose", "celsius", "celt", "celtic", "celts", "cement", "cementation", "cemented", "cementing", "cements", "cemeteries", "cemetery", "cenotaph", "censor", "censored", "censorial", "censoring", "censorious", "censoriously", "censors", "censorship", "censurable", "censure", "censured", "censures", "censuring", "census", "censuses", "cent", "centaur", "centaurs", "centenarian", "centenary", "centennial", "center", "centered", "centering", "centerpiece", "centers", "centigrade", "centigram", "centigrams", "centiliter", "centiliters", "centime", "centimeter", "centimeters", "centipede", "centipedes", "central", "centralism", "centralist", "centralists", "centrality", "centralization", "centralize", "centralized", "centralizes", "centralizing", "centrally", "centric", "centrifugal", "centrifugate", "centrifugation", "centrifuge", "centrifuged", "centrifuges", "centrifuging", "centripetal", "centrist", "centroid", "centronics", "cents", "centuries", "centurion", "century", "ceramic", "ceramics", "cereal", "cereals", "cerebellum", "cerebral", "cerebrate", "cerebrated", "cerebrates", "cerebrating", "cerebrum", "ceremonial", "ceremonially", "ceremonies", "ceremonious", "ceremoniously", "ceremony", "cerise", "cerium", "certain", "certainly", "certainty", "certifiable", "certifiably", "certificate", "certificated", "certificates", "certificating", "certification", "certified", "certifies", "certify", "certifying", "certitude", "certitudes", "cervical", "cervix", "cesium", "cessation", "cesser", "ceylon", "cezanne", "chablis", "chacer", "chad", "chadic", "chafe", "chafed", "chafes", "chaff", "chaffed", "chaffinch", "chaffinches", "chaffing", "chaffs", "chafing", "chagrin", "chain", "chained", "chaining", "chainlike", "chains", "chair", "chaired", "chairing", "chairman", "chairmanship", "chairmanships", "chairmen", "chairperson", "chairpersons", "chairs", "chairwoman", "chairwomen", "chalder", "chalderns", "chalders", "chaldron", "chalet", "chalets", "chalice", "chalices", "chalk", "chalked", "chalkiness", "chalking", "chalks", "chalky", "challenge", "challenged", "challenger", "challengers", "challenges", "challenging", "challengingly", "chamber", "chambered", "chamberlain", "chamberlains", "chambermaid", "chambermaids", "chambers", "chameleon", "chameleons", "chamfer", "chamfered", "chamfering", "chamfers", "chamois", "chamomile", "champ", "champagne", "champagnes", "champed", "champing", "champion", "championed", "championing", "champions", "championship", "championships", "champs", "chance", "chanced", "chancel", "chancellor", "chancellors", "chancels", "chanceries", "chancering", "chancery", "chances", "chancing", "chancre", "chancy", "chandelier", "chandeliers", "chandler", "chandlers", "changchun", "change", "changeability", "changeable", "changeably", "changed", "changeless", "changeling", "changelings", "changeover", "changeovers", "changer", "changes", "changing", "changingly", "channel", "channeled", "channeling", "channels", "chant", "chanted", "chanter", "chanters", "chantey", "chantilly", "chanting", "chantress", "chants", "chaos", "chaotic", "chaotically", "chap", "chapatti", "chapel", "chapels", "chaperon", "chaperone", "chaperoned", "chaperones", "chaperoning", "chaplain", "chaplaincy", "chaplains", "chaplet", "chaplin", "chapped", "chapping", "chaps", "chapter", "chapters", "char", "character", "characteristic", "characteristically", "characteristics", "characterization", "characterizations", "characterize", "characterized", "characterizes", "characterizing", "characterless", "characterlessness", "characters", "charade", "charades", "charcoal", "charcoaled", "charcuterie", "chard", "charge", "chargeable", "charged", "charger", "chargers", "charges", "charging", "charily", "chariness", "chariot", "chariots", "charisma", "charismatic", "charitable", "charitably", "charities", "charity", "charlatan", "charlatans", "charles", "charleston", "charley", "charlie", "charlotte", "charm", "charmed", "charmer", "charmers", "charming", "charmingly", "charmless", "charmlessly", "charms", "charnel", "charred", "charring", "chars", "chart", "charted", "charter", "chartered", "charterers", "chartering", "charters", "charting", "chartings", "chartist", "chartists", "chartreuse", "chartroom", "charts", "chary", "charybdis", "chase", "chased", "chaser", "chasers", "chases", "chasing", "chasm", "chasms", "chassis", "chaste", "chastely", "chasten", "chastened", "chasteness", "chastise", "chastised", "chastisement", "chastises", "chastising", "chastity", "chat", "chateau", "chateaubriand", "chateaux", "chats", "chatted", "chattel", "chattels", "chatter", "chatterbox", "chatterboxes", "chattered", "chatterer", "chattering", "chatters", "chattily", "chattiness", "chatting", "chatty", "chauffeur", "chauffeured", "chauffeurs", "chauvinism", "chauvinist", "chauvinistic", "chauvinistically", "chauvinists", "cheap", "cheapen", "cheapened", "cheapening", "cheapens", "cheaper", "cheapest", "cheaply", "cheapness", "cheapskate", "cheat", "cheated", "cheater", "cheaters", "cheating", "cheats", "check", "checkbook", "checkbooks", "checked", "checker", "checkerberry", "checkerboard", "checkered", "checkers", "checking", "checklist", "checklists", "checkmate", "checkout", "checkpoint", "checkpointed", "checkpointing", "checkpoints", "checks", "checksum", "checksummed", "checksumming", "checksums", "checkup", "checkups", "cheddar", "cheek", "cheekbone", "cheekbones", "cheekily", "cheeks", "cheeky", "cheep", "cheeped", "cheeping", "cheeps", "cheer", "cheered", "cheerful", "cheerfully", "cheerfulness", "cheerier", "cheerily", "cheering", "cheerio", "cheerleader", "cheerleaders", "cheerless", "cheers", "cheery", "cheese", "cheesecake", "cheesecakes", "cheesecloth", "cheeseparing", "cheeses", "cheesy", "cheetah", "cheetahs", "chef", "chefs", "chemical", "chemically", "chemicals", "chemise", "chemisorption", "chemist", "chemistries", "chemistry", "chemists", "chemotherapy", "cherish", "cherished", "cherishes", "cherishing", "cherokee", "cherokees", "cheroot", "cheroots", "cherries", "cherry", "cherub", "cherubic", "cherubim", "cherubims", "cherubs", "chervil", "cheryl", "cheshire", "chess", "chessboard", "chessman", "chessmen", "chest", "chesterfield", "chestier", "chestnut", "chestnuts", "chests", "chesty", "cheviots", "chevrolet", "chevron", "chevroned", "chevrons", "chew", "chewed", "chewier", "chewing", "chews", "chewy", "chi", "chianti", "chic", "chicago", "chicane", "chicaned", "chicaneries", "chicanery", "chicanos", "chick", "chicken", "chickened", "chickening", "chickenpox", "chickens", "chicks", "chickweed", "chicory", "chide", "chided", "chides", "chiding", "chief", "chiefdom", "chiefdoms", "chiefly", "chiefs", "chieftain", "chieftains", "chiffon", "chihuahua", "chilblain", "chilblains", "child", "childbearing", "childbirth", "childhood", "childish", "childishly", "childishness", "childless", "childlike", "children", "chile", "chilean", "chili", "chill", "chilled", "chillier", "chilling", "chillingly", "chills", "chilly", "chime", "chimed", "chimera", "chimerical", "chimes", "chiming", "chimney", "chimneys", "chimp", "chimpanzee", "chimpanzees", "chimps", "chin", "china", "chinaman", "chinamen", "chinatown", "chinaware", "chinchilla", "chine", "chinese", "chink", "chinked", "chinking", "chinks", "chinless", "chinned", "chinning", "chinook", "chins", "chintz", "chintzy", "chip", "chipboard", "chipmunk", "chipmunks", "chipped", "chippendale", "chipper", "chippers", "chipping", "chips", "chiropodist", "chiropodists", "chiropody", "chirp", "chirped", "chirpily", "chirping", "chirps", "chirpy", "chisel", "chiseled", "chiseling", "chisels", "chit", "chitchat", "chits", "chitterlings", "chivalrous", "chivalry", "chive", "chives", "chivy", "chlorate", "chloride", "chlorides", "chlorinate", "chlorinated", "chlorinates", "chlorinating", "chlorination", "chlorine", "chloroform", "chlorophyll", "chloroplatinate", "chlorpromazine", "chock", "chocks", "chocolate", "chocolates", "choice", "choices", "choicest", "choir", "choirboy", "choirboys", "choirmaster", "choirmasters", "choirs", "choke", "chokeberry", "choked", "choker", "chokers", "chokes", "choking", "cholera", "cholesterol", "chomp", "chomsky", "choose", "chooses", "choosey", "choosier", "choosing", "choosy", "chop", "chopin", "chopped", "chopper", "choppers", "chopping", "choppy", "chops", "chopstick", "chopsticks", "choral", "chorale", "chorales", "chord", "chords", "chore", "chorea", "choreograph", "choreographed", "choreographer", "choreographers", "choreographic", "choreographs", "choreography", "chores", "chorine", "chorister", "choristers", "chortle", "chortled", "chortles", "chortling", "chorus", "chorused", "choruses", "chorusing", "chose", "chosen", "chow", "chowder", "chowders", "chows", "chris", "christ", "christabel", "christchurch", "christen", "christendom", "christened", "christening", "christenings", "christens", "christi", "christian", "christianity", "christians", "christina", "christine", "christlike", "christmas", "christmassy", "christmastime", "christopher", "chromate", "chromatic", "chromatics", "chromatogram", "chromatograph", "chromatographic", "chromatography", "chrome", "chromed", "chromic", "chromium", "chromosome", "chromosomes", "chromosphere", "chronic", "chronically", "chronicle", "chronicled", "chronicler", "chroniclers", "chronicles", "chronicling", "chronograph", "chronographs", "chronography", "chronological", "chronologically", "chronologies", "chronology", "chronometer", "chronometers", "chrysanthemum", "chrysanthemums", "chrysler", "chrysolite", "chubb", "chubby", "chuck", "chucked", "chucking", "chuckle", "chuckled", "chuckles", "chuckling", "chucks", "chuff", "chuffed", "chug", "chugged", "chugging", "chugs", "chukka", "chum", "chummed", "chummier", "chummiest", "chumminess", "chumming", "chummy", "chump", "chumps", "chums", "chunk", "chunks", "chunky", "chunterings", "church", "churches", "churchgoer", "churchgoers", "churchgoing", "churchill", "churchillian", "churchly", "churchman", "churchmen", "churchwoman", "churchwomen", "churchyard", "churchyards", "churl", "churlish", "churlishly", "churn", "churned", "churning", "churns", "chute", "chutes", "chutney", "chutneys", "cicerone", "ciceronian", "cid", "cider", "ciders", "cigar", "cigarette", "cigarettes", "cigars", "cinch", "cinched", "cinches", "cinching", "cincinnati", "cinder", "cinderella", "cinders", "cindy", "cinema", "cinemas", "cinematic", "cinematography", "cinnamon", "cinque", "cinquefoil", "cipher", "ciphered", "ciphering", "ciphers", "circa", "circadian", "circle", "circled", "circles", "circlet", "circlets", "circling", "circuit", "circuited", "circuiting", "circuitous", "circuitously", "circuitousness", "circuitry", "circuits", "circulant", "circular", "circularity", "circularize", "circularly", "circulars", "circulate", "circulated", "circulates", "circulating", "circulation", "circulatory", "circumcircle", "circumcise", "circumcised", "circumcises", "circumcising", "circumcision", "circumcisions", "circumference", "circumferential", "circumflex", "circumlocution", "circumlocutory", "circumnavigate", "circumnavigated", "circumnavigates", "circumnavigating", "circumnavigation", "circumnavigator", "circumnavigators", "circumpolar", "circumscribable", "circumscribe", "circumscribed", "circumscriber", "circumscribers", "circumscribes", "circumscribing", "circumscription", "circumspect", "circumspection", "circumspectly", "circumsphere", "circumstance", "circumstances", "circumstantial", "circumstantially", "circumstantiate", "circumstantiated", "circumstantiates", "circumstantiating", "circumstantiation", "circumvent", "circumvented", "circumventing", "circumvention", "circumventive", "circumvents", "circus", "circuses", "cirmcumferential", "cirrhosis", "cirrus", "cistern", "cisterns", "citadel", "citadels", "citation", "citations", "cite", "cited", "cites", "cities", "citify", "citing", "citizen", "citizenry", "citizens", "citizenship", "citrate", "citric", "citroen", "citrus", "city", "cityscape", "citywide", "civi", "civic", "civics", "civil", "civilian", "civilians", "civilities", "civility", "civilization", "civilizations", "civilize", "civilized", "civilizes", "civilizing", "civilly", "civvies", "clabbers", "clack", "clacked", "clacking", "clacks", "clad", "cladding", "claim", "claimant", "claimants", "claimed", "claiming", "claims", "claire", "clairvoyance", "clairvoyant", "clairvoyants", "clam", "clamber", "clambered", "clamberer", "clamberers", "clambering", "clambers", "clammed", "clammier", "clammiest", "clamming", "clammy", "clamor", "clamored", "clamoring", "clamorous", "clamors", "clamp", "clamped", "clamping", "clamps", "clams", "clamshell", "clan", "clandestine", "clandestinely", "clang", "clanged", "clanging", "clangor", "clangs", "clank", "clanked", "clanking", "clankingly", "clankings", "clankless", "clanklessly", "clanks", "clannish", "clannishly", "clannishness", "clans", "clansman", "clansmen", "clanswoman", "clanswomen", "clap", "clapboard", "clapped", "clapper", "clappers", "clapping", "claps", "claptrap", "claret", "clarets", "clarification", "clarifications", "clarified", "clarifies", "clarify", "clarifying", "clarinet", "clarinets", "clarion", "clarity", "clark", "clarke", "clash", "clashed", "clashes", "clashing", "clasp", "clasped", "clasping", "clasps", "class", "classed", "classes", "classic", "classical", "classically", "classicism", "classicist", "classics", "classier", "classiest", "classification", "classifications", "classificatory", "classified", "classifier", "classifiers", "classifies", "classify", "classifying", "classing", "classless", "classlessness", "classmate", "classmates", "classroom", "classrooms", "classy", "clatter", "clattered", "clatterer", "clatterers", "clattering", "clatters", "claus", "clause", "clauses", "claustrophobe", "claustrophobia", "claustrophobic", "clavicle", "clavier", "claw", "clawed", "clawing", "claws", "clay", "clays", "clayton", "clean", "cleaned", "cleaner", "cleaners", "cleanest", "cleaning", "cleanliness", "cleanly", "cleans", "cleanse", "cleansed", "cleanses", "cleansing", "cleanup", "cleanups", "clear", "clearance", "clearances", "cleared", "clearer", "clearest", "clearheaded", "clearing", "clearings", "clearly", "clearness", "clears", "clearwater", "clearway", "clearways", "cleat", "cleats", "cleavage", "cleavages", "cleave", "cleaved", "cleaver", "cleavers", "cleaves", "cleaving", "clef", "clefs", "cleft", "clefts", "clemency", "clement", "clementine", "clementines", "clemently", "clench", "clenched", "clenches", "clenching", "cleopatra", "clergy", "clergyman", "clergymen", "cleric", "clerical", "clerics", "clerk", "clerking", "clerks", "clever", "cleverest", "cleverly", "cleverness", "cliche", "cliched", "cliches", "click", "clicked", "clicking", "clicks", "client", "clientele", "clients", "cliff", "cliffhanger", "cliffhangers", "cliffhanging", "clifford", "cliffs", "clifton", "climactic", "climactical", "climactically", "climate", "climates", "climatic", "climatically", "climatological", "climatology", "climax", "climaxed", "climaxes", "climaxing", "climb", "climbable", "climbed", "climber", "climbers", "climbing", "climbs", "clime", "climes", "clinch", "clinched", "clincher", "clinchers", "clinches", "clinching", "cling", "clinging", "clings", "clingy", "clinic", "clinical", "clinically", "clinician", "clinics", "clink", "clinked", "clinker", "clinkers", "clinking", "clinks", "clint", "clinton", "clip", "clipart", "clipboard", "clipboards", "clipeus", "clipped", "clipper", "clippers", "clipping", "clippings", "clips", "clique", "cliques", "clive", "cloak", "cloaked", "cloaking", "cloakroom", "cloakrooms", "cloaks", "clobber", "clobbered", "clobbering", "clobbers", "cloche", "cloches", "clock", "clocked", "clocking", "clocks", "clockwatcher", "clockwatchers", "clockwise", "clockwork", "clod", "cloddish", "cloddishly", "cloddishness", "clodhopper", "clodhoppers", "clods", "clog", "clogged", "clogging", "cloggy", "clogs", "cloister", "cloistered", "cloistering", "cloisters", "clone", "cloned", "clones", "cloning", "clonk", "clonked", "clonking", "clonks", "close", "closed", "closely", "closeness", "closer", "closes", "closest", "closet", "closeted", "closeting", "closets", "closeup", "closeups", "closing", "closure", "closures", "clot", "cloth", "clothbound", "clothe", "clothed", "clothes", "clothesbrush", "clotheshorse", "clothesline", "clotheslines", "clothesman", "clothesmen", "clothier", "clothing", "cloths", "clots", "clotted", "clotting", "cloud", "cloudberry", "cloudburst", "cloudbursts", "clouded", "cloudier", "cloudiest", "cloudiness", "clouding", "cloudless", "clouds", "cloudy", "clough", "clout", "clouted", "clouting", "clouts", "clove", "cloven", "clover", "clovers", "cloves", "clown", "clowned", "clowning", "clowns", "cloy", "cloyed", "cloying", "cloyingly", "cloys", "club", "clubbed", "clubbing", "clubhouse", "clubhouses", "clubroom", "clubrooms", "clubs", "cluck", "clucked", "clucking", "clucks", "clue", "clueless", "clues", "clump", "clumped", "clumping", "clumps", "clumsier", "clumsiest", "clumsily", "clumsiness", "clumsy", "clung", "cluster", "clustered", "clustering", "clusters", "clutch", "clutched", "clutches", "clutching", "clutter", "cluttered", "cluttering", "clutters", "coach", "coached", "coaches", "coaching", "coachman", "coachmen", "coachwork", "coagulable", "coagulant", "coagulants", "coagulate", "coagulated", "coagulates", "coagulating", "coagulation", "coagulator", "coagulators", "coal", "coalesce", "coalesced", "coalescence", "coalescent", "coalesces", "coalescing", "coalfield", "coalfields", "coalition", "coalitions", "coals", "coarse", "coarsely", "coarsen", "coarsened", "coarseness", "coarsening", "coarsens", "coarser", "coarsest", "coast", "coastal", "coasted", "coaster", "coasters", "coastguard", "coastguards", "coasting", "coastline", "coasts", "coat", "coated", "coating", "coatings", "coats", "coattail", "coattails", "coauthor", "coauthors", "coax", "coaxed", "coaxer", "coaxers", "coaxes", "coaxial", "coaxially", "coaxing", "coaxingly", "cob", "cobalt", "cobble", "cobbled", "cobbler", "cobblers", "cobbles", "cobblestone", "cobblestones", "cobblestreets", "cobbling", "cobnut", "cobnuts", "cobol", "cobra", "cobras", "cobs", "cobweb", "cobwebs", "coca", "cocaine", "coccidiosis", "coccyx", "cochineal", "cock", "cockade", "cockades", "cockatoo", "cockatoos", "cockcrow", "cocked", "cockerel", "cockerels", "cockeye", "cockeyed", "cockier", "cockiest", "cockily", "cockiness", "cocking", "cockle", "cockled", "cockles", "cockleshell", "cockleshells", "cockney", "cockneys", "cockpit", "cockpits", "cockroach", "cockroaches", "cocks", "cocksure", "cocktail", "cocktails", "cocky", "cocoa", "coconut", "coconuts", "cocoon", "cocoons", "cod", "coda", "coddle", "coddled", "coddles", "coddling", "code", "coded", "codeine", "codes", "codeword", "codewords", "codfish", "codger", "codgers", "codices", "codicil", "codification", "codified", "codifier", "codifiers", "codifies", "codify", "codifying", "coding", "codling", "codpiece", "codswallop", "coeducation", "coeducational", "coefficient", "coefficients", "coemption", "coequal", "coerce", "coerced", "coerces", "coercible", "coercing", "coercion", "coercive", "coercively", "coerciveness", "coeval", "coexist", "coexisted", "coexistence", "coexistent", "coexisting", "coexists", "coextensive", "cofactor", "coffee", "coffeecup", "coffeepot", "coffees", "coffer", "coffers", "coffin", "coffins", "cog", "cogency", "cogent", "cogently", "cogitatable", "cogitate", "cogitated", "cogitates", "cogitating", "cogitation", "cogitative", "cogitator", "cogitators", "cognac", "cognacs", "cognate", "cognately", "cognateness", "cognation", "cognition", "cognitive", "cognizable", "cognizably", "cognizance", "cognizant", "cogs", "cohabit", "cohabitant", "cohabitants", "cohabitation", "cohabited", "cohabiter", "cohabiters", "cohabiting", "cohabits", "coheir", "cohen", "cohere", "cohered", "coherence", "coherency", "coherent", "coherently", "coherer", "coherers", "coheres", "cohering", "cohesibility", "cohesible", "cohesion", "cohesive", "cohesively", "cohesiveness", "cohort", "cohorts", "coiffure", "coiffures", "coil", "coiled", "coiling", "coils", "coin", "coinage", "coincide", "coincided", "coincidence", "coincidences", "coincident", "coincidental", "coincidentally", "coincides", "coinciding", "coined", "coiner", "coining", "coins", "cointreau", "coital", "coitus", "coke", "cokes", "cola", "colander", "colanders", "cold", "colder", "coldest", "colditz", "coldly", "coldness", "colds", "cole", "coleman", "coleridge", "coleslaw", "colic", "colicky", "coliform", "colin", "coliseum", "colitis", "collaborate", "collaborated", "collaborates", "collaborating", "collaboration", "collaborator", "collaborators", "collage", "collages", "collapse", "collapsed", "collapses", "collapsible", "collapsing", "collar", "collarbone", "collared", "collaring", "collars", "collatable", "collate", "collated", "collateral", "collaterally", "collates", "collating", "collation", "collator", "collators", "colleague", "colleagues", "collect", "collectable", "collectables", "collected", "collectedness", "collectible", "collecting", "collection", "collections", "collective", "collectively", "collectives", "collectivism", "collectivize", "collector", "collectors", "collects", "colleens", "college", "colleges", "collegial", "collegian", "collegians", "collegiate", "collide", "collided", "collides", "colliding", "collie", "collier", "collieries", "colliers", "colliery", "collimate", "collimated", "collimates", "collimating", "collimator", "collinear", "collinearity", "collision", "collisional", "collisions", "collocate", "collocated", "collocates", "collocating", "collocation", "collocutor", "colloid", "colloidal", "colloids", "colloquia", "colloquial", "colloquialism", "colloquialisms", "colloquially", "colloquium", "colloquy", "collude", "colluded", "colludes", "colluding", "collusion", "collywobbles", "colne", "cologne", "colombia", "colombo", "colon", "colonel", "colonels", "colonial", "colonialism", "colonialist", "colonially", "colonials", "colonic", "colonies", "colonist", "colonists", "colonization", "colonize", "colonized", "colonizes", "colonizing", "colonnade", "colonnaded", "colons", "colony", "color", "colorable", "colorado", "coloration", "colored", "colorful", "colorfully", "coloring", "colorings", "colorless", "colors", "colossal", "colossi", "colossians", "colossus", "colt", "coltish", "coltishly", "colts", "coltsfoot", "columbia", "columbian", "columbians", "columbine", "columbus", "column", "columnal", "columnar", "columned", "columnist", "columnists", "columns", "coma", "comas", "comatose", "comb", "combat", "combatant", "combatants", "combated", "combating", "combative", "combats", "combed", "combinable", "combination", "combinations", "combinative", "combinatorial", "combinatoric", "combinatory", "combine", "combined", "combines", "combing", "combings", "combining", "combs", "combust", "combusted", "combustible", "combustibleness", "combustibles", "combusting", "combustion", "combustious", "come", "comeback", "comedian", "comedians", "comedienne", "comediennes", "comedies", "comedone", "comedown", "comedy", "comelier", "comeliest", "comeliness", "comely", "comer", "comers", "comes", "comestible", "comestibles", "comet", "comets", "comeuppance", "comfier", "comfiest", "comfit", "comfort", "comfortable", "comfortably", "comforted", "comforter", "comforters", "comforting", "comfortless", "comfortlessness", "comforts", "comfy", "comic", "comical", "comically", "comics", "coming", "comings", "comities", "comity", "comma", "command", "commandant", "commandants", "commanded", "commandeer", "commandeered", "commandeering", "commandeers", "commander", "commanders", "commanding", "commandingly", "commandment", "commandments", "commando", "commandoes", "commandos", "commands", "commas", "commemorate", "commemorated", "commemorates", "commemorating", "commemoration", "commemorative", "commemorator", "commemorators", "commence", "commenced", "commencement", "commencements", "commences", "commencing", "commend", "commendable", "commendably", "commendation", "commendations", "commendatory", "commended", "commending", "commends", "commensurable", "commensurate", "commensurately", "commensuration", "comment", "commentaries", "commentary", "commentate", "commentated", "commentates", "commentating", "commentator", "commentators", "commented", "commenting", "comments", "commerce", "commercial", "commercialism", "commercialization", "commercialize", "commercialized", "commercially", "commercials", "comminution", "commiserate", "commiserated", "commiserates", "commiserating", "commiseration", "commiserations", "commiserative", "commiserator", "commiserators", "commissar", "commissariat", "commissars", "commissary", "commission", "commissioned", "commissioner", "commissioners", "commissioning", "commissions", "commit", "commitment", "commitments", "commits", "committable", "committal", "committals", "committed", "committee", "committeeman", "committeemen", "committees", "committeewoman", "committeewomen", "committing", "commode", "commodious", "commodiously", "commodiousness", "commodities", "commodity", "commodore", "commodores", "common", "commoner", "commoners", "commonest", "commonly", "commonness", "commonplace", "commonplaces", "commons", "commonweal", "commonwealth", "commonwealths", "commotion", "commotional", "commotions", "communal", "communally", "commune", "communes", "communicable", "communicably", "communicant", "communicants", "communicate", "communicated", "communicates", "communicating", "communication", "communicational", "communications", "communicative", "communicatively", "communicator", "communicators", "communicatory", "communion", "communique", "communiques", "communism", "communist", "communistic", "communists", "communities", "community", "communize", "commutable", "commutate", "commutation", "commutative", "commutator", "commutators", "commute", "commuted", "commuter", "commuters", "commutes", "commuting", "comoros", "compact", "compacted", "compacting", "compaction", "compactly", "compactness", "compacts", "companies", "companion", "companionable", "companionably", "companionless", "companions", "companionship", "companionway", "company", "comparability", "comparable", "comparably", "comparative", "comparatively", "comparatives", "comparator", "compare", "compared", "compares", "comparing", "comparison", "comparisons", "compartment", "compartmental", "compartmentalization", "compartmentalize", "compartmentalized", "compartmentalizes", "compartmentalizing", "compartmentally", "compartments", "compass", "compassed", "compasses", "compassing", "compassion", "compassionable", "compassionate", "compassionately", "compassionateness", "compatibility", "compatible", "compatibleness", "compatibles", "compatibly", "compatriot", "compatriots", "compeer", "compeers", "compel", "compellable", "compelled", "compelling", "compels", "compendia", "compendious", "compendiously", "compendiousness", "compendium", "compendiums", "compensable", "compensate", "compensated", "compensates", "compensating", "compensation", "compensational", "compensations", "compensative", "compensator", "compensators", "compensatory", "compete", "competed", "competence", "competency", "competent", "competently", "competentness", "competes", "competing", "competition", "competitions", "competitive", "competitively", "competitiveness", "competitor", "competitors", "compilation", "compilations", "compile", "compiled", "compiler", "compilers", "compiles", "compiling", "complacence", "complacency", "complacent", "complacently", "complain", "complainant", "complainants", "complained", "complainer", "complaining", "complainingly", "complains", "complaint", "complaints", "complaisance", "complaisant", "complaisantly", "complement", "complementarily", "complementary", "complementation", "complemented", "complementing", "complements", "complete", "completed", "completely", "completeness", "completes", "completing", "completion", "completions", "complex", "complexes", "complexion", "complexioned", "complexionless", "complexions", "complexities", "complexity", "complexly", "complexness", "compliable", "compliably", "compliance", "compliancy", "compliant", "compliantly", "complicate", "complicated", "complicatedly", "complicates", "complicating", "complication", "complications", "complicities", "complicity", "complied", "complies", "compliment", "complimentarily", "complimentary", "complimented", "complimenting", "compliments", "comply", "complying", "component", "componentry", "components", "comport", "comportment", "compose", "composed", "composedly", "composedness", "composer", "composers", "composes", "composing", "composite", "composited", "compositely", "compositeness", "composites", "compositing", "composition", "compositional", "compositions", "compositor", "compositors", "compost", "composure", "compote", "compound", "compounded", "compounding", "compounds", "comprehend", "comprehended", "comprehending", "comprehendingly", "comprehends", "comprehensibility", "comprehensible", "comprehensibly", "comprehension", "comprehensive", "comprehensively", "comprehensiveness", "compress", "compressed", "compresses", "compressibility", "compressible", "compressing", "compression", "compressive", "compressor", "compressors", "comprisable", "comprise", "comprised", "comprises", "comprising", "compromise", "compromised", "compromises", "compromising", "compromisingly", "comptroller", "compulsion", "compulsions", "compulsive", "compulsively", "compulsives", "compulsorily", "compulsory", "compunction", "compunctions", "computability", "computable", "computation", "computational", "computations", "compute", "computed", "computer", "computerization", "computerize", "computerized", "computerizes", "computerizing", "computers", "computes", "computing", "comrade", "comradely", "comrades", "comradeship", "con", "conakry", "concatenate", "concatenated", "concatenates", "concatenating", "concatenation", "concatenations", "concave", "concavely", "concavity", "conceal", "concealable", "concealed", "concealing", "concealment", "conceals", "concede", "conceded", "concededly", "concedes", "conceding", "conceit", "conceited", "conceitedly", "conceitedness", "conceitless", "conceits", "conceivability", "conceivable", "conceivably", "conceive", "conceived", "conceives", "conceiving", "concentrate", "concentrated", "concentrates", "concentrating", "concentration", "concentrations", "concentric", "concentrically", "concept", "conception", "conceptional", "conceptions", "conceptive", "concepts", "conceptual", "conceptuality", "conceptualization", "conceptualize", "conceptualized", "conceptualizes", "conceptualizing", "conceptually", "concern", "concerned", "concernedly", "concernedness", "concerning", "concerns", "concert", "concerted", "concertina", "concertinas", "concertmaster", "concerto", "concertos", "concerts", "concession", "concessionaire", "concessionaires", "concessionary", "concessions", "conch", "conches", "conchs", "concierge", "conciliate", "conciliated", "conciliates", "conciliating", "conciliation", "conciliator", "conciliatory", "concise", "concisely", "conciseness", "concision", "conclave", "conclude", "concluded", "concludes", "concluding", "conclusion", "conclusions", "conclusive", "conclusively", "conclusiveness", "concoct", "concocted", "concocter", "concocters", "concocting", "concoction", "concoctions", "concocts", "concomitance", "concomitancy", "concomitant", "concomitantly", "concomitate", "concord", "concordance", "concordant", "concordantly", "concordat", "concourse", "concrete", "concretely", "concreteness", "concretion", "concubine", "concubines", "concupiscence", "concupiscent", "concur", "concurred", "concurrence", "concurrency", "concurrent", "concurrently", "concurring", "concurs", "concuss", "concussed", "concusses", "concussion", "condemn", "condemnable", "condemnate", "condemnation", "condemnations", "condemnatory", "condemned", "condemning", "condemns", "condensability", "condensable", "condensate", "condensation", "condense", "condensed", "condenser", "condensers", "condenses", "condensing", "condescend", "condescended", "condescending", "condescendingly", "condescends", "condescension", "condign", "condiment", "condiments", "condition", "conditional", "conditionally", "conditioned", "conditioner", "conditioners", "conditioning", "conditions", "condole", "condoled", "condolence", "condolences", "condoles", "condoling", "condom", "condoms", "condonation", "condone", "condoned", "condoner", "condoners", "condones", "condoning", "condor", "condors", "conduce", "conduced", "conduces", "conducible", "conducing", "conducive", "conduct", "conductance", "conducted", "conductibility", "conductible", "conducting", "conduction", "conductive", "conductivity", "conductor", "conductors", "conducts", "conduit", "conduits", "cone", "coned", "cones", "coney", "confabulate", "confabulated", "confabulates", "confabulating", "confabulation", "confabulations", "confected", "confecting", "confectio", "confection", "confectioner", "confectioners", "confectionery", "confections", "confederacy", "confederate", "confederated", "confederates", "confederating", "confederation", "confederations", "confederative", "confer", "conferee", "conferees", "conference", "conferences", "conferential", "conferment", "conferrable", "conferral", "conferred", "conferring", "confers", "confess", "confessed", "confessedly", "confesses", "confessing", "confession", "confessional", "confessionals", "confessions", "confessor", "confidant", "confidante", "confidantes", "confidants", "confide", "confided", "confidence", "confidences", "confident", "confidential", "confidentiality", "confidentially", "confidently", "confides", "confiding", "confidingly", "configurability", "configurable", "configurate", "configurated", "configurates", "configurating", "configuration", "configurations", "configurative", "configurator", "configure", "configured", "configures", "configuring", "confinable", "confine", "confined", "confinement", "confinements", "confines", "confining", "confirm", "confirmable", "confirmatio", "confirmation", "confirmations", "confirmatory", "confirmed", "confirming", "confirmor", "confirmors", "confirms", "confiscable", "confiscate", "confiscated", "confiscating", "confiscation", "confiscator", "confiscators", "confiscatory", "conflagrate", "conflagration", "conflate", "conflated", "conflates", "conflating", "conflation", "conflict", "conflicted", "conflicting", "conflictingly", "confliction", "conflictions", "conflicts", "confluence", "confluent", "confluently", "conflux", "confocal", "conform", "conformability", "conformable", "conformably", "conformal", "conformally", "conformance", "conformation", "conformational", "conformed", "conformer", "conformers", "conforming", "conformist", "conformists", "conformity", "conforms", "confound", "confounded", "confoundedly", "confounder", "confounders", "confounding", "confoundingly", "confounds", "confront", "confrontation", "confrontational", "confrontations", "confronted", "confronting", "confronts", "confucian", "confucianism", "confucius", "confusable", "confusably", "confuse", "confused", "confusedly", "confusedness", "confuses", "confusing", "confusingly", "confusion", "confusions", "confutable", "confutation", "confutative", "confute", "confuted", "confutes", "confuting", "conga", "congeable", "congeal", "congealed", "congealing", "congealment", "congeals", "congelation", "congeneric", "congenerous", "congenial", "congeniality", "congenially", "congenital", "congenitally", "conger", "congest", "congested", "congestion", "congestive", "conglomerate", "conglomerated", "conglomerates", "conglomerating", "conglomeration", "conglomerations", "congo", "congolese", "congratulate", "congratulated", "congratulates", "congratulating", "congratulation", "congratulations", "congratulative", "congratulator", "congratulatory", "congregate", "congregated", "congregates", "congregating", "congregation", "congregational", "congregationalism", "congregationalist", "congregationalists", "congregations", "congress", "congresses", "congressional", "congressman", "congressmen", "congresswoman", "congresswomen", "congruence", "congruency", "congruent", "congruity", "congruous", "congruously", "congruousness", "conic", "conical", "conies", "conifer", "coniferous", "conifers", "coniform", "coning", "conjectural", "conjecturally", "conjecture", "conjectured", "conjectures", "conjecturing", "conjoin", "conjoined", "conjoining", "conjoins", "conjoint", "conjointly", "conjugal", "conjugality", "conjugally", "conjugate", "conjugated", "conjugates", "conjugating", "conjugation", "conjugational", "conjugative", "conjunct", "conjunction", "conjunctional", "conjunctionally", "conjunctions", "conjunctive", "conjunctivitis", "conjunctly", "conjuncture", "conjuration", "conjure", "conjured", "conjurer", "conjurers", "conjures", "conjuring", "conk", "conked", "conks", "connate", "connatural", "connect", "connectable", "connected", "connecticut", "connecting", "connection", "connections", "connective", "connectively", "connectivity", "connector", "connectors", "connects", "conned", "conning", "connivance", "connive", "connived", "conniver", "connives", "conniving", "connoisseur", "connoisseurs", "connotation", "connotations", "connotative", "connote", "connotes", "connubial", "connubiality", "conquer", "conquerable", "conquered", "conquering", "conqueror", "conquerors", "conquers", "conquest", "conquests", "conquistador", "cons", "consanguine", "consanguineous", "consanguinity", "conscience", "consciences", "conscientious", "conscientiously", "conscientiousness", "conscionable", "conscionableness", "conscionably", "conscious", "consciously", "consciousness", "conscript", "conscripted", "conscripting", "conscription", "conscriptions", "conscripts", "consecrate", "consecrated", "consecrates", "consecrating", "consecration", "consecrator", "consecrators", "consecutive", "consecutively", "consecutiveness", "consensual", "consensus", "consent", "consented", "consenting", "consentingly", "consents", "consequence", "consequences", "consequent", "consequential", "consequentially", "consequently", "conservable", "conservably", "conservancy", "conservation", "conservational", "conservationist", "conservationists", "conservatism", "conservative", "conservatively", "conservativeness", "conservatives", "conservator", "conservatories", "conservators", "conservatory", "conserve", "conserved", "conserver", "conservers", "conserves", "conserving", "consider", "considerable", "considerableness", "considerably", "considerate", "considerately", "considerateness", "consideration", "considerations", "considered", "considering", "consideringly", "considers", "consign", "consignable", "consigned", "consignee", "consignees", "consigning", "consignment", "consignments", "consignor", "consignors", "consigns", "consist", "consisted", "consistence", "consistency", "consistent", "consistently", "consisting", "consistor", "consistors", "consists", "consolable", "consolably", "consolation", "consolations", "consolatory", "console", "consoled", "consoles", "consolidate", "consolidated", "consolidates", "consolidating", "consolidation", "consolidative", "consolidator", "consolidators", "consoling", "consomme", "consonance", "consonant", "consonantal", "consonantly", "consonants", "consort", "consorted", "consorter", "consorters", "consortia", "consorting", "consortium", "consorts", "conspicuity", "conspicuous", "conspicuously", "conspicuousness", "conspiracies", "conspiracy", "conspirator", "conspiratorial", "conspirators", "conspire", "conspired", "conspires", "conspiring", "conspiringly", "constable", "constables", "constabulary", "constance", "constancy", "constant", "constantine", "constantinople", "constantly", "constants", "constat", "constellate", "constellation", "constellations", "consternate", "consternated", "consternates", "consternating", "consternation", "constipate", "constipated", "constipates", "constipating", "constipation", "constituencies", "constituency", "constituent", "constituently", "constituents", "constitute", "constituted", "constitutes", "constituting", "constitution", "constitutional", "constitutionally", "constitutionals", "constitutions", "constitutive", "constrain", "constrainable", "constrainably", "constrained", "constrainedly", "constraining", "constrains", "constraint", "constraints", "constrict", "constricted", "constricting", "constriction", "constrictions", "constrictive", "constrictor", "constrictors", "constricts", "construability", "construable", "construct", "constructable", "constructed", "constructible", "constructing", "construction", "constructional", "constructionally", "constructions", "constructive", "constructively", "constructiveness", "constructor", "constructors", "constructs", "construe", "construed", "construes", "construing", "consuetude", "consul", "consular", "consulate", "consulates", "consuls", "consulship", "consult", "consultancies", "consultancy", "consultant", "consultants", "consultary", "consultation", "consultations", "consultative", "consulted", "consulting", "consults", "consumable", "consumables", "consume", "consumed", "consumer", "consumerism", "consumers", "consumes", "consuming", "consumingly", "consummate", "consummated", "consummately", "consummates", "consummating", "consummation", "consumption", "consumptions", "consumptive", "consumptively", "consumptiveness", "contact", "contacted", "contacting", "contactor", "contactors", "contacts", "contagion", "contagious", "contagiously", "contagiousness", "contain", "containable", "contained", "container", "containerization", "containerize", "containerized", "containerizes", "containerizing", "containers", "containing", "containment", "contains", "contaminable", "contaminant", "contaminants", "contaminate", "contaminated", "contaminates", "contaminating", "contamination", "contaminations", "contaminative", "contaminator", "contaminators", "contemn", "contemplate", "contemplated", "contemplates", "contemplating", "contemplation", "contemplations", "contemplative", "contemplatively", "contemplator", "contemplators", "contemporaneous", "contemporaneously", "contemporaneousness", "contemporaries", "contemporary", "contempt", "contemptibility", "contemptible", "contemptibleness", "contemptibly", "contemptuous", "contemptuously", "contemptuousness", "contend", "contended", "contender", "contenders", "contending", "contends", "content", "contented", "contentedly", "contentedness", "contenting", "contention", "contentions", "contentious", "contentiously", "contentiousness", "contentment", "contents", "contest", "contestable", "contestant", "contestants", "contested", "contesting", "contests", "context", "contexts", "contextual", "contextually", "contiguity", "contiguous", "contiguously", "contiguousness", "continence", "continent", "continental", "continentally", "continents", "contingence", "contingencies", "contingency", "contingent", "contingently", "contingents", "continuable", "continual", "continually", "continuance", "continuant", "continuation", "continuations", "continuator", "continuators", "continue", "continued", "continuedly", "continues", "continuing", "continuities", "continuity", "continuous", "continuously", "continuousness", "continuum", "contort", "contorted", "contorting", "contortion", "contortional", "contortionate", "contortionist", "contortionists", "contortions", "contortive", "contorts", "contour", "contoured", "contouring", "contours", "contraband", "contrabass", "contraception", "contraceptive", "contraceptives", "contract", "contractability", "contracted", "contractible", "contractile", "contracting", "contraction", "contractions", "contractive", "contractor", "contractors", "contracts", "contractual", "contractually", "contradict", "contradicted", "contradicting", "contradiction", "contradictions", "contradictorily", "contradictory", "contradicts", "contralto", "contraption", "contraptions", "contrarily", "contrariness", "contrary", "contrast", "contrasted", "contrasting", "contrastingly", "contrastive", "contrasts", "contravariant", "contravene", "contravened", "contravenes", "contravening", "contravention", "contretemps", "contributable", "contributably", "contribute", "contributed", "contributes", "contributing", "contribution", "contributions", "contributive", "contributor", "contributors", "contributory", "contrite", "contritely", "contrition", "contrivable", "contrivance", "contrivances", "contrive", "contrived", "contriver", "contrivers", "contrives", "contriving", "control", "controllability", "controllable", "controlled", "controller", "controllers", "controlling", "controls", "controversial", "controversially", "controversies", "controversy", "controvertible", "controvertibly", "contumacious", "contumaciously", "contumacy", "contumely", "contusion", "contusions", "conundrum", "conundrums", "conurbation", "conurbations", "conurbia", "convalesce", "convalesced", "convalescence", "convalescent", "convalescents", "convalesces", "convalescing", "convect", "convection", "convectional", "convective", "convenable", "convenance", "convenances", "convene", "convened", "convener", "conveners", "convenes", "convenience", "conveniences", "convenient", "conveniently", "convening", "convent", "convention", "conventional", "conventionality", "conventionalized", "conventionally", "conventions", "convents", "converge", "converged", "convergence", "convergency", "convergent", "converges", "converging", "conversable", "conversably", "conversance", "conversancy", "conversant", "conversantly", "conversation", "conversational", "conversationally", "conversations", "converse", "conversed", "conversely", "converses", "conversing", "conversion", "conversions", "convert", "converted", "converter", "converters", "convertibility", "convertible", "convertibly", "converting", "convertor", "converts", "convex", "convexed", "convexedly", "convexity", "convexly", "convey", "conveyable", "conveyance", "conveyancer", "conveyancers", "conveyances", "conveyancing", "conveyed", "conveyer", "conveyers", "conveying", "conveyor", "conveyors", "conveys", "convict", "convicted", "convicting", "conviction", "convictional", "convictions", "convictive", "convicts", "convince", "convinced", "convinces", "convincible", "convincing", "convincingly", "convivial", "conviviality", "convivially", "convocate", "convocation", "convocational", "convocations", "convoke", "convolute", "convoluted", "convolutedly", "convolution", "convolutions", "convolve", "convolves", "convolving", "convoy", "convoys", "convulsant", "convulsants", "convulse", "convulsed", "convulses", "convulsible", "convulsing", "convulsion", "convulsional", "convulsionary", "convulsions", "convulsive", "convulsively", "convulsiveness", "cony", "coo", "cooed", "cooing", "cook", "cookbook", "cooked", "cooker", "cookers", "cookery", "cookie", "cookies", "cooking", "cooks", "cool", "coolant", "coolants", "cooled", "cooler", "coolers", "coolest", "coolheaded", "coolie", "coolies", "cooling", "coolish", "coolly", "coolness", "coolnesses", "cools", "coop", "cooped", "cooper", "cooperate", "cooperated", "cooperates", "cooperating", "cooperation", "cooperative", "cooperatively", "cooperatives", "cooperator", "cooperators", "coopers", "cooping", "coops", "coordinance", "coordinate", "coordinated", "coordinately", "coordinateness", "coordinates", "coordinating", "coordination", "coordinative", "coordinator", "coordinators", "coot", "cooties", "coots", "cop", "cope", "coped", "copenhagen", "copernican", "copernicus", "copes", "cophetua", "copied", "copier", "copiers", "copies", "copilot", "coping", "copings", "copious", "copiously", "copiousness", "coplanar", "copolymer", "copout", "copped", "copper", "copperas", "copperfield", "copperhead", "coppering", "copperplate", "coppers", "coppersmith", "coppersmiths", "coppery", "coppice", "coppices", "copping", "coprocessor", "cops", "copse", "copses", "copt", "coptic", "copts", "copulate", "copulated", "copulates", "copulating", "copulation", "copulations", "copulative", "copy", "copybook", "copybooks", "copycat", "copycats", "copying", "copyist", "copyists", "copyright", "copyrighted", "copyrights", "copywriter", "copywriters", "coracle", "coracles", "coral", "coralberry", "corallaceous", "cord", "cordage", "corded", "cordial", "cordialities", "cordiality", "cordially", "cordialness", "cordials", "cordite", "cordoba", "cordon", "cordons", "cords", "corduroy", "corduroys", "core", "cored", "coreless", "corer", "corers", "cores", "corey", "corfu", "corgi", "corgis", "coriander", "coring", "corinth", "corinthian", "corinthians", "coriolanus", "cork", "corkage", "corked", "corker", "corkers", "corking", "corks", "corkscrew", "corkscrews", "corky", "cormorant", "cormorants", "corn", "cornbread", "corncob", "cornea", "corneal", "corneas", "corned", "cornelius", "corner", "cornered", "cornering", "corners", "cornerstone", "cornet", "cornets", "cornfield", "cornfields", "cornflower", "cornflowers", "cornice", "corniest", "cornish", "cornmeal", "corns", "cornstalk", "cornstalks", "cornstarch", "cornucopia", "corny", "corollaries", "corollary", "corona", "coronaries", "coronary", "coronas", "coronation", "coronations", "coroner", "coroners", "coronet", "coronets", "corpora", "corporal", "corporals", "corporate", "corporately", "corporateness", "corporation", "corporations", "corporative", "corporeal", "corporeality", "corps", "corpse", "corpses", "corpsman", "corpsmen", "corpulence", "corpulency", "corpulent", "corpulently", "corpus", "corpuscle", "corpuscles", "corpuscular", "corral", "corralled", "corralling", "corrals", "correct", "correctable", "corrected", "correcting", "correction", "correctional", "corrections", "correctitude", "corrective", "correctly", "correctness", "corrector", "correctors", "corrects", "correlate", "correlated", "correlates", "correlating", "correlation", "correlational", "correlations", "correlative", "correlatively", "correlativeness", "correlativity", "correspond", "corresponded", "correspondence", "correspondences", "correspondency", "correspondent", "correspondents", "corresponding", "correspondingly", "corresponds", "corridor", "corridors", "corrigenda", "corrigendum", "corrigibility", "corrigible", "corroborable", "corroborate", "corroborated", "corroborates", "corroborating", "corroboration", "corroborative", "corroborator", "corroborators", "corroboratory", "corrode", "corroded", "corrodes", "corrodible", "corroding", "corrosibility", "corrosible", "corrosion", "corrosive", "corrosively", "corrosiveness", "corrosives", "corrugate", "corrugated", "corrugates", "corrugating", "corrugation", "corrugations", "corrupt", "corrupted", "corrupter", "corrupters", "corruptibility", "corruptible", "corruptibleness", "corruptibly", "corrupting", "corruption", "corruptly", "corruptness", "corrupts", "corsage", "corsair", "corset", "corsets", "corsica", "cortege", "cortex", "cortical", "cortically", "corticosteroid", "corticosteroids", "corydalis", "cos", "cosec", "cosecant", "cosh", "coshed", "cosign", "cosignatories", "cosignatory", "cosine", "cosines", "cosmetic", "cosmetical", "cosmetically", "cosmetics", "cosmetology", "cosmic", "cosmical", "cosmically", "cosmological", "cosmology", "cosmopolitan", "cosmopolitanism", "cosmos", "cosponsor", "cosponsored", "cosponsors", "cossack", "cossacks", "cosset", "cosseted", "cosseting", "cossets", "cost", "costar", "costed", "costing", "costive", "costiveness", "costlier", "costliest", "costliness", "costly", "costs", "costume", "costumed", "costumes", "cot", "cotangent", "cotland", "cotopaxi", "cots", "cotswolds", "cottage", "cottager", "cottagers", "cottages", "cotter", "cotters", "cotton", "cottonseed", "cottontail", "cottonwood", "cottony", "couch", "couched", "coucher", "couches", "couching", "cough", "coughed", "cougher", "coughers", "coughing", "coughs", "could", "coulomb", "council", "councilman", "councilmen", "councilor", "councilors", "councils", "councilwoman", "councilwomen", "counsel", "counseled", "counseling", "counsellable", "counselor", "counselors", "counsels", "count", "countable", "countdown", "counted", "countenance", "countenanced", "counter", "counteract", "counteracted", "counteracting", "counteraction", "counteractions", "counteractive", "counteractively", "counteracts", "counterargument", "counterattack", "counterbalance", "counterbalanced", "counterbalances", "counterbalancing", "counterblast", "counterblasted", "counterblasting", "counterblasts", "counterblow", "counterblows", "counterchange", "counterchanged", "counterchanges", "counterchanging", "countercheck", "counterchecked", "counterchecking", "counterchecks", "countered", "counterexample", "counterfeit", "counterfeited", "counterfeiter", "counterfeiters", "counterfeiting", "counterfeits", "counterflow", "counterfoil", "counterfoils", "countering", "countermand", "countermanded", "countermanding", "countermands", "countermeasure", "countermeasures", "countermove", "countermoves", "counterpane", "counterpanes", "counterpart", "counterparts", "counterplot", "counterplots", "counterplotted", "counterplotting", "counterpoint", "counterpointed", "counterpointing", "counterpoints", "counterpoise", "counterpoised", "counterpoises", "counterpoising", "counterproductive", "counterproposal", "counterrevolution", "counters", "countershaft", "countershafts", "countersign", "countersigned", "countersigning", "countersigns", "countersink", "countersinking", "countersinks", "counterstroke", "counterstrokes", "countersunk", "countertenor", "countertenors", "countervail", "countervailed", "countervailing", "countervails", "counterweight", "counterweights", "countess", "countesses", "counties", "counting", "countless", "countries", "countrified", "countrify", "country", "countryman", "countrymen", "countryside", "countrywide", "countrywoman", "countrywomen", "counts", "county", "countywide", "coup", "coupe", "couple", "coupled", "coupler", "couplers", "couples", "couplet", "couplets", "coupling", "couplings", "coupon", "coupons", "coups", "courage", "courageous", "courageously", "courageousness", "courcher", "courchers", "courier", "couriers", "course", "courser", "courses", "coursing", "court", "courted", "courteous", "courteously", "courteousness", "courtesan", "courtesans", "courtesies", "courtesy", "courthouse", "courtier", "courtiers", "courting", "courtliness", "courtly", "courtmartial", "courtney", "courtroom", "courts", "courtship", "courtyard", "courtyards", "couscous", "cousin", "cousins", "couture", "couturier", "couturiers", "covalent", "covariance", "covariances", "covariant", "cove", "coven", "covenable", "covenant", "covenanted", "covenantees", "covenanting", "covenantor", "covenantors", "covenants", "covens", "cover", "coverage", "covered", "covering", "coverings", "coverlet", "covers", "covert", "covertly", "coves", "covet", "coveted", "coveting", "covetingly", "covetous", "covetously", "covetousness", "covets", "cow", "coward", "cowardice", "cowardliness", "cowardly", "cowards", "cowbell", "cowbells", "cowbird", "cowbirds", "cowboy", "cowboys", "cowed", "cower", "cowered", "cowering", "coweringly", "cowers", "cowhand", "cowhands", "cowherd", "cowhide", "cowing", "cowl", "cowling", "cowls", "cowman", "cowmen", "coworker", "coworkers", "cowpox", "cowpunch", "cowpuncher", "cows", "cowslip", "cox", "coxcomb", "coxcombs", "coy", "coyest", "coyly", "coyness", "coyote", "coyotes", "coypu", "coypus", "cozier", "cozily", "cozy", "crab", "crabapple", "crabapples", "crabbed", "crabbier", "crabbiest", "crabbily", "crabbiness", "crabbing", "crabby", "crabs", "crabwise", "crack", "cracked", "cracker", "crackerjack", "crackers", "cracking", "crackle", "crackled", "crackles", "crackling", "crackly", "cracknel", "cracknels", "crackpot", "crackpots", "cracks", "cracksman", "cracksmen", "cradle", "cradled", "cradles", "cradling", "craft", "crafted", "crafter", "craftier", "craftiest", "craftily", "craftiness", "crafting", "crafts", "craftsman", "craftsmanship", "craftsmen", "craftspeople", "craftsperson", "crafty", "crag", "cragged", "craggedness", "cragginess", "craggy", "crags", "craig", "cram", "crammed", "cramming", "cramp", "cramped", "cramping", "crampon", "crampons", "cramps", "crams", "cranberries", "cranberry", "crane", "craned", "craneflies", "cranefly", "cranes", "cranesbill", "crania", "cranial", "craning", "cranium", "crank", "crankcase", "cranked", "crankier", "crankiest", "crankily", "crankiness", "cranking", "cranks", "crankshaft", "crankshafts", "cranky", "crannies", "cranny", "crash", "crashed", "crasher", "crashes", "crashing", "crass", "crassest", "crassly", "crassness", "crate", "crated", "crater", "cratered", "craters", "crates", "crating", "cravat", "cravats", "crave", "craved", "craven", "cravenly", "cravenness", "craves", "craving", "cravings", "craw", "crawl", "crawled", "crawler", "crawlers", "crawling", "crawls", "crawly", "craws", "crayfish", "crayon", "crayoned", "crayoning", "crayons", "craze", "crazed", "crazes", "crazier", "craziest", "crazily", "crazing", "crazy", "creak", "creaked", "creakier", "creakiest", "creakily", "creaking", "creaks", "creaky", "cream", "creamed", "creamer", "creamers", "creamery", "creamier", "creamiest", "creaminess", "creaming", "creams", "creamy", "crease", "creased", "creases", "creasing", "create", "created", "creates", "creating", "creation", "creations", "creative", "creatively", "creativeness", "creativity", "creator", "creators", "creature", "creatures", "creche", "creches", "credence", "credential", "credentials", "credibility", "credible", "credibleness", "credibly", "credit", "creditable", "creditably", "credited", "crediting", "creditor", "creditors", "credits", "credo", "credulity", "credulous", "credulously", "credulousness", "creed", "creeds", "creek", "creeks", "creep", "creeper", "creepers", "creeping", "creeps", "creepy", "cremate", "cremated", "cremates", "cremating", "cremation", "crematoria", "crematorium", "crematory", "creole", "creosote", "crepe", "crepes", "crept", "crepuscular", "crescendo", "crescendos", "crescent", "crescents", "cress", "crest", "crested", "crestfallen", "cresting", "crests", "cretaceous", "cretan", "crete", "cretin", "cretinous", "cretins", "crevasse", "crevasses", "crevice", "creviced", "crevices", "crew", "crewcut", "crewed", "crewing", "crewman", "crewmen", "crews", "cri", "crib", "cribbage", "cribbed", "cribbing", "cribs", "crick", "cricket", "cricketer", "cricketers", "crickets", "cricks", "cried", "crier", "criers", "cries", "crime", "crimea", "crimean", "crimes", "criminal", "criminality", "criminally", "criminals", "criminologist", "criminologists", "criminology", "crimp", "crimped", "crimper", "crimping", "crimps", "crimson", "crimsoning", "cringe", "cringed", "cringes", "cringing", "cringingly", "crinkle", "crinkled", "crinkles", "crinkling", "cripple", "crippled", "cripples", "crippling", "crises", "crisis", "crisp", "crispbread", "crisping", "crisply", "crispness", "crisps", "crispy", "crisscross", "crisscrossed", "crisscrosses", "crisscrossing", "criteria", "criterion", "critic", "critical", "criticality", "critically", "criticism", "criticisms", "criticize", "criticized", "criticizes", "criticizing", "critics", "critique", "critter", "critters", "croak", "croaked", "croaking", "croaks", "croats", "crochet", "crocheted", "crocheting", "crochets", "crock", "crockery", "crocks", "crocodile", "crocodiles", "crocodilian", "crocus", "crocuses", "crofter", "crofters", "croissant", "croissants", "crone", "crones", "cronies", "crony", "crook", "crooked", "crookedly", "crookedness", "crooks", "croon", "crooned", "crooner", "crooners", "crooning", "croons", "crop", "cropland", "cropped", "cropper", "cropping", "crops", "croquet", "croquette", "croquettes", "crosier", "crosiers", "cross", "crossbar", "crossbars", "crossbow", "crossbowman", "crossbowmen", "crossbows", "crossed", "crosses", "crossfire", "crosshatch", "crossing", "crossings", "crossly", "crossover", "crosspoint", "crossroad", "crossroads", "crosstalk", "crosswalk", "crossway", "crossways", "crosswise", "crossword", "crosswords", "crosswort", "crotch", "crotches", "crotchet", "crotchets", "crotchety", "crouch", "crouched", "crouches", "crouching", "croupier", "croupiers", "crouton", "croutons", "crow", "crowbar", "crowbars", "crowberry", "crowd", "crowded", "crowding", "crowds", "crowed", "crowfoot", "crowing", "crown", "crowned", "crowning", "crowns", "crows", "crucial", "crucially", "crucible", "crucibles", "crucified", "crucifies", "crucifix", "crucifixes", "crucifixion", "crucifixions", "crucify", "crucifying", "crude", "crudely", "crudeness", "cruder", "crudest", "crudities", "crudity", "cruel", "crueler", "cruelest", "cruelly", "cruelty", "cruet", "cruise", "cruised", "cruiser", "cruisers", "cruises", "cruising", "crumb", "crumble", "crumbled", "crumbles", "crumbling", "crumbly", "crumbs", "crummier", "crummiest", "crummy", "crumpet", "crumpets", "crumple", "crumpled", "crumples", "crumpling", "crunch", "crunched", "crunches", "crunchiness", "crunching", "crunchy", "crusade", "crusaded", "crusader", "crusaders", "crusades", "crusading", "crush", "crushed", "crusher", "crushers", "crushes", "crushing", "crusoe", "crust", "crustacean", "crustaceans", "crustaceous", "crusted", "crustier", "crustiest", "crustily", "crustiness", "crustless", "crusts", "crusty", "crutch", "crutched", "crutches", "crux", "cruxes", "cry", "crybaby", "crying", "cryogenic", "cryostat", "crypt", "cryptanalysis", "cryptanalyst", "cryptanalytic", "cryptic", "cryptically", "crypto", "cryptogram", "cryptograms", "cryptographer", "cryptographic", "cryptography", "cryptologist", "cryptologists", "cryptology", "crypts", "crystal", "crystalline", "crystallite", "crystallites", "crystallization", "crystallize", "crystallized", "crystallizes", "crystallizing", "crystallographer", "crystallographers", "crystallographic", "crystallography", "crystals", "cub", "cuba", "cuban", "cubans", "cubbyhole", "cubbyholes", "cube", "cubed", "cubes", "cubic", "cubical", "cubicle", "cubicles", "cubiform", "cubing", "cubism", "cubist", "cubists", "cubit", "cubits", "cuboid", "cuboidal", "cuboids", "cubs", "cuckold", "cuckolded", "cuckolding", "cuckolds", "cuckoo", "cuckoos", "cucumber", "cucumbers", "cud", "cuddle", "cuddled", "cuddles", "cuddlier", "cuddliest", "cuddling", "cuddly", "cudgel", "cudgeled", "cudgeling", "cudgels", "cudweed", "cue", "cued", "cueing", "cues", "cuff", "cuffed", "cuffing", "cufflink", "cufflinks", "cuffs", "cuisine", "culinary", "cull", "culled", "culling", "culls", "culminate", "culminated", "culminates", "culminating", "culmination", "culpability", "culpable", "culpableness", "culpably", "culprit", "culprits", "cult", "cultist", "cultivable", "cultivate", "cultivated", "cultivates", "cultivating", "cultivation", "cultivator", "cultivators", "cults", "cultural", "culturally", "culture", "cultured", "cultures", "culturing", "culvert", "culverts", "cumberland", "cumbersome", "cumin", "cummins", "cumulate", "cumulative", "cumulatively", "cumulus", "cuneiform", "cunning", "cunningly", "cup", "cupboard", "cupboards", "cupcake", "cupcakes", "cupful", "cupfuls", "cupid", "cupidity", "cupids", "cupola", "cupped", "cupping", "cups", "cur", "curable", "curably", "curacy", "curae", "curate", "curates", "curative", "curatively", "curator", "curators", "curatrices", "curatrix", "curb", "curbable", "curbed", "curbing", "curbs", "curbside", "curd", "curdle", "curdled", "curdles", "curdling", "curds", "cure", "cured", "cures", "curettage", "curfew", "curfews", "curia", "curie", "curing", "curio", "curios", "curiosities", "curiosity", "curious", "curiously", "curiousness", "curium", "curl", "curled", "curler", "curlers", "curlew", "curlews", "curlicue", "curlicues", "curlier", "curliest", "curliness", "curling", "curls", "curly", "curmudgeon", "curmudgeonly", "curmudgeons", "curnock", "currant", "currants", "currencies", "currency", "current", "currently", "currents", "curricula", "curricular", "curriculum", "curriculums", "curried", "curries", "curry", "currying", "curs", "curse", "cursed", "cursedly", "cursedness", "curses", "cursing", "cursive", "cursor", "cursorily", "cursoriness", "cursors", "cursory", "curst", "curt", "curtail", "curtailed", "curtailing", "curtailment", "curtails", "curtain", "curtained", "curtains", "curtly", "curtness", "curtsey", "curtseyed", "curtseying", "curtseys", "curtsied", "curtsies", "curtsy", "curtsying", "curvaceous", "curvaceously", "curvature", "curvatures", "curve", "curved", "curves", "curvets", "curving", "cushion", "cushioned", "cushioning", "cushions", "cushy", "cusp", "cuspidor", "cusps", "cuss", "cussed", "cussedness", "cussing", "custard", "custards", "custer", "custodial", "custodian", "custodians", "custody", "custom", "customarily", "customariness", "customary", "customer", "customers", "customhouse", "customization", "customize", "customized", "customizes", "customizing", "customs", "cut", "cutaneous", "cutback", "cutbacks", "cute", "cutely", "cuter", "cutest", "cuticle", "cuticles", "cutlass", "cutlasses", "cutler", "cutlers", "cutlery", "cutlet", "cutlets", "cutoff", "cutout", "cutouts", "cuts", "cutter", "cutters", "cutthroat", "cutting", "cuttings", "cuttlebone", "cuttlefish", "cutworm", "cwt", "cyan", "cyanate", "cyanic", "cyanide", "cyanides", "cybernetics", "cyclamen", "cycle", "cycled", "cycles", "cyclic", "cyclical", "cyclically", "cycling", "cyclist", "cyclists", "cyclone", "cyclones", "cyclopean", "cyclops", "cyclorama", "cyclotomic", "cyclotron", "cyclotrons", "cygnet", "cygnets", "cylinder", "cylinders", "cylindric", "cylindrical", "cylindrically", "cymbal", "cymbalo", "cymbals", "cynic", "cynical", "cynically", "cynicalness", "cynicism", "cynics", "cynthia", "cypher", "cyphers", "cypress", "cypresses", "cypriot", "cypriots", "cyprus", "cyril", "cyrillic", "cyst", "cystic", "cysts", "cytochemistry", "cytolysis", "cytoplasm", "czar", "czarina", "czarinas", "czarist", "czarists", "czars", "czarship", "czech", "czechoslovakia", "dab", "dabbed", "dabbing", "dabble", "dabbled", "dabbler", "dabblers", "dabbles", "dabbling", "dabs", "dacca", "dace", "dacha", "dachshund", "dactyl", "dactylic", "dactylology", "dad", "daddies", "daddy", "dads", "daedalus", "daemon", "daffodil", "daffodils", "daffy", "daft", "daftly", "daftness", "dagger", "daggers", "dahlia", "dahlias", "dailies", "daily", "daimler", "dainties", "daintily", "daintiness", "dainty", "dairies", "dairy", "dairyman", "dairymen", "dais", "daises", "daisies", "daisy", "dakar", "dakota", "dal", "dale", "dales", "dallas", "dalliance", "dallied", "dallier", "dallies", "dally", "dallying", "dalmatian", "dalmatians", "dam", "damage", "damageable", "damaged", "damages", "damaging", "damagingly", "damascus", "damask", "dame", "dames", "dammed", "damming", "damn", "damnable", "damnableness", "damnably", "damnation", "damned", "damnedest", "damning", "damns", "damp", "dampcourse", "damped", "dampen", "dampened", "dampening", "dampeningly", "dampens", "damper", "dampers", "damping", "dampish", "dampishness", "damply", "dampness", "damps", "dams", "damsel", "damsels", "damson", "damsons", "dan", "dance", "danced", "dancer", "dancers", "dances", "dancing", "dandelion", "dandelions", "dandify", "dandle", "dandling", "dandruff", "dandy", "dane", "danelage", "danewort", "danger", "dangerous", "dangerously", "dangerousness", "dangers", "dangle", "dangled", "dangles", "dangling", "daniel", "danish", "dank", "dankish", "dankly", "dankness", "danny", "dante", "danube", "danzig", "daphne", "daphnes", "daphnia", "dapper", "dapperly", "dapple", "dappled", "dapples", "dappling", "dare", "dared", "dares", "daring", "daringly", "dark", "darken", "darkened", "darkening", "darkens", "darker", "darkest", "darkly", "darkness", "darling", "darlings", "darn", "darned", "darner", "darners", "darning", "darns", "dart", "dartboard", "dartboards", "darted", "darting", "dartingly", "darts", "darwin", "darwinian", "dash", "dashboard", "dashboards", "dashed", "dasher", "dashes", "dashing", "dashingly", "dastard", "dastardliness", "dastardly", "data", "database", "databases", "datable", "datafile", "datafiles", "date", "dated", "dateless", "dateline", "datelined", "dater", "dates", "dating", "dative", "datum", "daub", "daubed", "dauber", "daubers", "daubing", "daubs", "daughter", "daughterly", "daughters", "daunt", "daunted", "daunting", "dauntingly", "dauntless", "dauntlessly", "dauntlessness", "daunts", "dauphin", "dave", "davenport", "david", "davidson", "davies", "davis", "davit", "davits", "davy", "dawdle", "dawdled", "dawdler", "dawdlers", "dawdles", "dawdling", "dawn", "dawned", "dawning", "dawns", "day", "daybook", "daybreak", "daydream", "daydreamed", "daydreamer", "daydreamers", "daydreaming", "daydreams", "daylight", "daylights", "daylong", "days", "daytime", "dayton", "daze", "dazed", "dazedly", "dazes", "dazing", "dazy", "dazzle", "dazzled", "dazzlement", "dazzler", "dazzles", "dazzling", "dazzlingly", "ddt", "deacon", "deaconess", "deaconesses", "deacons", "deactivate", "deactivated", "deactivates", "deactivating", "deactivation", "dead", "deadborn", "deaden", "deadened", "deadening", "deadens", "deadhead", "deadlier", "deadliest", "deadline", "deadlines", "deadliness", "deadlock", "deadlocked", "deadlocking", "deadlocks", "deadly", "deadness", "deadnettle", "deadpan", "deadwood", "deaf", "deafen", "deafened", "deafening", "deafeningly", "deafens", "deafer", "deafest", "deafness", "deal", "dealer", "dealers", "dealing", "dealings", "deallocate", "deallocated", "deallocates", "deallocating", "deals", "dealt", "dean", "deanery", "deans", "dear", "dearer", "dearest", "dearly", "dears", "dearth", "death", "deathbed", "deathless", "deathlike", "deathly", "deaths", "deathtrap", "deathtraps", "deathward", "deb", "debacle", "debacles", "debar", "debark", "debarkation", "debarks", "debarred", "debarring", "debase", "debased", "debasement", "debases", "debasing", "debasingly", "debatable", "debatably", "debate", "debated", "debater", "debaters", "debates", "debating", "debatingly", "debauch", "debauched", "debauchedly", "debauchedness", "debaucher", "debauchers", "debauchery", "debenture", "debentured", "debentures", "debilitate", "debilitated", "debilitates", "debilitating", "debilitation", "debility", "debit", "debited", "debiting", "debitor", "debitors", "debits", "deblocking", "debonair", "debonairly", "debonairness", "deborah", "debra", "debrief", "debriefed", "debriefing", "debriefs", "debris", "debt", "debtor", "debtors", "debts", "debug", "debugged", "debugging", "debunk", "debunked", "debunker", "debunking", "debunks", "debussy", "debut", "debutante", "debutantes", "debuts", "decade", "decadence", "decadency", "decadent", "decadents", "decades", "decamp", "decamped", "decamping", "decampment", "decamps", "decant", "decanted", "decanter", "decanters", "decanting", "decants", "decapitate", "decapitated", "decapitates", "decapitating", "decapitation", "decathlon", "decathlons", "decay", "decayed", "decaying", "decays", "decease", "deceased", "deceit", "deceitful", "deceitfully", "deceitfulness", "deceivable", "deceivably", "deceive", "deceived", "deceiver", "deceives", "deceiving", "deceivingly", "decelerate", "decelerated", "decelerates", "decelerating", "deceleration", "decelerator", "decelerators", "december", "decembers", "decencies", "decency", "decennial", "decent", "decently", "decentralization", "decentralize", "decentralized", "decentralizes", "decentralizing", "deception", "deceptions", "deceptive", "deceptively", "decertify", "decibel", "decibels", "decidable", "decide", "decided", "decidedly", "decider", "deciders", "decides", "deciding", "deciduous", "deciduousness", "deciliter", "deciliters", "decimal", "decimalization", "decimalize", "decimalized", "decimalizes", "decimalizing", "decimally", "decimals", "decimate", "decimated", "decimates", "decimating", "decimation", "decimator", "decimators", "decipher", "decipherable", "deciphered", "deciphering", "deciphers", "decision", "decisional", "decisions", "decisive", "decisively", "decisiveness", "deck", "decked", "decker", "deckers", "decking", "deckle", "decks", "declaim", "declaimed", "declaiming", "declaims", "declamation", "declamatory", "declarable", "declaration", "declarations", "declarative", "declaratively", "declarator", "declarators", "declaratory", "declare", "declared", "declaredly", "declares", "declaring", "declassification", "declassified", "declassifies", "declassify", "declassifying", "declension", "declensions", "declinable", "declinate", "declination", "decline", "declined", "declines", "declining", "declivities", "declivity", "deco", "decode", "decoded", "decoder", "decoders", "decodes", "decoding", "decompile", "decomposable", "decompose", "decomposed", "decomposes", "decomposing", "decomposite", "decomposition", "decompress", "decompressed", "decompresses", "decompressing", "decompression", "decompressor", "decompressors", "decongestant", "decontaminate", "decontamination", "decontrol", "decontrolled", "decontrolling", "decor", "decorate", "decorated", "decorates", "decorating", "decoration", "decorations", "decorative", "decoratively", "decorativeness", "decorator", "decorators", "decorous", "decorously", "decorousness", "decors", "decorum", "decoupage", "decoy", "decoyed", "decoying", "decoys", "decrease", "decreased", "decreases", "decreasing", "decreasingly", "decree", "decreeable", "decreed", "decreeing", "decrees", "decrement", "decremented", "decrementing", "decrements", "decrepit", "decrepitness", "decrepitude", "decried", "decries", "decry", "decrying", "decrypt", "decrypted", "decrypting", "decryption", "decrypts", "dedicate", "dedicated", "dedicates", "dedicating", "dedication", "dedications", "dedicator", "dedicatorial", "dedicators", "dedicatory", "deduce", "deduced", "deducement", "deduces", "deducible", "deducing", "deduct", "deducted", "deductibility", "deductible", "deducting", "deduction", "deductions", "deductive", "deductively", "deducts", "deed", "deedful", "deedily", "deeds", "deem", "deemed", "deeming", "deems", "deemster", "deep", "deepen", "deepened", "deepening", "deepens", "deeper", "deepest", "deepfelt", "deeply", "deepmost", "deepness", "deer", "deere", "deerskin", "deerstalker", "deface", "defaced", "defacement", "defaces", "defacing", "defacingly", "defalcate", "defalcated", "defalcates", "defalcating", "defalcation", "defalcator", "defalcators", "defalk", "defamation", "defamatory", "defame", "defamed", "defames", "defaming", "default", "defaulted", "defaulter", "defaulters", "defaulting", "defaults", "defeasible", "defeat", "defeated", "defeating", "defeatism", "defeatist", "defeatists", "defeats", "defecate", "defecated", "defecates", "defecating", "defect", "defected", "defecting", "defection", "defections", "defective", "defectively", "defectiveness", "defector", "defectors", "defects", "defend", "defendant", "defendants", "defended", "defender", "defenders", "defending", "defends", "defense", "defenseless", "defenselessness", "defenses", "defensibility", "defensible", "defensibly", "defensive", "defensively", "defensiveness", "defer", "deference", "deferent", "deferential", "deferentially", "deferment", "deferments", "deferrable", "deferral", "deferred", "deferring", "defers", "defiance", "defiant", "defiantly", "deficiencies", "deficiency", "deficient", "deficiently", "deficit", "deficits", "defied", "defies", "defile", "defiled", "defilement", "defiles", "defiling", "definable", "definably", "define", "defined", "definer", "definers", "defines", "defining", "definite", "definitely", "definiteness", "definition", "definitions", "definitive", "definitively", "definitiveness", "deflate", "deflated", "deflates", "deflating", "deflation", "deflationary", "deflator", "deflect", "deflected", "deflecting", "deflection", "deflections", "deflective", "deflector", "deflectors", "deflects", "defocus", "defocusing", "defog", "deforest", "deforestation", "deform", "deformable", "deformation", "deformational", "deformed", "deformedly", "deformedness", "deforming", "deformities", "deformity", "deforms", "defraud", "defraudation", "defrauded", "defrauder", "defrauders", "defrauding", "defraudment", "defrauds", "defray", "defrayable", "defrayal", "defrayed", "defraying", "defrayment", "defrays", "defrock", "defrocked", "defrost", "defrosted", "defroster", "defrosters", "defrosting", "defrosts", "deft", "deftly", "deftness", "defunct", "defunctness", "defuse", "defused", "defuses", "defusing", "defy", "defying", "degas", "degassed", "degassing", "degauss", "degeneracy", "degenerate", "degenerated", "degenerately", "degenerateness", "degenerates", "degenerating", "degeneration", "degenerative", "degradable", "degradation", "degrade", "degraded", "degrader", "degraders", "degrades", "degrading", "degradingly", "degrease", "degree", "degrees", "dehumanization", "dehumanize", "dehumanized", "dehumanizes", "dehumanizing", "dehumidified", "dehumidifier", "dehumidifiers", "dehumidifies", "dehumidify", "dehumidifying", "dehydrate", "dehydrated", "dehydrates", "dehydrating", "dehydration", "dehydrator", "deify", "deign", "deigned", "deigning", "deigns", "deism", "deist", "deistic", "deities", "deity", "dejected", "dejectedly", "dejection", "delaware", "delay", "delayed", "delayer", "delayers", "delaying", "delayingly", "delays", "delectability", "delectable", "delectableness", "delectably", "delegable", "delegacy", "delegate", "delegated", "delegates", "delegating", "delegation", "delegations", "delete", "deleted", "deleterious", "deleteriously", "deleteriousness", "deletes", "deleting", "deletion", "deletions", "delft", "delhi", "deliberate", "deliberated", "deliberately", "deliberateness", "deliberates", "deliberating", "deliberation", "deliberations", "deliberative", "deliberatively", "deliberator", "deliberators", "delicacies", "delicacy", "delicate", "delicately", "delicateness", "delicatessen", "delicatessens", "delicious", "deliciously", "deliciousness", "delict", "delight", "delighted", "delightedly", "delightful", "delightfully", "delightfulness", "delighting", "delightless", "delights", "delilah", "delimit", "delimitation", "delimitative", "delimited", "delimiter", "delimiters", "delimits", "delineable", "delineament", "delineate", "delineated", "delineates", "delineating", "delineation", "delineator", "delineators", "delinked", "delinquencies", "delinquency", "delinquent", "delinquently", "delinquents", "deliquesce", "deliquescent", "deliria", "delirious", "deliriously", "deliriousness", "delirium", "deliver", "deliverable", "deliverance", "delivered", "deliverer", "deliverers", "deliveries", "delivering", "delivers", "delivery", "dell", "delocalized", "delores", "delouse", "deloused", "delousing", "delphi", "delphian", "delphic", "delphinium", "delta", "deltas", "deltoid", "deludable", "delude", "deluded", "deludes", "deluding", "deluge", "deluged", "deluges", "deluging", "delusion", "delusional", "delusionist", "delusionists", "delusions", "delusive", "delusively", "delusiveness", "delusory", "deluxe", "delve", "delved", "delves", "delving", "demagnify", "demagogue", "demagogues", "demagogy", "demand", "demanded", "demander", "demanding", "demandingly", "demands", "demarcate", "demarcated", "demarcates", "demarcating", "demarcation", "demean", "demeaned", "demeaning", "demeanor", "demeans", "dement", "demented", "dementedly", "dementedness", "dementia", "demerara", "demerit", "demeritorious", "demerol", "demi", "demigod", "demigoddess", "demijohn", "demijohns", "demise", "demised", "demises", "demising", "demo", "demobilization", "democracies", "democracy", "democrat", "democratic", "democratically", "democratist", "democratists", "democratization", "democratize", "democratized", "democratizes", "democratizing", "democrats", "demodulate", "demodulated", "demodulates", "demodulating", "demodulation", "demodulator", "demodulators", "demographer", "demographers", "demographic", "demography", "demolish", "demolished", "demolishes", "demolishing", "demolition", "demon", "demoniac", "demonic", "demonically", "demons", "demonstrability", "demonstrable", "demonstrableness", "demonstrably", "demonstrate", "demonstrated", "demonstrates", "demonstrating", "demonstration", "demonstrations", "demonstrative", "demonstratively", "demonstrativeness", "demonstratives", "demonstrator", "demonstrators", "demoralization", "demoralize", "demoralized", "demoralizes", "demoralizing", "demote", "demoted", "demotes", "demoting", "demotion", "demountable", "demultiplex", "demur", "demure", "demurely", "demureness", "demurrable", "demurrage", "demurrant", "demurred", "demurrer", "demurrers", "demurring", "demurs", "demystification", "demystified", "demystifies", "demystify", "demystifying", "demythologize", "demythologizes", "den", "denationalization", "denationalize", "denationalized", "denationalizes", "denationalizing", "deniable", "deniably", "denial", "denials", "denied", "denier", "deniers", "denies", "denigrate", "denigrated", "denigrates", "denigrating", "denigratingly", "denigration", "denigrator", "denigrators", "denim", "denims", "denis", "denise", "denization", "denizen", "denizens", "denmark", "dennis", "denominable", "denominate", "denominated", "denominates", "denominating", "denomination", "denominational", "denominations", "denominative", "denominatively", "denominator", "denominators", "denotable", "denotation", "denotative", "denote", "denoted", "denotes", "denoting", "denouement", "denounce", "denounced", "denouncement", "denouncements", "denouncer", "denouncers", "denounces", "denouncing", "dens", "dense", "densely", "denseness", "denser", "densest", "densities", "densitometer", "densitometric", "densitometry", "density", "dent", "dental", "dentate", "dented", "dentine", "denting", "dentist", "dentistry", "dentists", "dents", "denture", "dentures", "denude", "denuded", "denudes", "denuding", "denumerable", "denunciate", "denunciated", "denunciates", "denunciating", "denunciation", "denunciations", "denunciator", "denunciators", "denunciatory", "denver", "deny", "denying", "deodorant", "deodorants", "deodorization", "deodorize", "deodorized", "deodorizes", "deodorizing", "depart", "departed", "departing", "department", "departmental", "departmentalize", "departmentalized", "departmentalizes", "departmentalizing", "departmentally", "departments", "departs", "departure", "departures", "depend", "dependability", "dependable", "dependably", "depended", "dependence", "dependencies", "dependency", "dependent", "dependents", "depending", "depends", "depersonalization", "depersonalize", "depersonalized", "depersonalizes", "depersonalizing", "depict", "depicted", "depicting", "depiction", "depictive", "depictor", "depictors", "depicts", "depilatory", "deplete", "depleted", "depletes", "depleting", "depletion", "depletive", "deplorable", "deplorableness", "deplorably", "deplore", "deplored", "deplores", "deploring", "deploringly", "deploy", "deployed", "deploying", "deployment", "deployments", "deploys", "depolarization", "depolarize", "depolarized", "depolarizes", "depolarizing", "depopulate", "depopulated", "depopulates", "depopulating", "depopulatio", "depopulation", "deport", "deportation", "deportations", "deported", "deportee", "deportees", "deporting", "deportment", "deports", "deposable", "deposal", "depose", "deposed", "deposes", "deposing", "deposit", "depositary", "deposited", "depositing", "deposition", "depositions", "depositor", "depositories", "depositors", "depository", "deposits", "depot", "depots", "depravation", "deprave", "depraved", "depravedly", "depravedness", "depravement", "depraves", "depravingly", "depravities", "depravity", "deprecable", "deprecate", "deprecated", "deprecates", "deprecating", "deprecatingly", "deprecation", "deprecative", "deprecator", "deprecators", "deprecatory", "depreciable", "depreciate", "depreciated", "depreciates", "depreciating", "depreciation", "depreciative", "depredate", "depredated", "depredates", "depredating", "depredation", "depredations", "depredator", "depredators", "depress", "depressant", "depressed", "depresses", "depressible", "depressing", "depressingly", "depression", "depressions", "depressive", "depressively", "depressor", "depressors", "depressurization", "depressurize", "depressurized", "depressurizes", "depressurizing", "deprivable", "deprival", "deprivation", "deprivations", "deprive", "deprived", "deprives", "depriving", "dept", "depth", "depthless", "depths", "deputation", "deputations", "depute", "deputed", "deputes", "deputies", "deputing", "deputize", "deputized", "deputizes", "deputizing", "deputy", "deracinate", "deracinated", "deracinates", "deracinating", "deracination", "deraigns", "derail", "derailed", "derailing", "derailment", "derailments", "derails", "derange", "deranged", "derangement", "derate", "deregulate", "derek", "derelict", "dereliction", "derelicts", "derestrict", "derestricted", "derestricting", "derestriction", "derestricts", "deride", "derided", "derides", "deriding", "deridingly", "derision", "derisive", "derisively", "derisiveness", "derisory", "derivability", "derivable", "derivation", "derivations", "derivative", "derivatively", "derivatives", "derive", "derived", "derives", "deriving", "dermatitis", "dermatologist", "dermatologists", "derogate", "derogated", "derogates", "derogating", "derogative", "derogatorily", "derogatoriness", "derogatory", "derrick", "derricks", "dervish", "dervishes", "descant", "descants", "descartes", "descend", "descendant", "descendants", "descended", "descendent", "descender", "descenders", "descending", "descends", "descent", "descents", "describable", "describe", "described", "describer", "describers", "describes", "describing", "descried", "descries", "description", "descriptions", "descriptive", "descriptively", "descriptiveness", "descriptor", "descriptors", "descry", "descrying", "desecrate", "desecrated", "desecrates", "desecrating", "desecration", "desecrator", "desecrators", "desegregate", "desegregated", "desegregates", "desegregating", "desegregation", "deselect", "deselected", "deselecting", "deselection", "deselects", "desert", "deserted", "deserter", "deserters", "deserting", "desertion", "desertions", "deserts", "deserve", "deserved", "deservedly", "deservedness", "deserves", "deserving", "deservingly", "desiccant", "desiccate", "desiccated", "desiccates", "desiccating", "desiccation", "desiderata", "desideratum", "design", "designable", "designate", "designated", "designates", "designating", "designation", "designations", "designator", "designators", "designed", "designedly", "designer", "designers", "designful", "designing", "designless", "designs", "desirability", "desirable", "desirableness", "desirably", "desire", "desired", "desireless", "desires", "desiring", "desirous", "desirously", "desirousness", "desist", "desistance", "desisted", "desisting", "desists", "desk", "desks", "desktop", "desktops", "desmond", "desolate", "desolated", "desolately", "desolateness", "desolater", "desolation", "desolations", "desolator", "desolators", "desolder", "desoldered", "desoldering", "desolders", "desorption", "despair", "despaired", "despairing", "despairingly", "despairs", "desperado", "desperadoes", "desperate", "desperately", "desperateness", "desperation", "despicability", "despicable", "despicableness", "despicably", "despise", "despised", "despises", "despising", "despite", "despoil", "despoiled", "despoiler", "despoilers", "despoiling", "despoilment", "despoils", "despond", "despondence", "despondency", "despondent", "despondently", "despondingly", "despot", "despotic", "despotically", "despotism", "despots", "dessert", "desserts", "dessertspoon", "dessertspoons", "destabilize", "destabilized", "destabilizes", "destabilizing", "destination", "destinations", "destine", "destined", "destines", "destinies", "destining", "destiny", "destitute", "destitution", "destroy", "destroyed", "destroyer", "destroyers", "destroying", "destroys", "destruct", "destructibility", "destructible", "destructibleness", "destruction", "destructionist", "destructionists", "destructive", "destructively", "destructiveness", "destructor", "desuetude", "desultorily", "desultoriness", "desultory", "desynchronize", "detach", "detachability", "detachable", "detached", "detachedly", "detachedness", "detaches", "detaching", "detachment", "detachments", "detail", "detailed", "detailing", "details", "detain", "detainable", "detained", "detainee", "detainees", "detainer", "detainers", "detaining", "detainment", "detains", "detect", "detectable", "detected", "detecting", "detection", "detective", "detectives", "detector", "detectors", "detects", "detente", "detentes", "detention", "detentions", "deter", "detergency", "detergent", "detergents", "deteriorate", "deteriorated", "deteriorates", "deteriorating", "deterioration", "deteriorative", "determent", "determinability", "determinable", "determinableness", "determinably", "determinacy", "determinant", "determinants", "determinate", "determinately", "determinateness", "determination", "determinations", "determinative", "determine", "determined", "determinedly", "determines", "determining", "determinism", "determinist", "deterministic", "determinists", "deterred", "deterrence", "deterrent", "deterrents", "deterring", "deters", "detest", "detestability", "detestable", "detestableness", "detestably", "detestation", "detested", "detesting", "detests", "dethrone", "dethroned", "dethrones", "dethroning", "detinet", "detonable", "detonate", "detonated", "detonates", "detonating", "detonation", "detonations", "detonator", "detonators", "detour", "detoured", "detours", "detoxification", "detract", "detracted", "detracting", "detractingly", "detraction", "detractive", "detractor", "detractors", "detractory", "detracts", "detrain", "detriment", "detrimental", "detroit", "deuce", "deuces", "deuterium", "deuteronomy", "devaluation", "devaluations", "devalue", "devalued", "devalues", "devaluing", "devastate", "devastated", "devastates", "devastating", "devastatingly", "devastation", "develop", "developable", "developed", "developer", "developers", "developing", "development", "developmental", "developmentally", "developments", "develops", "deviance", "deviancy", "deviant", "deviants", "deviate", "deviated", "deviates", "deviating", "deviation", "deviations", "device", "devices", "devil", "deviled", "devilfish", "devilish", "devilishly", "devilment", "devils", "deviltry", "devious", "deviously", "deviousness", "devisable", "devise", "devised", "devises", "devising", "devisor", "devisors", "devitalize", "devitalized", "devitalizes", "devitalizing", "devoid", "devolution", "devolutionary", "devolutionist", "devolutionists", "devolve", "devolved", "devolvement", "devolves", "devolving", "devonian", "devote", "devoted", "devotedly", "devotedness", "devotee", "devotees", "devotes", "devoting", "devotion", "devotions", "devour", "devoured", "devourer", "devourers", "devouring", "devouringly", "devours", "devout", "devoutly", "devoutness", "dew", "dewberry", "dewdrop", "dewdrops", "dewed", "dewier", "dewlap", "dewy", "dexter", "dexterity", "dexterous", "dexterously", "dexterousness", "dextrose", "dfc", "dhabi", "diabetes", "diabetic", "diabetics", "diabolic", "diabolical", "diabolically", "diadem", "diadems", "diagnosable", "diagnose", "diagnosed", "diagnoses", "diagnosing", "diagnosis", "diagnostic", "diagnostician", "diagnosticians", "diagnostics", "diagonal", "diagonally", "diagonals", "diagram", "diagrammatic", "diagrammatically", "diagrammed", "diagrams", "dial", "dialect", "dialectic", "dialectical", "dialectically", "dialectician", "dialectics", "dialects", "dialed", "dialer", "dialing", "dialog", "dialogue", "dialogues", "dials", "dialysis", "diamagnetic", "diamagnetism", "diameter", "diameters", "diametric", "diametrical", "diametrically", "diamond", "diamonds", "diana", "diane", "diaper", "diapers", "diaphanous", "diaphanously", "diaphragm", "diaphragmatic", "diaphragmatical", "diaphragms", "diaries", "diarist", "diarists", "diarrhea", "diary", "diaspora", "diathermy", "diathesis", "diatom", "diatomaceous", "diatomic", "diatonic", "diatribe", "diatribes", "dibble", "dice", "diced", "dices", "dicey", "dichloride", "dichotomous", "dichotomously", "dichotomy", "dicier", "diciest", "dicing", "dick", "dickens", "dickensian", "dicker", "dickers", "dickey", "dickinson", "dicta", "dictaphone", "dictate", "dictated", "dictates", "dictating", "dictation", "dictations", "dictator", "dictatorial", "dictatorially", "dictators", "dictatorship", "diction", "dictionaries", "dictionary", "dictum", "dictums", "did", "didactic", "didactically", "didacticism", "didactics", "diddle", "diddled", "diddler", "diddlers", "diddles", "diddling", "die", "died", "diehard", "dielectric", "dieppe", "dies", "diesel", "diet", "dietary", "dieted", "dieter", "dieters", "dietetic", "dietetical", "dietetically", "dietetics", "dieting", "dietitian", "dietitians", "dietrich", "diets", "differ", "differed", "difference", "differences", "differency", "different", "differentiable", "differential", "differentially", "differentiate", "differentiated", "differentiates", "differentiating", "differentiation", "differently", "differing", "differs", "difficult", "difficulties", "difficulty", "diffidence", "diffident", "diffidently", "diffract", "diffracted", "diffraction", "diffractometer", "diffracts", "diffuse", "diffused", "diffusedly", "diffusedness", "diffusely", "diffuseness", "diffuser", "diffusers", "diffuses", "diffusibility", "diffusing", "diffusion", "diffusive", "diffusivity", "difluoride", "dig", "digest", "digestant", "digested", "digester", "digesters", "digestibility", "digestible", "digesting", "digestion", "digestive", "digestively", "digests", "diggable", "digger", "diggers", "digging", "diggings", "digit", "digital", "digitalis", "digitalization", "digitally", "digitization", "digitize", "digitized", "digitizes", "digitizing", "digits", "dignified", "dignifies", "dignify", "dignifying", "dignitaries", "dignitary", "dignities", "dignity", "digress", "digressed", "digresser", "digressers", "digresses", "digressing", "digression", "digressional", "digressions", "digressive", "digressively", "digs", "dihedral", "dijon", "dike", "dikes", "dilapidate", "dilapidated", "dilapidation", "dilatability", "dilatable", "dilatancy", "dilatation", "dilate", "dilated", "dilates", "dilating", "dilation", "dilations", "dilative", "dilator", "dilatorily", "dilatoriness", "dilators", "dilatory", "dilemma", "dilemmas", "dilemmatic", "dilettante", "dilettantes", "diligence", "diligent", "diligently", "dill", "dilute", "diluted", "diluteness", "dilutes", "diluting", "dilution", "dilutions", "dim", "dime", "dimension", "dimensional", "dimensionally", "dimensioned", "dimensioning", "dimensionless", "dimensions", "dimes", "diminish", "diminishable", "diminished", "diminishes", "diminishing", "diminishingly", "diminishment", "diminution", "diminutive", "diminutively", "diminutives", "dimissory", "dimly", "dimmed", "dimmer", "dimmers", "dimmest", "dimming", "dimmish", "dimness", "dimple", "dimpled", "dimples", "dims", "din", "dinar", "dine", "dined", "diner", "diners", "dines", "dinette", "ding", "dinged", "dinghies", "dinghy", "dingier", "dingiest", "dinginess", "dinging", "dingle", "dingo", "dingoes", "dings", "dingy", "dining", "dinky", "dinned", "dinner", "dinnerless", "dinners", "dinnertime", "dinnerware", "dinning", "dinosaur", "dinosaurs", "dint", "diocesan", "diocese", "diode", "diodes", "diorama", "dioxide", "dip", "diphtheria", "diphthong", "diploma", "diplomacy", "diplomas", "diplomat", "diplomatic", "diplomatically", "diplomatist", "diplomatists", "diplomats", "dipolar", "dipole", "dipoles", "dipped", "dipper", "dippers", "dipping", "dips", "dipsomania", "dipsomaniac", "dipsomaniacs", "dipstick", "dipsticks", "dire", "direct", "directed", "directing", "direction", "directional", "directionality", "directionally", "directions", "directive", "directives", "directivity", "directly", "directness", "director", "directorate", "directorial", "directories", "directors", "directorship", "directory", "directress", "directresses", "directs", "direful", "direfully", "direly", "direness", "direst", "dirge", "dirges", "dirigible", "dirigibles", "dirt", "dirtied", "dirtier", "dirties", "dirtiest", "dirtily", "dirtiness", "dirty", "dirtying", "disabilities", "disability", "disable", "disabled", "disablement", "disables", "disabling", "disabuse", "disabused", "disabuses", "disabusing", "disadvantage", "disadvantageable", "disadvantaged", "disadvantageous", "disadvantageously", "disadvantageousness", "disadvantages", "disadvantaging", "disaffect", "disaffected", "disaffectedly", "disaffectedness", "disaffecting", "disaffection", "disaffectionate", "disaffects", "disaffiliate", "disaffiliated", "disaffiliation", "disagree", "disagreeability", "disagreeable", "disagreeableness", "disagreeably", "disagreed", "disagreeing", "disagreement", "disagreements", "disagrees", "disallow", "disallowable", "disallowance", "disallowed", "disallowing", "disallows", "disappear", "disappearance", "disappearances", "disappeared", "disappearing", "disappears", "disappoint", "disappointed", "disappointing", "disappointingly", "disappointment", "disappointments", "disappoints", "disapprobation", "disapprobative", "disapprobatory", "disappropriate", "disappropriated", "disappropriates", "disappropriating", "disappropriation", "disapproval", "disapprovals", "disapprove", "disapproved", "disapproves", "disapproving", "disapprovingly", "disarm", "disarmament", "disarmed", "disarmer", "disarmers", "disarming", "disarmingly", "disarms", "disarrange", "disarranged", "disarrangement", "disarrangements", "disarranges", "disarranging", "disarray", "disarrayed", "disarraying", "disarrays", "disassemble", "disassembled", "disassembler", "disassembles", "disassemblies", "disassembling", "disassembly", "disassociate", "disassociated", "disassociates", "disassociating", "disassociation", "disassociations", "disaster", "disasters", "disastrous", "disastrously", "disastrousness", "disavow", "disavowal", "disavowed", "disavowing", "disavows", "disband", "disbanded", "disbanding", "disbandment", "disbands", "disbar", "disbarment", "disbarred", "disbarring", "disbars", "disbelief", "disbelieve", "disbelieved", "disbeliever", "disbelievers", "disbelieves", "disbelieving", "disburse", "disbursed", "disbursement", "disbursements", "disburses", "disbursing", "disc", "discard", "discarded", "discarding", "discardment", "discards", "discern", "discerned", "discernible", "discernibly", "discerning", "discernment", "discerns", "discharge", "dischargeable", "discharged", "discharger", "dischargers", "discharges", "discharging", "disciple", "disciples", "discipleship", "disciplinable", "disciplinal", "disciplinarian", "disciplinarians", "disciplinary", "discipline", "disciplined", "discipliner", "discipliners", "disciplines", "disciplining", "disclaim", "disclaimation", "disclaimed", "disclaimer", "disclaimers", "disclaiming", "disclaims", "disclose", "disclosed", "discloses", "disclosing", "disclosure", "disclosures", "disco", "discoid", "discolor", "discoloration", "discolorations", "discolored", "discoloring", "discolors", "discombobulate", "discombobulated", "discombobulates", "discombobulating", "discomfit", "discomfited", "discomfiting", "discomfits", "discomfiture", "discomfort", "discomfortable", "discomforted", "discomforting", "discomforts", "discompose", "discomposed", "discomposes", "discomposing", "discomposure", "disconcert", "disconcerted", "disconcerting", "disconcertingly", "disconcertion", "disconcerts", "disconformable", "disconformities", "disconformity", "disconnect", "disconnectable", "disconnected", "disconnecting", "disconnection", "disconnections", "disconnects", "disconsolate", "disconsolately", "disconsolateness", "discontent", "discontented", "discontentedly", "discontentedness", "discontentful", "discontention", "discontentment", "discontents", "discontinuance", "discontinuation", "discontinue", "discontinued", "discontinues", "discontinuing", "discontinuities", "discontinuity", "discontinuous", "discontinuously", "discord", "discordance", "discordancy", "discordant", "discordantly", "discos", "discotheque", "discotheques", "discount", "discountable", "discounted", "discountenance", "discountenanced", "discountenances", "discountenancing", "discounter", "discounters", "discounting", "discounts", "discourage", "discouraged", "discouragement", "discouragements", "discourages", "discouraging", "discouragingly", "discourse", "discoursed", "discourses", "discoursing", "discourteous", "discourteously", "discourteousness", "discourtesies", "discourtesy", "discover", "discoverable", "discovered", "discoverer", "discoverers", "discoveries", "discovering", "discovers", "discovery", "discredit", "discreditable", "discreditably", "discredited", "discrediting", "discredits", "discreet", "discreetly", "discrepancies", "discrepancy", "discrepant", "discrete", "discretely", "discreteness", "discretion", "discretional", "discretionary", "discriminable", "discriminant", "discriminate", "discriminated", "discriminately", "discriminates", "discriminating", "discriminatingly", "discrimination", "discriminative", "discriminatively", "discriminator", "discriminators", "discriminatory", "discs", "discursists", "discursive", "discursively", "discursiveness", "discus", "discuss", "discussant", "discussed", "discusser", "discussers", "discusses", "discussible", "discussing", "discussion", "discussions", "disdain", "disdained", "disdainful", "disdainfully", "disdainfulness", "disdaining", "disdains", "disease", "diseased", "diseasedness", "diseaseful", "diseases", "disembark", "disembarkation", "disembarked", "disembarking", "disembarkment", "disembarks", "disembarrass", "disembarrassed", "disembarrasses", "disembarrassment", "disembellish", "disembellished", "disembellishes", "disembellishing", "disembellishment", "disembodied", "disembodies", "disembodiment", "disembody", "disembodying", "disembowel", "disemboweled", "disemboweling", "disembowelment", "disembowels", "disenchant", "disenchanted", "disenchanting", "disenchantingly", "disenchantment", "disenchants", "disencumber", "disencumbered", "disencumbering", "disencumberment", "disencumbers", "disenfranchise", "disenfranchised", "disenfranchises", "disenfranchising", "disengage", "disengaged", "disengagedness", "disengagement", "disengages", "disengaging", "disentangle", "disentangled", "disentanglement", "disentangles", "disentangling", "disenthral", "disenthraled", "disenthraling", "disenthralment", "disenthrals", "disestablish", "disestablished", "disestablishes", "disestablishing", "disestablishment", "disestablishmentarian", "disestablishmentarianism", "disfavor", "disfavored", "disfavoring", "disfavors", "disfiguration", "disfigure", "disfigured", "disfigurement", "disfigures", "disfiguring", "disgorge", "disgorged", "disgorgement", "disgorges", "disgorging", "disgrace", "disgraced", "disgraceful", "disgracefully", "disgracefulness", "disgracer", "disgracers", "disgraces", "disgracing", "disgruntle", "disgruntled", "disgruntlement", "disguise", "disguised", "disguisedly", "disguisedness", "disguisement", "disguiser", "disguisers", "disguises", "disguising", "disgust", "disgusted", "disgustedly", "disgustedness", "disgustful", "disgustfully", "disgustfulness", "disgusting", "disgustingly", "disgustingness", "disgusts", "dish", "dishabille", "disharmonic", "disharmonies", "disharmonious", "disharmoniously", "disharmonize", "disharmonized", "disharmonizes", "disharmonizing", "disharmony", "dishearten", "disheartened", "disheartening", "dishearteningly", "disheartens", "dished", "dishes", "dishevel", "disheveled", "disheveling", "dishevelment", "dishing", "dishonest", "dishonesties", "dishonestly", "dishonesty", "dishonor", "dishonorable", "dishonorableness", "dishonorably", "dishonored", "dishonoring", "dishonors", "dishrag", "dishwasher", "dishwashers", "dishwater", "disillude", "disilluded", "disilludes", "disilluding", "disillusion", "disillusionary", "disillusioned", "disillusioning", "disillusionment", "disillusions", "disillusive", "disincentive", "disincentives", "disinclination", "disincline", "disinclined", "disinclines", "disinclining", "disinfect", "disinfectant", "disinfectants", "disinfected", "disinfecting", "disinfection", "disinfector", "disinfectors", "disinfects", "disinfest", "disinfestation", "disinflation", "disinflationary", "disinformation", "disingenuity", "disingenuous", "disingenuously", "disingenuousness", "disinherit", "disinheritance", "disinherited", "disinheriting", "disinherits", "disintegrable", "disintegrate", "disintegrated", "disintegrates", "disintegrating", "disintegration", "disintegrative", "disintegrator", "disinter", "disinterest", "disinterested", "disinterestedly", "disinterestedness", "disinterment", "disinterred", "disinterring", "disinters", "disjoin", "disjoined", "disjoining", "disjoins", "disjoint", "disjointed", "disjointedly", "disjointedness", "disjunct", "disjunction", "disjunctive", "disjunctor", "disjunctors", "disjuncture", "disk", "diskette", "diskettes", "disks", "dislike", "dislikeable", "disliked", "dislikeful", "dislikes", "disliking", "dislocate", "dislocated", "dislocatedly", "dislocates", "dislocating", "dislocation", "dislocations", "dislodge", "dislodged", "dislodges", "dislodging", "disloyal", "disloyally", "disloyalties", "disloyalty", "dismal", "dismally", "dismalness", "dismantle", "dismantled", "dismantles", "dismantling", "dismask", "dismasked", "dismasking", "dismasks", "dismay", "dismayed", "dismayedness", "dismayful", "dismayfully", "dismaying", "dismays", "dismember", "dismembered", "dismembering", "dismemberment", "dismembers", "dismiss", "dismissal", "dismissals", "dismissed", "dismisses", "dismissing", "dismissive", "dismount", "dismountable", "dismounted", "dismounting", "dismounts", "disney", "disneyland", "disobedience", "disobedient", "disobediently", "disobey", "disobeyed", "disobeyer", "disobeyers", "disobeying", "disobeys", "disobligation", "disobligations", "disobligatory", "disoblige", "disobliged", "disobligement", "disobliges", "disobliging", "disobligingly", "disobligingness", "disorder", "disordered", "disordering", "disorderliness", "disorderly", "disorders", "disorganization", "disorganize", "disorganized", "disorganizes", "disorganizing", "disorient", "disorientate", "disorientated", "disorientates", "disorientating", "disorientation", "disoriented", "disown", "disowned", "disowner", "disowning", "disownment", "disowns", "disparage", "disparaged", "disparagement", "disparager", "disparagers", "disparages", "disparaging", "disparagingly", "disparate", "disparately", "disparateness", "disparates", "disparities", "disparity", "dispassionate", "dispassionately", "dispatch", "dispatched", "dispatcher", "dispatchers", "dispatches", "dispatching", "dispel", "dispelled", "dispeller", "dispellers", "dispelling", "dispels", "dispensability", "dispensable", "dispensableness", "dispensably", "dispensaries", "dispensary", "dispensate", "dispensation", "dispensative", "dispensatively", "dispensator", "dispensatorily", "dispensators", "dispensatory", "dispense", "dispensed", "dispenser", "dispensers", "dispenses", "dispensing", "dispersal", "dispersant", "dispersants", "disperse", "dispersed", "dispersedly", "dispersedness", "disperser", "dispersers", "disperses", "dispersible", "dispersing", "dispersion", "dispersive", "dispirit", "dispirited", "dispiritedly", "dispiritedness", "dispiriting", "dispiritingly", "dispiritment", "dispirits", "displace", "displaceable", "displaced", "displacement", "displacements", "displaces", "displacing", "display", "displayable", "displayed", "displayer", "displayers", "displaying", "displays", "displease", "displeased", "displeasedly", "displeasedness", "displeases", "displeasing", "displeasingly", "displeasingness", "displeasure", "disport", "disported", "disporting", "disportment", "disports", "disposability", "disposable", "disposal", "dispose", "disposed", "disposedly", "disposer", "disposers", "disposes", "disposing", "disposingly", "disposition", "dispositional", "dispositioned", "dispositions", "dispositive", "dispositively", "dispossess", "dispossessed", "dispossesses", "dispossessing", "dispossession", "dispossessor", "dispossessors", "disposure", "disproof", "disproportion", "disproportionable", "disproportionableness", "disproportionably", "disproportional", "disproportionally", "disproportionate", "disproportionately", "disproportionateness", "disprovable", "disprove", "disproved", "disproven", "disproves", "disproving", "disputability", "disputable", "disputableness", "disputably", "disputant", "disputants", "disputation", "disputatious", "disputatiously", "disputatiousness", "disputative", "dispute", "disputed", "disputer", "disputers", "disputes", "disputing", "disqualification", "disqualifications", "disqualified", "disqualifiers", "disqualifies", "disqualify", "disqualifying", "disquiet", "disquieted", "disquieten", "disquietened", "disquietens", "disquietful", "disquieting", "disquietive", "disquietness", "disquietous", "disquietude", "disquisition", "disrate", "disrated", "disrates", "disrating", "disregard", "disregarded", "disregardful", "disregardfully", "disregarding", "disregards", "disrepair", "disreputable", "disreputableness", "disreputably", "disrepute", "disrespect", "disrespectful", "disrespectfully", "disrespectfulness", "disrobe", "disrobed", "disrobement", "disrobes", "disrobing", "disrupt", "disrupted", "disrupter", "disrupters", "disrupting", "disruption", "disruptions", "disruptive", "disruptively", "disrupts", "dissatisfaction", "dissatisfactoriness", "dissatisfactory", "dissatisfied", "dissatisfies", "dissatisfy", "dissatisfying", "dissect", "dissected", "dissecting", "dissection", "dissector", "dissectors", "dissects", "dissemble", "dissembled", "dissembles", "dissembling", "dissemblingly", "disseminate", "disseminated", "disseminates", "disseminating", "dissemination", "disseminative", "disseminator", "disseminators", "dissension", "dissensions", "dissent", "dissented", "dissenter", "dissenters", "dissenting", "dissentingly", "dissentious", "dissents", "dissertation", "dissertational", "dissertations", "dissertative", "disservice", "dissidence", "dissident", "dissidents", "dissimilar", "dissimilarities", "dissimilarity", "dissimilarly", "dissimilitude", "dissimulate", "dissimulated", "dissimulates", "dissimulating", "dissimulation", "dissimulator", "dissimulators", "dissipate", "dissipated", "dissipates", "dissipating", "dissipation", "dissipative", "dissociability", "dissociable", "dissocial", "dissociate", "dissociated", "dissociates", "dissociating", "dissociation", "dissociative", "dissolubility", "dissoluble", "dissolubleness", "dissolute", "dissolutely", "dissoluteness", "dissolution", "dissolutions", "dissolvability", "dissolvable", "dissolvableness", "dissolve", "dissolved", "dissolves", "dissolving", "dissonance", "dissonances", "dissonancy", "dissonant", "dissuade", "dissuaded", "dissuader", "dissuaders", "dissuades", "dissuading", "dissuasion", "dissuasive", "dissuasory", "distal", "distance", "distanced", "distances", "distancing", "distant", "distantly", "distaste", "distasteful", "distastefully", "distastefulness", "distemper", "distempered", "distempering", "distempers", "distend", "distended", "distending", "distends", "distension", "distensive", "distention", "distill", "distillable", "distillate", "distillates", "distillation", "distilled", "distiller", "distilleries", "distillers", "distillery", "distilling", "distills", "distinct", "distinction", "distinctions", "distinctive", "distinctively", "distinctiveness", "distinctly", "distinctness", "distinguish", "distinguishable", "distinguishably", "distinguished", "distinguisher", "distinguishers", "distinguishes", "distinguishing", "distort", "distortable", "distorted", "distorting", "distortion", "distortions", "distortive", "distorts", "distract", "distracted", "distractedly", "distractedness", "distracting", "distraction", "distractions", "distractive", "distracts", "distraint", "distraught", "distress", "distressed", "distresses", "distressful", "distressfully", "distressfulness", "distressing", "distressingly", "distributable", "distribute", "distributed", "distributes", "distributing", "distribution", "distributional", "distributions", "distributive", "distributively", "distributor", "distributors", "distributorship", "district", "districts", "distrust", "distrusted", "distrustful", "distrustfully", "distrustfulness", "distrusting", "distrustingly", "distrustless", "distrusts", "disturb", "disturbance", "disturbances", "disturbed", "disturber", "disturbers", "disturbing", "disturbingly", "disturbs", "disulfide", "disunion", "disunite", "disunited", "disunites", "disuniting", "disunity", "disuse", "disused", "disyllable", "ditch", "ditched", "ditcher", "ditchers", "ditches", "ditching", "dither", "dithered", "dithering", "dithers", "ditties", "ditto", "dittos", "ditty", "diuretic", "diurnal", "diurnally", "diva", "divan", "divans", "divas", "dive", "dived", "diver", "diverge", "diverged", "divergence", "divergency", "divergent", "divergently", "diverges", "diverging", "divers", "diverse", "diversely", "diversification", "diversified", "diversifies", "diversify", "diversifying", "diversion", "diversionary", "diversions", "diversities", "diversity", "divert", "diverted", "divertible", "divertibly", "diverting", "diverts", "dives", "divest", "divested", "divesting", "divestiture", "divestment", "divests", "dividable", "divide", "divided", "dividedly", "dividend", "dividends", "divider", "dividers", "divides", "dividing", "divination", "divinator", "divinators", "divine", "divined", "divinely", "divineness", "diviner", "diviners", "divines", "diving", "divining", "divinities", "divinity", "divisibility", "divisible", "division", "divisional", "divisionism", "divisions", "divisive", "divisiveness", "divisor", "divisors", "divorce", "divorceable", "divorced", "divorcee", "divorcees", "divorcement", "divorces", "divorcing", "divulgation", "divulge", "divulged", "divulges", "divulging", "dixie", "dixieland", "dixon", "dizzily", "dizziness", "dizzy", "dizzying", "djakarta", "djibouti", "djinn", "dna", "doc", "docile", "docilely", "docility", "dock", "dockage", "docked", "docker", "dockers", "docket", "docketed", "docketing", "dockets", "docking", "docks", "dockside", "dockyard", "dockyards", "doctor", "doctoral", "doctorate", "doctorates", "doctored", "doctoring", "doctors", "doctorship", "doctorships", "doctrinaire", "doctrinairian", "doctrinal", "doctrinally", "doctrine", "doctrines", "document", "documental", "documentaries", "documentary", "documentation", "documented", "documenting", "documents", "dodder", "doddered", "dodderer", "doddering", "dodders", "doddery", "dodecahedra", "dodecahedral", "dodecahedron", "dodge", "dodged", "dodger", "dodgers", "dodges", "dodging", "dodo", "dodos", "doe", "doer", "doers", "does", "doeskin", "doff", "doffed", "doffing", "doffs", "dog", "dogberry", "dogfish", "dogged", "doggedly", "doggedness", "doggerel", "doggie", "dogging", "doggone", "doggy", "doghouse", "dogma", "dogmas", "dogmatic", "dogmatical", "dogmatically", "dogmatism", "dogmatist", "dogmatists", "dogs", "dogwood", "doilies", "doily", "doing", "doings", "doldrums", "dole", "doled", "doleful", "dolefully", "doles", "dolesome", "dolesomely", "doling", "doll", "dollar", "dollars", "dollies", "dollop", "dolls", "dolly", "dolmen", "dolomite", "dolomites", "dolorous", "dolphin", "dolphins", "dolt", "doltish", "doltishness", "dolts", "domain", "domains", "dome", "domed", "domes", "domesday", "domestic", "domestically", "domesticate", "domesticated", "domesticates", "domesticating", "domestication", "domesticity", "domestics", "domicile", "domiciled", "domiciles", "domiciliary", "domiciling", "dominance", "dominancy", "dominant", "dominantly", "dominate", "dominated", "dominates", "dominating", "domination", "dominator", "dominators", "domineer", "domineered", "domineering", "domineers", "domingo", "dominica", "dominical", "dominican", "dominion", "dominions", "dominique", "domino", "dominoes", "dominus", "don", "donald", "donate", "donated", "donates", "donating", "donation", "donations", "donator", "donatories", "donators", "donatory", "done", "donee", "dong", "dongle", "doni", "donkey", "donkeys", "donna", "donned", "donnelly", "donning", "donor", "donors", "dons", "doodle", "doodlebug", "doodlebugs", "doodled", "doodler", "doodlers", "doodles", "doodling", "doom", "doomed", "dooming", "dooms", "doomsday", "door", "doorbell", "doorbells", "doorkeeper", "doorkeepers", "doorknob", "doorknobs", "doorman", "doormat", "doormats", "doormen", "doors", "doorstep", "doorsteps", "doorway", "doorways", "dope", "doped", "doper", "dopers", "dopes", "dopey", "doping", "doppler", "dora", "doric", "doris", "dorm", "dormancy", "dormant", "dormer", "dormers", "dormice", "dormitories", "dormitory", "dormouse", "dorothea", "dorothy", "dorsa", "dorsal", "dorsally", "dortmund", "dory", "dosage", "dosages", "dose", "dosed", "doses", "dosimeter", "dosing", "doss", "dossier", "dossiers", "dostoyevsky", "dot", "dotage", "dotard", "dote", "doted", "dotes", "doting", "dots", "dotted", "dottier", "dotting", "dotty", "double", "doubled", "doubles", "doublet", "doublets", "doubling", "doubloon", "doubly", "doubt", "doubtable", "doubtably", "doubted", "doubter", "doubters", "doubtful", "doubtfully", "doubtfulness", "doubting", "doubtingly", "doubtless", "doubtlessly", "doubts", "douche", "doug", "dough", "doughnut", "doughnuts", "doughtily", "doughtiness", "doughty", "doughy", "douglas", "dour", "dourest", "dourly", "dourness", "douse", "doused", "douses", "dousing", "dove", "dovecote", "dover", "doves", "dovetail", "dovetails", "dow", "dowager", "dowdily", "dowdiness", "dowdy", "dowel", "doweled", "doweling", "dowels", "dower", "down", "downbeat", "downcast", "downed", "downfall", "downfalls", "downgrade", "downgraded", "downgrades", "downgrading", "downhill", "downing", "download", "downloaded", "downloading", "downpour", "downpours", "downright", "downs", "downside", "downstairs", "downstream", "downtown", "downtrend", "downtrodden", "downturn", "downward", "downwardly", "downwardness", "downwards", "downwind", "downy", "dowries", "dowry", "dowse", "dowsed", "dowser", "dowsers", "dowses", "dowsing", "doyle", "doze", "dozed", "dozen", "dozens", "dozes", "doziness", "dozing", "dozy", "drab", "drably", "drabness", "drachma", "drachmae", "draconian", "dracula", "draft", "drafted", "draftee", "drafters", "drafting", "drafts", "draftsman", "draftsmen", "draftsperson", "drag", "dragged", "dragger", "dragging", "dragnet", "dragon", "dragonflies", "dragonfly", "dragonlike", "dragons", "dragoon", "dragooned", "dragooning", "dragoons", "drags", "drain", "drainable", "drainage", "drained", "drainer", "drainers", "draining", "drains", "drake", "drakes", "dram", "drama", "dramas", "dramatic", "dramatical", "dramatically", "dramaticism", "dramatics", "dramatis", "dramatist", "dramatists", "dramatization", "dramatizations", "dramatize", "dramatized", "dramatizes", "dramatizing", "drambuie", "drank", "drape", "draped", "draper", "draperies", "drapers", "drapery", "drapes", "draping", "drastic", "drastically", "drat", "draught", "draughts", "draughtsman", "draughtsmanship", "draughtsmen", "draughty", "draw", "drawable", "drawback", "drawbacks", "drawbridge", "drawer", "drawers", "drawing", "drawings", "drawknife", "drawl", "drawled", "drawling", "drawls", "drawn", "draws", "dray", "dread", "dreaded", "dreadful", "dreadfully", "dreadfulness", "dreading", "dreadnought", "dreads", "dream", "dreamboat", "dreamed", "dreamer", "dreamers", "dreamily", "dreaming", "dreamless", "dreamlessly", "dreamlessness", "dreamlike", "dreams", "dreamt", "dreamy", "drearily", "dreariness", "dreary", "dredge", "dredged", "dredger", "dredgers", "dredges", "dredging", "dregs", "drench", "drenched", "drenches", "drenching", "dresden", "dress", "dressage", "dressed", "dresser", "dressers", "dresses", "dressing", "dressings", "dressmaker", "dressmakers", "dressy", "drew", "dribble", "dribbled", "dribbles", "dribbling", "dried", "drier", "dries", "driest", "drift", "driftage", "drifted", "drifter", "drifters", "drifting", "driftless", "drifts", "driftwood", "drill", "drilled", "driller", "drilling", "drills", "drily", "drink", "drinkable", "drinker", "drinkers", "drinking", "drinks", "drip", "dripfeed", "dripped", "dripping", "drippy", "drips", "drive", "drivel", "driveled", "driveling", "drivels", "driven", "driver", "drivers", "drives", "driveway", "driveways", "driving", "drizzle", "drizzled", "drizzles", "drizzling", "drizzly", "droll", "drollery", "drollest", "drollishness", "drolly", "dromedaries", "dromedary", "drone", "droned", "drones", "droning", "dronish", "dronishly", "dronishness", "drool", "drooled", "drooling", "drools", "droop", "drooped", "drooping", "droopingly", "droops", "droopy", "drop", "drophead", "droplet", "droplets", "dropout", "dropouts", "dropped", "dropper", "droppers", "dropping", "droppings", "drops", "dropsy", "dropwort", "dross", "drossiness", "drossy", "drought", "droughts", "drove", "drover", "drovers", "droves", "drown", "drowned", "drowning", "drowns", "drowse", "drowsed", "drowses", "drowsily", "drowsiness", "drowsing", "drowsy", "drub", "drubbed", "drubbing", "drudge", "drudged", "drudgery", "drudges", "drudging", "drudgingly", "drug", "drugged", "drugger", "druggers", "drugging", "druggist", "druggists", "drugs", "drugstore", "drugstores", "druid", "druids", "drum", "drummed", "drummer", "drummers", "drumming", "drums", "drumstick", "drumsticks", "drunk", "drunkard", "drunkards", "drunken", "drunkenly", "drunkenness", "drunker", "drunks", "dry", "dryden", "dryer", "dryers", "drying", "dryish", "dryly", "dryness", "dsc", "dual", "dualism", "dualist", "dualists", "dually", "dub", "dubbed", "dubbin", "dubbing", "dubiety", "dubiosity", "dubious", "dubiously", "dubiousness", "dublin", "dubs", "ducal", "ducat", "duchess", "duchesses", "duchies", "duchy", "duck", "duckbill", "ducked", "ducking", "duckling", "ducklings", "ducks", "duct", "ductile", "ductless", "ducts", "ductwork", "dud", "dude", "dudgeon", "duds", "due", "duel", "dueled", "dueler", "duelers", "dueling", "duelist", "duelists", "duels", "dues", "duet", "duets", "duff", "duffel", "duffer", "duffers", "dug", "dugout", "dugouts", "duke", "dukedom", "dukes", "dulcet", "dull", "dullard", "dulled", "duller", "dullest", "dullness", "dully", "duluth", "duly", "dumb", "dumbbell", "dumbbells", "dumbfound", "dumbfounded", "dumbfounding", "dumbfounds", "dumbly", "dumbness", "dumdum", "dummies", "dummy", "dump", "dumped", "dumpiness", "dumping", "dumpling", "dumplings", "dumps", "dumpy", "dun", "dunce", "dunces", "dune", "dunes", "dung", "dungaree", "dungarees", "dungeon", "dungeons", "dunk", "dunked", "dunking", "dunkirk", "dunks", "dunlop", "dunned", "dunning", "duns", "duo", "duodenal", "duodenum", "duopolies", "duopoly", "dupe", "duped", "duper", "dupers", "dupes", "duping", "duple", "duplex", "duplexing", "duplicable", "duplicate", "duplicated", "duplicates", "duplicating", "duplication", "duplicator", "duplicators", "duplicity", "durability", "durable", "durableness", "durably", "durance", "duration", "durations", "durban", "duress", "durham", "during", "dusk", "duskily", "duskiness", "dusky", "dust", "dustbin", "dustbins", "dusted", "duster", "dusters", "dustin", "dustiness", "dusting", "dustless", "dustpan", "dusts", "dusty", "dutch", "dutchman", "dutchmen", "dutiable", "duties", "dutiful", "dutifully", "dutifulness", "duty", "dwarf", "dwarfed", "dwarfing", "dwarfish", "dwarfishly", "dwarfishness", "dwarfs", "dwarves", "dwell", "dwelled", "dweller", "dwellers", "dwelling", "dwellings", "dwells", "dwelt", "dwight", "dwindle", "dwindled", "dwindlement", "dwindles", "dwindling", "dye", "dyed", "dyeing", "dyer", "dyers", "dyes", "dying", "dyingly", "dyke", "dykes", "dylan", "dynamic", "dynamical", "dynamically", "dynamics", "dynamism", "dynamite", "dynamo", "dynamos", "dynast", "dynastic", "dynasties", "dynasty", "dysentery", "dyslectic", "dyslexia", "dyspepsia", "dyspeptic", "dyspeptical", "dyspeptically", "dysprosium", "dystrophy", "each", "eager", "eagerly", "eagerness", "eagle", "eagles", "eaglet", "ear", "earache", "eardrum", "eardrums", "eared", "earful", "earl", "earldom", "earlier", "earliest", "earlobe", "earls", "early", "earmark", "earmarked", "earmarking", "earmarks", "earmuff", "earn", "earned", "earner", "earners", "earnest", "earnestly", "earnestness", "earning", "earnings", "earns", "earphone", "earphones", "earplug", "earplugs", "earring", "earrings", "ears", "earshot", "earsplitting", "earth", "earthed", "earthen", "earthenware", "earthiness", "earthing", "earthly", "earthmen", "earthmover", "earthmoving", "earthquake", "earthquakes", "earths", "earthworm", "earthworms", "earthy", "earwig", "earwigs", "ease", "eased", "easel", "easels", "easement", "easements", "eases", "easier", "easiest", "easily", "easiness", "easing", "east", "eastbound", "easter", "easterly", "eastern", "easterner", "easterners", "easternmost", "eastward", "eastwards", "easy", "easygoing", "eat", "eatable", "eaten", "eater", "eaters", "eating", "eatings", "eaton", "eats", "eave", "eaves", "eavesdrop", "eavesdropped", "eavesdropper", "eavesdroppers", "eavesdropping", "eavesdrops", "ebb", "ebba", "ebbed", "ebbing", "ebbs", "ebony", "ebullience", "ebullient", "eccentric", "eccentricities", "eccentricity", "eccentrics", "ecclesiastes", "ecclesiastic", "ecclesiastical", "echelon", "echelons", "echo", "echoed", "echoes", "echoing", "eclair", "eclairs", "eclat", "eclectic", "eclipse", "eclipsed", "eclipses", "eclipsing", "ecliptic", "ecological", "ecologically", "ecologist", "ecologists", "ecology", "econometric", "econometrica", "econometrics", "economic", "economical", "economically", "economics", "economies", "economist", "economists", "economize", "economized", "economizes", "economizing", "economy", "ecosystem", "ecru", "ecstasies", "ecstasy", "ecstatic", "ecstatically", "ecuador", "ecuadorian", "ecumenic", "ecumenist", "eczema", "edam", "eddies", "eddy", "edelweiss", "edema", "eden", "edgar", "edge", "edged", "edges", "edgeways", "edgewise", "edgily", "edginess", "edging", "edgy", "edible", "edibly", "edict", "edicts", "edification", "edifice", "edifices", "edified", "edifies", "edify", "edifying", "edinburgh", "edison", "edit", "editable", "edited", "edith", "editing", "edition", "editions", "editor", "editorial", "editorially", "editorials", "editors", "editorship", "edits", "edmonton", "edmund", "edna", "educable", "educate", "educated", "educates", "educating", "education", "educational", "educationally", "educations", "educator", "educators", "educe", "educed", "educes", "educible", "edward", "edwardian", "edwards", "edwin", "edwina", "eel", "eelgrass", "eels", "eerie", "eerily", "efface", "effaceable", "effaced", "effacement", "effaces", "effacing", "effect", "effected", "effecting", "effective", "effectively", "effectiveness", "effects", "effectual", "effectually", "effectuate", "effeminate", "effeminately", "effervesce", "effervesced", "effervescence", "effervescent", "effervesces", "effervescing", "effetely", "efficacious", "efficaciously", "efficaciousness", "efficacy", "efficiencies", "efficiency", "efficient", "efficiently", "effigies", "effigy", "effloresce", "efflorescent", "effluence", "effluent", "effluents", "effort", "effortless", "effortlessly", "efforts", "effrontery", "effuse", "effused", "effuses", "effusing", "effusion", "effusive", "effusiveness", "egalitarian", "egalitarianism", "egg", "egged", "egghead", "eggheads", "egging", "eggnog", "eggplant", "eggplants", "eggs", "eggshell", "eggshells", "eglantine", "ego", "egocentric", "egoism", "egoist", "egoistic", "egoistically", "egoists", "egos", "egotism", "egotist", "egotists", "egregious", "egregiously", "egregiousness", "egress", "egresses", "egressing", "egret", "egrets", "egypt", "egyptian", "egyptians", "eider", "eiderdown", "eight", "eighteen", "eighteenth", "eightfold", "eighth", "eighths", "eighties", "eightieth", "eighty", "eileen", "einstein", "einsteinium", "eire", "eisenhower", "either", "ejaculate", "ejaculated", "ejaculates", "ejaculating", "ejaculation", "ejaculations", "eject", "ejected", "ejecting", "ejection", "ejections", "ejector", "ejects", "eke", "eked", "ekes", "eking", "ektachrome", "elaborate", "elaborated", "elaborately", "elaborateness", "elaborates", "elaborating", "elaboration", "elaine", "elan", "eland", "elapse", "elapsed", "elapses", "elapsing", "elastic", "elastically", "elasticities", "elasticity", "elate", "elated", "elatedly", "elatedness", "elates", "elating", "elation", "elba", "elbe", "elbow", "elbowed", "elbowing", "elbows", "elder", "elderberries", "elderberry", "elderly", "elders", "eldest", "eleanor", "elect", "elected", "electing", "election", "electioneer", "electioneered", "electioneering", "electioneers", "elections", "elective", "electives", "elector", "electoral", "electorate", "electorates", "electors", "electra", "electress", "electric", "electrical", "electrically", "electrician", "electricians", "electricity", "electrics", "electrifiable", "electrification", "electrified", "electrifies", "electrify", "electrifying", "electro", "electrocardiogram", "electrochemical", "electrocute", "electrocuted", "electrocutes", "electrocuting", "electrode", "electrodes", "electrodynamics", "electrolysis", "electrolyte", "electrolytes", "electrolytic", "electromagnet", "electromagnetic", "electromagnetism", "electron", "electronic", "electronically", "electronics", "electrons", "electrophoresis", "electrophorus", "electroplate", "electroplated", "electroplates", "electroplating", "electroscope", "electroscopes", "electrostatic", "elects", "elegance", "elegances", "elegant", "elegantly", "elegiac", "elegies", "elegy", "element", "elemental", "elementally", "elementary", "elements", "elephant", "elephantine", "elephants", "elevate", "elevated", "elevates", "elevating", "elevation", "elevations", "elevator", "elevators", "eleven", "elevenses", "eleventh", "elf", "elfin", "elfish", "eli", "elias", "elicit", "elicited", "eliciting", "elicits", "eligibility", "eligible", "eligibly", "elijah", "eliminate", "eliminated", "eliminates", "eliminating", "elimination", "eliminations", "eliminator", "eliminators", "elisabeth", "elise", "elisha", "elite", "elitism", "elitist", "elitists", "elixir", "elixirs", "elizabeth", "elizabethan", "elk", "elks", "ell", "ella", "ellen", "ellipse", "ellipses", "ellipsis", "ellipsoid", "ellipsoidal", "ellipsoids", "ellipsometer", "ellipsometry", "elliptic", "elliptical", "elliptically", "elm", "elms", "elocution", "elocutionist", "elocutionists", "elongate", "elongated", "elongates", "elongating", "elongation", "elope", "eloped", "elopement", "elopements", "eloper", "elopes", "eloping", "eloquence", "eloquent", "eloquently", "else", "elsewhere", "elsie", "elucidate", "elucidated", "elucidates", "elucidating", "elucidation", "elucidatory", "elude", "eluded", "eludes", "eluding", "elusion", "elusive", "elusively", "elusiveness", "elusory", "elves", "elvis", "elysian", "elysium", "emaciate", "emaciated", "emaciation", "emacs", "emanate", "emanated", "emanates", "emanating", "emanation", "emanations", "emancipate", "emancipated", "emancipates", "emancipating", "emancipation", "emanuel", "emasculate", "emasculated", "emasculates", "emasculating", "emasculation", "embalm", "embalmed", "embalmer", "embalmers", "embalming", "embalms", "embank", "embankment", "embankments", "embargo", "embargoed", "embargoes", "embargoing", "embark", "embarkation", "embarkations", "embarked", "embarking", "embarks", "embarrass", "embarrassed", "embarrasses", "embarrassing", "embarrassingly", "embarrassment", "embarrassments", "embassies", "embassy", "embattle", "embattled", "embed", "embedded", "embedder", "embedding", "embellish", "embellished", "embellishes", "embellishing", "embellishment", "embellishments", "ember", "embers", "embezzle", "embezzled", "embezzlement", "embezzler", "embezzlers", "embezzles", "embezzling", "embitter", "embittered", "embittering", "embitters", "emblazon", "emblem", "emblematic", "emblems", "embodied", "embodies", "embodiment", "embodiments", "embody", "embodying", "embolden", "emboldened", "emboldening", "emboldens", "embolism", "emboss", "embossed", "embosses", "embossing", "embower", "embrace", "embraceable", "embraced", "embraces", "embracing", "embrittle", "embroider", "embroidered", "embroideries", "embroidering", "embroiders", "embroidery", "embroil", "embroiled", "embroiling", "embroils", "embryo", "embryonic", "embryos", "emend", "emended", "emending", "emends", "emerald", "emeralds", "emerge", "emerged", "emergence", "emergencies", "emergency", "emergent", "emerges", "emerging", "emeritus", "emery", "emetic", "emetics", "emigrant", "emigrants", "emigrate", "emigrated", "emigrates", "emigrating", "emigration", "emigre", "emil", "emily", "eminence", "eminent", "eminently", "emir", "emirate", "emirates", "emissaries", "emissary", "emission", "emissions", "emissivity", "emit", "emits", "emittance", "emitted", "emitter", "emitting", "emma", "emmanuel", "emolument", "emoluments", "emotion", "emotional", "emotionalism", "emotionality", "emotionally", "emotions", "emotive", "empathic", "empathy", "emperor", "emperors", "emphases", "emphasis", "emphasize", "emphasized", "emphasizes", "emphasizing", "emphatic", "emphatically", "emphysema", "emphysematous", "empire", "empires", "empiric", "empirical", "empirically", "empiricism", "employ", "employed", "employee", "employees", "employer", "employers", "employing", "employment", "employments", "employs", "emporia", "emporium", "empower", "empowered", "empowering", "empowers", "empress", "empresses", "emptied", "emptier", "empties", "emptiest", "emptiness", "empty", "emptying", "emu", "emulate", "emulated", "emulates", "emulating", "emulation", "emulations", "emulator", "emulators", "emulous", "emulsification", "emulsified", "emulsifier", "emulsifiers", "emulsifies", "emulsify", "emulsifying", "emulsion", "emulsions", "emus", "enable", "enabled", "enables", "enabling", "enact", "enacted", "enacting", "enaction", "enactment", "enacts", "enamel", "enameled", "enameling", "enamels", "enamor", "enamored", "enamoring", "enamors", "encamp", "encamped", "encamping", "encampment", "encampments", "encamps", "encapsulate", "encapsulated", "encapsulates", "encapsulating", "encapsulation", "encase", "encased", "encasement", "encases", "encasing", "encephalitis", "enchain", "enchained", "enchant", "enchanted", "enchanter", "enchanters", "enchanting", "enchantingly", "enchantment", "enchantress", "enchants", "encipher", "enciphered", "enciphering", "enciphers", "encircle", "encircled", "encircles", "encircling", "enclave", "enclaves", "enclose", "enclosed", "encloses", "enclosing", "enclosure", "enclosures", "encode", "encoded", "encoder", "encodes", "encoding", "encompass", "encompassed", "encompasses", "encompassing", "encore", "encores", "encounter", "encountered", "encountering", "encounters", "encourage", "encouraged", "encouragement", "encourages", "encouraging", "encouragingly", "encroach", "encroached", "encroaches", "encroaching", "encroachingly", "encroachment", "encroachments", "encrust", "encrusted", "encrypt", "encrypted", "encrypting", "encryption", "encrypts", "encumber", "encumbered", "encumbering", "encumbers", "encumbrance", "encumbrances", "encyclical", "encyclopedia", "encyclopedias", "encyclopedic", "end", "endanger", "endangered", "endangering", "endangers", "endear", "endeared", "endearing", "endearingly", "endearment", "endearments", "endears", "endeavor", "endeavored", "endeavoring", "endeavors", "ended", "endemic", "endgame", "ending", "endings", "endive", "endless", "endlessly", "endlessness", "endmost", "endogamous", "endogamy", "endogenous", "endorse", "endorsed", "endorsement", "endorsements", "endorses", "endorsing", "endothermic", "endow", "endowed", "endowing", "endowment", "endowments", "endows", "endpoint", "endpoints", "ends", "endue", "endurable", "endurableness", "endurably", "endurance", "endure", "endured", "endures", "enduring", "enduringly", "endways", "endwise", "ene", "enema", "enemas", "enemies", "enemy", "energetic", "energetically", "energies", "energize", "energized", "energizes", "energizing", "energy", "enervate", "enervated", "enervates", "enervating", "enervation", "enfeeble", "enfeebled", "enfeeblement", "enfeebles", "enfeebling", "enfold", "enfolded", "enfolding", "enfolds", "enforce", "enforceable", "enforced", "enforcedly", "enforcement", "enforcers", "enforces", "enforcing", "enfranchise", "enfranchising", "engage", "engaged", "engagement", "engagements", "engages", "engaging", "engagingly", "engender", "engendered", "engendering", "engenders", "engine", "engineer", "engineered", "engineering", "engineers", "engines", "england", "english", "englishman", "englishmen", "engraft", "engrave", "engraved", "engraver", "engravers", "engraves", "engraving", "engravings", "engross", "engrossed", "engrosses", "engrossing", "engulf", "engulfed", "engulfing", "engulfs", "enhance", "enhanced", "enhancement", "enhancements", "enhancer", "enhancers", "enhances", "enhancing", "enid", "enigma", "enigmas", "enigmatic", "enigmatically", "enjoin", "enjoinder", "enjoined", "enjoining", "enjoins", "enjoy", "enjoyable", "enjoyably", "enjoyed", "enjoying", "enjoyment", "enjoys", "enlarge", "enlargeable", "enlarged", "enlargement", "enlargements", "enlarger", "enlarges", "enlarging", "enlighten", "enlightened", "enlightening", "enlightenment", "enlightens", "enlist", "enlisted", "enlisting", "enlistment", "enlists", "enliven", "enlivened", "enlivening", "enlivenment", "enlivens", "enmesh", "enmeshed", "enmeshes", "enmeshing", "enmities", "enmity", "ennoble", "ennobled", "ennobles", "ennobling", "ennui", "enoch", "enormity", "enormous", "enormously", "enough", "enquire", "enquired", "enrage", "enraged", "enrages", "enraging", "enrapt", "enrapture", "enraptured", "enrich", "enriched", "enriches", "enriching", "enrichment", "enroll", "enrolled", "enrollee", "enrollees", "enrolling", "enrollment", "enrollments", "enrolls", "ens", "ensconce", "ensconced", "ensemble", "ensembles", "enshroud", "ensign", "ensigns", "enslave", "enslaved", "enslaves", "enslaving", "ensnare", "ensnared", "ensnares", "ensnaring", "ensue", "ensued", "ensues", "ensuing", "ensure", "ensured", "ensures", "ensuring", "entail", "entailed", "entailing", "entailment", "entails", "entangle", "entangled", "entanglement", "entanglements", "entangles", "entangling", "entendre", "entente", "enter", "entered", "entering", "enteritis", "enterprise", "enterprises", "enterprising", "enterprisingly", "enters", "entertain", "entertained", "entertainer", "entertainers", "entertaining", "entertainingly", "entertainment", "entertainments", "entertains", "enthrall", "enthralled", "enthralling", "enthralls", "enthrone", "enthroned", "enthrones", "enthroning", "enthuse", "enthused", "enthuses", "enthusiasm", "enthusiasms", "enthusiast", "enthusiastic", "enthusiastically", "enthusiasts", "enthusing", "entice", "enticed", "enticement", "enticements", "entices", "enticing", "enticingly", "entire", "entirely", "entirety", "entities", "entitle", "entitled", "entitles", "entitling", "entity", "entomb", "entombed", "entombing", "entombs", "entomologist", "entomology", "entourage", "entrails", "entrain", "entrance", "entranced", "entrancedly", "entrances", "entranceway", "entrancing", "entrant", "entrants", "entrap", "entrapped", "entrapping", "entreat", "entreated", "entreaties", "entreating", "entreatingly", "entreats", "entreaty", "entree", "entrench", "entrenched", "entrenches", "entrenching", "entrepot", "entrepreneur", "entrepreneurial", "entrepreneurs", "entries", "entropy", "entrust", "entrusted", "entrusting", "entrusts", "entry", "entwine", "entwined", "entwines", "entwining", "entwiningly", "enumerate", "enumerated", "enumerates", "enumerating", "enumeration", "enunciable", "enunciate", "enunciated", "enunciates", "enunciating", "enunciation", "enuresis", "envelop", "envelope", "enveloped", "envelopes", "enveloping", "envelopment", "envelops", "envenom", "enviable", "enviably", "envied", "envies", "envious", "enviously", "enviousness", "environment", "environmental", "environmentalist", "environmentalists", "environmentally", "environments", "environs", "envisage", "envisaged", "envisages", "envisaging", "envision", "envisioned", "envisions", "envoy", "envoys", "envy", "envying", "enzymatic", "enzyme", "enzymes", "enzymology", "eocene", "eon", "eons", "epaulette", "epaulettes", "epee", "epees", "ephemera", "ephemeral", "ephesian", "ephesians", "ephesus", "ephraim", "epic", "epicene", "epicenter", "epics", "epicure", "epicurean", "epicycle", "epicyclic", "epidemic", "epidemics", "epidemiological", "epidemiology", "epidermis", "epigenetic", "epiglottis", "epigram", "epigrammatic", "epigrams", "epigraph", "epilepsy", "epileptic", "epileptics", "epilogue", "epilogues", "epiphany", "episcopal", "episcopalian", "episcopate", "episcope", "episode", "episodes", "episodic", "epistemology", "epistle", "epistles", "epitaph", "epitaphs", "epithet", "epithets", "epitome", "epitomes", "epitomize", "epitomized", "epitomizes", "epitomizing", "epoch", "epochal", "epochs", "eponym", "epoxy", "epsilon", "epsom", "equable", "equably", "equal", "equaled", "equaling", "equalitarian", "equalitarianism", "equalities", "equality", "equalization", "equalize", "equalized", "equalizer", "equalizers", "equalizes", "equalizing", "equally", "equals", "equanimity", "equate", "equated", "equates", "equating", "equation", "equations", "equator", "equatorial", "equerries", "equerry", "equestrian", "equestrians", "equidistant", "equidistantly", "equilateral", "equilibrate", "equilibrated", "equilibria", "equilibrium", "equine", "equines", "equinoctial", "equinox", "equip", "equipment", "equipoise", "equipotent", "equipotential", "equipped", "equipping", "equips", "equitable", "equitably", "equitation", "equity", "equivalence", "equivalenced", "equivalences", "equivalencing", "equivalency", "equivalent", "equivalently", "equivalents", "equivocal", "equivocally", "era", "eradicable", "eradicate", "eradicated", "eradicates", "eradicating", "eradication", "eras", "erasable", "erase", "erased", "eraser", "erasers", "erases", "erasing", "erasure", "erasures", "erbium", "erect", "erected", "erecting", "erection", "erections", "erectly", "erectness", "erector", "erects", "erg", "ergo", "ergs", "eric", "erie", "erin", "ermine", "ernst", "erode", "eroded", "erodes", "erodible", "eroding", "eros", "erosible", "erosion", "erosive", "erotic", "erotica", "eroticism", "err", "errancy", "errand", "errands", "errant", "errantry", "errata", "erratic", "erratically", "erratum", "erred", "erring", "errol", "erroneous", "erroneously", "erroneousness", "error", "errors", "errs", "ersatz", "erudite", "eruditely", "erudition", "erupt", "erupted", "erupting", "eruption", "eruptions", "erupts", "esau", "esc", "escalate", "escalated", "escalates", "escalating", "escalation", "escalator", "escalators", "escalopes", "escapade", "escapades", "escape", "escaped", "escapee", "escapees", "escapement", "escapes", "escaping", "escapism", "escapist", "escapists", "escarpment", "escarpments", "eschew", "eschewed", "eschewing", "eschews", "escort", "escorted", "escorting", "escorts", "escudo", "escutcheon", "escutcheons", "ese", "esker", "eskimo", "eskimos", "esophagus", "esoteric", "esoterically", "especial", "especially", "esperanto", "espied", "espies", "espionage", "esplanade", "espousal", "espouse", "espoused", "espouses", "espousing", "espresso", "esprit", "espy", "espying", "esquire", "essay", "essayed", "essaying", "essayist", "essayists", "essays", "esse", "essence", "essences", "essential", "essentially", "essentials", "essoin", "establish", "established", "establishes", "establishing", "establishment", "establishments", "estate", "estates", "esteem", "esteemed", "esteeming", "esteems", "ester", "estimable", "estimably", "estimate", "estimated", "estimates", "estimating", "estimation", "estimations", "estimator", "estonia", "estonian", "estop", "estrange", "estranged", "estranges", "estranging", "estuaries", "estuary", "eta", "etc", "etcetera", "etch", "etched", "etcher", "etches", "etching", "etchings", "eternal", "eternally", "eternities", "eternity", "ethane", "ethanol", "ethel", "ether", "ethereal", "ethers", "ethic", "ethical", "ethically", "ethics", "ethiopia", "ethiopian", "ethnic", "ethnographic", "ethnography", "ethnology", "ethos", "ethylene", "etiology", "etiquette", "etna", "etruscan", "etui", "etymology", "etymon", "etymons", "eucalyptus", "eucharist", "euchre", "euclid", "euclidean", "eugene", "eugenic", "eugenics", "eulogic", "eulogies", "eulogy", "eunuch", "eunuchs", "euphemism", "euphemisms", "euphemistic", "euphemistically", "euphony", "euphoria", "euphoric", "euphrates", "eurasia", "eureka", "eurocheque", "eurocheques", "europe", "european", "europeans", "europium", "euthanasia", "evacuate", "evacuated", "evacuates", "evacuating", "evacuation", "evacuations", "evacuee", "evacuees", "evade", "evaded", "evades", "evading", "evaluable", "evaluate", "evaluated", "evaluates", "evaluating", "evaluation", "evaluations", "evaluative", "evaluator", "evan", "evanescent", "evangel", "evangelic", "evangelical", "evangelism", "evangelist", "evangelistic", "evangelists", "evaporate", "evaporated", "evaporates", "evaporating", "evaporation", "evaporative", "evaporator", "evaporators", "evasion", "evasions", "evasive", "evasively", "eve", "even", "evened", "evenhanded", "evening", "evenings", "evenly", "evenness", "evens", "evensong", "event", "eventful", "eventfully", "eventide", "events", "eventual", "eventualities", "eventuality", "eventually", "eventuate", "ever", "everest", "everglades", "evergreen", "evergreens", "everlasting", "everlastingly", "evermore", "every", "everybody", "everyday", "everyman", "everyone", "everything", "everyway", "everywhere", "evict", "evicted", "evicting", "eviction", "evictions", "evicts", "evidence", "evidenced", "evidences", "evidencing", "evident", "evidential", "evidently", "evil", "evildoer", "evildoers", "evilly", "evils", "evince", "evinced", "evinces", "evincing", "eviscerate", "eviscerated", "eviscerates", "eviscerating", "evocable", "evocate", "evocated", "evocating", "evocation", "evocations", "evocative", "evocatively", "evocatory", "evoke", "evoked", "evokes", "evoking", "evolution", "evolutionary", "evolutionists", "evolve", "evolved", "evolves", "evolving", "ewe", "ewer", "ewers", "ewes", "exacerbate", "exacerbated", "exacerbates", "exacerbating", "exacerbation", "exact", "exacted", "exacting", "exaction", "exactitude", "exactly", "exactness", "exacts", "exaggerate", "exaggerated", "exaggerates", "exaggerating", "exaggeration", "exaggerations", "exalt", "exaltation", "exaltations", "exalted", "exalting", "exalts", "exam", "examination", "examinations", "examine", "examined", "examiner", "examiners", "examines", "examining", "example", "examples", "exams", "exasperate", "exasperated", "exasperater", "exasperates", "exasperating", "exasperatingly", "exasperation", "excavate", "excavated", "excavates", "excavating", "excavation", "excavations", "excavator", "excavators", "exceed", "exceeded", "exceeding", "exceedingly", "exceeds", "excel", "excelled", "excellence", "excellences", "excellencies", "excellency", "excellent", "excellently", "excelling", "excels", "excelsior", "except", "excepted", "excepter", "excepting", "exception", "exceptional", "exceptionally", "exceptions", "excepts", "excerpt", "excerpts", "excess", "excesses", "excessive", "excessively", "excessiveness", "exchange", "exchangeable", "exchanged", "exchanges", "exchanging", "exchequer", "excisable", "excise", "excised", "excises", "excising", "excision", "excitability", "excitable", "excitableness", "excitably", "excitation", "excitatory", "excite", "excited", "excitedly", "excitement", "excites", "exciting", "exclaim", "exclaimed", "exclaiming", "exclaims", "exclamation", "exclamations", "exclamatory", "excludable", "exclude", "excluded", "excludes", "excluding", "exclusion", "exclusionary", "exclusions", "exclusive", "exclusively", "exclusiveness", "excommunicate", "excommunicated", "excommunicates", "excommunicating", "excommunication", "excommunications", "excrement", "excrescence", "excrescent", "excreta", "excrete", "excreted", "excretes", "excreting", "excretion", "excretory", "excruciate", "excruciating", "excruciatingly", "exculpatory", "excursion", "excursions", "excusable", "excusably", "excuse", "excused", "excuses", "excusing", "excusingly", "exe", "exec", "execrable", "execrably", "execrate", "execration", "execrative", "executability", "executable", "execute", "executed", "executes", "executing", "execution", "executioner", "executioners", "executions", "executive", "executively", "executives", "executor", "executors", "exemplar", "exemplary", "exemplified", "exemplifies", "exemplify", "exemplifying", "exempt", "exempted", "exempting", "exemption", "exemptions", "exempts", "exercisable", "exercise", "exercised", "exercises", "exercising", "exert", "exerted", "exerting", "exertion", "exertions", "exerts", "exhalation", "exhale", "exhaled", "exhales", "exhaling", "exhaust", "exhausted", "exhaustible", "exhausting", "exhaustingly", "exhaustion", "exhaustive", "exhaustively", "exhausts", "exhibit", "exhibitant", "exhibitants", "exhibited", "exhibiting", "exhibition", "exhibitionist", "exhibitionists", "exhibitions", "exhibitor", "exhibitors", "exhibits", "exhilarate", "exhilarated", "exhilarates", "exhilarating", "exhilaratingly", "exhilaration", "exhort", "exhortation", "exhortations", "exhorted", "exhorting", "exhorts", "exhumation", "exhumations", "exhume", "exhumed", "exhumes", "exhuming", "exigency", "exigent", "exile", "exiled", "exiles", "exiling", "exist", "existed", "existence", "existent", "existential", "existentialism", "existentialist", "existentialists", "existing", "exists", "exit", "exited", "exiting", "exits", "exodus", "exogenous", "exonerate", "exonerated", "exonerates", "exonerating", "exoneration", "exonerations", "exorbitance", "exorbitant", "exorbitantly", "exorcise", "exorcised", "exorcises", "exorcising", "exorcism", "exorcisms", "exorcist", "exorcists", "exothermic", "exotic", "exotics", "expand", "expandability", "expandable", "expanded", "expander", "expanding", "expands", "expanse", "expanses", "expansible", "expansion", "expansionism", "expansionist", "expansions", "expansive", "expansively", "expansiveness", "expatiate", "expatiated", "expatiates", "expatiating", "expatiation", "expatriate", "expatriated", "expatriates", "expatriating", "expect", "expectable", "expectancy", "expectant", "expectantly", "expectation", "expectations", "expected", "expectedly", "expecting", "expectorant", "expectorate", "expects", "expedience", "expediency", "expedient", "expediently", "expedite", "expedited", "expeditely", "expedites", "expediting", "expedition", "expeditionary", "expeditions", "expeditious", "expeditiously", "expel", "expellable", "expelled", "expelling", "expels", "expend", "expendable", "expended", "expending", "expenditure", "expenditures", "expends", "expense", "expenses", "expensive", "expensively", "experience", "experienced", "experiences", "experiencing", "experiential", "experientially", "experiment", "experimental", "experimentalism", "experimentally", "experimentation", "experimentations", "experimented", "experimenter", "experimenters", "experimenting", "experiments", "expert", "expertise", "expertly", "experts", "expiable", "expiate", "expiated", "expiates", "expiating", "expiation", "expiration", "expire", "expired", "expires", "expiring", "expiry", "explain", "explained", "explaining", "explains", "explanation", "explanations", "explanatory", "expletive", "expletives", "explicable", "explicably", "explicate", "explicit", "explicitly", "explicitness", "explode", "exploded", "explodes", "exploding", "exploit", "exploitability", "exploitable", "exploitation", "exploited", "exploiter", "exploiters", "exploiting", "exploits", "exploration", "explorations", "exploratory", "explore", "explored", "explorer", "explorers", "explores", "exploring", "explosion", "explosions", "explosive", "explosively", "explosives", "exponent", "exponential", "exponentially", "exponentiate", "exponentiation", "exponents", "export", "exportation", "exported", "exporters", "exporting", "exports", "exposal", "expose", "exposed", "exposedness", "exposes", "exposing", "exposit", "exposited", "exposition", "expositions", "expositor", "expository", "exposure", "exposures", "expound", "expounded", "expounding", "expounds", "express", "expressed", "expresses", "expressible", "expressing", "expression", "expressionism", "expressionist", "expressionistic", "expressionists", "expressionless", "expressions", "expressive", "expressively", "expressiveness", "expressly", "expressway", "expressways", "expropriate", "expropriated", "expropriates", "expropriating", "expropriation", "expulsion", "expulsions", "expunge", "expunged", "expunges", "expunging", "expurgate", "expurgated", "expurgates", "expurgating", "expurgation", "exquisite", "exquisitely", "exquisiteness", "extant", "extemporally", "extemporaneous", "extemporary", "extempore", "extemporize", "extemporized", "extemporizes", "extemporizing", "extemporizingly", "extend", "extendability", "extendable", "extended", "extender", "extendible", "extending", "extends", "extensible", "extension", "extensions", "extensive", "extensively", "extent", "extents", "extenuate", "extenuated", "extenuates", "extenuating", "extenuation", "exterior", "exteriors", "exterminate", "exterminated", "exterminates", "exterminating", "extermination", "extern", "external", "externalization", "externally", "externals", "extinct", "extinction", "extinguish", "extinguishable", "extinguished", "extinguisher", "extinguishers", "extinguishes", "extinguishing", "extirpate", "extirpated", "extirpates", "extirpating", "extol", "extoll", "extolled", "extolling", "extolls", "extols", "extort", "extorted", "extorting", "extortion", "extortionate", "extorts", "extra", "extract", "extractable", "extracted", "extracting", "extraction", "extractions", "extractors", "extracts", "extraditable", "extradite", "extradited", "extradites", "extraditing", "extradition", "extragalactic", "extralegal", "extramarital", "extraneous", "extraneously", "extraneousness", "extraordinarily", "extraordinary", "extrapolate", "extrapolated", "extrapolates", "extrapolating", "extrapolation", "extrapolations", "extras", "extrasensory", "extraterrestrial", "extravagance", "extravagances", "extravagant", "extravagantly", "extravaganza", "extravaganzas", "extrema", "extreme", "extremely", "extremes", "extremist", "extremists", "extremities", "extremity", "extremum", "extricable", "extricate", "extricated", "extricates", "extricating", "extrinsic", "extroversion", "extrovert", "extroverts", "extrude", "extruded", "extrudes", "extruding", "extrusion", "extrusive", "exuberance", "exuberant", "exuberantly", "exudation", "exude", "exuded", "exudes", "exuding", "exult", "exultant", "exultantly", "exultation", "exultations", "exulted", "exulting", "exults", "exxon", "eye", "eyeball", "eyeballs", "eyebright", "eyebrow", "eyebrows", "eyed", "eyeful", "eyeglass", "eyeglasses", "eyeing", "eyelash", "eyelashes", "eyelet", "eyelets", "eyelid", "eyelids", "eyepiece", "eyes", "eyesight", "eyesore", "eyesores", "eyewash", "eyewitness", "eyewitnesses", "eyre", "ezekiel", "ezra", "faber", "fable", "fabled", "fables", "fabric", "fabricate", "fabricated", "fabricates", "fabricating", "fabrication", "fabrications", "fabricator", "fabricators", "fabrics", "fabulous", "fabulously", "fabulousness", "facade", "facades", "face", "faced", "faceless", "facelift", "facelifts", "faceplate", "facere", "faces", "facet", "faceted", "facetious", "facetiously", "facetiousness", "facets", "facial", "facially", "facile", "facilely", "facilitate", "facilitated", "facilitates", "facilitating", "facilitation", "facilities", "facility", "facing", "facsimile", "facsimiles", "fact", "faction", "factional", "factions", "factious", "factor", "factored", "factorial", "factorials", "factories", "factoring", "factorization", "factorizing", "factors", "factory", "factotum", "factotums", "facts", "factual", "factually", "factualness", "facultative", "facultatively", "faculties", "faculty", "fad", "faddiness", "faddy", "fade", "faded", "fadeout", "fades", "fading", "fads", "fag", "fagged", "fagging", "faggot", "faggots", "fagot", "fags", "fahrenheit", "fail", "failed", "failing", "fails", "failsafe", "failure", "failures", "fain", "faint", "fainted", "faintest", "fainting", "faintly", "faintness", "faints", "fair", "fairer", "fairest", "fairgoer", "fairgoers", "fairground", "fairgrounds", "fairies", "fairly", "fairness", "fairs", "fairway", "fairy", "fairyland", "fairylike", "faisalabad", "faith", "faithful", "faithfully", "faithfulness", "faithless", "faithlessly", "faithlessness", "faiths", "fake", "faked", "faker", "fakers", "fakes", "faking", "fakir", "fakirs", "falcon", "falconer", "falconers", "falconry", "falcons", "falkland", "fall", "fallacies", "fallacious", "fallaciously", "fallaciousness", "fallacy", "fallen", "fallibility", "fallible", "fallibly", "falling", "falloff", "fallout", "fallow", "fallowness", "falls", "false", "falsehood", "falsehoods", "falsely", "falseness", "falsetto", "falsification", "falsifications", "falsified", "falsifier", "falsifiers", "falsifies", "falsify", "falsifying", "falsities", "falsity", "falter", "faltered", "faltering", "falteringly", "falters", "fame", "famed", "familial", "familiar", "familiarity", "familiarization", "familiarize", "familiarized", "familiarizes", "familiarizing", "familiarly", "familiarness", "familiars", "families", "familism", "family", "famine", "famines", "famish", "famished", "famous", "famously", "famousness", "fan", "fanatic", "fanatical", "fanatically", "fanaticism", "fanatics", "fancied", "fancier", "fanciers", "fancies", "fanciful", "fancifully", "fancifulness", "fancily", "fancy", "fancying", "fancywork", "fanfare", "fanfares", "fanfold", "fang", "fanged", "fangled", "fangs", "fanned", "fanning", "fanny", "fans", "fantail", "fantasia", "fantasies", "fantasist", "fantasize", "fantasized", "fantasizes", "fantasizing", "fantastic", "fantastically", "fantasy", "far", "farad", "faraday", "faradays", "farads", "faraway", "farce", "farces", "farcical", "farcically", "farcicalness", "fare", "fared", "fares", "farewell", "farewells", "farfetched", "farina", "faring", "farm", "farmed", "farmer", "farmers", "farmhouse", "farmhouses", "farming", "farmland", "farmost", "farms", "farmyard", "farmyards", "faro", "faros", "farrier", "farrow", "farsighted", "farther", "farthest", "farthing", "farthings", "fascia", "fascinate", "fascinated", "fascinates", "fascinating", "fascinatingly", "fascination", "fascinations", "fascist", "fascists", "fashion", "fashionable", "fashionably", "fashioned", "fashioning", "fashions", "fast", "fasted", "fasten", "fastened", "fastener", "fasteners", "fastening", "fastenings", "fastens", "faster", "fastest", "fastidious", "fastidiously", "fastidiousness", "fasting", "fastness", "fasts", "fat", "fatal", "fatalism", "fatalist", "fatalists", "fatalities", "fatality", "fatally", "fate", "fated", "fateful", "fatefully", "fates", "father", "fathered", "fatherhood", "fathering", "fatherland", "fatherly", "fathers", "fathom", "fathomable", "fathomably", "fathomed", "fathoming", "fathoms", "fatigue", "fatigued", "fatigues", "fatiguing", "fatness", "fats", "fatten", "fattened", "fattening", "fattens", "fatter", "fattest", "fattish", "fatty", "fatuity", "fatuous", "fatuously", "fatuousness", "fatuum", "fault", "faulted", "faultiness", "faulting", "faultless", "faultlessly", "faults", "faulty", "fauna", "faunae", "faunal", "faunas", "faust", "faustian", "favor", "favorable", "favorableness", "favorably", "favored", "favoring", "favorite", "favorites", "favoritism", "favors", "fawn", "fawned", "fawning", "fawns", "fax", "faxed", "faxes", "faxing", "fay", "faze", "fear", "feared", "fearful", "fearfully", "fearing", "fearless", "fearlessly", "fearlessness", "fears", "fearsome", "fearsomely", "fearsomeness", "feasibility", "feasible", "feasibly", "feast", "feasted", "feasting", "feasts", "feat", "feather", "featherbed", "featherbedding", "featherbrain", "feathered", "featheriness", "feathering", "feathers", "feathertop", "featherweight", "feathery", "feats", "feature", "featured", "featureless", "features", "featuring", "february", "februarys", "fecal", "feces", "fecund", "fecundity", "fed", "federal", "federate", "federated", "federates", "federation", "federations", "fedora", "fee", "feeble", "feebleminded", "feebleness", "feebly", "feed", "feedback", "feeder", "feeders", "feeding", "feedings", "feeds", "feel", "feeler", "feelers", "feeling", "feelingly", "feelings", "feels", "fees", "feet", "feign", "feigned", "feigning", "feigns", "feint", "feinted", "feints", "feldspar", "felicitate", "felicitated", "felicitates", "felicitating", "felicitation", "felicitations", "felicities", "felicitous", "felicitously", "felicity", "feline", "felines", "fell", "felled", "felling", "fellow", "fellows", "fellowship", "fellowships", "fells", "felo", "felon", "felonies", "felonious", "felons", "felony", "felt", "female", "females", "feminine", "femininity", "feminism", "feminist", "feminists", "femur", "femurs", "fen", "fence", "fenced", "fencepost", "fencer", "fences", "fencing", "fend", "fended", "fender", "fenders", "fending", "fends", "fenian", "fenians", "fennel", "fens", "fenugreek", "feral", "ferarum", "ferment", "fermentation", "fermentations", "fermented", "fermenting", "ferments", "fermi", "fermium", "fern", "fernery", "ferns", "ferocious", "ferociously", "ferocity", "ferret", "ferreted", "ferreting", "ferrets", "ferric", "ferried", "ferries", "ferris", "ferrite", "ferroelectric", "ferromagnetic", "ferromagnetism", "ferrous", "ferrule", "ferrules", "ferry", "ferrying", "ferryman", "ferrymen", "fertile", "fertility", "fertilization", "fertilize", "fertilized", "fertilizer", "fertilizers", "fertilizes", "fertilizing", "ferule", "fervent", "fervently", "fervid", "fervidly", "fervor", "festal", "fester", "festered", "festering", "festers", "festival", "festivals", "festive", "festively", "festivities", "festivity", "festoon", "festooned", "festooning", "festoons", "fetal", "fetch", "fetched", "fetches", "fetching", "fete", "feted", "fetes", "fetid", "fetish", "fetishes", "fetishism", "fetlock", "fetlocks", "fetter", "fettered", "fettering", "fetters", "fettle", "fettled", "fetus", "feud", "feudal", "feudalism", "feudatory", "feuded", "feuding", "feuds", "fever", "fevered", "feverish", "feverishly", "feverishness", "fevers", "few", "fewer", "fewest", "fewness", "fey", "fez", "fezzes", "fiance", "fiancee", "fiancees", "fiances", "fiasco", "fiascoes", "fiat", "fiats", "fib", "fibbed", "fibber", "fibbers", "fibbing", "fiber", "fiberglass", "fibers", "fibroid", "fibroma", "fibrosis", "fibrous", "fibs", "fibula", "fickle", "fickleness", "fiction", "fictional", "fictionalized", "fictitious", "fictitiously", "fictive", "fiddle", "fiddled", "fiddler", "fiddlers", "fiddles", "fiddlestick", "fiddlesticks", "fiddling", "fidelity", "fidget", "fidgeted", "fidgeting", "fidgets", "fidgety", "fiducial", "fief", "fiefdom", "field", "fielded", "fielder", "fielders", "fielding", "fields", "fieldstone", "fieldwork", "fiend", "fiendish", "fiendishly", "fiendishness", "fiends", "fierce", "fiercely", "fierceness", "fiercest", "fiery", "fiesta", "fife", "fifes", "fifteen", "fifteenth", "fifth", "fifths", "fifties", "fiftieth", "fifty", "fig", "figaro", "fight", "fighter", "fighters", "fighting", "fights", "figment", "figments", "figs", "figural", "figuration", "figurative", "figuratively", "figure", "figured", "figurehead", "figureheads", "figures", "figurine", "figurines", "figuring", "figwort", "fiji", "fijian", "filament", "filaments", "filbert", "filch", "filched", "filches", "filching", "file", "filed", "filename", "filenames", "filer", "files", "filet", "filets", "filial", "filially", "filibuster", "filibustered", "filibusterer", "filibusterers", "filibustering", "filibusters", "filigree", "filing", "filings", "fill", "filled", "filler", "fillers", "fillet", "filleted", "filleting", "fillets", "fillies", "filling", "fillings", "fillip", "filliped", "filliping", "fillips", "fills", "filly", "film", "filmdom", "filmed", "filmier", "filming", "filmmaker", "films", "filmstrip", "filmstrips", "filmy", "filofax", "filter", "filtered", "filtering", "filters", "filth", "filthiness", "filthy", "filtrate", "filtrated", "filtrates", "filtrating", "filtration", "fin", "final", "finale", "finales", "finalist", "finalists", "finality", "finalize", "finalized", "finalizes", "finalizing", "finally", "finals", "finance", "financed", "finances", "financial", "financially", "financier", "financiers", "financing", "finch", "finches", "find", "finder", "finders", "finding", "findings", "finds", "fine", "fined", "finely", "fineness", "finer", "finery", "fines", "finesse", "finessed", "finesses", "finessing", "finest", "finger", "fingered", "fingering", "fingerings", "fingernail", "fingernails", "fingerprint", "fingerprinting", "fingerprints", "fingers", "fingertip", "fingertips", "finicky", "fining", "finish", "finished", "finisher", "finishers", "finishes", "finishing", "finite", "finitely", "finland", "finn", "finnish", "fins", "fir", "fire", "firearm", "firearms", "fireball", "fireboat", "firebreak", "firebreaks", "firebug", "firecracker", "firecrackers", "fired", "fireflies", "firefly", "firehouse", "firehouses", "firelight", "fireman", "firemen", "fireplace", "fireplaces", "firepower", "fireproof", "fireproofed", "fireproofing", "fireproofness", "fireproofs", "fires", "fireside", "firesides", "firestone", "firewall", "firewood", "firework", "fireworks", "firing", "firkin", "firkins", "firm", "firmament", "firmed", "firmer", "firmest", "firming", "firmly", "firmness", "firms", "firmware", "firs", "first", "firsthand", "firstly", "firth", "fiscal", "fish", "fished", "fisher", "fisheries", "fisherman", "fishermen", "fishers", "fishery", "fishes", "fishing", "fishmonger", "fishmongers", "fishpond", "fishponds", "fishy", "fissile", "fission", "fissure", "fissured", "fissures", "fist", "fisted", "fistful", "fistfuls", "fisticuffs", "fists", "fistula", "fit", "fitch", "fitful", "fitfully", "fitly", "fitment", "fitments", "fitness", "fits", "fitted", "fitter", "fitters", "fittest", "fitting", "fittingly", "fittings", "five", "fivefold", "fives", "fix", "fixable", "fixate", "fixated", "fixation", "fixations", "fixed", "fixedly", "fixedness", "fixer", "fixers", "fixes", "fixing", "fixity", "fixture", "fixtures", "fizz", "fizzed", "fizzes", "fizzing", "fizzle", "fizzled", "fizzles", "fizzling", "fizzy", "fjord", "fjords", "flabbergast", "flabbergasted", "flabbergasting", "flabbergasts", "flabbiness", "flabby", "flaccid", "flaccidly", "flacon", "flag", "flagella", "flagellate", "flageolet", "flagged", "flagging", "flagon", "flagons", "flagpole", "flagpoles", "flagrant", "flagrante", "flagrantly", "flags", "flagship", "flagstaff", "flagstaffs", "flagstone", "flail", "flailed", "flailing", "flails", "flair", "flairs", "flak", "flake", "flaked", "flakes", "flakier", "flakiness", "flaking", "flaky", "flamboyance", "flamboyant", "flamboyantly", "flame", "flamed", "flamenco", "flameout", "flames", "flaming", "flamingo", "flamingos", "flammable", "flan", "flanders", "flange", "flanged", "flanges", "flank", "flanked", "flanker", "flanking", "flanks", "flannel", "flannelette", "flannels", "flap", "flapjack", "flapjacks", "flappable", "flapped", "flapper", "flappers", "flapping", "flaps", "flare", "flared", "flares", "flaring", "flash", "flashback", "flashed", "flasher", "flashers", "flashes", "flashily", "flashiness", "flashing", "flashlight", "flashlights", "flashy", "flask", "flasks", "flat", "flatbed", "flatboat", "flatcar", "flatfish", "flathead", "flatiron", "flatland", "flatly", "flatness", "flats", "flatted", "flatten", "flattened", "flattening", "flattens", "flatter", "flattered", "flatterer", "flatterers", "flattering", "flatteringly", "flatters", "flattery", "flattest", "flatulence", "flatulent", "flatulently", "flatworm", "flatworms", "flaunt", "flaunted", "flaunting", "flaunts", "flautist", "flautists", "flavor", "flavored", "flavoring", "flavorings", "flavorless", "flavors", "flaw", "flawed", "flawless", "flawlessly", "flaws", "flax", "flaxen", "flaxseed", "flay", "flayed", "flayer", "flaying", "flays", "flea", "fleabane", "fleas", "fleawort", "fleck", "flecked", "flecks", "fled", "fledge", "fledged", "fledges", "fledging", "fledgling", "fledglings", "flee", "fleece", "fleeced", "fleeces", "fleecing", "fleecy", "fleeing", "flees", "fleet", "fleeting", "fleets", "fleetwood", "flemish", "flesh", "fleshed", "fleshes", "fleshing", "fleshly", "fleshpot", "fleshpots", "fleshy", "fletch", "fletcher", "fletching", "flew", "flex", "flexed", "flexes", "flexibility", "flexible", "flexibleness", "flexibly", "flexing", "flick", "flicked", "flicker", "flickered", "flickering", "flickers", "flicking", "flicks", "flier", "fliers", "flies", "flight", "flightily", "flights", "flighty", "flimsily", "flimsiness", "flimsy", "flinch", "flinched", "flinches", "flinching", "flinchingly", "fling", "flinging", "flings", "flint", "flintily", "flintlock", "flints", "flinty", "flip", "flipflop", "flippancy", "flippant", "flippantly", "flipped", "flipper", "flippers", "flipping", "flips", "flirt", "flirtation", "flirtations", "flirtatious", "flirted", "flirting", "flirtingly", "flirts", "flit", "flitch", "flits", "flitted", "flitting", "flixweed", "float", "floated", "floater", "floaters", "floating", "floats", "flocculate", "flock", "flocked", "flocking", "flocks", "floe", "floes", "flog", "flogged", "flogger", "floggers", "flogging", "flogs", "flood", "flooded", "floodgate", "floodgates", "flooding", "floodlight", "floodlighting", "floodlights", "floodlit", "floods", "floor", "floorboard", "floorboards", "floored", "flooring", "floors", "floozies", "floozy", "flop", "flopped", "floppies", "floppily", "flopping", "floppy", "flops", "flora", "florae", "floral", "floras", "florence", "florentine", "florid", "florida", "floridian", "florin", "florins", "florist", "florists", "floss", "flossy", "flotation", "flotations", "flotilla", "flotillas", "flotsam", "flounce", "flounced", "flounces", "flouncing", "flounder", "floundered", "floundering", "flounders", "flour", "floured", "flouring", "flourish", "flourished", "flourishes", "flourishing", "flours", "floury", "flout", "flouted", "flouting", "floutingly", "flouts", "flow", "flowchart", "flowcharts", "flowed", "flower", "flowered", "flowering", "flowerpot", "flowerpots", "flowers", "flowery", "flowing", "flown", "flows", "flp", "flu", "fluctuate", "fluctuated", "fluctuates", "fluctuating", "fluctuation", "fluctuations", "flue", "fluency", "fluent", "fluently", "fluentness", "flues", "fluff", "fluffed", "fluffiness", "fluffing", "fluffs", "fluffy", "fluid", "fluidity", "fluids", "fluke", "flukes", "flummeries", "flung", "flunk", "flunked", "flunkies", "flunky", "fluor", "fluorescence", "fluorescent", "fluoridate", "fluoridated", "fluoridates", "fluoridating", "fluoride", "fluorination", "fluorine", "fluorite", "fluorocarbon", "fluorspar", "flurried", "flurries", "flurry", "flurrying", "flush", "flushed", "flushes", "flushing", "fluster", "flustered", "flustering", "flusters", "flute", "fluted", "flutes", "fluting", "flutist", "flutter", "fluttered", "fluttering", "flutters", "flux", "fluxes", "fluxion", "fluxum", "fly", "flyable", "flycatcher", "flycatchers", "flyer", "flyers", "flying", "flyleaf", "flyway", "flyways", "flyweight", "flywheel", "flywheels", "foal", "foaled", "foaling", "foals", "foam", "foamed", "foamflower", "foaming", "foams", "foamy", "fob", "fobbed", "fobbing", "fobs", "focal", "focally", "foci", "focus", "focused", "focuses", "focusing", "focussed", "focusses", "focussing", "fodder", "foe", "foes", "fog", "fogbound", "fogey", "fogged", "fogging", "foggy", "foghorn", "foghorns", "fogies", "fogs", "fogy", "foible", "foibles", "foil", "foiled", "foiling", "foils", "foist", "foisted", "foisting", "foists", "fold", "folded", "folder", "folders", "folding", "foldout", "folds", "foliage", "folio", "folios", "folk", "folklike", "folklore", "folks", "folksong", "folksongs", "folksy", "folkway", "follicle", "follicular", "follicule", "follies", "follow", "followed", "follower", "followers", "following", "follows", "folly", "foment", "fomentation", "fomentations", "fomented", "fomenting", "foments", "fond", "fondant", "fondants", "fonder", "fondest", "fondle", "fondled", "fondles", "fondling", "fondly", "fondness", "fondue", "font", "fontainebleau", "fontanel", "fonts", "food", "foods", "foodstuff", "foodstuffs", "fool", "fooled", "foolery", "foolhardy", "fooling", "foolish", "foolishly", "foolishness", "foolproof", "fools", "foolscap", "foot", "footage", "football", "footballer", "footballers", "footballs", "footbridge", "footbridges", "footed", "footer", "footers", "footfall", "footfalls", "foothill", "foothills", "foothold", "footholds", "footing", "footings", "footlight", "footlights", "footman", "footmen", "footnote", "footnotes", "footpad", "footpath", "footpaths", "footprint", "footprints", "footstep", "footsteps", "footstool", "footwear", "footwork", "fop", "foppery", "foppish", "for", "forage", "foraged", "forages", "foraging", "foray", "forayed", "foraying", "forays", "forbad", "forbade", "forbear", "forbearance", "forbearing", "forbears", "forbes", "forbid", "forbidden", "forbidding", "forbiddingly", "forbids", "forbore", "forborne", "force", "forced", "forceful", "forcefully", "forcefulness", "forceless", "forcemeat", "forceps", "forces", "forcible", "forcibly", "forcing", "ford", "fordable", "forded", "fording", "fords", "fore", "forearm", "forearmed", "forearming", "forearms", "forebears", "forebode", "foreboding", "forebodingly", "forebodings", "forecast", "forecasted", "forecaster", "forecasters", "forecasting", "forecastle", "forecasts", "foreclose", "foreclosed", "forecloses", "foreclosing", "foreclosure", "foreclosures", "forecourt", "forecourts", "forefather", "forefathers", "forefinger", "forefingers", "forefront", "forego", "foregoes", "foregoing", "foregone", "foreground", "forehand", "forehead", "foreheads", "foreign", "foreigner", "foreigners", "foreknowing", "foreknowledge", "foreknown", "foreleg", "foreman", "foremen", "foremost", "forenamed", "forenoon", "forensic", "forepart", "forepaws", "forerunner", "forerunners", "foresail", "foresaw", "foresee", "foreseeable", "foreseeably", "foreseeing", "foreseen", "foresees", "foreshadow", "foreshadowed", "foreshadowing", "foreshadows", "foreshorten", "foreshortened", "foreshortening", "foreshortens", "foresight", "forest", "forestall", "forestalled", "forestalling", "forestalls", "forested", "forester", "foresters", "forestry", "forests", "foretaste", "foretastes", "foretell", "foretelling", "foretells", "forethought", "foretold", "forever", "forewarn", "forewarned", "forewarning", "forewarns", "forewent", "forewoman", "forewomen", "foreword", "forewords", "forfeit", "forfeitable", "forfeited", "forfeiting", "forfeits", "forfeiture", "forfeitures", "forgather", "forgathered", "forgathering", "forgathers", "forgave", "forge", "forged", "forger", "forgeries", "forgers", "forgery", "forges", "forget", "forgetful", "forgetfully", "forgetfulness", "forgets", "forgettable", "forgettably", "forgetting", "forging", "forgivable", "forgivably", "forgive", "forgiven", "forgiveness", "forgives", "forgiving", "forgo", "forgoes", "forgoing", "forgone", "forgot", "forgotten", "forint", "fork", "forked", "forking", "forklift", "forks", "forlorn", "forlornly", "forlornness", "form", "formability", "formal", "formaldehyde", "formalism", "formalities", "formality", "formalization", "formalize", "formalized", "formalizes", "formalizing", "formally", "formant", "format", "formate", "formation", "formations", "formative", "formats", "formatted", "formatting", "formed", "former", "formerly", "formic", "formica", "formidable", "formidableness", "formidably", "forming", "formless", "formosa", "forms", "formula", "formulae", "formulaic", "formulas", "formulate", "formulated", "formulates", "formulating", "formulation", "formulations", "forsake", "forsaken", "forsakenly", "forsakenness", "forsakes", "forsaking", "forsook", "forswear", "forswearing", "forswears", "forswore", "forsworn", "forsythia", "fort", "forte", "fortes", "forth", "forthcome", "forthcoming", "forthright", "forthrightly", "forthrightness", "forthwith", "forties", "fortieth", "fortification", "fortifications", "fortified", "fortifies", "fortify", "fortifying", "fortitude", "fortnight", "fortnightly", "fortnights", "fortran", "fortress", "fortresses", "forts", "fortuitous", "fortuitously", "fortuitousness", "fortunate", "fortunately", "fortune", "fortunes", "forty", "fortyish", "forum", "forums", "forward", "forwarded", "forwarding", "forwardly", "forwardness", "forwards", "forwent", "fossil", "fossiliferous", "fossilize", "fossilized", "fossilizes", "fossils", "foster", "fostered", "fostering", "fosters", "fought", "foul", "fouled", "fouler", "foulest", "fouling", "foully", "foulmouth", "foulness", "fouls", "found", "foundation", "foundations", "founded", "founder", "foundered", "foundering", "founders", "founding", "foundling", "foundlings", "foundries", "foundry", "founds", "fount", "fountain", "fountainhead", "fountains", "founts", "four", "fourfold", "fourier", "fours", "fourscore", "foursome", "foursquare", "fourteen", "fourteenth", "fourth", "fourthly", "fowl", "fowls", "fox", "foxed", "foxes", "foxglove", "foxgloves", "foxhole", "foxholes", "foxhound", "foxhounds", "foxing", "foxtail", "foxtrot", "foxtrots", "foxy", "foyer", "foyers", "fracas", "fracases", "fractals", "fraction", "fractional", "fractionally", "fractionate", "fractionated", "fractionation", "fractions", "fractious", "fractiously", "fractiousness", "fracture", "fractured", "fractures", "fracturing", "fragile", "fragility", "fragment", "fragmentary", "fragmentation", "fragmented", "fragmenting", "fragments", "fragrance", "fragrances", "fragrant", "fragrantly", "frail", "frailer", "frailest", "frailish", "frailness", "frailty", "frame", "framed", "framer", "frames", "framework", "frameworks", "framing", "franc", "france", "frances", "franchise", "franchised", "franchisement", "franchises", "franchising", "francis", "franciscan", "francium", "francs", "frangipani", "frank", "franked", "frankenstein", "franker", "frankest", "frankfort", "frankfurt", "frankfurter", "frankfurters", "frankincense", "franking", "franklin", "frankly", "frankness", "franks", "frantic", "frantically", "fraternal", "fraternally", "fraternities", "fraternity", "fraternize", "fraternized", "fraternizes", "fraternizing", "fraud", "frauds", "fraudulence", "fraudulent", "fraudulently", "fraught", "fray", "frayed", "fraying", "frays", "frazzle", "frazzled", "freak", "freaked", "freaking", "freakish", "freaks", "freaky", "freckle", "freckled", "freckles", "fred", "freda", "freddie", "frederick", "fredrick", "free", "freed", "freedman", "freedom", "freedoms", "freehand", "freehold", "freeholder", "freeholders", "freeholds", "freeing", "freelance", "freelances", "freely", "freeman", "freemason", "freemasonry", "freemasons", "freemen", "frees", "freestone", "freestyle", "freethinker", "freethinkers", "freetown", "freeway", "freeways", "freewheel", "freewill", "freeze", "freezer", "freezers", "freezes", "freezing", "freight", "freighter", "freighters", "freights", "french", "frenchman", "frenchmen", "frenetic", "frenetically", "frenzied", "frenziedly", "frenzies", "frenzy", "freon", "freons", "frequencies", "frequency", "frequent", "frequented", "frequenting", "frequently", "frequents", "fresco", "frescoes", "frescos", "fresh", "freshen", "freshened", "freshening", "freshens", "fresher", "freshest", "freshly", "freshman", "freshmen", "freshness", "freshwater", "fresnel", "fret", "fretful", "fretfully", "frets", "fretsaw", "fretsaws", "fretted", "fretting", "fretwork", "freud", "freudian", "friable", "friar", "friars", "friary", "friction", "frictional", "frictions", "friday", "fridays", "fridge", "fridges", "fried", "friend", "friendless", "friendlier", "friendliest", "friendlily", "friendliness", "friendly", "friends", "friendship", "friendships", "fries", "frieze", "friezes", "frigate", "frigates", "fright", "frighten", "frightened", "frightening", "frighteningly", "frightens", "frightful", "frightfully", "frights", "frigid", "frigidity", "frigidly", "frigidness", "frill", "frills", "frilly", "fringe", "fringed", "fringes", "fringing", "fripperies", "frippery", "frisca", "frisk", "frisked", "frisking", "friskingly", "frisks", "frisky", "fritillary", "fritter", "frittered", "frittering", "fritters", "frivolities", "frivolity", "frivolous", "frivolously", "frivolousness", "frizz", "frizzed", "frizzle", "frizzled", "frizzy", "fro", "frock", "frocked", "frocks", "frog", "frogman", "frogmen", "frogs", "frogspawn", "frolic", "frolicked", "frolicking", "frolics", "frolicsome", "frolicsomely", "from", "frond", "fronds", "front", "frontage", "frontal", "fronted", "frontier", "frontiers", "frontiersman", "frontiersmen", "fronting", "frontispiece", "fronts", "frontwards", "frontways", "frost", "frostbite", "frostbitten", "frosted", "frostily", "frosting", "frosts", "frosty", "froth", "frothed", "frothily", "frothing", "froths", "frothy", "frown", "frowned", "frowning", "frowningly", "frowns", "froze", "frozen", "frs", "fructose", "frugal", "frugality", "frugally", "fruit", "fruited", "fruitful", "fruitfully", "fruitfulness", "fruitier", "fruition", "fruitless", "fruitlessly", "fruits", "fruity", "frump", "frumpish", "frumps", "frustrate", "frustrated", "frustrater", "frustrates", "frustrating", "frustration", "frustrations", "fry", "frying", "fuchsia", "fuchsias", "fuddle", "fudge", "fudged", "fudges", "fudging", "fuel", "fueled", "fueling", "fuels", "fugal", "fugitive", "fugitives", "fugue", "fugues", "fuji", "fulcra", "fulcrum", "fulcrums", "fulfill", "fulfilled", "fulfilling", "fulfillment", "fulfills", "full", "fullback", "fuller", "fullest", "fullness", "fully", "fulminate", "fulminated", "fulminates", "fulminating", "fulsome", "fulsomely", "fulsomeness", "fumble", "fumbled", "fumbles", "fumbling", "fume", "fumed", "fumes", "fumigant", "fumigate", "fumigated", "fumigates", "fumigating", "fumigation", "fuming", "fumitory", "fun", "funafuti", "function", "functional", "functionalism", "functionality", "functionally", "functionaries", "functionary", "functioned", "functioning", "functions", "fund", "fundament", "fundamental", "fundamentalism", "fundamentalist", "fundamentalists", "fundamentally", "fundamentals", "funded", "funding", "funds", "funeral", "funerals", "funereal", "fungal", "fungi", "fungible", "fungicide", "fungicides", "fungoid", "fungous", "fungus", "funk", "funks", "funky", "funnel", "funneled", "funneling", "funnels", "funnier", "funniest", "funnily", "funning", "funny", "fur", "furbish", "furbished", "furbishes", "furbishing", "furies", "furious", "furiously", "furl", "furled", "furling", "furlong", "furlongs", "furlough", "furloughed", "furnace", "furnaces", "furnish", "furnished", "furnishes", "furnishing", "furnishings", "furniture", "furor", "furred", "furrier", "furriers", "furriness", "furring", "furrow", "furrowed", "furrows", "furry", "furs", "further", "furtherance", "furthered", "furthering", "furthermore", "furthermost", "furthers", "furthest", "furtive", "furtively", "furtiveness", "fury", "furze", "fuse", "fused", "fuselage", "fuselages", "fuses", "fusible", "fusillade", "fusing", "fusion", "fusions", "fuss", "fussed", "fusses", "fussily", "fussing", "fusspot", "fussy", "fustis", "fusty", "futile", "futilely", "futility", "futon", "future", "futures", "futuristic", "fuzz", "fuzzed", "fuzzily", "fuzziness", "fuzzy", "gab", "gabardine", "gabardines", "gabble", "gabbled", "gabbles", "gabbling", "gable", "gabled", "gables", "gabon", "gabriel", "gabrielle", "gad", "gadded", "gadfly", "gadget", "gadgetry", "gadgets", "gadolinium", "gael", "gaelic", "gaffe", "gaffer", "gaffers", "gaffes", "gag", "gage", "gages", "gagged", "gagging", "gaggle", "gaggles", "gagman", "gagmen", "gags", "gagwriter", "gaieties", "gaiety", "gail", "gaily", "gain", "gained", "gainer", "gainers", "gainful", "gainfully", "gaining", "gains", "gainsay", "gait", "gaiter", "gaiters", "gaits", "gal", "gala", "galactic", "galapagos", "galas", "galatians", "galaxies", "galaxy", "gale", "gales", "galilee", "galileo", "gall", "gallant", "gallantly", "gallantry", "gallberry", "galled", "galleon", "galleons", "galleries", "gallery", "galley", "galleys", "gallic", "galling", "gallium", "gallon", "gallons", "galloon", "gallop", "galloped", "galloping", "gallops", "gallows", "galls", "gallstone", "gallstones", "gallup", "galore", "galoshes", "gals", "galvanic", "galvanism", "galvanize", "galvanized", "galvanizes", "galvanizing", "galvanometer", "gambia", "gambit", "gambits", "gamble", "gambled", "gambler", "gamblers", "gambles", "gambling", "gambol", "gamboled", "gamboling", "gambols", "game", "gamebird", "gamecock", "gamekeeper", "gamekeepers", "gamely", "games", "gamesmanship", "gamester", "gamin", "gaming", "gamma", "gammon", "gammons", "gamp", "gamut", "gander", "ganders", "gandhi", "gang", "ganged", "ganges", "ganging", "gangland", "gangling", "gangly", "gangplank", "gangplanks", "gangrene", "gangrening", "gangrenous", "gangs", "gangster", "gangsters", "gangue", "gangues", "gangway", "gangways", "gannet", "gannets", "gannett", "gantries", "gantry", "gap", "gape", "gaped", "gapes", "gaping", "gapingly", "gaps", "garage", "garaged", "garages", "garaging", "garb", "garbage", "garbed", "garble", "garbled", "garbler", "garbles", "garbling", "gardein", "garden", "gardened", "gardener", "gardeners", "gardenia", "gardenias", "gardening", "gardens", "garfish", "gargantuan", "gargle", "gargled", "gargles", "gargling", "gargoyle", "gargoyles", "garibaldi", "garish", "garishly", "garishness", "garland", "garlanded", "garlands", "garlic", "garment", "garments", "garner", "garnered", "garnering", "garners", "garnet", "garnets", "garnish", "garnished", "garnishes", "garnishing", "garnishment", "garniture", "garret", "garrets", "garrison", "garrisoned", "garrisons", "garrote", "garroted", "garrotes", "garrulity", "garrulous", "garrulously", "garter", "garters", "gary", "gas", "gaseous", "gases", "gash", "gashes", "gashing", "gasify", "gasket", "gaskets", "gaslight", "gaslights", "gasoline", "gasp", "gasped", "gasping", "gaspingly", "gasps", "gassed", "gasser", "gasses", "gassing", "gassings", "gassy", "gastric", "gastritis", "gastrointestinal", "gastronome", "gastronomes", "gastronomical", "gastronomy", "gastropod", "gastropods", "gate", "gateau", "gateaus", "gateaux", "gated", "gatekeeper", "gatekeepers", "gates", "gateway", "gateways", "gather", "gathered", "gatherer", "gathering", "gatherings", "gathers", "gating", "gatt", "gauche", "gaucherie", "gaucheries", "gaudier", "gaudiest", "gaudily", "gaudiness", "gaudy", "gauge", "gaugeable", "gauged", "gauges", "gauging", "gaul", "gaunt", "gaunter", "gauntlet", "gauntlets", "gauntly", "gauntness", "gauss", "gaussian", "gauze", "gauzes", "gauzy", "gave", "gavel", "gavels", "gavin", "gavotte", "gavottes", "gawk", "gawked", "gawking", "gawkish", "gawks", "gawky", "gay", "gaylord", "gays", "gaze", "gazebo", "gazebos", "gazed", "gazelle", "gazelles", "gazer", "gazers", "gazes", "gazette", "gazetted", "gazetteer", "gazettes", "gazetting", "gazing", "gazon", "gazump", "gazumped", "gazumper", "gazumpers", "gazumping", "gazumps", "gear", "gearbox", "geared", "gearing", "gears", "gee", "geese", "geezer", "geezers", "geiger", "geisha", "geishas", "gel", "gelatin", "gelatinous", "gelatins", "geld", "gelding", "geldings", "gelignite", "gem", "gemini", "gemlike", "gems", "gemstone", "gemstones", "gendarme", "gender", "genders", "gene", "genealogical", "genealogies", "genealogist", "genealogists", "genealogy", "genera", "general", "generalist", "generalists", "generalities", "generality", "generalization", "generalizations", "generalize", "generalized", "generalizes", "generalizing", "generally", "generals", "generate", "generated", "generates", "generating", "generation", "generations", "generative", "generator", "generators", "generic", "generically", "generosity", "generous", "generously", "generousness", "genes", "geneses", "genesis", "genet", "genetic", "genetical", "genetically", "geneticist", "geneticists", "genetics", "geneva", "genial", "geniality", "genially", "genie", "genii", "genital", "genitalia", "genitals", "genitive", "genius", "geniuses", "genoa", "genre", "genres", "genteel", "genteelly", "genteelness", "gentian", "gentians", "gentile", "gentiles", "gentility", "gentle", "gentlefolk", "gentleman", "gentlemanly", "gentlemen", "gentleness", "gentler", "gentlest", "gentlewoman", "gentlewomen", "gently", "gentry", "genuflect", "genuflection", "genuflector", "genuflectors", "genuflects", "genuine", "genuinely", "genuineness", "genus", "geocentric", "geocentricism", "geochemical", "geochemistry", "geochronology", "geodesic", "geodesy", "geodetic", "geoff", "geoffrey", "geographer", "geographers", "geographic", "geographical", "geographically", "geography", "geological", "geologist", "geologists", "geology", "geometer", "geometric", "geometrical", "geometrically", "geometrician", "geometry", "geophysical", "geophysics", "geopolitical", "geopolitics", "george", "georgetown", "georgette", "georgia", "georgian", "gerald", "geraldine", "geranium", "geraniums", "gerard", "gerbil", "gerbils", "geriatric", "geriatrics", "germ", "german", "germane", "germanely", "germanic", "germanium", "germans", "germany", "germicidal", "germicide", "germinal", "germinate", "germinated", "germinates", "germinating", "germination", "germs", "gerrymander", "gershwin", "gertrude", "gerund", "gerundial", "gerundive", "gestalt", "gestapo", "gestation", "gesticulate", "gesticulated", "gesticulates", "gesticulating", "gesture", "gestured", "gestures", "gesturing", "get", "getaway", "gets", "getting", "getup", "geyser", "geysers", "ghana", "ghanaian", "ghastly", "ghent", "gherkin", "gherkins", "ghetto", "ghettos", "ghost", "ghosted", "ghosting", "ghostlike", "ghostly", "ghosts", "ghoul", "ghoulish", "ghouls", "giant", "giantess", "giants", "gibber", "gibberish", "gibbers", "gibbet", "gibbets", "gibbon", "gibbons", "gibe", "gibed", "gibes", "gibing", "giblet", "giblets", "gibralter", "giddily", "giddiness", "giddy", "gideon", "gift", "gifted", "gifts", "gig", "gigacycle", "gigahertz", "gigantic", "gigavolt", "gigawatt", "giggle", "giggled", "giggles", "giggling", "giggly", "gigolo", "gigolos", "gigs", "gild", "gilded", "gilding", "gilds", "gill", "gillette", "gills", "gilt", "giltedged", "gimlet", "gimlets", "gimmick", "gimmicks", "gimmicky", "gin", "ginger", "gingerbread", "gingered", "gingerly", "gingers", "gingham", "ginghams", "gins", "ginseng", "giovanni", "gipsies", "gipsy", "gipsywort", "giraffe", "giraffes", "gird", "girded", "girder", "girders", "girding", "girdle", "girdled", "girdles", "girds", "girl", "girlfriend", "girlhood", "girlie", "girlish", "girlishly", "girls", "giro", "giros", "girth", "girths", "gist", "give", "giveaway", "giveaways", "given", "giver", "givers", "gives", "giveth", "giving", "gizmo", "gizzard", "glace", "glacial", "glaciate", "glacier", "glaciers", "glad", "gladden", "gladdened", "gladdening", "gladdens", "glade", "glades", "gladiator", "gladiatorial", "gladioli", "gladiolus", "gladly", "gladness", "glamorize", "glamorized", "glamorizes", "glamorizing", "glamorous", "glamorously", "glamour", "glance", "glanced", "glances", "glancing", "gland", "glands", "glandular", "glare", "glared", "glares", "glaring", "glaringly", "glasgow", "glass", "glasses", "glassily", "glassless", "glassware", "glasswort", "glassy", "glaswegian", "glaswegians", "glaucoma", "glaucous", "glaze", "glazed", "glazes", "glazier", "glaziers", "glazing", "gleam", "gleamed", "gleaming", "gleams", "glean", "gleaned", "gleaner", "gleaners", "gleaning", "gleans", "glee", "gleeful", "gleefully", "glen", "glens", "glib", "glibly", "glide", "glided", "glider", "gliders", "glides", "gliding", "glimmer", "glimmered", "glimmering", "glimmers", "glimpse", "glimpsed", "glimpses", "glimpsing", "glint", "glinted", "glinting", "glints", "glisten", "glistened", "glistening", "glistens", "glister", "glistered", "glistering", "glisters", "glitch", "glitches", "glitter", "glittered", "glittering", "glitters", "gloaming", "gloat", "gloated", "gloater", "gloating", "gloats", "global", "globally", "globe", "globes", "globetrotter", "globetrotters", "globular", "globule", "globules", "globulin", "globulins", "gloms", "gloom", "gloomily", "gloomy", "glories", "glorification", "glorified", "glorifies", "glorify", "glorifying", "glorious", "gloriously", "glory", "glorying", "gloss", "glossae", "glossaries", "glossary", "glossed", "glosses", "glossily", "glossiness", "glossing", "glossy", "glottal", "glottis", "glove", "gloved", "gloves", "glow", "glowed", "glower", "glowered", "glowering", "glowers", "glowing", "glowingly", "glows", "glowworm", "glowworms", "glucose", "glue", "glued", "glues", "gluey", "gluing", "glum", "glumly", "glummer", "glumness", "glut", "glutamate", "glutamic", "gluten", "glutinous", "gluts", "glutted", "glutting", "glutton", "gluttonous", "gluttonously", "gluttons", "gluttony", "glycerin", "glycerol", "glycol", "glycols", "glycoside", "gmt", "gnarl", "gnarled", "gnarling", "gnarls", "gnash", "gnashed", "gnashes", "gnashing", "gnat", "gnats", "gnaw", "gnawed", "gnawing", "gnaws", "gneiss", "gnocchi", "gnome", "gnomelike", "gnomes", "gnomish", "gnostic", "gnu", "gnus", "goad", "goaded", "goading", "goads", "goal", "goalie", "goalkeeper", "goalkeepers", "goalpost", "goalposts", "goals", "goat", "goatee", "goats", "gob", "gobble", "gobbled", "gobbledygook", "gobbler", "gobblers", "gobbles", "gobbling", "gobi", "goblet", "goblets", "goblin", "goblins", "god", "godchild", "godchildren", "goddaughter", "goddaughters", "goddess", "goddesses", "godfather", "godfathers", "godfrey", "godhead", "godless", "godlike", "godliness", "godly", "godmother", "godmothers", "godparent", "godparents", "gods", "godsend", "godson", "godsons", "goes", "goethe", "gofer", "goggle", "goggled", "goggles", "goggling", "going", "goings", "goiter", "gold", "golden", "goldfinch", "goldfinches", "goldfish", "goldfishes", "goldsmith", "goldsmiths", "goldstein", "goldwater", "golf", "golfer", "golfers", "golfing", "goliath", "golly", "gonad", "gondola", "gondolas", "gone", "goner", "goners", "gong", "gongs", "gonorrhea", "goo", "good", "goodbye", "goodbyes", "goodie", "goodies", "goodish", "goodly", "goodman", "goodness", "goodnight", "goods", "goodwill", "goody", "goodyear", "goof", "goofed", "goofs", "goofy", "googol", "goon", "goose", "gooseberries", "gooseberry", "goosefoot", "goosegrass", "gopher", "gore", "gored", "gores", "gorge", "gorged", "gorgeous", "gorgeously", "gorgeousness", "gorges", "gorging", "gorgonzola", "gorilla", "gorillas", "goring", "gorse", "gorton", "gory", "gosh", "goshawk", "goshawks", "gosling", "gospel", "gospels", "gossamer", "gossip", "gossiped", "gossiping", "gossips", "gossipy", "got", "goth", "gothic", "gothicism", "gotten", "gouache", "gouda", "gouge", "gouged", "gouges", "gouging", "goulash", "gourd", "gourds", "gourmand", "gourmands", "gourmet", "gourmets", "gout", "goutweed", "gouty", "govern", "governance", "governed", "governess", "governesses", "governing", "government", "governmental", "governmentally", "governments", "governor", "governors", "governs", "gown", "gowned", "gowning", "gowns", "goya", "grab", "grabbed", "grabber", "grabbers", "grabbing", "grabby", "grabs", "grace", "graced", "graceful", "gracefully", "gracefulness", "graces", "gracing", "gracious", "graciously", "graciousness", "grad", "gradate", "gradation", "gradations", "grade", "graded", "grader", "grades", "gradient", "gradients", "grading", "gradings", "gradual", "gradualist", "gradually", "graduate", "graduated", "graduates", "graduating", "graduation", "graduations", "graffiti", "graft", "grafted", "grafting", "grafts", "graham", "grahamstown", "grail", "grain", "grained", "grains", "grainy", "gram", "grammar", "grammarian", "grammarians", "grammatical", "grammatically", "grammaticalness", "gramophone", "gramophones", "grams", "granaries", "granary", "grand", "grandchild", "grandchildren", "granddaughter", "granddaughters", "grandee", "grandees", "grandeur", "grandfather", "grandfathers", "grandiloquent", "grandiose", "grandiosely", "grandioseness", "grandly", "grandma", "grandmother", "grandmothers", "grandnephew", "grandniece", "grandpa", "grandparent", "grandparents", "grandson", "grandsons", "grandstand", "grandstands", "grange", "granges", "granite", "grannies", "granny", "granola", "grant", "granted", "granter", "granting", "grants", "granular", "granulate", "granulated", "granule", "granules", "grape", "grapefruit", "grapefruits", "grapes", "grapeshot", "grapevine", "grapevines", "graph", "graphed", "graphic", "graphical", "graphically", "graphics", "graphing", "graphite", "graphs", "grapnel", "grapple", "grappled", "grapples", "grappling", "grasp", "graspable", "grasped", "grasping", "graspingly", "graspingness", "grasps", "grass", "grassed", "grasser", "grasses", "grassfire", "grasshopper", "grasshoppers", "grassing", "grassland", "grasslands", "grassroots", "grassy", "grate", "grated", "grateful", "gratefully", "grater", "graters", "grates", "gratiae", "gratification", "gratified", "gratifies", "gratify", "gratifying", "gratifyingly", "gratin", "grating", "gratingly", "gratings", "gratis", "gratitude", "gratuities", "gratuitous", "gratuitously", "gratuity", "grave", "gravel", "gravels", "gravely", "graven", "graveness", "graver", "graves", "gravest", "gravestone", "gravestones", "graveyard", "graveyards", "gravitate", "gravitated", "gravitates", "gravitating", "gravitation", "gravitational", "gravity", "gravy", "gray", "graybeard", "graybeards", "grayed", "grayer", "graying", "grayish", "grayling", "graylings", "grays", "grayscale", "graze", "grazed", "grazer", "grazers", "grazes", "grazing", "grease", "greased", "greaseless", "greasepaint", "greaser", "greases", "greasily", "greasiness", "greasing", "greasy", "great", "greatcoat", "greatcoats", "greater", "greatest", "greatly", "greatness", "grebe", "grebes", "grecian", "greece", "greed", "greedier", "greediest", "greedily", "greediness", "greedy", "greek", "greeks", "green", "greenback", "greenbacks", "greenbelt", "greened", "greenery", "greenest", "greenflies", "greenfly", "greengage", "greengages", "greengrocer", "greengrocers", "greenhorn", "greenhorns", "greenhouse", "greenhouses", "greening", "greenish", "greenland", "greenness", "greens", "greensleeves", "greenstick", "greenwich", "greet", "greeted", "greeting", "greetings", "greets", "gregarious", "gregariously", "gregariousness", "gregorian", "gregory", "gremlin", "gremlins", "grenada", "grenade", "grenades", "grenadier", "grenadiers", "grenadine", "grew", "greyhound", "greyhounds", "grid", "griddle", "griddles", "gridiron", "grids", "grief", "grieg", "grievance", "grievances", "grieve", "grieved", "grieves", "grieving", "grievous", "grievously", "grievousness", "griffin", "griffins", "grill", "grille", "grilled", "grilles", "grilling", "grills", "grillwork", "grim", "grimace", "grimaced", "grimaces", "grimacing", "grimaldi", "grime", "grimed", "grimes", "grimily", "grimly", "grimmer", "grimmest", "grimness", "grimy", "grin", "grind", "grinder", "grinders", "grinding", "grindingly", "grindings", "grinds", "grindstone", "grinned", "grinning", "grins", "grip", "gripe", "griped", "gripes", "griping", "gripped", "gripping", "grippingly", "grips", "grislier", "grisliest", "grisly", "grist", "gristle", "gristles", "gristly", "gristmill", "grit", "grits", "gritstone", "gritted", "grittier", "grittiest", "gritting", "gritty", "grizzle", "grizzled", "grizzles", "grizzling", "grizzly", "groan", "groaned", "groaner", "groaning", "groaningly", "groans", "groat", "groats", "grocer", "groceries", "grocers", "grocery", "grog", "groggier", "groggiest", "groggily", "grogginess", "groggy", "groin", "groins", "grommet", "grommets", "groom", "groomed", "grooming", "grooms", "groomsman", "groove", "grooved", "grooves", "groovy", "grope", "groped", "gropes", "groping", "gropingly", "gross", "grosser", "grossly", "grossness", "grotesque", "grotesquely", "grotesqueness", "grotesques", "grotto", "grottoes", "grouch", "grouches", "grouchily", "grouchiness", "grouchy", "ground", "grounded", "grounding", "groundings", "groundless", "groundlessly", "groundlessness", "groundnut", "groundnuts", "grounds", "groundsheet", "groundsheets", "groundsman", "groundsmen", "groundspeed", "groundswell", "groundwave", "groundwork", "group", "grouped", "grouper", "grouping", "groupings", "groups", "grouse", "groused", "grouses", "grousing", "grout", "grouted", "grouting", "grouts", "grove", "grovel", "groveled", "groveler", "grovelers", "groveling", "grovels", "groves", "grow", "grower", "growers", "growing", "growl", "growled", "growler", "growlers", "growling", "growlingly", "growls", "grown", "grownup", "grownups", "grows", "growth", "growths", "grub", "grubbed", "grubbier", "grubbing", "grubby", "grubs", "grudge", "grudged", "grudger", "grudgers", "grudges", "grudging", "grudgingly", "gruel", "grueling", "gruesome", "gruesomely", "gruesomeness", "gruff", "gruffly", "gruffness", "grumble", "grumbled", "grumbler", "grumblers", "grumbles", "grumbling", "grumblingly", "grumbly", "grump", "grumpier", "grumpiest", "grumpily", "grumpiness", "grumpish", "grumpishly", "grumps", "grumpy", "grunt", "grunted", "grunting", "grunts", "gruyere", "guacamole", "guadalajara", "guadeloupe", "guam", "guano", "guarantee", "guaranteed", "guaranteeing", "guarantees", "guarantor", "guarantors", "guaranty", "guard", "guarded", "guardedly", "guardedness", "guardhouse", "guardian", "guardians", "guardianship", "guarding", "guards", "guardsman", "guardsmen", "guatemala", "guatemalan", "guava", "gubernatorial", "gudgeon", "gudgeons", "guernsey", "guerrilla", "guerrillas", "guess", "guessed", "guesses", "guessing", "guesstimate", "guesstimated", "guesstimates", "guesstimating", "guesswork", "guest", "guesthouse", "guesthouses", "guests", "guffaw", "guffawed", "guffawing", "guffaws", "guidable", "guidance", "guide", "guidebook", "guidebooks", "guided", "guideline", "guidelines", "guidepost", "guideposts", "guides", "guiding", "guild", "guilder", "guilders", "guildhall", "guilds", "guildsman", "guile", "guileful", "guilefully", "guilefulness", "guileless", "guilelessly", "guilford", "guillemot", "guillemots", "guillotine", "guillotined", "guillotines", "guilt", "guiltier", "guiltiest", "guiltily", "guiltiness", "guiltless", "guiltlessly", "guiltlessness", "guilty", "guinea", "guineas", "guise", "guises", "guitar", "guitarist", "guitarists", "guitars", "gulf", "gulfs", "gull", "gulled", "gullet", "gullets", "gullibility", "gullible", "gullibly", "gullies", "gulls", "gully", "gulp", "gulped", "gulping", "gulpingly", "gulps", "gum", "gumbo", "gumboil", "gumboils", "gumbos", "gumdrop", "gumdrops", "gummed", "gummier", "gummiest", "gumming", "gummy", "gumption", "gums", "gumshoe", "gun", "gunboat", "gunboats", "gunfight", "gunfighter", "gunfighters", "gunfights", "gunfire", "gunflint", "gunk", "gunman", "gunmen", "gunmetal", "gunned", "gunner", "gunners", "gunnery", "gunning", "gunny", "gunplay", "gunpowder", "gunrunning", "guns", "gunshot", "gunslinger", "gunsmith", "gunwale", "guppies", "guppy", "gurgle", "gurgled", "gurgles", "gurgling", "guru", "gurus", "gus", "gush", "gushed", "gusher", "gushes", "gushing", "gushingly", "gushy", "gusset", "gussets", "gust", "gusted", "gustier", "gustiest", "gusting", "gusto", "gusts", "gusty", "gut", "gutless", "guts", "gutsy", "gutted", "gutter", "guttered", "guttering", "gutters", "gutting", "guttural", "gutturally", "guy", "guyana", "guying", "guys", "guzzle", "guzzled", "guzzler", "guzzlers", "guzzles", "guzzling", "gym", "gymkhana", "gymkhanas", "gymnasia", "gymnasium", "gymnasiums", "gymnast", "gymnastic", "gymnastics", "gymnasts", "gyms", "gynecologist", "gynecologists", "gynecology", "gypsies", "gypsite", "gypsum", "gypsy", "gyrate", "gyrated", "gyrates", "gyrating", "gyration", "gyrations", "gyro", "gyrocompass", "gyros", "gyroscope", "gyroscopes", "habakkuk", "haberdasher", "haberdasheries", "haberdashers", "haberdashery", "habet", "habit", "habitability", "habitable", "habitably", "habitant", "habitants", "habitat", "habitation", "habitations", "habitats", "habits", "habitual", "habitually", "habitualness", "habituate", "habituated", "habituates", "habituating", "habituation", "habitude", "habitudes", "habitue", "habsburg", "hack", "hackberry", "hacked", "hacker", "hackers", "hacking", "hackle", "hackles", "hackmatack", "hackney", "hackneyed", "hacks", "hacksaw", "hacksaws", "had", "haddock", "hades", "hafnes", "hafnium", "hag", "haggai", "haggard", "haggardly", "haggardness", "haggis", "haggle", "haggled", "haggler", "hagglers", "haggles", "haggling", "hags", "hague", "haifa", "haiku", "hail", "hailed", "hailers", "hailing", "hails", "hailstone", "hailstones", "hailstorm", "hailstorms", "haiphong", "hair", "hairbrush", "haircut", "haircuts", "hairdo", "hairdos", "hairdresser", "hairdressers", "hairdressing", "haired", "hairier", "hairiest", "hairless", "hairline", "hairpin", "hairpins", "hairs", "hairsplitting", "hairspring", "hairsprings", "hairstyles", "hairy", "haiti", "haitian", "haitians", "hake", "halation", "halberd", "halberds", "halcyon", "hale", "haley", "half", "halfback", "halfbacks", "halfhearted", "halfway", "halibut", "halifax", "hall", "hallelujah", "hallelujahs", "hallmark", "hallmarks", "halloo", "hallow", "hallowed", "halloween", "halls", "hallucinate", "hallucinated", "hallucinates", "hallucinating", "hallucination", "hallucinations", "hallucinator", "hallucinators", "hallucinatory", "hallucinogen", "hallucinogenic", "hallway", "hallways", "halo", "haloes", "halogen", "halogens", "halos", "halt", "halted", "halter", "halters", "halting", "haltingly", "halts", "halve", "halved", "halves", "halving", "halyard", "halyards", "ham", "hamburg", "hamburger", "hamburgers", "hamlet", "hamlets", "hammed", "hammer", "hammered", "hammerhead", "hammering", "hammerlock", "hammers", "hammier", "hammiest", "hamming", "hammock", "hammocks", "hammy", "hamper", "hampered", "hampering", "hampers", "hams", "hamster", "hamsters", "hamstring", "hamstrings", "hamstrung", "hancock", "hand", "handbag", "handbags", "handball", "handbill", "handbills", "handbook", "handbooks", "handbrake", "handbrakes", "handcar", "handcars", "handcart", "handcarts", "handclasp", "handcraft", "handcrafted", "handcrafting", "handcrafts", "handcuff", "handcuffs", "handed", "handel", "handful", "handfuls", "handgun", "handguns", "handhold", "handholds", "handicap", "handicapped", "handicapper", "handicappers", "handicapping", "handicaps", "handicraft", "handicrafts", "handicraftsman", "handicraftsmen", "handier", "handiest", "handily", "handiness", "handing", "handiwork", "handkerchief", "handkerchiefs", "handkerchieves", "handle", "handleable", "handlebar", "handlebars", "handled", "handler", "handlers", "handles", "handless", "handline", "handling", "handmade", "handmaiden", "handout", "handouts", "handrail", "handrails", "hands", "handsaw", "handsel", "handset", "handsets", "handshake", "handshakes", "handshaking", "handsome", "handsomely", "handsomeness", "handsomer", "handsomest", "handspike", "handspring", "handstand", "handstands", "handwrite", "handwriting", "handwritten", "handy", "handyman", "handymen", "hang", "hangable", "hangar", "hangars", "hangdog", "hanged", "hanger", "hangers", "hangfire", "hanging", "hangings", "hangman", "hangmen", "hangout", "hangouts", "hangover", "hangovers", "hangs", "hangup", "hangups", "hank", "hanker", "hankered", "hankerer", "hankering", "hankers", "hanks", "hanky", "hanna", "hannah", "hannibal", "hanoi", "hanover", "hanoverian", "hansard", "hanse", "hanukkah", "haphazard", "haphazardly", "haphazardness", "hapless", "haplessly", "haplessness", "haply", "happen", "happened", "happening", "happenings", "happens", "happenstance", "happier", "happiest", "happily", "happiness", "happy", "harangue", "harangued", "haranguer", "harangues", "haranguing", "harare", "harass", "harassed", "harasser", "harassers", "harasses", "harassing", "harassingly", "harassment", "harassments", "harbinger", "harbingers", "harbor", "harbored", "harboring", "harbors", "hard", "hardback", "hardbake", "hardboard", "hardboiled", "hardcopy", "harden", "hardened", "hardener", "hardeners", "hardening", "hardens", "harder", "hardest", "hardhat", "hardhearted", "hardier", "hardiest", "hardily", "hardiness", "hardly", "hardness", "hardshell", "hardship", "hardships", "hardtack", "hardtop", "hardware", "hardwired", "hardwood", "hardwoods", "hardworking", "hardy", "hare", "harebell", "harelip", "harelips", "harem", "harems", "hares", "haricot", "haring", "hark", "harken", "harking", "harks", "harlem", "harlequin", "harlequinade", "harlequins", "harlot", "harlotry", "harlots", "harm", "harmed", "harmful", "harmfully", "harmfulness", "harming", "harmless", "harmlessly", "harmlessness", "harmonic", "harmonica", "harmonically", "harmonicas", "harmonics", "harmonies", "harmonious", "harmoniously", "harmoniousness", "harmonist", "harmonium", "harmoniums", "harmonization", "harmonize", "harmonized", "harmonizes", "harmonizing", "harmony", "harms", "harness", "harnessed", "harnesses", "harnessing", "harold", "harp", "harped", "harpies", "harping", "harpist", "harpists", "harpoon", "harpooned", "harpoons", "harps", "harpsichord", "harpsichordist", "harpsichordists", "harpsichords", "harpy", "harridan", "harridans", "harried", "harrier", "harriers", "harries", "harriet", "harris", "harrisburg", "harrow", "harrowed", "harrower", "harrowing", "harrows", "harry", "harrying", "harsh", "harshen", "harshened", "harshening", "harshens", "harsher", "harshest", "harshly", "harshness", "hart", "hartford", "harts", "harvard", "harvest", "harvested", "harvester", "harvesters", "harvesting", "harvestman", "harvestmen", "harvests", "harvey", "has", "hash", "hashed", "hasher", "hashes", "hashing", "hashish", "hasp", "hasps", "hassle", "hassled", "hassles", "hassling", "hassock", "hassocks", "haste", "hasted", "hasten", "hastened", "hastener", "hastening", "hastens", "hastes", "hastier", "hastiest", "hastily", "hastiness", "hasting", "hasty", "hat", "hatband", "hatbands", "hatbox", "hatboxes", "hatch", "hatchback", "hatchbacks", "hatched", "hatcheries", "hatchery", "hatches", "hatchet", "hatchets", "hatching", "hatchment", "hatchway", "hatchways", "hate", "hated", "hateful", "hatefully", "hatefulness", "hater", "haters", "hates", "hatful", "hatfuls", "hathaway", "hating", "hatless", "hatpin", "hatpins", "hatred", "hats", "hatstand", "hatstands", "hatted", "hatter", "hatters", "haugh", "haughtily", "haughtiness", "haughty", "haul", "haulage", "hauled", "hauler", "haulers", "hauling", "hauls", "haunch", "haunches", "haunt", "haunted", "haunter", "haunting", "hauntingly", "haunts", "hausa", "havana", "have", "haven", "havens", "haver", "havered", "havering", "havers", "haversack", "haversacks", "havilland", "having", "havoc", "hawaii", "hawaiian", "hawk", "hawkbit", "hawked", "hawker", "hawkers", "hawking", "hawks", "hawkweed", "hawse", "hawser", "hawthorn", "hay", "haydn", "hayed", "hayfield", "hayfork", "hayling", "hayloft", "haymaker", "haymakers", "haymaking", "hayrack", "hays", "hayseed", "haystack", "haystacks", "haywire", "hazard", "hazardous", "hazardously", "hazardousness", "hazards", "haze", "hazel", "hazelnut", "hazelnuts", "hazes", "hazier", "hazily", "haziness", "hazy", "head", "headache", "headaches", "headachy", "headboard", "headdress", "headed", "header", "headers", "headgear", "headhunter", "headhunters", "headhunting", "headily", "headiness", "heading", "headings", "headlamp", "headlamps", "headland", "headlands", "headless", "headlight", "headlights", "headline", "headlines", "headlining", "headlong", "headman", "headmaster", "headmasters", "headmistress", "headmistresses", "headnote", "headnotes", "headphone", "headphones", "headpin", "headquarter", "headquarters", "headrest", "headroom", "heads", "headset", "headsets", "headshake", "headshrinker", "headshrinkers", "headsman", "headsmen", "headstand", "headstands", "headstone", "headstones", "headstrong", "headwall", "headwalls", "headwater", "headwaters", "headway", "heady", "heal", "healed", "healer", "healers", "healing", "heals", "health", "healthful", "healthier", "healthiest", "healthily", "healthiness", "healthy", "heap", "heaped", "heaping", "heaps", "hear", "heard", "hearer", "hearers", "hearing", "hearings", "hearken", "hearkened", "hearkening", "hearkens", "hears", "hearsay", "hearse", "hearses", "heart", "heartache", "heartaches", "heartbeat", "heartbeats", "heartbreak", "heartbreaking", "heartburn", "hearted", "hearten", "heartened", "heartening", "heartens", "heartfelt", "hearth", "hearths", "heartiest", "heartily", "heartiness", "heartland", "heartless", "heartlessly", "heartlessness", "hearts", "heartsease", "heartthrob", "heartthrobs", "hearty", "heat", "heated", "heatedly", "heater", "heaters", "heath", "heathen", "heathenish", "heathens", "heather", "heathy", "heating", "heats", "heave", "heaved", "heaven", "heavenly", "heavens", "heavenward", "heavenwards", "heaves", "heavier", "heaviest", "heavily", "heaviness", "heaving", "heavy", "heavyweight", "hebrew", "hebrews", "hebridean", "hebrides", "heck", "heckle", "heckled", "heckler", "hecklers", "heckles", "heckling", "hectare", "hectares", "hectic", "hectically", "hector", "hedge", "hedged", "hedgehog", "hedgehogs", "hedger", "hedgerow", "hedgerows", "hedges", "hedging", "hedonic", "hedonism", "hedonist", "hedonistic", "hedonists", "heed", "heeded", "heedful", "heeding", "heedless", "heedlessly", "heedlessness", "heeds", "heehaw", "heel", "heeled", "heelers", "heeling", "heels", "heft", "hefted", "hefty", "hegemony", "heifer", "heifers", "height", "heighten", "heightened", "heightening", "heightens", "heights", "heinous", "heinously", "heinousness", "heinz", "heir", "heiress", "heiresses", "heirs", "heist", "held", "helen", "helena", "helical", "helices", "helicopter", "helicopters", "heliocentric", "heliotrope", "heliotropes", "heliport", "helium", "helix", "helixes", "hell", "hellbender", "hellebore", "hellenic", "hellfire", "hellish", "hellishly", "hello", "helm", "helmet", "helmets", "helms", "helmsman", "helmsmen", "helot", "help", "helped", "helper", "helpers", "helpful", "helpfully", "helpfulness", "helping", "helpings", "helpless", "helplessly", "helplessness", "helpmate", "helpmates", "helps", "helsinki", "helvetian", "helvetica", "hem", "hematology", "hemisphere", "hemispheres", "hemispheric", "hemispherical", "hemline", "hemlock", "hemlocks", "hemmed", "hemming", "hemoglobin", "hemolytic", "hemophilia", "hemophiliac", "hemophiliacs", "hemorrhage", "hemorrhoid", "hemorrhoids", "hemp", "hems", "hemstitch", "hen", "henbane", "hence", "henceforth", "henceforward", "henchman", "henchmen", "henley", "henpeck", "henpecked", "henpecking", "henpecks", "henries", "henry", "hens", "hepatic", "hepatitis", "hepburn", "her", "herald", "heralded", "heraldic", "heralding", "heraldry", "heralds", "herb", "herbaceous", "herbage", "herbal", "herbert", "herbicide", "herbicides", "herbivore", "herbivores", "herbivorous", "herbs", "herculean", "hercules", "herd", "herded", "herder", "herding", "herds", "herdsman", "herdsmen", "here", "hereabout", "hereabouts", "hereafter", "hereby", "hereditary", "heredity", "hereford", "herein", "hereinafter", "hereof", "hereon", "heresies", "heresy", "heretic", "heretical", "heretics", "hereto", "heretofore", "hereunder", "hereunto", "herewith", "heritability", "heritable", "heritage", "heritages", "herman", "hermaphrodite", "hermaphrodites", "hermaphroditic", "hermes", "hermetic", "hermetically", "hermit", "hermitage", "hermits", "hernia", "hernias", "hero", "heroes", "heroic", "heroically", "heroics", "heroin", "heroine", "heroines", "heroism", "heron", "herons", "herpes", "herpetologist", "herpetologists", "herpetology", "herring", "herringbone", "herrings", "hers", "herself", "hertz", "hesitance", "hesitancy", "hesitant", "hesitantly", "hesitate", "hesitated", "hesitater", "hesitates", "hesitating", "hesitatingly", "hesitation", "hesitations", "hess", "hessian", "hessians", "hetero", "heterodyne", "heterogamous", "heterogeneity", "heterogeneous", "heterosexual", "heuristic", "heuristics", "hew", "hewed", "hewer", "hewers", "hewing", "hewlett", "hewn", "hews", "hex", "hexachloride", "hexadecimal", "hexafluoride", "hexagon", "hexagonal", "hexagons", "hexagram", "hexameter", "hey", "heyday", "heydays", "hiatus", "hiatuses", "hiawatha", "hibernate", "hibernated", "hibernates", "hibernating", "hibernation", "hibernia", "hibernian", "hiccup", "hiccupped", "hiccupping", "hiccups", "hick", "hickory", "hid", "hidden", "hiddenmost", "hide", "hideaway", "hidebound", "hideous", "hideously", "hideousness", "hideout", "hides", "hiding", "hierarchic", "hierarchical", "hierarchically", "hierarchies", "hierarchy", "hieratic", "hieroglyph", "hieroglyphic", "hieroglyphics", "hieroglyphs", "hifi", "high", "highball", "highborn", "highbrow", "higher", "highest", "highhanded", "highland", "highlander", "highlanders", "highlands", "highlight", "highlighted", "highlighting", "highlights", "highly", "highness", "highnesses", "highroad", "highroads", "highs", "highschool", "highway", "highwayman", "highwaymen", "highways", "hijack", "hijacked", "hijacker", "hijackers", "hijacking", "hijacks", "hike", "hiked", "hiker", "hikers", "hikes", "hiking", "hilarious", "hilariously", "hilarity", "hill", "hillary", "hillbillies", "hillbilly", "hillcrest", "hilliness", "hillman", "hillmen", "hillock", "hillocks", "hills", "hillside", "hillsides", "hilltop", "hilltops", "hilly", "hilt", "hilton", "hilts", "him", "himalaya", "himalayas", "himself", "hind", "hinder", "hindered", "hindering", "hinders", "hindi", "hindmost", "hindquarters", "hindrance", "hindrances", "hinds", "hindsight", "hindu", "hinduism", "hindus", "hindustan", "hindustani", "hinge", "hinged", "hinges", "hinging", "hint", "hinted", "hinterland", "hinterlands", "hinting", "hints", "hip", "hippie", "hippies", "hippocrates", "hippocratic", "hippodrome", "hippopotamus", "hippopotamuses", "hippy", "hips", "hipster", "hipsters", "hire", "hired", "hireling", "hirelings", "hirer", "hires", "hiring", "hiroshima", "hirsute", "his", "hispaniola", "hiss", "hissed", "hisses", "hissing", "histochemic", "histochemical", "histochemistry", "histogram", "histograms", "histology", "historian", "historians", "historic", "historical", "historically", "historicism", "historicity", "histories", "historiography", "history", "histrionic", "histrionically", "histrionics", "hit", "hitachi", "hitch", "hitchcock", "hitched", "hitches", "hitching", "hither", "hitherto", "hitler", "hitless", "hits", "hitter", "hitters", "hitting", "hive", "hived", "hives", "hiving", "hmos", "hoard", "hoarded", "hoarder", "hoarders", "hoarding", "hoards", "hoarfrost", "hoarse", "hoarsely", "hoarseness", "hoary", "hoax", "hoaxed", "hoaxer", "hoaxers", "hoaxes", "hoaxing", "hob", "hobbies", "hobbit", "hobble", "hobbled", "hobbles", "hobbling", "hobby", "hobbyhorse", "hobgoblin", "hobgoblins", "hobnail", "hobnob", "hobnobbed", "hobnobbing", "hobnobs", "hobo", "hobs", "hoc", "hock", "hockey", "hocking", "hocks", "hod", "hodgepodge", "hods", "hoe", "hoed", "hoeing", "hoes", "hog", "hogged", "hogging", "hoggish", "hogs", "hogshead", "hogwash", "hogweed", "hoist", "hoisted", "hoisting", "hoists", "hokkaido", "holbein", "hold", "holder", "holders", "holding", "holdings", "holds", "holdup", "holdups", "hole", "holed", "holes", "holiday", "holidaymaker", "holidaymakers", "holidays", "holier", "holies", "holiness", "holing", "holism", "holistic", "holland", "hollandaise", "hollander", "holler", "hollered", "hollering", "hollow", "hollowed", "hollowing", "hollowly", "hollowness", "hollows", "holly", "hollyhock", "hollyhocks", "hollywood", "holm", "holmium", "holocaust", "holocausts", "holocene", "hologram", "holograms", "holograph", "holography", "holst", "holstein", "holster", "holstered", "holsters", "holy", "homage", "home", "homebound", "homebuilder", "homebuilders", "homebuilding", "homecoming", "homecomings", "homed", "homeland", "homeless", "homeliness", "homely", "homemade", "homemake", "homemaker", "homemakers", "homeomorph", "homeomorphic", "homeopath", "homeopathic", "homeopathy", "homeowner", "homeowners", "homer", "homeric", "homerists", "homers", "homes", "homesick", "homesickness", "homespun", "homestead", "homesteaders", "homesteads", "homeward", "homewards", "homework", "homicidal", "homicide", "homicides", "homilies", "homily", "homing", "hominy", "hommes", "homo", "homogenate", "homogeneity", "homogeneous", "homogeneously", "homogenize", "homogenized", "homogenizes", "homogenizing", "homogenous", "homologous", "homologue", "homology", "homomorphic", "homomorphism", "homonym", "homonyms", "homosexual", "homosexuals", "honda", "honduras", "honest", "honestly", "honesty", "honey", "honeybee", "honeybees", "honeycomb", "honeycombed", "honeycombs", "honeydew", "honeymoon", "honeymooners", "honeymooning", "honeymoons", "honeypot", "honeypots", "honeys", "honeysuckle", "honeywell", "honiara", "honk", "honked", "honking", "honks", "honkytonk", "honkytonks", "honolulu", "honor", "honorable", "honorably", "honorarium", "honorariums", "honorary", "honored", "honoring", "honors", "honshu", "hooch", "hood", "hooded", "hooding", "hoodlum", "hoodlums", "hoods", "hoodwink", "hoodwinked", "hoodwinking", "hoodwinks", "hooey", "hoof", "hoofed", "hoofers", "hoofmark", "hoofmarks", "hoofs", "hook", "hookah", "hooked", "hooker", "hookers", "hooking", "hooks", "hookup", "hookups", "hookworm", "hooky", "hooligan", "hooliganism", "hooligans", "hoop", "hoopla", "hoops", "hooray", "hoosegow", "hoosier", "hoosiers", "hoot", "hooted", "hooter", "hooting", "hoots", "hoover", "hooves", "hop", "hope", "hoped", "hopeful", "hopefully", "hopefulness", "hopefuls", "hopeless", "hopelessly", "hopelessness", "hopes", "hoping", "hopped", "hopper", "hoppers", "hopping", "hops", "hopscotch", "horace", "horde", "hordes", "horizon", "horizons", "horizontal", "horizontally", "hormonal", "hormone", "hormones", "horn", "hornbeam", "hornblower", "horned", "hornet", "hornets", "horning", "horns", "horntail", "hornwort", "horny", "horology", "horoscope", "horoscopes", "horowitz", "horrendous", "horrendously", "horrendousness", "horrible", "horribleness", "horribly", "horrid", "horridly", "horridness", "horrific", "horrifically", "horrified", "horrifies", "horrify", "horrifying", "horrifyingly", "horror", "horrors", "horse", "horseback", "horseflesh", "horseflies", "horsefly", "horsehair", "horselike", "horseman", "horsemanship", "horsemen", "horseplay", "horsepower", "horseradish", "horses", "horseshoe", "horseshoes", "horsetail", "horsewoman", "horsewomen", "horsey", "horticultural", "horticulturally", "horticulture", "horticulturist", "hosanna", "hose", "hosea", "hosed", "hosepipe", "hosepipes", "hoses", "hosiery", "hosing", "hospice", "hospices", "hospitable", "hospitably", "hospital", "hospitality", "hospitalization", "hospitalize", "hospitalized", "hospitalizes", "hospitalizing", "hospitals", "host", "hostage", "hostages", "hosted", "hostel", "hostelries", "hostelry", "hostels", "hostess", "hostesses", "hostile", "hostilely", "hostilities", "hostility", "hosting", "hostler", "hosts", "hot", "hotbed", "hotbeds", "hotbox", "hotch", "hotchpotch", "hotdog", "hotdogs", "hotel", "hotelier", "hoteliers", "hotelman", "hotels", "hotfoot", "hothead", "hotheaded", "hotheads", "hothouse", "hothouses", "hotkey", "hotkeys", "hotline", "hotly", "hotness", "hotrod", "hotshot", "hotter", "hottest", "houghton", "hound", "hounded", "hounding", "hounds", "hour", "hourglass", "hourglasses", "hourly", "hours", "house", "houseboat", "houseboats", "housebreaker", "housebreakers", "housebreaking", "housecleaning", "housed", "houseflies", "housefly", "houseful", "housefuls", "household", "householder", "householders", "householding", "households", "housekeeper", "housekeepers", "housekeeping", "housemaid", "housemaids", "housemaster", "housemasters", "houses", "housetop", "housetrain", "housetrained", "housetraining", "housetrains", "housewife", "housewives", "housework", "housing", "houston", "hove", "hovel", "hovels", "hover", "hovercraft", "hovered", "hovering", "hovers", "how", "howard", "howdy", "howell", "however", "howl", "howled", "howler", "howlers", "howling", "howls", "howsoever", "hoy", "hoyman", "hub", "hubbard", "hubbub", "hubby", "hubris", "hubristic", "hubristically", "hubs", "huckleberry", "huckster", "huddle", "huddled", "huddles", "huddling", "hudson", "hue", "hued", "hues", "huff", "huffed", "huffier", "huffing", "huffs", "huffy", "hug", "huge", "hugely", "hugeness", "hugged", "hugging", "huggings", "hugh", "hughes", "hugs", "huh", "hula", "hulk", "hulking", "hulks", "hull", "hulled", "hulling", "hulls", "hum", "human", "humane", "humanely", "humanism", "humanist", "humanistic", "humanists", "humanitarian", "humanitarians", "humanities", "humanity", "humanize", "humanized", "humanizes", "humanizing", "humankind", "humanly", "humanness", "humanoid", "humans", "humble", "humbled", "humbleness", "humbler", "humbles", "humblest", "humbling", "humbly", "humbug", "humbugs", "humdrum", "humid", "humidified", "humidifier", "humidifiers", "humidifies", "humidify", "humidifying", "humidity", "humidor", "humidors", "humiliate", "humiliated", "humiliates", "humiliating", "humiliatingly", "humiliation", "humiliations", "humility", "hummed", "hummer", "humming", "hummingbird", "hummock", "hummocks", "humor", "humored", "humoresque", "humoring", "humorist", "humorists", "humorless", "humorous", "humorously", "humorousness", "humors", "hump", "humpback", "humpbacked", "humped", "humping", "humps", "humpy", "hums", "humus", "hun", "hunch", "hunchback", "hunchbacked", "hunchbacks", "hunched", "hunches", "hunching", "hundred", "hundredfold", "hundreds", "hundredth", "hundredths", "hundredweight", "hung", "hungarian", "hungary", "hunger", "hungered", "hungering", "hungers", "hungfire", "hungover", "hungrier", "hungriest", "hungrily", "hungry", "hunk", "hunt", "hunted", "hunter", "hunters", "hunting", "huntress", "hunts", "huntsman", "huntsmen", "hurdle", "hurdled", "hurdles", "hurdling", "hurl", "hurled", "hurler", "hurling", "hurls", "huron", "hurrah", "hurrahs", "hurray", "hurrays", "hurricane", "hurricanes", "hurried", "hurriedly", "hurries", "hurry", "hurrying", "hurt", "hurtful", "hurtfully", "hurting", "hurtle", "hurtled", "hurtles", "hurtling", "hurts", "husband", "husbanded", "husbanding", "husbandman", "husbandmen", "husbandry", "husbands", "hush", "hushed", "hushes", "hushing", "husk", "huskies", "huskily", "huskiness", "husking", "husks", "husky", "hussar", "hussars", "hussies", "hussy", "hustings", "hustle", "hustled", "hustler", "hustlers", "hustles", "hustling", "hut", "hutch", "hutches", "hutment", "huts", "hyacinth", "hyacinths", "hyaline", "hybrid", "hybridisability", "hybridization", "hybridize", "hybridized", "hybridizes", "hybridizing", "hybrids", "hyderabad", "hydra", "hydrangea", "hydrangeas", "hydrant", "hydrants", "hydras", "hydrate", "hydrated", "hydrates", "hydrating", "hydration", "hydraulic", "hydraulically", "hydraulics", "hydro", "hydrocarbon", "hydrocarbons", "hydrochemistry", "hydrochloric", "hydrochloride", "hydrodynamic", "hydrodynamical", "hydrodynamics", "hydroelectric", "hydrofluoric", "hydrofoil", "hydrofoils", "hydrogen", "hydrogenate", "hydrogenous", "hydroid", "hydrology", "hydrolyses", "hydrolysis", "hydrolyze", "hydrolyzed", "hydrolyzing", "hydrometer", "hydrometers", "hydropathic", "hydropathist", "hydropathists", "hydropathy", "hydrophilic", "hydrophobia", "hydrophobic", "hydroponic", "hydroponics", "hydrosphere", "hydrostatic", "hydrothermal", "hydrous", "hydroxide", "hydroxylate", "hydroxylation", "hyena", "hyenas", "hygiene", "hygienic", "hygienically", "hygrometer", "hygroscopic", "hymen", "hymens", "hymn", "hymnal", "hymnals", "hymnody", "hymns", "hype", "hyped", "hyper", "hyperactive", "hyperbola", "hyperbolae", "hyperbolas", "hyperbole", "hyperbolic", "hyperbolical", "hyperbolically", "hyperboliods", "hyperbolism", "hyperbolist", "hyperbolists", "hyperbolized", "hyperboloid", "hyperboloidal", "hyperconscious", "hypercritical", "hypercritically", "hypermarket", "hypermarkets", "hypersensitive", "hypersensitiveness", "hypersensitivity", "hypersonic", "hypersonically", "hypertension", "hypertensive", "hyperthyroid", "hypertrophied", "hypertrophy", "hypes", "hyphen", "hyphenate", "hyphenated", "hyphenates", "hyphenation", "hyphening", "hyphens", "hyping", "hypnosis", "hypnotic", "hypnotically", "hypnotism", "hypnotist", "hypnotists", "hypnotize", "hypnotized", "hypnotizes", "hypnotizing", "hypo", "hypoactive", "hypochondria", "hypochondriac", "hypochondriacs", "hypochondriasis", "hypocrisy", "hypocrite", "hypocrites", "hypocritic", "hypocritical", "hypodermic", "hypodermically", "hypomania", "hypomanic", "hypostasis", "hypostyle", "hypotenuse", "hypothalamic", "hypothalamus", "hypothecate", "hypothecated", "hypothecates", "hypothecating", "hypothermia", "hypotheses", "hypothesis", "hypothesize", "hypothesized", "hypothesizes", "hypothesizing", "hypothetic", "hypothetical", "hypoxia", "hyrax", "hyraxes", "hyssop", "hysterectomy", "hysteresis", "hysteria", "hysteric", "hysterical", "hysterically", "iamb", "iambic", "ian", "iata", "iberian", "ibex", "ibi", "ibid", "ibidem", "ibis", "ibsen", "icarus", "ice", "iceberg", "icebergs", "iceboat", "icebox", "iceboxes", "iced", "iceland", "icelandic", "iceman", "ices", "icicle", "icicles", "icily", "iciness", "icing", "icon", "iconoclasm", "iconoclast", "icons", "icosahedra", "icosahedral", "icosahedron", "icy", "ida", "idaho", "idea", "ideal", "idealism", "idealist", "idealistic", "idealists", "idealization", "idealize", "idealized", "idealizes", "idealizing", "ideally", "ideals", "ideas", "ideate", "ideational", "idem", "idempotent", "identical", "identically", "identifiable", "identification", "identifications", "identified", "identifier", "identifiers", "identifies", "identify", "identifying", "identities", "identity", "ideological", "ideologies", "ideologist", "ideology", "ides", "idianapolis", "idiocies", "idiocy", "idiom", "idiomatic", "idiomatically", "idioms", "idiopathic", "idiosyncrasies", "idiosyncrasy", "idiosyncratic", "idiot", "idiotic", "idiotically", "idiots", "idle", "idled", "idleness", "idler", "idlers", "idles", "idling", "idly", "idol", "idolatry", "idolize", "idolized", "idolizes", "idolizing", "idols", "idyl", "idyll", "idyllic", "idylls", "igloo", "igloos", "igneous", "ignite", "ignited", "igniter", "igniters", "ignites", "igniting", "ignition", "ignitions", "ignoble", "ignobly", "ignominious", "ignominiously", "ignominy", "ignoramus", "ignorance", "ignorant", "ignorantly", "ignore", "ignored", "ignores", "ignoring", "iguana", "iii", "ikon", "iliad", "ilk", "ill", "illegal", "illegality", "illegally", "illegibility", "illegible", "illegibly", "illegitimacy", "illegitimate", "illegitimately", "illicit", "illicitly", "illimitable", "illinois", "illiteracy", "illiterate", "illiterates", "illness", "illnesses", "illogic", "illogical", "illogicality", "illogically", "ills", "illuminate", "illuminated", "illuminates", "illuminating", "illumination", "illuminations", "illumine", "illumined", "illumines", "illumining", "illusion", "illusionary", "illusions", "illusive", "illusory", "illustrate", "illustrated", "illustrates", "illustrating", "illustration", "illustrations", "illustrative", "illustrator", "illustrators", "illustrious", "illustriously", "illustriousness", "ilo", "ilyushin", "image", "imaged", "imagery", "images", "imaginable", "imaginably", "imaginary", "imagination", "imaginations", "imaginative", "imaginatively", "imagine", "imagined", "imagines", "imaging", "imagining", "imaginings", "imagism", "imagist", "imago", "imagoes", "imam", "imams", "imbalance", "imbalances", "imbecile", "imbeciles", "imbed", "imbedded", "imbedding", "imbibe", "imbibed", "imbiber", "imbibes", "imbibing", "imbroglio", "imbue", "imbued", "imbues", "imf", "imitable", "imitate", "imitated", "imitates", "imitating", "imitation", "imitations", "imitative", "imitators", "immaculate", "immaculately", "immanent", "immasculine", "immasculinely", "immasculineness", "immasculinity", "immaterial", "immaterially", "immature", "immatureness", "immaturer", "immaturest", "immaturity", "immeasurable", "immeasurably", "immediacies", "immediacy", "immediate", "immediately", "immemorable", "immemorably", "immemorial", "immense", "immensely", "immenseness", "immensities", "immensity", "immensural", "immerse", "immersed", "immerses", "immersing", "immersion", "immersions", "immigrant", "immigrants", "immigrate", "immigrated", "immigrates", "immigrating", "immigration", "immigrations", "imminence", "imminent", "imminently", "immobile", "immobility", "immobilization", "immobilize", "immobilized", "immobilizes", "immobilizing", "immoderate", "immoderated", "immoderately", "immoderateness", "immoderates", "immoderating", "immoderation", "immodest", "immodestly", "immodesty", "immoral", "immoralities", "immorality", "immortal", "immortality", "immortalize", "immortalized", "immortalizes", "immortalizing", "immortally", "immortals", "immovability", "immovable", "immovably", "immune", "immunity", "immunization", "immunize", "immunized", "immunizes", "immunizing", "immure", "immutable", "imp", "impact", "impacted", "impacting", "impacts", "impair", "impaired", "impairing", "impairment", "impairs", "impale", "impaled", "impales", "impaling", "impalpable", "impanel", "impaneled", "impaneling", "impart", "imparted", "impartial", "impartiality", "impartially", "imparting", "imparts", "impassable", "impassably", "impasse", "impasses", "impassion", "impassioned", "impassive", "impassively", "impassiveness", "impassivity", "impatience", "impatient", "impatiently", "impeach", "impeached", "impeaches", "impeaching", "impeccable", "impeccably", "impecuniary", "impecunious", "impecuniously", "impecuniousness", "impedance", "impedances", "impede", "impeded", "impedes", "impediment", "impedimenta", "impediments", "impeding", "impel", "impelled", "impeller", "impelling", "impels", "impend", "impending", "impenetrable", "impenetrably", "impenitence", "impenitent", "impenitently", "imperate", "imperative", "imperatively", "imperceivable", "imperceptible", "imperceptibly", "imperception", "imperceptive", "imperceptively", "imperceptiveness", "imperfect", "imperfection", "imperfections", "imperfectly", "imperial", "imperialism", "imperialist", "imperialistic", "imperialists", "imperially", "imperil", "imperiled", "imperiling", "imperils", "imperious", "imperiously", "imperishable", "impermanence", "impermanent", "impermanently", "impermeable", "impermissible", "impersonal", "impersonalities", "impersonalized", "impersonally", "impersonate", "impersonated", "impersonates", "impersonating", "impersonation", "impersonations", "impersonator", "impersonators", "impertinence", "impertinent", "impertinently", "imperturbable", "imperturbably", "impervious", "imperviously", "imperviousness", "impetuosity", "impetuous", "impetuously", "impetus", "impiety", "impinge", "impinged", "impinges", "impinging", "impious", "impiously", "impish", "impishly", "impishness", "implacability", "implacable", "implacably", "implant", "implantation", "implanted", "implanting", "implants", "implausible", "implausibly", "implement", "implementation", "implementations", "implemented", "implementer", "implementing", "implementor", "implements", "implicant", "implicate", "implicated", "implicates", "implicating", "implication", "implications", "implicit", "implicitly", "implied", "implies", "implode", "imploded", "implodes", "imploding", "implore", "implored", "implores", "imploring", "imploringly", "implosion", "imply", "implying", "impolite", "impolitely", "impoliteness", "impolitic", "imponderable", "imponderably", "imponderous", "imponderously", "imponderousness", "import", "importance", "important", "importantly", "importation", "imported", "importer", "importers", "importing", "imports", "importunate", "importunately", "importune", "importuned", "importunes", "importuning", "importunities", "impose", "imposed", "imposes", "imposing", "imposition", "impositions", "impossibilities", "impossibility", "impossible", "impossibly", "impost", "impostor", "impostors", "imposture", "impotence", "impotency", "impotent", "impotently", "impound", "impounded", "impounding", "impoundments", "impounds", "impoverish", "impoverished", "impoverishment", "impracticability", "impracticable", "impracticably", "impractical", "impracticalities", "impracticality", "impractically", "imprecate", "imprecise", "imprecisely", "imprecision", "impregnability", "impregnable", "impregnably", "impregnate", "impregnated", "impregnates", "impregnating", "impresario", "impress", "impressed", "impresses", "impressible", "impressing", "impression", "impressionable", "impressionism", "impressionist", "impressionistic", "impressionists", "impressions", "impressive", "impressively", "imprimatur", "imprint", "imprinted", "imprinting", "imprints", "imprison", "imprisoned", "imprisoning", "imprisonment", "imprisonments", "imprisons", "improbabilities", "improbability", "improbable", "improbably", "impromptu", "improper", "improperly", "improperness", "impropriety", "improve", "improved", "improvement", "improvements", "improves", "improvident", "improvidential", "improvidentially", "improving", "improvisation", "improvisations", "improvise", "improvised", "improvises", "improvising", "imprudence", "imprudent", "imprudential", "imprudently", "imps", "impudence", "impudent", "impudently", "impugn", "impugned", "impugning", "impugns", "impulse", "impulses", "impulsive", "impulsively", "impunity", "impure", "impurely", "impureness", "impurer", "impurest", "impurities", "impurity", "imputation", "impute", "imputed", "ina", "inabilities", "inability", "inaccessibility", "inaccessible", "inaccessibly", "inaccuracies", "inaccuracy", "inaccurate", "inaccurately", "inaction", "inactivate", "inactivation", "inactive", "inactively", "inactivity", "inadequacies", "inadequacy", "inadequate", "inadequately", "inadmissibility", "inadmissible", "inadmissibly", "inadvertence", "inadvertent", "inadvertently", "inadvisability", "inadvisable", "inadvisedly", "inadvisedness", "inalienability", "inalienable", "inalterability", "inalterable", "inane", "inanely", "inanimate", "inanimately", "inanity", "inapplicability", "inapplicable", "inappreciable", "inappropriate", "inappropriately", "inapt", "inaptitude", "inarticulate", "inascribable", "inasmuch", "inattention", "inattentive", "inattentively", "inaudible", "inaudibly", "inaugural", "inaugurate", "inaugurated", "inaugurates", "inaugurating", "inauguration", "inauspicious", "inauspiciously", "inauspiciousness", "inauthentic", "inborn", "inbred", "inbreed", "inbreeding", "inbreeds", "inca", "incaged", "incalculable", "incalculably", "incandescence", "incandescent", "incant", "incantation", "incantations", "incanted", "incanting", "incants", "incapabilities", "incapability", "incapable", "incapableness", "incapably", "incapacitance", "incapacitate", "incapacitated", "incapacitates", "incapacitating", "incapacity", "incarcerate", "incarcerated", "incarcerates", "incarcerating", "incarceration", "incarnate", "incarnation", "incarnations", "incautious", "incautiously", "incendiaries", "incendiary", "incense", "incensed", "incenses", "incensing", "incentive", "incentives", "inception", "inceptor", "incessant", "incessantly", "incest", "incestuous", "inch", "inched", "inches", "inching", "incidence", "incident", "incidental", "incidentally", "incidentals", "incidents", "incinerate", "incinerated", "incinerates", "incinerating", "incineration", "incinerator", "incinerators", "incipience", "incipiency", "incipient", "incise", "incision", "incisions", "incisive", "incisiveness", "incisor", "incisors", "incitation", "incite", "incited", "incitement", "incitements", "incites", "inciting", "inclement", "inclination", "inclinations", "incline", "inclined", "inclines", "inclining", "inclose", "inclosed", "include", "included", "includes", "including", "inclusion", "inclusions", "inclusive", "inclusively", "inclusiveness", "incognito", "incoherent", "incoherently", "incombustible", "income", "incomes", "incoming", "incommensurable", "incommensurate", "incommunicable", "incommunicado", "incommutable", "incomparable", "incomparably", "incompatibilities", "incompatibility", "incompatible", "incompatibly", "incompetence", "incompetent", "incompetently", "incomplete", "incompletely", "incompleteness", "incompletion", "incompliant", "incomprehensible", "incomprehensibly", "incomprehension", "incompressible", "incomputable", "inconceivable", "inconceivably", "inconclusive", "inconclusively", "inconclusiveness", "incondensable", "incongruence", "incongruency", "incongruent", "incongruities", "incongruity", "incongruous", "incongruously", "incongruousness", "inconsequent", "inconsequential", "inconsequentially", "inconsequently", "inconsiderable", "inconsiderableness", "inconsiderably", "inconsiderate", "inconsiderately", "inconsiderateness", "inconsistence", "inconsistencies", "inconsistency", "inconsistent", "inconsistently", "inconsolable", "inconsolatory", "inconspicuity", "inconspicuous", "inconspicuously", "inconstancy", "inconstant", "inconstantly", "incontestable", "incontinence", "incontinent", "incontrovertible", "incontrovertibly", "inconvenience", "inconvenienced", "inconveniences", "inconveniencing", "inconvenient", "inconveniently", "inconvertible", "incorporate", "incorporated", "incorporates", "incorporating", "incorporation", "incorporeal", "incorrect", "incorrectable", "incorrectly", "incorrectness", "incorrigibility", "incorrigible", "incorrigibly", "incorruptibility", "incorruptible", "incorruptibleness", "incorruptibly", "increasable", "increase", "increased", "increases", "increasing", "increasingly", "incredibility", "incredible", "incredibleness", "incredibly", "incredulity", "incredulous", "incredulously", "incredulousness", "increment", "incremental", "incremented", "incrementing", "increments", "incriminate", "incriminated", "incriminates", "incriminating", "incrimination", "incriminatory", "incubate", "incubated", "incubates", "incubating", "incubation", "incubator", "incubators", "incubi", "incubus", "inculpable", "incumbent", "incumbents", "incur", "incurability", "incurable", "incurably", "incurious", "incuriously", "incurred", "incurrer", "incurring", "incurs", "incursion", "incursions", "indebted", "indebtedness", "indecencies", "indecency", "indecent", "indecently", "indecipherable", "indecision", "indecisions", "indecisive", "indecisively", "indecisiveness", "indecomposable", "indeed", "indefatigable", "indefatigably", "indefensibility", "indefensible", "indefensibly", "indefinable", "indefinably", "indefinite", "indefinitely", "indefiniteness", "indelectability", "indelectable", "indelectableness", "indelectably", "indelible", "indelibly", "indelicacies", "indelicacy", "indelicate", "indelicately", "indelicateness", "indemnities", "indemnity", "indent", "indentation", "indentations", "indented", "indenting", "indention", "indents", "indenture", "independability", "independence", "independency", "independent", "independently", "independents", "indescribable", "indescribably", "indespicability", "indespicable", "indespicableness", "indespicably", "indestruct", "indestructibility", "indestructible", "indestructibleness", "indestructibly", "indeterminability", "indeterminable", "indeterminableness", "indeterminably", "indeterminacy", "indeterminate", "indeterminately", "indeterminateness", "indeterminates", "index", "indexed", "indexes", "indexing", "india", "indian", "indiana", "indianapolis", "indians", "indicant", "indicate", "indicated", "indicates", "indicating", "indication", "indications", "indicative", "indicatively", "indicator", "indicators", "indices", "indict", "indicted", "indictee", "indicting", "indictment", "indictments", "indicts", "indies", "indifference", "indifferent", "indifferently", "indigence", "indigenous", "indigent", "indigently", "indigents", "indigestible", "indigestion", "indignant", "indignantly", "indignation", "indignities", "indignity", "indigo", "indirect", "indirection", "indirectly", "indirectness", "indiscernible", "indiscoverable", "indiscreet", "indiscreetly", "indiscreetness", "indiscretion", "indiscretions", "indiscriminate", "indiscriminately", "indispensability", "indispensable", "indispensableness", "indispensably", "indispose", "indisposed", "indisposition", "indisputability", "indisputable", "indisputableness", "indisputably", "indissoluble", "indistinct", "indistinction", "indistinctive", "indistinctly", "indistinctness", "indistinguishable", "indistinguishably", "indium", "individual", "individualism", "individualist", "individualistic", "individualists", "individuality", "individualize", "individualized", "individualizes", "individualizing", "individually", "individuals", "individuate", "individuation", "indivisibility", "indivisible", "indivisibly", "indochina", "indoctrinate", "indoctrinated", "indoctrinates", "indoctrinating", "indoctrination", "indolence", "indolent", "indolently", "indomitable", "indonesia", "indonesian", "indoor", "indoors", "indubitable", "indubitably", "induce", "induced", "inducement", "inducements", "inducer", "induces", "inducible", "inducing", "induct", "inductance", "inductances", "inducted", "inductee", "inductees", "inducting", "induction", "inductions", "inductive", "inductor", "inducts", "indulge", "indulged", "indulgence", "indulgences", "indulgent", "indulgently", "indulges", "indulging", "indus", "industrial", "industrialism", "industrialist", "industrialists", "industrialization", "industrialize", "industrialized", "industrializes", "industrializing", "industrially", "industrials", "industries", "industrious", "industriously", "industry", "inebriated", "inedible", "inedibly", "ineducable", "ineffable", "ineffective", "ineffectively", "ineffectiveness", "ineffectual", "ineffectually", "inefficiencies", "inefficiency", "inefficient", "inefficiently", "inelastic", "inelegance", "inelegant", "inelegantly", "ineligibility", "ineligible", "ineligibly", "ineloquence", "ineloquent", "ineloquently", "inept", "ineptitude", "ineptly", "ineptness", "inequable", "inequably", "inequalities", "inequality", "inequitable", "inequity", "inequivalent", "ineradicable", "inert", "inertia", "inertial", "inertly", "inescapable", "inescapably", "inestimable", "inestimably", "inevitabilities", "inevitability", "inevitable", "inevitably", "inexact", "inexactly", "inexactness", "inexcusable", "inexcusably", "inexhaustible", "inexhaustive", "inexhaustively", "inexorable", "inexorably", "inexpedient", "inexpensive", "inexpensively", "inexperience", "inexperienced", "inexpert", "inexpertly", "inexpertness", "inexpiable", "inexplainable", "inexplicable", "inexplicably", "inexplicit", "inexplicitly", "inexpressible", "inexpressibly", "inextinguishable", "inextricable", "inextricably", "infallibility", "infallible", "infallibly", "infamous", "infamously", "infamousness", "infamy", "infancy", "infant", "infantile", "infantry", "infantryman", "infantrymen", "infants", "infarct", "infatuate", "infatuated", "infatuates", "infatuation", "infatuations", "infect", "infected", "infecting", "infection", "infections", "infectious", "infectiously", "infective", "infectivity", "infects", "infelicitous", "infelicity", "infer", "inference", "inferences", "inferential", "inferior", "inferiority", "infernal", "infernally", "inferno", "infernos", "inferred", "inferring", "infers", "infertile", "infertility", "infest", "infestation", "infestations", "infested", "infesting", "infests", "infidel", "infidelity", "infidels", "infield", "infielder", "infighting", "infiltrate", "infiltrated", "infiltrates", "infiltrating", "infiltration", "infinite", "infinitely", "infiniteness", "infinitesimal", "infinitesimally", "infinitive", "infinitives", "infinitude", "infinitum", "infinity", "infirm", "infirmaries", "infirmary", "infirmities", "infirmity", "infirmly", "infirmness", "inflame", "inflamed", "inflames", "inflaming", "inflammable", "inflammation", "inflammatory", "inflate", "inflated", "inflater", "inflates", "inflating", "inflation", "inflationary", "inflator", "inflect", "inflected", "inflecting", "inflection", "inflections", "inflects", "inflexibility", "inflexible", "inflexibleness", "inflexibly", "inflict", "inflicted", "inflicting", "infliction", "inflictions", "inflicts", "inflorescence", "inflow", "influence", "influenced", "influences", "influencing", "influent", "influential", "influentially", "influenza", "influx", "influxes", "info", "infold", "inform", "informal", "informalities", "informality", "informally", "informant", "informants", "informatics", "information", "informational", "informative", "informatively", "informed", "informer", "informers", "informing", "informs", "infra", "infraction", "infrared", "infrastructure", "infrequency", "infrequent", "infrequently", "infringe", "infringed", "infringement", "infringements", "infringes", "infringing", "infuriate", "infuriated", "infuriates", "infuriating", "infuriation", "infuse", "infused", "infuses", "infusible", "infusing", "infusion", "infusions", "infutilely", "ingenious", "ingeniously", "ingeniousness", "ingenuity", "ingenuous", "ingenuously", "ingest", "ingested", "ingestible", "ingesting", "ingestion", "ingests", "inglorious", "ingot", "ingots", "ingrate", "ingratiate", "ingratiated", "ingratiates", "ingratiating", "ingratitude", "ingredient", "ingredients", "ingress", "ingrid", "ingrowing", "ingrown", "inhabit", "inhabitability", "inhabitable", "inhabitant", "inhabitants", "inhabitation", "inhabited", "inhabiting", "inhabits", "inhalant", "inhalants", "inhalation", "inhale", "inhaled", "inhaler", "inhalers", "inhales", "inhaling", "inharmonious", "inherent", "inherently", "inherit", "inheritance", "inheritances", "inherited", "inheriting", "inheritor", "inheritors", "inherits", "inhibit", "inhibited", "inhibiting", "inhibition", "inhibitions", "inhibitor", "inhibitors", "inhibitory", "inhibits", "inhomogeneity", "inhomogeneous", "inhospitable", "inhospitably", "inhuman", "inhumane", "inhumanely", "inhumanities", "inhumanly", "inimicable", "inimicableness", "inimicably", "inimical", "inimitable", "iniquities", "iniquitous", "iniquitously", "iniquity", "initial", "initialed", "initialing", "initialization", "initialize", "initialized", "initializes", "initializing", "initially", "initials", "initiate", "initiated", "initiates", "initiating", "initiation", "initiations", "initiative", "initiatives", "initiator", "initiators", "inject", "injected", "injecting", "injection", "injections", "injector", "injectors", "injects", "injudicial", "injudicious", "injudiciously", "injudiciousness", "injunct", "injunction", "injunctions", "injunctive", "injure", "injured", "injures", "injuries", "injuring", "injurious", "injury", "injustice", "injustices", "ink", "inkblot", "inkblots", "inked", "inking", "inkjet", "inkling", "inklings", "inks", "inkwell", "inkwells", "inky", "inlaid", "inland", "inlaws", "inlay", "inlaying", "inlays", "inlet", "inlets", "inmate", "inmates", "inmost", "inn", "innards", "innate", "innately", "innateness", "inner", "innermost", "inning", "innings", "innocence", "innocent", "innocently", "innocents", "innocuous", "innocuously", "innocuousness", "innovate", "innovated", "innovates", "innovating", "innovation", "innovations", "innovative", "innovator", "innovators", "inns", "innuendo", "innuendoes", "innumerable", "innumerably", "inoculate", "inoculated", "inoculates", "inoculating", "inoculation", "inoculations", "inoffensive", "inoperable", "inoperative", "inopportune", "inopportunely", "inopportuneness", "inordinate", "inordinately", "inorganic", "input", "inputs", "inputting", "inquest", "inquests", "inquire", "inquired", "inquirer", "inquirers", "inquires", "inquiries", "inquiring", "inquiry", "inquisition", "inquisitions", "inquisitive", "inquisitively", "inquisitiveness", "inquisitor", "inquisitorial", "inquisitors", "inquisitory", "inroad", "inroads", "inrush", "insane", "insanely", "insanitary", "insanity", "insatiability", "insatiable", "insatiably", "inscribe", "inscribed", "inscribes", "inscribing", "inscription", "inscriptions", "inscrutability", "inscrutable", "inscrutably", "insect", "insecticide", "insecticides", "insectivorous", "insects", "insecure", "insecurely", "insecurity", "inseminate", "inseminated", "inseminates", "inseminating", "insemination", "insensibility", "insensible", "insensibly", "insensitive", "insensitively", "insensitivity", "inseparable", "inseparably", "insert", "inserted", "inserting", "insertion", "insertions", "inserts", "inset", "inshore", "inside", "insider", "insiders", "insides", "insidious", "insidiously", "insidiousness", "insight", "insightful", "insights", "insignia", "insignificance", "insignificances", "insignificant", "insignificantly", "insincere", "insincerely", "insincerity", "insinuate", "insinuated", "insinuates", "insinuating", "insinuation", "insinuations", "insipid", "insipidly", "insist", "insisted", "insistence", "insistent", "insistently", "insisting", "insists", "insofar", "insole", "insolence", "insolent", "insolently", "insoles", "insolubility", "insoluble", "insolvable", "insolvent", "insolvently", "insomnia", "insomniac", "insomniacs", "insouciance", "insouciant", "inspect", "inspected", "inspecting", "inspection", "inspections", "inspector", "inspectorate", "inspectors", "inspects", "inspiration", "inspirational", "inspirations", "inspire", "inspired", "inspires", "inspiring", "inspirit", "inspirited", "inspiriting", "inspirits", "instabilities", "instability", "instable", "instal", "install", "installation", "installations", "installed", "installer", "installers", "installing", "installment", "installments", "installs", "instance", "instanced", "instances", "instancing", "instant", "instantaneous", "instantaneously", "instantaneousness", "instantly", "instants", "instead", "instep", "instigate", "instigated", "instigates", "instigating", "instigation", "instigator", "instigators", "instill", "instillation", "instilled", "instilling", "instills", "instinct", "instinctive", "instinctively", "instincts", "instinctual", "institute", "instituted", "institutes", "instituting", "institution", "institutional", "institutionalization", "institutionalize", "institutionalized", "institutionalizes", "institutionalizing", "institutionally", "institutions", "instruct", "instructed", "instructing", "instruction", "instructional", "instructions", "instructive", "instructively", "instructor", "instructors", "instructress", "instructresses", "instructs", "instrument", "instrumental", "instrumentally", "instrumentals", "instrumentation", "instruments", "insubordinate", "insubordinated", "insubordinately", "insubordinates", "insubordinating", "insubordination", "insubstantial", "insubstantially", "insufferable", "insufferably", "insufficiency", "insufficient", "insufficiently", "insular", "insularity", "insulate", "insulated", "insulates", "insulating", "insulation", "insulator", "insulators", "insulin", "insult", "insulted", "insulter", "insulting", "insults", "insuperable", "insuperably", "insupportable", "insupportably", "insuppressible", "insurance", "insure", "insured", "insurer", "insurers", "insures", "insurgence", "insurgent", "insurgents", "insuring", "insurmountable", "insurmountably", "insurrect", "insurrection", "insurrections", "intact", "intactness", "intake", "intakes", "intangibility", "intangible", "intangibles", "intangibly", "integer", "integers", "integrable", "integral", "integrally", "integrals", "integrant", "integrate", "integrated", "integrates", "integrating", "integration", "integrative", "integrator", "integrators", "integrity", "intellect", "intellects", "intellectual", "intellectuality", "intellectually", "intellectuals", "intelligence", "intelligent", "intelligently", "intelligentsia", "intelligible", "intelligibly", "intemperance", "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", "intents", "inter", "interact", "interacted", "interacting", "interaction", "interactions", "interactive", "interactively", "interacts", "intercalate", "intercede", "interceded", "intercedes", "interceding", "intercept", "intercepted", "intercepting", "interception", "interceptions", "interceptor", "interceptors", "intercepts", "intercession", "interchange", "interchangeable", "interchangeably", "interchanged", "interchanges", "interchanging", "intercollegiate", "intercom", "intercoms", "interconnect", "interconnected", "interconnecting", "interconnection", "interconnections", "interconnects", "intercontinental", "intercourse", "interdepartmental", "interdependence", "interdependent", "interdict", "interdisciplinary", "interest", "interested", "interestedly", "interesting", "interestingly", "interests", "interface", "interfaced", "interfaces", "interfacing", "interfaith", "interfere", "interfered", "interference", "interferences", "interferes", "interfering", "interferometer", "interferometric", "interferometry", "intergroup", "interim", "interior", "interiors", "interject", "interjected", "interjecting", "interjects", "interlaced", "interlacing", "interleave", "interleaved", "interleaves", "interleaving", "interlock", "interlocked", "interlocking", "interlocks", "interlocutor", "interloper", "interlopers", "interlude", "interludes", "intermarriage", "intermediacy", "intermediaries", "intermediary", "intermediate", "intermediates", "intermezzo", "intermezzos", "interminability", "interminable", "interminableness", "interminably", "intermission", "intermissions", "intermit", "intermittent", "intermittently", "intermix", "intermixed", "intermixes", "intermixing", "intermolecular", "intern", "internal", "internalize", "internalized", "internalizing", "internally", "internals", "international", "internationally", "internecine", "interned", "internee", "internees", "internet", "interning", "internist", "internists", "internment", "interns", "interoffice", "interpersonal", "interplanetary", "interplay", "interpol", "interpolate", "interpolated", "interpolates", "interpolating", "interpolation", "interpolations", "interpolatory", "interpose", "interposed", "interposes", "interposing", "interposition", "interpret", "interpretable", "interpretate", "interpretation", "interpretations", "interpretative", "interpreted", "interpreter", "interpreters", "interpreting", "interprets", "interred", "interregnum", "interrelated", "interrelation", "interrelationship", "interring", "interrogate", "interrogated", "interrogates", "interrogating", "interrogation", "interrogations", "interrogative", "interrogatives", "interrogator", "interrogators", "interrogatory", "interrupt", "interruptable", "interrupted", "interruptible", "interrupting", "interruption", "interruptions", "interrupts", "intersect", "intersected", "intersecting", "intersection", "intersections", "intersects", "intersperse", "interspersed", "intersperses", "interspersing", "interstate", "interstellar", "interstitial", "intertwine", "intertwined", "intertwines", "interval", "intervals", "intervene", "intervened", "intervenes", "intervening", "intervenor", "intervention", "interventions", "interview", "interviewed", "interviewee", "interviewees", "interviewer", "interviewers", "interviewing", "interviews", "interweaving", "interwoven", "intestacy", "intestate", "intestinal", "intestine", "intestines", "intimacy", "intimal", "intimate", "intimated", "intimately", "intimater", "intimates", "intimating", "intimations", "intimidate", "intimidated", "intimidates", "intimidating", "intimidation", "intimidatory", "into", "intolerability", "intolerable", "intolerably", "intolerance", "intolerant", "intolerantly", "intonate", "intonation", "intonations", "intone", "intoned", "intones", "intoning", "intoxicant", "intoxicants", "intoxicate", "intoxicated", "intoxicates", "intoxicating", "intoxication", "intracity", "intractability", "intractable", "intractableness", "intractably", "intradepartment", "intramural", "intramuscular", "intramuscularly", "intranasal", "intransigence", "intransigent", "intransitive", "intrastate", "intravenous", "intrepid", "intrepidly", "intricacies", "intricacy", "intricate", "intricately", "intrigue", "intrigued", "intrigues", "intriguing", "intriguingly", "intrinsic", "intrinsically", "introduce", "introduced", "introduces", "introducing", "introduction", "introductions", "introductory", "introit", "introspect", "introspection", "introspective", "introversion", "introvert", "introverted", "introverts", "intruculent", "intruculently", "intrude", "intruded", "intruder", "intruders", "intrudes", "intruding", "intrusion", "intrusions", "intrusive", "intrusively", "intrusiveness", "intuitable", "intuition", "intuitions", "intuitive", "intuitively", "inundate", "inundated", "inundates", "inundating", "inundation", "inundations", "inure", "inured", "inures", "inuring", "invade", "invaded", "invader", "invaders", "invades", "invading", "invalid", "invalidate", "invalidated", "invalidates", "invalidating", "invalidation", "invalidity", "invalidly", "invalids", "invaluable", "invaluably", "invariability", "invariable", "invariableness", "invariably", "invariance", "invariant", "invasion", "invasions", "invasive", "invective", "inveigh", "inveighed", "inveighing", "inveighs", "inveigle", "inveigled", "inveiglement", "inveigles", "inveigling", "invent", "invented", "inventing", "invention", "inventions", "inventive", "inventor", "inventories", "inventors", "inventory", "invents", "inverse", "inversed", "inversely", "inverses", "inversing", "inversion", "inversions", "invert", "invertebrate", "invertebrates", "inverted", "invertible", "inverting", "inverts", "invest", "invested", "investigate", "investigated", "investigates", "investigating", "investigation", "investigations", "investigative", "investigator", "investigators", "investigatory", "investing", "investiture", "investitures", "investment", "investments", "investor", "investors", "invests", "inveterate", "inveterately", "inviable", "invidious", "invidiously", "invidiousness", "invigilate", "invigilated", "invigilates", "invigilating", "invigilator", "invigilators", "invigorate", "invigorated", "invigorates", "invigorating", "invigoration", "invincibility", "invincible", "invincibly", "inviolability", "inviolable", "inviolably", "inviolate", "inviolately", "inviolateness", "invisibility", "invisible", "invisibly", "invitation", "invitational", "invitations", "invite", "invited", "invitee", "invitees", "invites", "inviting", "invocable", "invocate", "invocation", "invocations", "invoice", "invoiced", "invoices", "invoicing", "invoke", "invoked", "invokes", "invoking", "involatile", "involuntarily", "involuntary", "involute", "involution", "involutions", "involutorial", "involve", "involved", "involvement", "involvements", "involves", "involving", "invulnerability", "invulnerable", "invulnerably", "inward", "inwardly", "inwardness", "inwards", "iodide", "iodinate", "iodine", "ion", "ionesco", "ionic", "ionization", "ionize", "ionized", "ionizes", "ionizing", "ionosphere", "ionospheric", "ions", "iota", "iowa", "ira", "iran", "iranian", "iraq", "iraqi", "irascible", "irascibly", "irate", "irately", "ire", "ireful", "ireland", "irene", "iridium", "iris", "irises", "irish", "irishman", "irishmen", "irk", "irked", "irking", "irks", "irksome", "irksomely", "iron", "ironed", "ironic", "ironical", "ironically", "ironies", "ironing", "ironmonger", "ironmongers", "irons", "irony", "irradiate", "irradiated", "irradiation", "irrational", "irrationality", "irrationally", "irrawaddy", "irreclaimable", "irreconcilable", "irreconcilably", "irreconciled", "irrecoverable", "irredeemable", "irredentism", "irredentist", "irreducible", "irrefutable", "irregular", "irregularities", "irregularity", "irregularly", "irregulars", "irrelevance", "irrelevancy", "irrelevant", "irremediable", "irremovable", "irreparable", "irreparably", "irreplaceable", "irrepressible", "irrepressibly", "irreproachable", "irreproachably", "irreproducible", "irresistible", "irresistibly", "irresolute", "irresolutely", "irresolution", "irresolvable", "irrespective", "irrespectively", "irresponsibility", "irresponsible", "irresponsibly", "irretrievable", "irretrievably", "irreverence", "irreverent", "irreverently", "irreversible", "irreversibly", "irrevocable", "irrevocably", "irrigate", "irrigated", "irrigates", "irrigating", "irrigation", "irritability", "irritable", "irritableness", "irritably", "irritant", "irritants", "irritate", "irritated", "irritates", "irritating", "irritation", "irritations", "irrupt", "irruption", "irruptions", "isaac", "isaiah", "isbn", "iscariot", "isfahan", "isis", "islam", "islamabad", "islamic", "island", "islander", "islanders", "islands", "isle", "isles", "islet", "islets", "isobar", "isobars", "isocline", "isolate", "isolated", "isolates", "isolating", "isolation", "isolationism", "isolationistic", "isomer", "isosceles", "isotherm", "isothermal", "isothermally", "isotope", "isotopes", "isotopic", "isotropic", "isotropy", "israel", "israeli", "israelite", "israelites", "issuance", "issue", "issued", "issuer", "issues", "issuing", "istanbul", "isthmus", "isthmuses", "italian", "italians", "italic", "italicized", "italics", "italy", "itch", "itched", "itches", "itching", "itchy", "item", "itemization", "itemize", "itemized", "itemizes", "itemizing", "items", "iterate", "iterated", "iterates", "iterating", "iteration", "iterations", "iterative", "itinerant", "itinerants", "itineraries", "itinerary", "its", "itself", "ivory", "ivy", "izvestia", "jab", "jabbed", "jabber", "jabbered", "jabbering", "jabberings", "jabbers", "jabbing", "jabs", "jacinth", "jack", "jackal", "jackals", "jackanapes", "jackass", "jackasses", "jackboot", "jackboots", "jackdaw", "jackdaws", "jacket", "jacketed", "jackets", "jackknife", "jackpot", "jackpots", "jacks", "jackson", "jaclyn", "jacob", "jacobean", "jacobite", "jacobs", "jacqueline", "jactus", "jade", "jaded", "jadedly", "jades", "jaffa", "jag", "jagged", "jaggedness", "jagger", "jagging", "jags", "jaguar", "jaguars", "jail", "jailed", "jailer", "jailers", "jailing", "jailor", "jailors", "jails", "jaipur", "jakarta", "jake", "jalopies", "jalopy", "jam", "jamaica", "jamaican", "jamb", "jamboree", "jamborees", "james", "jamey", "jammed", "jamming", "jams", "jan", "jane", "janet", "jangle", "jangled", "jangles", "jangling", "janice", "janitor", "janitorial", "janitors", "january", "januarys", "janus", "japan", "japanese", "japanned", "japanning", "jape", "japonica", "jar", "jargon", "jarred", "jarring", "jars", "jasmine", "jason", "jasper", "jaundice", "jaundiced", "jaunt", "jauntily", "jauntiness", "jaunting", "jaunts", "jaunty", "java", "javanese", "javelin", "javelins", "jaw", "jawbone", "jawed", "jawing", "jaws", "jay", "jays", "jaywalk", "jaywalker", "jaywalkers", "jazz", "jazzily", "jazzy", "jealous", "jealousies", "jealously", "jealousy", "jean", "jeans", "jeep", "jeeps", "jeer", "jeered", "jeering", "jeers", "jeff", "jefferson", "jeffrey", "jehovah", "jellied", "jellies", "jelly", "jellyfish", "jennifer", "jenny", "jeopardize", "jeopardized", "jeopardizes", "jeopardizing", "jeopardy", "jeremiah", "jeremy", "jericho", "jerk", "jerked", "jerkily", "jerkin", "jerking", "jerkings", "jerkins", "jerks", "jerky", "jeroboam", "jerome", "jerry", "jersey", "jerseys", "jerusalem", "jesse", "jessica", "jest", "jested", "jester", "jesters", "jesting", "jests", "jesuit", "jesuitical", "jesuits", "jesus", "jet", "jets", "jetsam", "jetset", "jetted", "jetties", "jetting", "jettison", "jettisoned", "jettisoning", "jettisons", "jetty", "jew", "jewel", "jeweler", "jewelers", "jewelry", "jewels", "jewish", "jewry", "jews", "jib", "jibbed", "jibbing", "jibe", "jibed", "jibes", "jibing", "jibs", "jiffy", "jig", "jigged", "jigger", "jiggers", "jigging", "jiggle", "jiggling", "jigs", "jigsaw", "jigsaws", "jill", "jilt", "jilted", "jilting", "jilts", "jim", "jimmies", "jimmy", "jingle", "jingled", "jingles", "jingling", "jinn", "jinx", "jinxed", "jinxes", "jinxing", "jitterbug", "jittering", "jitters", "jittery", "jive", "jived", "jives", "jiving", "joan", "job", "jobbed", "jobber", "jobbers", "jobbing", "jobholder", "jobless", "joblessness", "jobs", "jock", "jockey", "jockeyed", "jockeying", "jockeys", "jockstrap", "jockstraps", "jocose", "jocular", "jocularity", "jocularly", "jocund", "jodhpur", "jodhpurs", "joe", "joey", "jog", "jogged", "jogger", "joggers", "jogging", "joggle", "joggled", "joggles", "joggling", "jogs", "johannes", "johannesburg", "john", "johnny", "johnson", "join", "joined", "joiner", "joiners", "joinery", "joining", "joins", "joint", "jointed", "jointly", "joints", "joist", "joists", "joke", "joked", "joker", "jokers", "jokes", "joking", "jokingly", "jollier", "jolliest", "jollity", "jolly", "jolt", "jolted", "jolting", "joltingly", "jolts", "jonathan", "jones", "jordan", "jordanian", "joseph", "josephine", "joshua", "josiah", "jostle", "jostled", "jostler", "jostles", "jostling", "jot", "jots", "jotted", "jotter", "jotters", "jotting", "joule", "joules", "journal", "journalese", "journalism", "journalist", "journalistic", "journalists", "journals", "journey", "journeyed", "journeying", "journeyman", "journeymen", "journeys", "jours", "joust", "jousted", "jousting", "jousts", "jove", "jovial", "joviality", "jovially", "jovian", "jowl", "jowls", "jowly", "joy", "joyce", "joyful", "joyfully", "joyfulness", "joyless", "joyous", "joyously", "joyride", "joyrider", "joyriders", "joys", "joystick", "joysticks", "jubilance", "jubilant", "jubilantly", "jubilate", "jubilated", "jubilates", "jubilating", "jubilation", "jubilee", "jubilees", "judaic", "judaism", "judas", "judea", "judge", "judged", "judges", "judgeship", "judging", "judgment", "judgmental", "judgments", "judicable", "judicatory", "judicature", "judicial", "judiciaries", "judiciary", "judicious", "judiciously", "judiciousness", "judith", "judo", "judy", "jug", "jugful", "jugfuls", "jugged", "juggernaut", "juggernauts", "juggle", "juggled", "juggler", "jugglers", "juggles", "juggling", "jugs", "jugular", "juice", "juices", "juiciest", "juiciness", "juicy", "jujitsu", "juju", "jukebox", "jukeboxes", "juleps", "julia", "julian", "julie", "julienne", "juliet", "july", "julys", "jumble", "jumbled", "jumbles", "jumbling", "jumbo", "jump", "jumped", "jumper", "jumpers", "jumpiness", "jumping", "jumps", "jumpy", "junction", "junctions", "juncture", "junctures", "june", "juneberry", "junes", "jung", "jungian", "jungle", "jungles", "junior", "juniors", "juniper", "junk", "junket", "junketing", "junkets", "junkie", "junkies", "junks", "junta", "juntas", "jupiter", "jura", "jurassic", "juridical", "juries", "jurisdiction", "jurisdictional", "jurisdictions", "jurisprudence", "jurisprudential", "jurist", "jurists", "juror", "jurors", "jury", "juryman", "just", "justice", "justices", "justiciable", "justifiable", "justifiably", "justification", "justifications", "justified", "justifies", "justify", "justifying", "justine", "justinian", "justly", "justness", "jut", "jute", "juts", "jutted", "jutting", "juvenile", "juveniles", "juxtapose", "juxtaposed", "juxtaposes", "juxtaposing", "juxtaposition", "kabul", "kafka", "kafkaesque", "kaiser", "kaisers", "kalahari", "kalamazoo", "kale", "kaleidoscope", "kaleidoscopes", "kaman", "kamikaze", "kampala", "kampuchea", "kangaroo", "kangaroos", "kansas", "kaolin", "kapok", "kaput", "karachi", "karat", "karate", "karen", "karma", "kate", "katharine", "katherine", "kathleen", "kathmandu", "kathy", "katie", "katmandu", "kawasaki", "kay", "kayak", "kayaks", "kazakhstan", "kbyte", "kbytes", "kebab", "kebabs", "kedgeree", "keel", "keeled", "keeler", "keeling", "keels", "keen", "keenly", "keenness", "keep", "keeper", "keepers", "keeping", "keeps", "keepsake", "keepsakes", "keg", "kegful", "kegs", "keith", "kellogg", "kelly", "kelp", "kelvin", "ken", "kennedy", "kennel", "kenneled", "kenneling", "kennels", "kenneth", "kennings", "kentucky", "kenya", "kenyan", "kepi", "kept", "kerchief", "kerf", "kernel", "kernels", "kernes", "kerning", "kerosene", "kestrel", "kestrels", "ketch", "ketches", "ketchup", "kettle", "kettleful", "kettlefuls", "kettles", "kevin", "key", "keyboard", "keyboards", "keyed", "keyhole", "keyholes", "keying", "keynesian", "keynote", "keynoted", "keynotes", "keypad", "keypress", "keypresses", "keypunch", "keys", "keystone", "keystroke", "keystrokes", "keyword", "keywords", "khaki", "khan", "khartoum", "kibbutz", "kibbutzim", "kick", "kickback", "kickbacks", "kicked", "kicker", "kicking", "kickoff", "kicks", "kid", "kidded", "kiddies", "kidding", "kidnap", "kidnapped", "kidnapper", "kidnappers", "kidnapping", "kidnappings", "kidnaps", "kidney", "kidneys", "kids", "kidskin", "kiev", "kigali", "kilderkin", "kilimanjaro", "kilketh", "kill", "killdeer", "killed", "killer", "killers", "killing", "killjoy", "killjoys", "kills", "kiln", "kilns", "kilo", "kilobaud", "kilobyte", "kilobytes", "kilocycle", "kilogauss", "kilogram", "kilograms", "kilohertz", "kilohm", "kilojoule", "kilometer", "kilometers", "kilos", "kiloton", "kilovolt", "kilowatt", "kilowatts", "kilt", "kilts", "kim", "kimono", "kimonos", "kin", "kind", "kinder", "kindergarten", "kindergartens", "kindest", "kindhearted", "kindle", "kindled", "kindles", "kindliness", "kindling", "kindly", "kindness", "kindnesses", "kindred", "kinds", "kinematic", "kinesthesia", "kinesthetic", "kinesthetically", "kinetic", "kinetically", "kinetics", "king", "kingbird", "kingdom", "kingdoms", "kingfisher", "kingfishers", "kinglet", "kingly", "kingpin", "kings", "kink", "kinks", "kinky", "kinsfolk", "kinshasa", "kinship", "kinsman", "kinsmen", "kiosk", "kiosks", "kipper", "kippers", "kips", "kirk", "kirsch", "kismet", "kiss", "kissed", "kisses", "kissing", "kissings", "kit", "kitchen", "kitchenette", "kitchenettes", "kitchens", "kite", "kited", "kites", "kith", "kiting", "kits", "kitsch", "kitten", "kittenish", "kittens", "kitties", "kittiwake", "kittiwakes", "kitty", "kiwi", "kiwis", "klaxon", "klaxons", "kleenex", "kleptomania", "kleptomaniac", "kleptomaniacs", "klieg", "knack", "knacker", "knackers", "knackwurst", "knapsack", "knapsacks", "knapweed", "knave", "knavery", "knaves", "knavish", "knavishly", "knead", "kneaded", "kneader", "kneaders", "kneading", "kneads", "knee", "kneecap", "kneecaps", "kneed", "kneeing", "kneel", "kneeled", "kneeling", "kneels", "knees", "knell", "knelled", "knelling", "knells", "knelt", "knew", "knicker", "knickerbocker", "knickerbockers", "knickers", "knife", "knifed", "knifes", "knifing", "knight", "knighted", "knighthood", "knighthoods", "knighting", "knightly", "knights", "knit", "knits", "knitted", "knitter", "knitters", "knitting", "knitwear", "knives", "knob", "knobbed", "knobby", "knobs", "knock", "knocked", "knocker", "knockers", "knocking", "knockout", "knockouts", "knocks", "knoll", "knolls", "knot", "knotgrass", "knots", "knotted", "knotting", "knotty", "knotweed", "know", "knowable", "knowhow", "knowing", "knowingly", "knowledge", "knowledgeable", "knowledgeably", "knowledged", "known", "knows", "knox", "knuckle", "knuckled", "knuckles", "knuckling", "knurl", "knurled", "knurling", "knurls", "koala", "kobe", "kodachrome", "kodak", "kohlrabi", "koran", "korea", "korean", "koreans", "kosher", "kowtow", "kraal", "kraft", "krakatoa", "krakow", "kraut", "krauts", "kremlin", "krishna", "krone", "kroner", "kruger", "krugerrand", "krugerrands", "krypton", "kudos", "kumquat", "kurdish", "kuwait", "kyoto", "kyushu", "lab", "label", "labeled", "labeler", "labelers", "labeling", "labels", "labial", "labile", "labor", "laboratories", "laboratory", "labored", "laborer", "laborers", "laboring", "laborious", "laboriously", "laboriousness", "labors", "labrador", "labs", "laburnum", "labyrinth", "labyrinthine", "labyrinths", "lace", "laced", "lacer", "lacerate", "lacerated", "lacerates", "lacerating", "laceration", "lacerations", "lacers", "laces", "lacing", "lack", "lackadaisic", "lackadaisical", "lacked", "lackey", "lackeys", "lacking", "lackluster", "lacks", "laconic", "laconically", "lacquer", "lacquered", "lacquering", "lacquers", "lacrosse", "lactate", "lactates", "lactating", "lactation", "lacteal", "lactic", "lactose", "lacuna", "lacunae", "lacunas", "lad", "ladder", "laddered", "laddering", "ladders", "lade", "laden", "ladies", "ladle", "ladled", "ladles", "ladling", "lads", "lady", "ladybird", "ladybirds", "ladylike", "ladyship", "ladyships", "lafayette", "lag", "lager", "lagers", "laggard", "lagged", "lagging", "lagoon", "lagoons", "lagos", "lags", "lahore", "laid", "lain", "lair", "lairs", "laity", "lake", "lakes", "lakeside", "lamb", "lambaste", "lambasted", "lambastes", "lambasting", "lambent", "lambs", "lambskin", "lambskins", "lame", "lamely", "lameness", "lament", "lamentable", "lamentably", "lamentation", "lamentations", "lamented", "lamenting", "laments", "laminate", "laminated", "laminates", "laminating", "lamination", "lamp", "lampblack", "lamplight", "lampoon", "lampooned", "lampooner", "lampooning", "lampoons", "lamprey", "lamps", "lampshade", "lampshades", "lancaster", "lance", "lanced", "lancer", "lancers", "lances", "lancet", "lancets", "lancing", "land", "landau", "landaus", "landed", "landfall", "landfill", "landing", "landings", "landladies", "landlady", "landlord", "landlords", "landmark", "landmarks", "landowner", "landowners", "lands", "landscape", "landscaped", "landscapes", "landscaping", "landslide", "landslides", "landward", "landwards", "lane", "lanes", "language", "languages", "languid", "languidly", "languish", "languished", "languishes", "languishing", "languor", "languorous", "lank", "lanky", "lanolin", "lantern", "lanterns", "lanthanum", "lanyard", "laos", "laotian", "laotians", "lap", "lapdog", "lapdogs", "lapel", "lapels", "lapful", "lapfuls", "lapidary", "lapland", "lapped", "lapping", "laps", "lapse", "lapsed", "lapses", "lapsing", "laptop", "laptops", "lapwing", "lapwings", "laramie", "larcenies", "larceny", "larch", "larches", "lard", "larder", "larders", "larding", "lards", "large", "largely", "largeness", "larger", "largess", "largesse", "largest", "largish", "lariat", "lariats", "lark", "larked", "larking", "larks", "larksome", "larkspur", "larry", "larva", "larvae", "larval", "laryngitis", "larynx", "larynxes", "lasagna", "lascivious", "lasciviously", "lasciviousness", "laser", "laserjet", "lasers", "lash", "lashed", "lashes", "lashing", "lashings", "lass", "lasses", "lassie", "lassitude", "lasso", "lassoes", "lassos", "last", "lasted", "lasting", "lastingly", "lastly", "lasts", "latch", "latched", "latches", "latching", "latchkey", "latchkeys", "late", "lately", "latency", "lateness", "latent", "latently", "later", "lateral", "laterally", "latest", "latex", "lath", "lathe", "lather", "lathered", "lathering", "lathers", "lathes", "laths", "latin", "latinate", "latinism", "latitude", "latitudes", "latitudinal", "latitudinally", "latitudinary", "latrine", "latrines", "latter", "latterly", "lattermost", "lattice", "lattices", "latticework", "latvia", "latvian", "laud", "laudable", "laudably", "laudanum", "laudatory", "lauded", "lauderdale", "lauding", "lauds", "laugh", "laughable", "laughably", "laughed", "laughing", "laughingly", "laughingstock", "laughs", "laughter", "launch", "launched", "launcher", "launchers", "launches", "launching", "launchings", "launder", "laundered", "launderette", "launderettes", "laundering", "launderings", "launders", "laundries", "laundry", "laura", "laureate", "laurel", "laurels", "lauren", "laurie", "lausanne", "lava", "lavatories", "lavatory", "lavender", "lavish", "lavished", "lavishes", "lavishing", "lavishly", "lavishness", "law", "lawbreaker", "lawbreakers", "lawbreaking", "lawful", "lawfully", "lawfulness", "lawgiver", "lawgiving", "lawless", "lawlessness", "lawmakers", "lawmaking", "lawman", "lawmen", "lawn", "lawned", "lawns", "lawrence", "lawrencium", "laws", "lawsuit", "lawsuits", "lawyer", "lawyers", "lax", "laxative", "laxatives", "laxity", "laxly", "laxness", "lay", "laye", "layer", "layered", "layering", "layers", "layette", "laying", "layman", "laymen", "layoff", "layoffs", "layout", "layouts", "lays", "layup", "lazarus", "laze", "lazed", "lazes", "lazier", "laziest", "lazily", "laziness", "lazing", "lazy", "lazybones", "lea", "lead", "leaded", "leaden", "leadenness", "leader", "leaderless", "leaders", "leadership", "leading", "leads", "leaf", "leafage", "leafed", "leafiest", "leafing", "leafless", "leaflet", "leaflets", "leafs", "leafy", "league", "leaguer", "leagues", "leak", "leakage", "leakages", "leaked", "leakiness", "leaking", "leaks", "leaky", "lean", "leaned", "leaning", "leanness", "leans", "leant", "leap", "leaped", "leapfrog", "leapfrogged", "leapfrogging", "leapfrogs", "leaping", "leaps", "leapt", "learn", "learned", "learnedly", "learner", "learners", "learning", "learns", "learnt", "leas", "lease", "leased", "leasehold", "leaseholder", "leaseholders", "leaseholds", "leaser", "leasers", "leases", "leash", "leashed", "leashes", "leasing", "least", "leastways", "leather", "leathered", "leathering", "leatherneck", "leathers", "leatherworker", "leathery", "leave", "leaven", "leavened", "leavening", "leavens", "leaver", "leavers", "leaves", "leaving", "leavings", "lebanese", "lebanon", "lecher", "lecherous", "lecherously", "lechers", "lechery", "lectern", "lecterns", "lector", "lecture", "lectured", "lecturer", "lecturers", "lectures", "lectureship", "lectureships", "lecturing", "led", "lederhosen", "ledge", "ledger", "ledgers", "ledges", "lee", "leech", "leeched", "leeches", "leeching", "leeds", "leek", "leeks", "leer", "leered", "leerier", "leering", "leeringly", "leers", "leery", "lees", "leeward", "leeway", "left", "lefthand", "lefthander", "lefthanders", "lefties", "leftist", "leftists", "leftmost", "leftover", "leftovers", "leftward", "leftwards", "lefty", "leg", "legacies", "legacy", "legal", "legalism", "legalist", "legalistic", "legalities", "legality", "legalize", "legalized", "legalizes", "legalizing", "legally", "legare", "legate", "legatee", "legatees", "legates", "legation", "legations", "legato", "legend", "legendary", "legends", "leges", "legged", "legginess", "legging", "leggings", "leggy", "legibility", "legible", "legibly", "legion", "legions", "legislate", "legislated", "legislates", "legislating", "legislation", "legislative", "legislatively", "legislator", "legislators", "legislature", "legislatures", "legitimacy", "legitimate", "legitimated", "legitimately", "legitimates", "legitimating", "legitimize", "legitimized", "legitimizes", "legitimizing", "legless", "legs", "legume", "leguminous", "leigh", "leipzig", "leisure", "leisureless", "leisureliness", "leisurely", "lemming", "lemmings", "lemon", "lemonade", "lemons", "lemony", "lemur", "lemurs", "len", "lend", "lender", "lenders", "lending", "lends", "length", "lengthen", "lengthened", "lengthening", "lengthens", "lengthily", "lengthiness", "lengths", "lengthways", "lengthwise", "lengthy", "leniency", "lenient", "leniently", "lenin", "leningrad", "leninism", "leninist", "lens", "lenses", "lent", "lenticular", "lentil", "lentils", "lento", "leo", "leon", "leonard", "leonardo", "leopard", "leopards", "leotard", "leotards", "leper", "lepers", "lepidolite", "lepidoptera", "leprechaun", "leprechauns", "leprosy", "leprous", "lepton", "lesbian", "lesbians", "lesion", "lesions", "leslie", "lesotho", "less", "lessee", "lessees", "lessen", "lessened", "lessening", "lessens", "lesser", "lesson", "lessons", "lessor", "lessors", "lest", "let", "letdown", "lethal", "lethality", "lethally", "lethargic", "lethargies", "lethargy", "lets", "letted", "letter", "lettered", "letterhead", "lettering", "letters", "letting", "lettuce", "lettuces", "letup", "leukemia", "levee", "level", "leveled", "leveler", "levelers", "leveling", "levelly", "levels", "lever", "leverage", "levered", "leveret", "leverets", "levering", "levers", "levi", "leviable", "leviathan", "leviathans", "levied", "levies", "levitate", "levitated", "levitates", "levitating", "levitation", "levitations", "leviticus", "levity", "levy", "levying", "lewd", "lewdly", "lewdness", "lexical", "lexically", "lexicographic", "lexicographical", "lexicographically", "lexicography", "lexicon", "lexicons", "lexicostatistic", "lexington", "ley", "leyland", "lhasa", "liabilities", "liability", "liable", "liaise", "liaised", "liaises", "liaising", "liaison", "liaisons", "liar", "liars", "libation", "libel", "libelant", "libeled", "libeler", "libelers", "libeling", "libelous", "libelously", "libels", "liberal", "liberalism", "liberality", "liberalizing", "liberally", "liberals", "liberate", "liberated", "liberates", "liberating", "liberation", "liberator", "liberators", "liberia", "libertarian", "libertarians", "liberties", "libertine", "liberty", "libidinous", "libido", "libidos", "libra", "librarian", "librarians", "libraries", "library", "librettist", "libretto", "librettos", "libreville", "libya", "libyan", "lice", "licensable", "license", "licensed", "licensee", "licensees", "licenses", "licensing", "licensor", "licensors", "licentiate", "licentious", "licentiously", "licentiousness", "lichen", "lichens", "lick", "licked", "licking", "licks", "licorice", "lid", "lids", "lie", "liebfraumilch", "liechtenstein", "lied", "liege", "lien", "liens", "lies", "lieu", "lieutenant", "lieutenants", "life", "lifeblood", "lifeboat", "lifeboats", "lifeguard", "lifeguards", "lifeless", "lifelessly", "lifelessness", "lifelike", "lifelong", "lifer", "lifers", "lifesaver", "lifespan", "lifestyle", "lifestyles", "lifetime", "lift", "lifted", "lifter", "lifters", "lifting", "lifts", "ligament", "ligaments", "ligature", "ligatures", "light", "lighted", "lighten", "lightened", "lightening", "lightens", "lighter", "lighters", "lightest", "lighthearted", "lighthouse", "lighthouses", "lighting", "lightly", "lightness", "lightning", "lightproof", "lights", "lightweight", "lightyears", "lignite", "likable", "like", "liked", "likelihood", "likeliness", "likely", "liken", "likened", "likeness", "likenesses", "likening", "likens", "likes", "likewise", "liking", "likings", "lilac", "lilacs", "lilies", "lilliputian", "lilly", "lilongwe", "lilt", "lilted", "lilting", "liltingly", "lilts", "lily", "lima", "limb", "limbed", "limber", "limbered", "limbering", "limbers", "limbo", "limbs", "lime", "limeade", "limed", "limelight", "limerick", "limericks", "limes", "limestone", "limestones", "limey", "limit", "limitation", "limitations", "limited", "limiting", "limitless", "limits", "limning", "limo", "limousine", "limousines", "limp", "limped", "limper", "limpet", "limpets", "limpid", "limping", "limply", "limpness", "limps", "limy", "lincoln", "linctus", "linda", "line", "lineage", "lineages", "lineal", "lineally", "linear", "linearity", "linearly", "lined", "linen", "linens", "liner", "liners", "lines", "linesman", "linesmen", "lineup", "linger", "lingered", "lingerer", "lingerers", "lingerie", "lingering", "lingeringly", "lingers", "lingo", "lingual", "linguist", "linguistic", "linguistically", "linguistics", "linguists", "liniment", "liniments", "lining", "linings", "link", "linkage", "linkages", "linked", "linker", "linkers", "linking", "links", "linkup", "linoleum", "linotype", "linseed", "lint", "lintel", "lintels", "lion", "lioness", "lionesses", "lionize", "lionized", "lionizes", "lionizing", "lions", "lip", "lipid", "lipless", "lipped", "lips", "lipstick", "lipsticks", "lipton", "liquefaction", "liquefied", "liquefier", "liquefiers", "liquefies", "liquefy", "liquefying", "liqueur", "liqueurs", "liquid", "liquidate", "liquidated", "liquidates", "liquidating", "liquidation", "liquidations", "liquidator", "liquidators", "liquidity", "liquidize", "liquidized", "liquidizer", "liquidizers", "liquidizes", "liquidizing", "liquids", "liquor", "liquors", "lira", "lisa", "lisbon", "lisp", "lisped", "lisping", "lisps", "lissome", "list", "listable", "listed", "listen", "listened", "listener", "listeners", "listening", "listens", "lister", "listers", "listing", "listings", "listless", "listlessly", "listlessness", "lists", "liszt", "lit", "litanies", "litany", "litchi", "liter", "litera", "literacy", "literal", "literality", "literally", "literalness", "literals", "literary", "literate", "literature", "literatures", "liters", "lithe", "lithium", "lithograph", "lithographs", "lithography", "lithology", "lithosphere", "lithospheric", "lithuania", "lithuanian", "litigant", "litigants", "litigatable", "litigate", "litigated", "litigates", "litigating", "litigation", "litigations", "litigious", "litmus", "litter", "litterbug", "litterbugs", "littered", "littering", "litters", "little", "littlest", "litton", "littoral", "liturgic", "liturgical", "liturgies", "liturgy", "livable", "live", "lived", "livelier", "liveliest", "livelihood", "livelihoods", "liveliness", "livelong", "lively", "liven", "livened", "livening", "livens", "liver", "liveried", "liveries", "liverpool", "livers", "liverwort", "livery", "lives", "livestock", "livid", "lividly", "lividness", "living", "livings", "liz", "lizard", "lizards", "llama", "llamas", "load", "loaded", "loader", "loaders", "loading", "loadings", "loads", "loaf", "loafed", "loafer", "loafers", "loafing", "loafs", "loam", "loamy", "loan", "loanable", "loaned", "loaner", "loaners", "loaning", "loans", "loath", "loathe", "loathed", "loathes", "loathing", "loathly", "loathsome", "loathsomely", "loathsomeness", "loaves", "lob", "lobbed", "lobbied", "lobbies", "lobbing", "lobby", "lobbying", "lobe", "lobes", "lobotomy", "lobs", "lobster", "lobsters", "local", "locale", "locales", "localisms", "localities", "locality", "localization", "localize", "localized", "localizes", "localizing", "locally", "locals", "locate", "located", "locates", "locating", "location", "locations", "locator", "loch", "lochs", "lock", "locked", "locker", "lockers", "locket", "lockets", "lockheed", "locking", "lockjaw", "locknut", "lockout", "lockouts", "locks", "locksmith", "locksmithing", "locksmiths", "lockup", "lockups", "locomotion", "locomotive", "locomotives", "locomotor", "locomotory", "locoweed", "locum", "locus", "locust", "locusts", "lode", "lodestone", "lodge", "lodged", "lodger", "lodgers", "lodges", "lodging", "lodgings", "loft", "lofted", "loftier", "loftily", "loftiness", "lofting", "lofts", "lofty", "log", "loganberries", "loganberry", "logarithm", "logarithmic", "logarithms", "logbook", "logbooks", "logged", "logger", "loggerheads", "loggers", "logging", "logic", "logical", "logicality", "logically", "logician", "logicians", "logicism", "logistic", "logistical", "logistically", "logistics", "logjam", "logo", "logos", "logs", "loin", "loincloth", "loincloths", "loins", "loire", "loiter", "loitered", "loiterer", "loiterers", "loitering", "loiters", "loll", "lolled", "lolling", "lollipop", "lollipops", "lolls", "lombard", "london", "londoner", "londoners", "lone", "lonelier", "loneliest", "loneliness", "lonely", "loner", "loners", "lonesome", "lonesomely", "lonesomeness", "long", "longbow", "longed", "longer", "longest", "longevity", "longhand", "longhorn", "longhorns", "longing", "longings", "longish", "longitude", "longitudes", "longitudinal", "longleaf", "longs", "longshoremen", "longstanding", "longsuffering", "loofah", "look", "looked", "looker", "lookers", "looking", "lookout", "looks", "lookup", "loom", "loomed", "looming", "looms", "loon", "loony", "loop", "looped", "loophole", "loopholes", "loopier", "looping", "loops", "loopy", "loose", "loosed", "looseleaf", "loosely", "loosen", "loosened", "looseness", "loosening", "loosens", "looser", "loosest", "loot", "looted", "looter", "looters", "looting", "loots", "lop", "lope", "loped", "lopes", "loping", "lopped", "lopping", "lops", "lopsided", "lopsidedly", "loquacious", "loquaciously", "loquaciousness", "loquacity", "loral", "loran", "lord", "lorded", "lording", "lordless", "lordliness", "lordlings", "lordly", "lords", "lordship", "lordships", "lore", "lorenz", "lorgnette", "lorgnettes", "lorries", "lorry", "lose", "loser", "losers", "loses", "losing", "loss", "losses", "lost", "lot", "loth", "lotion", "lotions", "lots", "lotteries", "lottery", "lotus", "loud", "loudened", "loudening", "loudens", "louder", "loudest", "loudhailer", "loudhailers", "loudish", "loudishly", "loudly", "loudness", "loudspeaker", "loudspeakers", "louis", "louisiana", "lounge", "lounged", "lounger", "loungers", "lounges", "lounging", "lourdes", "louse", "lousewort", "lousily", "lousiness", "lousing", "lousy", "lout", "loutish", "louts", "louvre", "lovable", "lovably", "lovage", "love", "lovebird", "lovebirds", "loved", "lovelace", "loveless", "lovelier", "lovelies", "loveliest", "loveliness", "lovelorn", "lovely", "lovemaking", "lover", "lovers", "loves", "lovesick", "loving", "lovingly", "low", "lowbrow", "lowdown", "lower", "lowercase", "lowered", "lowering", "lowers", "lowest", "lowland", "lowlands", "lowliest", "lowliness", "lowly", "lowness", "loyal", "loyalist", "loyalists", "loyally", "loyalties", "loyalty", "lozenge", "lozenges", "lrun", "ltd", "luanda", "lubricant", "lubricants", "lubricate", "lubricated", "lubricates", "lubricating", "lubrication", "lubricator", "lubricators", "lubricious", "lubricity", "lucas", "lucerne", "lucian", "lucid", "lucidity", "lucidly", "lucidness", "lucifer", "lucite", "luck", "lucked", "luckier", "luckiest", "luckily", "luckless", "lucks", "lucky", "lucrative", "lucratively", "lucrativeness", "lucre", "lucretius", "ludic", "ludicrous", "ludicrously", "ludicrousness", "ludlum", "lufthansa", "lug", "luggage", "lugged", "lugger", "luggers", "lugging", "lugs", "lugubrious", "lugubriously", "lugubriousness", "luis", "luke", "lukewarm", "lukewarmly", "lukewarmness", "lull", "lullabies", "lullaby", "lulled", "lulling", "lulls", "lulu", "lumbago", "lumbar", "lumber", "lumbered", "lumbering", "lumberjack", "lumberjacks", "lumberman", "lumbermen", "lumbers", "lumen", "luminance", "luminaries", "luminary", "luminescence", "luminescent", "luminosity", "luminous", "luminously", "luminousness", "lump", "lumped", "lumping", "lumpish", "lumps", "lumpy", "lunacy", "lunar", "lunatic", "lunatics", "lunch", "lunched", "luncheon", "luncheons", "lunches", "lunching", "lunchroom", "lunchrooms", "lunchtime", "lung", "lunge", "lunged", "lunges", "lunging", "lungs", "lungwort", "lupin", "lupins", "lurch", "lurched", "lurcher", "lurchers", "lurches", "lurching", "lure", "lured", "lures", "lurid", "luridly", "luridness", "luring", "lurk", "lurked", "lurking", "lurks", "lusaka", "luscious", "lusciously", "lusciousness", "lush", "lust", "lusted", "luster", "lusterless", "lustful", "lustfully", "lustily", "lustiness", "lusting", "lustral", "lustrous", "lustrously", "lustrousness", "lustrum", "lusts", "lusty", "lute", "lutes", "lutetium", "luther", "lutheran", "luxe", "luxembourg", "luxuriance", "luxuriant", "luxuriantly", "luxuriate", "luxuries", "luxurious", "luxuriously", "luxuriousness", "luxury", "luzon", "lyceum", "lychee", "lychees", "lye", "lying", "lymph", "lynch", "lynched", "lyncher", "lynches", "lynching", "lynn", "lynx", "lynxes", "lyon", "lyons", "lyre", "lyric", "lyrical", "lyrically", "lyricism", "lyricist", "lyricists", "lyrics", "lysergic", "maastricht", "mac", "macabre", "macadam", "macadamia", "macadamias", "macao", "macaroni", "macaroon", "macaroons", "macaw", "macbeth", "mace", "maced", "macedonia", "maces", "mach", "machete", "machiavelli", "machiavellian", "machiavellianism", "machination", "machinations", "machine", "machined", "machinelike", "machinery", "machines", "machining", "machinist", "machinists", "machismo", "macho", "mackerel", "mackerels", "mackintosh", "mackintoshes", "macmillan", "macro", "macrobiotic", "macromolecule", "macropathology", "macrophage", "macros", "macroscopic", "macular", "mad", "madagascar", "madam", "madame", "madams", "madcap", "madden", "maddened", "maddening", "maddeningly", "maddens", "madder", "maddest", "made", "madeira", "madhouse", "madison", "madly", "madman", "madmen", "madness", "madonna", "madras", "madrid", "madrigal", "madrigals", "mae", "maelstrom", "maelstroms", "maestro", "maestros", "mafia", "magazine", "magazines", "magenta", "maggot", "maggots", "maggoty", "magi", "magic", "magical", "magically", "magician", "magicians", "magisterial", "magistracy", "magistrate", "magistrates", "magna", "magnanimity", "magnanimous", "magnanimously", "magnate", "magnates", "magnesia", "magnesium", "magnet", "magnetic", "magnetically", "magnetism", "magnetisms", "magnetite", "magnetized", "magnetizer", "magneto", "magnetron", "magnets", "magnification", "magnifications", "magnificence", "magnificent", "magnificently", "magnified", "magnifies", "magnify", "magnifying", "magnitude", "magnitudes", "magnolia", "magnolias", "magnum", "magnums", "magpie", "magpies", "mahatma", "mahler", "mahogany", "maid", "maiden", "maidenhead", "maidens", "maidish", "maids", "maidservant", "mail", "mailbag", "mailbags", "mailbox", "mailboxes", "mailed", "mailing", "mailings", "mailmerge", "mails", "maim", "maimed", "maiming", "maims", "main", "maine", "mainframe", "mainframes", "mainland", "mainlands", "mainline", "mainly", "mains", "mainsail", "mainsails", "mainspring", "mainsprings", "mainstay", "mainstays", "mainstream", "maintain", "maintained", "maintaining", "maintains", "maintenance", "maize", "majestic", "majestically", "majesties", "majesty", "major", "majored", "majorities", "majority", "majors", "make", "maker", "makers", "makes", "makeshift", "makeshifts", "makeup", "making", "makings", "malachi", "malachite", "maladapt", "maladaptive", "maladies", "maladjust", "maladjusted", "maladjustment", "maladjustments", "maladministration", "maladroit", "maladroitly", "maladroitness", "malady", "malaga", "malagasy", "malaise", "malapropism", "malapropos", "malaria", "malarial", "malawi", "malawian", "malay", "malayan", "malaysia", "malaysian", "malcolm", "malcontent", "malcontents", "maldives", "male", "malediction", "maledictions", "maleness", "males", "malevolence", "malevolencies", "malevolent", "malevolently", "malformation", "malformations", "malformed", "malfunction", "malfunctioned", "malfunctioning", "malfunctions", "mali", "malian", "malice", "malicious", "maliciously", "maliciousness", "malign", "malignancies", "malignancy", "malignant", "malignantly", "maligned", "maligning", "maligns", "malinger", "malingered", "malingerer", "malingerers", "malingering", "malingers", "mall", "mallard", "mallards", "malleable", "mallet", "mallets", "mallory", "mallow", "malls", "malnourished", "malnutrition", "malpractice", "malpractices", "malt", "malta", "malted", "maltese", "malthus", "maltreat", "maltreated", "maltreating", "maltreatment", "maltreats", "malts", "malty", "malum", "mama", "mamas", "mambo", "mamma", "mammal", "mammalian", "mammals", "mammaries", "mammary", "mammas", "mammon", "mammoth", "mammoths", "mammy", "man", "manacle", "manacled", "manacles", "manacling", "manage", "manageable", "manageably", "managed", "management", "managements", "manager", "manageress", "manageresses", "managerial", "managers", "managership", "managerships", "manages", "managing", "managua", "manchester", "mancipate", "mancipated", "mancipates", "mancipating", "mandalay", "mandarin", "mandarins", "mandate", "mandated", "mandates", "mandating", "mandatory", "mandible", "mandibles", "mandrake", "mandrill", "mane", "manes", "maneuver", "maneuverability", "maneuverable", "maneuvered", "maneuvering", "maneuvers", "manful", "manfully", "manganese", "mange", "manger", "mangers", "manginess", "mangle", "mangled", "mangler", "manglers", "mangles", "mangling", "mango", "mangos", "mangrove", "mangroves", "mangy", "manhandle", "manhandled", "manhandles", "manhandling", "manhattan", "manhole", "manholes", "manhood", "manhours", "manhunt", "mania", "maniac", "maniacal", "maniacally", "maniacs", "manic", "manicure", "manicured", "manicures", "manicuring", "manicurist", "manicurists", "manifest", "manifestation", "manifestations", "manifestative", "manifested", "manifesting", "manifestly", "manifesto", "manifestos", "manifests", "manifold", "manifoldly", "manifoldness", "manifolds", "manila", "manilla", "manipulable", "manipulate", "manipulated", "manipulates", "manipulating", "manipulation", "manipulations", "manipulative", "manipulatively", "manipulator", "manipulators", "manitoba", "mankind", "manlike", "manliness", "manly", "manmade", "mann", "manna", "manned", "mannequin", "mannequins", "manner", "mannered", "mannerism", "mannerisms", "mannerless", "mannerliness", "mannerly", "manners", "manning", "mannish", "manometer", "manometric", "manor", "manorial", "manors", "manpower", "mans", "manse", "manservant", "mansion", "mansions", "manslaughter", "mantel", "mantelpiece", "mantelpieces", "mantels", "mantilla", "mantillas", "mantis", "mantissa", "mantissas", "mantle", "mantles", "mantling", "manual", "manually", "manuals", "manufactory", "manufacture", "manufactured", "manufacturer", "manufacturers", "manufactures", "manufacturing", "manure", "manuscript", "manuscripts", "manx", "many", "mao", "maoism", "maori", "map", "maple", "maples", "mapless", "mapped", "mapping", "mappings", "maps", "maputo", "mar", "maraca", "maraschino", "marathon", "marathons", "maraud", "marauded", "marauder", "marauders", "marauding", "marauds", "marble", "marbled", "marbles", "marbling", "marbury", "march", "marched", "marcher", "marchers", "marches", "marching", "marco", "marcus", "mare", "mares", "marestail", "margaret", "margarine", "margarines", "margarita", "margin", "marginal", "marginalia", "marginality", "marginally", "marginate", "marginated", "margins", "marguerite", "maria", "marian", "marie", "marietta", "marigold", "marigolds", "marihuana", "marijuana", "marilyn", "marina", "marinade", "marinades", "marinas", "marinate", "marinated", "marinates", "marinating", "marine", "mariner", "mariners", "marines", "mario", "marion", "marionette", "marionettes", "maritagii", "marital", "maritally", "maritima", "maritime", "marjoram", "mark", "marked", "markedly", "marker", "markers", "market", "marketability", "marketable", "marketed", "marketer", "marketers", "marketing", "marketings", "marketplace", "markets", "marking", "markings", "marks", "marksman", "marksmanship", "marksmen", "markup", "marlboro", "marline", "marmalade", "marmalades", "marmoset", "marmosets", "marmot", "maroon", "marooned", "marooning", "maroons", "marque", "marquee", "marquees", "marquess", "marquesses", "marquetry", "marquette", "marquis", "marquises", "marred", "marriage", "marriageable", "marriages", "married", "marries", "marring", "marrow", "marrowbone", "marrows", "marry", "marrying", "mars", "marseilles", "marsh", "marshal", "marshaled", "marshaling", "marshall", "marshals", "marshalsea", "marshes", "marshland", "marshlands", "marshmallow", "marshmallows", "marshwort", "marshy", "marsupial", "marsupials", "mart", "marten", "martha", "martial", "martian", "martin", "martinet", "martinets", "martingale", "martini", "martinique", "martinis", "martinmas", "martins", "marts", "martyr", "martyrdom", "martyred", "martyring", "martyrs", "marvel", "marveled", "marveling", "marvelous", "marvelously", "marvelousness", "marvels", "marx", "marxism", "marxist", "mary", "marzipan", "mascara", "mascot", "mascots", "masculine", "masculinely", "masculineness", "masculinity", "maser", "masers", "maseru", "mash", "mashed", "masher", "mashes", "mashing", "mask", "masked", "masker", "masking", "masks", "masochism", "masochist", "masochistic", "masochists", "mason", "masonic", "masonry", "masons", "masque", "masquerade", "masqueraded", "masquerader", "masqueraders", "masquerades", "masquerading", "masques", "mass", "massachusetts", "massacre", "massacred", "massacres", "massacring", "massage", "massaged", "massages", "massaging", "massed", "masses", "masseur", "masseurs", "masseuse", "masseuses", "massif", "massifs", "massing", "massive", "massively", "massiveness", "massless", "massy", "mast", "master", "mastered", "masterful", "masterfully", "masterfulness", "masterhood", "mastering", "masterless", "masterliness", "masterly", "mastermind", "masterminding", "masterpiece", "masterpieces", "masters", "masterstroke", "masterstrokes", "mastery", "mastic", "masticate", "masticated", "masticates", "masticating", "mastication", "mastiff", "mastiffs", "mastodon", "mastodons", "mastoid", "masts", "masturbate", "masturbated", "masturbates", "masturbating", "masturbation", "mat", "matador", "matadors", "match", "matchbook", "matchbox", "matchboxes", "matched", "matches", "matching", "matchless", "matchmaker", "matchmaking", "mate", "mated", "mateless", "mater", "materia", "material", "materialism", "materialist", "materialistic", "materialists", "materiality", "materialize", "materialized", "materializes", "materializing", "materially", "materials", "maternal", "maternally", "maternity", "mates", "mathematical", "mathematically", "mathematician", "mathematicians", "mathematics", "maths", "matilda", "matima", "matinee", "matinees", "mating", "matins", "matriarch", "matriarchal", "matriarchy", "matrices", "matriculate", "matriculated", "matriculates", "matriculating", "matrimonial", "matrimony", "matrix", "matron", "matronage", "matronal", "matronhood", "matronly", "matrons", "matronship", "mats", "matte", "matted", "matter", "mattered", "matterhorn", "mattering", "matters", "mattes", "matthew", "matting", "mattock", "mattress", "mattresses", "maturate", "maturation", "maturational", "mature", "matured", "maturely", "matureness", "maturer", "matures", "maturest", "maturing", "maturities", "maturity", "matzo", "maudlin", "maui", "maul", "mauled", "mauler", "maulers", "mauling", "mauls", "maunder", "maundered", "maundering", "maunders", "maundy", "mauritania", "mauritian", "mauritius", "mausoleum", "mausoleums", "mauve", "mauves", "maverick", "mavericks", "maw", "mawkish", "mawkishly", "mawkishness", "maxi", "maxim", "maxima", "maximal", "maximally", "maximization", "maximize", "maximized", "maximizes", "maximizing", "maxims", "maximum", "maximums", "maxwell", "maxwellian", "may", "maybe", "mayday", "mayfair", "mayflies", "mayflower", "mayfly", "mayhap", "mayhem", "mayonnaise", "mayor", "mayoral", "mayoralty", "mayoress", "mayoresses", "mayors", "mayorship", "maypole", "maypoles", "mays", "mayweed", "maze", "mazes", "mbabane", "mdv", "mead", "meadow", "meadowland", "meadows", "meadowsweet", "meadowy", "meager", "meagerly", "meagerness", "meal", "mealier", "meals", "mealtime", "mealtimes", "mealy", "mean", "meander", "meandered", "meandering", "meanders", "meanest", "meaning", "meaningful", "meaningfully", "meaningfulness", "meaningless", "meaninglessly", "meanings", "meanly", "meanness", "means", "meant", "meantime", "meanwhile", "measles", "measlier", "measliest", "measly", "measurable", "measurably", "measure", "measured", "measureless", "measurement", "measurements", "measures", "measuring", "meat", "meatballs", "meatiness", "meats", "meaty", "mecca", "mechanic", "mechanical", "mechanically", "mechanicalness", "mechanics", "mechanism", "mechanisms", "mechanist", "mechanistic", "mechanization", "mechanize", "mechanized", "mechanizes", "mechanizing", "medal", "medallion", "medallions", "medallist", "medallists", "medals", "meddle", "meddled", "meddler", "meddlers", "meddles", "meddling", "media", "mediaeval", "medial", "medially", "median", "medians", "mediate", "mediated", "mediates", "mediating", "mediation", "mediator", "mediators", "medic", "medical", "medically", "medicament", "medicaments", "medicate", "medicated", "medication", "medications", "medicinal", "medicinally", "medicine", "medicines", "medico", "medics", "medieval", "medievalism", "medievalist", "medievalists", "mediocre", "mediocrities", "mediocrity", "meditate", "meditated", "meditates", "meditating", "meditation", "meditations", "meditative", "mediterranean", "medium", "mediumistic", "mediums", "mediumship", "medley", "medleys", "medusa", "meek", "meeker", "meekest", "meekly", "meekness", "meet", "meeting", "meetinghouse", "meetings", "meetly", "meetness", "meets", "mega", "megabyte", "megabytes", "megahertz", "megalith", "megalithic", "megaliths", "megalomania", "megalomaniac", "megalomaniacs", "megaphone", "megaphones", "megaphonic", "megaton", "megatons", "megavolt", "megavolts", "megawatt", "megawatts", "megohm", "megohms", "mekong", "mel", "melamine", "melancholia", "melancholic", "melancholy", "melange", "melanin", "melanoma", "melba", "melbourne", "melilot", "mellow", "mellowed", "mellowing", "mellowly", "mellowness", "mellows", "melodic", "melodically", "melodies", "melodious", "melodiously", "melodiousness", "melodist", "melodrama", "melodramas", "melodramatic", "melodramatically", "melodramatist", "melody", "melon", "melons", "melt", "melted", "melting", "melts", "member", "membered", "memberless", "members", "membership", "memberships", "membra", "membrane", "membranes", "memento", "mementos", "memo", "memoir", "memoirist", "memoirs", "memorabilia", "memorability", "memorable", "memorably", "memoranda", "memorandum", "memorandums", "memorial", "memorialized", "memorials", "memories", "memorization", "memorize", "memorized", "memorizes", "memorizing", "memory", "memos", "memphis", "men", "menace", "menaced", "menaces", "menacing", "menacingly", "menage", "menagerie", "menageries", "mend", "mendacious", "mendaciously", "mendacities", "mendacity", "mended", "mendelevium", "mendelssohn", "mender", "menders", "mendicant", "mendicants", "mending", "mends", "menfolk", "menial", "menials", "meningitis", "menisci", "meniscus", "menopausal", "menopause", "mensae", "mensaes", "menstrual", "menstruate", "menstruated", "menstruates", "menstruating", "menstruation", "mental", "mentalism", "mentalities", "mentality", "mentally", "mente", "menthol", "mentholated", "mention", "mentionable", "mentionably", "mentioned", "mentioning", "mentions", "mentor", "mentors", "menu", "menus", "meow", "meowed", "meowing", "meows", "mephistopheles", "mercantile", "mercantilism", "mercatoria", "mercedes", "mercenaries", "mercenarily", "mercenary", "merchandise", "merchandised", "merchandises", "merchandising", "merchant", "merchantable", "merchantman", "merchantmen", "merchants", "mercian", "mercies", "merciful", "mercifully", "mercifulness", "merciless", "mercilessly", "mercilessness", "mercurial", "mercurially", "mercuric", "mercury", "mercy", "mere", "merely", "merest", "merge", "merged", "merger", "mergers", "merges", "merging", "meridian", "meridians", "meringue", "meringues", "merit", "merited", "meriting", "meritocracy", "meritorious", "meritoriously", "merits", "merles", "merlin", "merlons", "mermaid", "mermaids", "merman", "merrier", "merriest", "merrily", "merriment", "merriness", "merry", "merrymaking", "mers", "mescaline", "mesdames", "mesenteric", "mesh", "meshed", "meshes", "meshing", "mesmeric", "mesmerize", "mesmerized", "mesmerizes", "mesmerizing", "mess", "message", "messages", "messed", "messenger", "messengers", "messes", "messiah", "messier", "messiest", "messily", "messiness", "messing", "messy", "met", "metabole", "metabolic", "metabolism", "metabolite", "metabolize", "metabolized", "metal", "metallic", "metalliferous", "metallography", "metalloid", "metallurgic", "metallurgical", "metallurgically", "metallurgist", "metallurgists", "metallurgy", "metals", "metalsmiths", "metalwork", "metalworker", "metalworkers", "metalworking", "metamorphic", "metamorphism", "metamorphose", "metamorphosed", "metamorphoses", "metamorphosis", "metaphor", "metaphoric", "metaphorical", "metaphorically", "metaphors", "metaphysic", "metaphysical", "metaphysically", "metaphysicist", "metaphysicists", "metaphysics", "metcalf", "meted", "meteor", "meteoric", "meteorite", "meteorites", "meteoritic", "meteorological", "meteorologist", "meteorologists", "meteorology", "meteors", "meter", "metered", "metering", "meters", "meth", "methadone", "methane", "methanol", "methil", "method", "methodic", "methodical", "methodically", "methodism", "methodist", "methodological", "methodology", "methods", "meths", "methuselah", "methyl", "methylated", "methylene", "meticulous", "meticulously", "meticulousness", "metier", "metiers", "metric", "metrical", "metrically", "metricated", "metricates", "metricating", "metrication", "metro", "metronome", "metronomes", "metropolis", "metropolitan", "mettle", "mettlesome", "mew", "mewed", "mews", "mexican", "mexicans", "mexico", "mezzo", "mho", "miami", "miasma", "miasmal", "miasmas", "miasmic", "mica", "micah", "mice", "michael", "michaelmas", "michelin", "michelle", "michigan", "mickey", "micro", "microbe", "microbes", "microbiology", "microclimate", "microcomputer", "microcomputers", "microcosm", "microcosms", "microdrive", "microdrives", "microelectronic", "microelectronically", "microelectronics", "microfared", "microfiche", "microfiches", "microfile", "microfiles", "microfilm", "microfilms", "micrography", "microjoule", "micrometer", "micrometers", "micron", "microns", "microorganism", "microorganisms", "microphone", "microphones", "microporous", "microprocessor", "microprocessors", "micros", "microscope", "microscopes", "microscopic", "microscopical", "microscopically", "microscopy", "microsecond", "microseconds", "microwave", "microwaves", "micturition", "mid", "midair", "midas", "midday", "middle", "middleman", "middlemen", "middles", "middleweight", "middling", "midge", "midges", "midget", "midgets", "midland", "midlands", "midmorning", "midnight", "midpoint", "midrange", "midriff", "midriffs", "midscale", "midsection", "midship", "midshipman", "midshipmen", "midspan", "midst", "midstream", "midsummer", "midway", "midweek", "midwest", "midwestern", "midwesterners", "midwife", "midwifery", "midwinter", "midwives", "midyear", "mien", "miens", "miff", "miffed", "miffs", "mig", "might", "mightier", "mightiest", "mightily", "mighty", "mignonette", "migraine", "migraines", "migrant", "migrants", "migrate", "migrated", "migrates", "migrating", "migration", "migrations", "migrator", "migrators", "migratory", "mikado", "mike", "mil", "milan", "mild", "milder", "mildest", "mildew", "mildews", "mildly", "mildness", "mile", "mileage", "miles", "milestone", "milestones", "milfoil", "milieu", "militancy", "militant", "militantly", "militants", "militarily", "militarism", "militarist", "militaristic", "militarists", "military", "militate", "militated", "militates", "militating", "militia", "militiaman", "militiamen", "milk", "milked", "milkier", "milking", "milkmaid", "milkmaids", "milkman", "milkmen", "milks", "milkshake", "milkshakes", "milksop", "milksops", "milkthistle", "milkweed", "milkwort", "milky", "mill", "milled", "millenarian", "millennia", "millennium", "millenniums", "miller", "millers", "millet", "milli", "milliammeter", "milliamp", "milliampere", "milliamperes", "milliamps", "milliard", "millibar", "millibars", "milligram", "milligrams", "millihenry", "millijoule", "milliliter", "milliliters", "millimeter", "millimeters", "milliner", "milliners", "millinery", "milling", "million", "millionaire", "millionaires", "millions", "millionth", "millipede", "millisecond", "milliseconds", "millivolt", "millivoltmeter", "milliwatt", "mills", "millstone", "millstones", "milometer", "milometers", "milord", "mils", "milt", "milting", "milwaukee", "mime", "mimed", "mimeograph", "mimer", "mimers", "mimes", "mimi", "mimic", "mimicked", "mimicking", "mimicry", "mimics", "miming", "mimosa", "minaret", "minarets", "mince", "minced", "mincemeat", "mincepie", "mincepies", "mincer", "mincers", "minces", "mincing", "mind", "minded", "minder", "minders", "mindful", "mindfully", "minding", "mindless", "mindlessly", "minds", "mine", "mined", "minefield", "minefields", "miner", "mineral", "mineralized", "mineralogical", "mineralogy", "minerals", "miners", "minerva", "mines", "minesweeper", "minesweepers", "mineworker", "mineworkers", "mingle", "mingled", "mingler", "minglers", "mingles", "mingling", "mini", "miniature", "miniatures", "minibus", "minibuses", "minicab", "minicomputer", "minicomputers", "minim", "minimal", "minimally", "minimization", "minimize", "minimized", "minimizes", "minimizing", "minims", "minimum", "minimums", "mining", "minion", "minions", "minister", "ministered", "ministerial", "ministering", "ministers", "ministrations", "ministries", "ministry", "mink", "minks", "minneapolis", "minnesota", "minnow", "minnows", "minor", "minorities", "minority", "minors", "minster", "minstrel", "minstrels", "mint", "minted", "minter", "minting", "mints", "minty", "minuet", "minuets", "minus", "minuscule", "minusculely", "minusculeness", "minuses", "minute", "minuted", "minutely", "minuteman", "minutemen", "minuteness", "minutes", "minutia", "minutiae", "minuting", "minx", "miocene", "miracle", "miracles", "miraculous", "miraculously", "miraculousness", "mirage", "mirages", "miranda", "mirror", "mirrored", "mirroring", "mirrors", "mirth", "mirthful", "mirthfully", "mirthless", "mirthlessly", "misadventure", "misadventures", "misalignment", "misanthrope", "misanthropic", "misapprehend", "misapprehended", "misapprehending", "misapprehends", "misapprehension", "misappropriate", "misappropriated", "misappropriates", "misappropriating", "misappropriation", "misbegotten", "misbehave", "misbehaved", "misbehaves", "misbehaving", "misbehavior", "misbelieve", "miscalculate", "miscalculated", "miscalculates", "miscalculating", "miscalculation", "miscalculations", "miscall", "miscarriage", "miscarriages", "miscarried", "miscarries", "miscarry", "miscarrying", "miscegenation", "miscellaneous", "miscellaneously", "miscellaneousness", "miscellanies", "miscellany", "mischance", "mischief", "mischievous", "mischievously", "mischievousness", "misconceive", "misconceived", "misconceives", "misconceiving", "misconception", "misconceptions", "misconduct", "misconstruction", "misconstructions", "misconstrue", "misconstrued", "misconstrues", "misconstruing", "miscount", "miscounted", "miscounts", "miscreant", "miscreants", "misdates", "misdeed", "misdeeds", "misdemeanor", "misdemeanors", "misdirect", "misdirected", "misdirecting", "misdirects", "misdoer", "miser", "miserable", "miserably", "miseries", "miserly", "misers", "misery", "misfile", "misfiled", "misfiles", "misfire", "misfired", "misfires", "misfiring", "misfit", "misfits", "misfortune", "misfortunes", "misgiving", "misgivings", "misguide", "misguided", "mishandling", "mishap", "mishaps", "mishmash", "misinform", "misinformation", "misinformed", "misinforming", "misinforms", "misinterpret", "misinterpretation", "misinterpretations", "misinterpreted", "misinterpreting", "misinterprets", "misjudge", "misjudged", "misjudges", "misjudging", "misjudgment", "misjudgments", "mislaid", "mislay", "mislaying", "mislays", "mislead", "misleading", "misleads", "misled", "mislike", "mismanage", "mismanaged", "mismanagement", "mismanages", "mismanaging", "mismatch", "mismatched", "mismatches", "misname", "misnamed", "misnomer", "misnomers", "misogynist", "misogynists", "misogyny", "misperceives", "misplace", "misplaced", "misplacement", "misplacements", "misplaces", "misplacing", "misplay", "misprint", "misprinted", "misprints", "mispronunciation", "misquote", "misquoted", "misquotes", "misquoting", "misread", "misrepresent", "misrepresentation", "misrepresentations", "misrepresented", "misrepresenting", "misrepresents", "misrule", "misruled", "misrules", "misruling", "miss", "missal", "missals", "missed", "misses", "misshape", "misshaped", "misshapen", "misshapes", "misshaping", "missile", "missiles", "missing", "mission", "missionaries", "missionary", "missions", "mississippi", "missive", "missives", "missouri", "misspell", "misspelled", "misspelling", "misspellings", "misspells", "misspelt", "misstep", "missy", "mist", "mistakable", "mistakably", "mistake", "mistaken", "mistakenly", "mistakenness", "mistakes", "mistaking", "misted", "mister", "mistily", "mistiness", "misting", "mistletoe", "mistook", "mistral", "mistreat", "mistreated", "mistreating", "mistreatment", "mistreats", "mistress", "mistresses", "mistrial", "mistrust", "mistrusted", "mistrustful", "mistrustfully", "mistrusting", "mistrusts", "mists", "misty", "mistype", "mistyped", "mistypes", "mistyping", "misunderstand", "misunderstanding", "misunderstandings", "misunderstands", "misunderstood", "misuse", "misused", "misuses", "misusing", "mitchell", "mite", "miter", "mitered", "miters", "mites", "mitigate", "mitigated", "mitigates", "mitigating", "mitigation", "mitosis", "mitt", "mitten", "mittens", "mix", "mixable", "mixed", "mixer", "mixers", "mixes", "mixing", "mixture", "mixtures", "mixup", "mixups", "mnemonic", "mnemonics", "moan", "moaned", "moaner", "moaners", "moaning", "moans", "moat", "moats", "mob", "mobbed", "mobbing", "mobil", "mobile", "mobiles", "mobility", "mobilization", "mobilize", "mobilized", "mobilizes", "mobilizing", "mobs", "mobster", "mobsters", "moccasin", "moccasins", "mocha", "mock", "mocked", "mocker", "mockers", "mockery", "mocking", "mockingbird", "mockingly", "mocks", "mockup", "mod", "modal", "modalities", "modality", "mode", "model", "modeled", "modeling", "models", "modem", "modems", "moderate", "moderated", "moderately", "moderateness", "moderates", "moderating", "moderation", "moderator", "moderators", "modern", "modernism", "modernist", "modernistic", "modernists", "modernity", "modernization", "modernize", "modernized", "modernizes", "modernizing", "moderns", "modes", "modest", "modestly", "modesty", "modi", "modicum", "modifiable", "modifiably", "modification", "modifications", "modified", "modifier", "modifiers", "modifies", "modify", "modifying", "modish", "modishly", "modishness", "modular", "modularity", "modulate", "modulated", "modulates", "modulating", "modulation", "modulations", "modulator", "modulators", "module", "modules", "moduli", "modulo", "modulus", "modus", "mogadishu", "mogul", "moguls", "mohair", "mohammed", "mohammedan", "mohawk", "moines", "moist", "moisten", "moistened", "moistening", "moistens", "moister", "moistest", "moistly", "moistness", "moisture", "moistureless", "molar", "molars", "molasses", "mold", "moldavia", "molded", "molder", "molders", "moldier", "moldiest", "molding", "moldings", "molds", "moldy", "mole", "molecular", "molecularity", "molecularly", "molecule", "molecules", "molehill", "molehills", "moles", "molest", "molestation", "molested", "molester", "molesters", "molesting", "molests", "moll", "mollified", "mollifier", "mollifiers", "mollifies", "mollify", "mollifying", "molls", "mollusk", "mollusks", "molly", "mollycoddle", "mollycoddled", "mollycoddles", "mollycoddling", "molt", "molted", "molten", "molting", "molts", "molybdate", "molybdenum", "mombasa", "moment", "momentarily", "momentariness", "momentary", "momentous", "momentously", "momentousness", "moments", "momentum", "momma", "mommy", "monaco", "monarch", "monarchic", "monarchical", "monarchies", "monarchs", "monarchy", "monasteries", "monastery", "monastic", "monastically", "monasticism", "monaural", "monday", "mondays", "mondriaan", "monet", "monetarily", "monetarism", "monetary", "money", "moneybag", "moneybags", "moneyed", "moneys", "moneywort", "monger", "mongers", "mongol", "mongolia", "mongolian", "mongoose", "mongooses", "mongrel", "mongrels", "moniker", "monitor", "monitored", "monitoring", "monitors", "monitory", "monk", "monkey", "monkeys", "monkish", "monks", "monkshood", "mono", "monochromatic", "monochrome", "monocle", "monocles", "monocular", "monogamous", "monogamy", "monogram", "monograms", "monograph", "monographs", "monolith", "monolithic", "monolithically", "monoliths", "monologist", "monologue", "monologues", "monophonic", "monopolies", "monopolistic", "monopolists", "monopolization", "monopolize", "monopolized", "monopolizes", "monopolizing", "monopoly", "monorail", "monorails", "monosyllabic", "monosyllable", "monosyllables", "monotone", "monotonic", "monotonical", "monotonically", "monotonous", "monotonously", "monotonousness", "monotony", "monoxide", "monravia", "monroe", "monrovia", "monsoon", "monsoons", "monster", "monsters", "monstrosities", "monstrosity", "monstrous", "monstrously", "monstrousness", "montage", "montana", "montenegrin", "monterey", "monteverdi", "montevideo", "montgomery", "month", "monthly", "months", "montreal", "monument", "monumental", "monumentality", "monumentally", "monuments", "moo", "mooch", "mooching", "mood", "moodier", "moodiest", "moodily", "moodiness", "moods", "moody", "mooed", "mooing", "moon", "moonbeam", "mooned", "moonless", "moonlight", "moonlighter", "moonlighters", "moonlighting", "moonlike", "moonlit", "moonrise", "moons", "moonshine", "moonstruck", "moor", "moored", "moorfowl", "moorhen", "moorhens", "mooring", "moorings", "moorish", "moorland", "moorlands", "moors", "moos", "moose", "moot", "mooted", "mooting", "moots", "mop", "mope", "moped", "mopeds", "mopes", "moping", "mopped", "moppet", "moppets", "mopping", "mops", "moral", "morale", "moralism", "moralist", "moralistic", "moralists", "moralities", "morality", "moralize", "moralized", "moralizes", "moralizing", "morally", "morals", "morass", "morasses", "moratorium", "moratoriums", "moray", "morbid", "morbidly", "morbidness", "more", "moreover", "mores", "morgan", "morganatic", "morgue", "morgues", "moriarty", "moribund", "moribundness", "mormon", "mormons", "morn", "morning", "mornings", "moroccan", "morocco", "moron", "moroni", "moronic", "morons", "morose", "morosely", "moroseness", "morphine", "morphological", "morphologically", "morphology", "morris", "morrow", "morse", "morsel", "morsels", "mort", "mortal", "mortality", "mortally", "mortals", "mortar", "mortarboard", "mortarboards", "mortared", "mortaring", "mortars", "mortem", "mortgage", "mortgaged", "mortgagee", "mortgagees", "mortgages", "mortgaging", "mortgagor", "mortgagors", "mortician", "morticians", "mortification", "mortified", "mortifies", "mortify", "mortifying", "mortise", "mortuaries", "mortuary", "mosaic", "mosaics", "moscow", "moses", "moslem", "moslems", "mosque", "mosques", "mosquito", "mosquitoes", "mosquitos", "moss", "mosses", "mossy", "most", "mostly", "mote", "motel", "motels", "motes", "motet", "moth", "mother", "motherboard", "motherboards", "mothered", "motherhood", "mothering", "motherland", "motherless", "motherly", "mothers", "moths", "motif", "motifs", "motion", "motioned", "motioning", "motionless", "motions", "motivate", "motivated", "motivates", "motivating", "motivation", "motivations", "motive", "motives", "motley", "motor", "motorbike", "motorbikes", "motorcar", "motorcars", "motorcycle", "motorcycles", "motored", "motoring", "motorist", "motorists", "motorola", "motors", "motorscooters", "motorway", "motorways", "mottle", "mottled", "mottles", "mottling", "motto", "mottoes", "mottos", "mound", "mounded", "mounds", "mount", "mountable", "mountain", "mountaineer", "mountaineering", "mountaineers", "mountainous", "mountainously", "mountains", "mountainside", "mountainsides", "mounted", "mountie", "mounties", "mounting", "mountings", "mounts", "mourn", "mourned", "mourner", "mourners", "mournful", "mournfully", "mournfulness", "mourning", "mourns", "mouse", "mouser", "mousetrap", "moussaka", "mousse", "mousses", "moussorgsky", "mousy", "mouth", "mouthed", "mouthful", "mouthfuls", "mouthing", "mouthless", "mouthpiece", "mouthpieces", "mouths", "movability", "movable", "movably", "move", "moved", "movement", "movements", "mover", "movers", "moves", "movie", "movies", "moving", "movingly", "mow", "mowed", "mower", "mowers", "mowing", "mown", "mows", "mozambique", "mozart", "mozzarella", "mrs", "much", "muchness", "muck", "mucked", "mucking", "mucks", "mucky", "mucous", "mucus", "mud", "muddied", "muddier", "muddiest", "muddily", "muddiness", "muddle", "muddled", "muddleheaded", "muddler", "muddles", "muddling", "muddy", "muddying", "mudflat", "mudflats", "mudguard", "mudguards", "mudsling", "mudslinging", "muesli", "muff", "muffin", "muffins", "muffle", "muffled", "muffler", "mufflers", "muffles", "muffling", "muffs", "mufti", "mug", "mugged", "mugger", "muggers", "mugginess", "mugging", "muggings", "muggy", "mugs", "mugwort", "mugwump", "mulatto", "mulberries", "mulberry", "mulch", "mulched", "mulching", "mule", "mules", "mulier", "mulish", "mull", "mullah", "mullahs", "mulled", "mullet", "mulligan", "mulligatawny", "mulling", "mulls", "multi", "multicolor", "multicolored", "multidimensional", "multifaceted", "multifarious", "multifariously", "multifariousness", "multilateral", "multilevel", "multinomial", "multiple", "multiples", "multiplex", "multiplexed", "multiplexes", "multiplexing", "multiplexor", "multipliable", "multiplicand", "multiplication", "multiplications", "multiplicative", "multiplicity", "multiplied", "multiplier", "multipliers", "multiplies", "multiply", "multiplying", "multiprocessing", "multiprocessor", "multipurpose", "multiracial", "multistage", "multitask", "multitasking", "multitasks", "multitude", "multitudes", "multitudinous", "multitudinously", "multitudinousness", "multivariate", "mum", "mumble", "mumbled", "mumbler", "mumblers", "mumbles", "mumbling", "mummer", "mummery", "mummies", "mummified", "mummifies", "mummify", "mummifying", "mummy", "mumps", "mums", "munch", "munched", "muncher", "munchers", "munches", "munching", "mundane", "munich", "municipal", "municipalities", "municipality", "municipally", "munificence", "munificent", "munificently", "munition", "munitions", "mural", "murals", "murder", "murdered", "murderer", "murderers", "murderess", "murderesses", "murdering", "murderous", "murderously", "murders", "murdoch", "murkier", "murkiest", "murkily", "murkiness", "murky", "murmur", "murmured", "murmuring", "murmurs", "murphy", "muscat", "muscle", "muscled", "muscleman", "musclemen", "muscles", "muscling", "muscovite", "muscular", "muscularity", "muscularness", "musculature", "muse", "mused", "muses", "museum", "museums", "mush", "mushroom", "mushroomed", "mushrooming", "mushrooms", "mushy", "music", "musical", "musicale", "musicality", "musically", "musicalness", "musicals", "musician", "musicians", "musicianship", "musicologists", "musicology", "musing", "musings", "musk", "musket", "musketeer", "musketeers", "muskets", "muskrat", "muskrats", "musky", "muslim", "muslin", "musquash", "mussel", "mussels", "mussolini", "must", "mustache", "mustached", "mustaches", "mustang", "mustard", "muster", "mustered", "mustering", "musters", "mustily", "mustiness", "musts", "musty", "mutable", "mutably", "mutant", "mutants", "mutate", "mutated", "mutates", "mutating", "mutation", "mutational", "mutations", "mute", "muted", "mutely", "muteness", "mutes", "mutilate", "mutilated", "mutilates", "mutilating", "mutilation", "mutilations", "mutilator", "mutilators", "mutineer", "mutineers", "muting", "mutinied", "mutinies", "mutinous", "mutiny", "mutinying", "mutter", "muttered", "mutterer", "mutterers", "muttering", "mutters", "mutton", "mutual", "mutuality", "mutually", "muzak", "muzzle", "muzzled", "muzzles", "muzzling", "myna", "mynah", "myopia", "myopic", "myriad", "myrrh", "myrtle", "myself", "mysteries", "mysterious", "mysteriously", "mysteriousness", "mystery", "mystic", "mystical", "mysticism", "mysticisms", "mystics", "mystification", "mystified", "mystifies", "mystify", "mystifying", "mystique", "myth", "mythic", "mythical", "mythically", "mythological", "mythologies", "mythology", "myths", "nab", "nabbed", "nabbing", "nabisco", "nabob", "nabs", "nadir", "naf", "nag", "nagasaki", "nagged", "nagger", "naggers", "nagging", "nagoya", "nags", "nail", "nailed", "nailer", "nailers", "nailing", "nails", "nairobi", "naive", "naively", "naivete", "naivety", "naked", "nakedly", "nakedness", "namable", "name", "named", "nameless", "namelessly", "namelessness", "namely", "nameplate", "nameplates", "names", "namesake", "namesakes", "namibia", "naming", "nancy", "nankeen", "nannies", "nanny", "nanosecond", "nap", "napalm", "napes", "naphtha", "napkin", "napkins", "naples", "napless", "napoleon", "napoleonic", "napoleons", "napped", "napping", "nappy", "naps", "narcissi", "narcissism", "narcissist", "narcissistic", "narcissists", "narcissus", "narcosis", "narcotic", "narcotics", "narrate", "narrated", "narrates", "narrating", "narration", "narrations", "narrative", "narratives", "narrator", "narrators", "narrow", "narrowed", "narrower", "narrowest", "narrowing", "narrowish", "narrowly", "narrowness", "narrows", "nasal", "nasally", "nascent", "nashville", "nassau", "nastier", "nasties", "nastiest", "nastily", "nastiness", "nasturtium", "nasty", "natal", "nathan", "nathaniel", "nation", "national", "nationalism", "nationalisms", "nationalist", "nationalistic", "nationalists", "nationalities", "nationality", "nationalization", "nationalizations", "nationalize", "nationalized", "nationalizes", "nationalizing", "nationally", "nationals", "nationhood", "nations", "nationwide", "native", "natively", "natives", "nativities", "nativity", "nato", "natter", "nattered", "natterer", "natterers", "nattering", "natters", "nattily", "natty", "natura", "natural", "naturalism", "naturalist", "naturalistic", "naturalists", "naturalization", "naturalize", "naturalized", "naturalizes", "naturalizing", "naturally", "naturalness", "naturals", "nature", "natured", "natures", "naturist", "naturists", "naught", "naughtier", "naughtiest", "naughtily", "naughtiness", "naughty", "nausea", "nauseate", "nauseated", "nauseates", "nauseating", "nauseous", "nauseously", "nautical", "nautically", "nauticalness", "nautili", "nautilus", "naval", "nave", "navel", "navels", "navelwort", "naves", "navies", "navigable", "navigate", "navigated", "navigates", "navigating", "navigation", "navigator", "navigators", "navy", "nay", "nazarene", "nazareth", "nazi", "nazis", "nco", "neanderthal", "neap", "neapolitan", "near", "nearby", "neared", "nearer", "nearest", "nearing", "nearish", "nearly", "nearness", "nears", "nearsighted", "nearsightedly", "neat", "neaten", "neatened", "neatening", "neatens", "neater", "neatest", "neatly", "neatness", "nebraska", "nebula", "nebulae", "nebular", "nebulas", "nebulous", "nebulously", "nebulousness", "necessaries", "necessarily", "necessary", "necessitarianism", "necessitate", "necessitated", "necessitates", "necessitating", "necessities", "necessitous", "necessitously", "necessity", "neck", "necked", "necking", "necklace", "necklaces", "neckline", "necks", "necktie", "neckties", "neckwear", "necromancer", "necromancers", "necromancy", "necromantic", "necropsy", "necrosis", "necrotic", "nectar", "nectareous", "nectarine", "nectarines", "nectars", "nee", "need", "needed", "needful", "needfully", "needfulness", "needier", "neediest", "needing", "needle", "needled", "needlepoint", "needles", "needless", "needlessly", "needlessness", "needlework", "needling", "needs", "needy", "nefarious", "nefariously", "nefariousness", "negate", "negated", "negates", "negating", "negation", "negative", "negatively", "negativeness", "negatives", "negativism", "neglect", "neglected", "neglectful", "neglectfully", "neglecting", "neglects", "negligee", "negligence", "negligent", "negligently", "negligible", "negotiable", "negotiate", "negotiated", "negotiates", "negotiating", "negotiation", "negotiations", "negotiator", "negotiators", "negro", "negroes", "negroid", "nehemiah", "nehru", "neigh", "neighbor", "neighbored", "neighborhood", "neighborhoods", "neighboring", "neighborless", "neighborliness", "neighborly", "neighbors", "neighed", "neighing", "neighs", "neil", "neither", "nekton", "nelson", "nemesis", "neo", "neoclassic", "neodymium", "neolithic", "neon", "neonatal", "neonate", "neophyte", "nepal", "nepalese", "nephew", "nephews", "nephritis", "nepotism", "neptune", "neptunium", "nero", "nerve", "nerved", "nerveless", "nervelessness", "nerves", "nervous", "nervously", "nervousness", "nervy", "nest", "nested", "nesting", "nestle", "nestled", "nestles", "nestling", "nests", "net", "nether", "netherlands", "netherworld", "nets", "netted", "netting", "nettle", "nettled", "nettlerash", "nettles", "nettlesome", "nettling", "network", "networked", "networking", "networks", "neural", "neuralgia", "neuritis", "neuroanatomic", "neuroanatomy", "neuroanotomy", "neurological", "neurologist", "neurologists", "neurology", "neuromuscular", "neuron", "neuronal", "neurons", "neuropathology", "neurophysiology", "neuropsychiatric", "neuroses", "neurosis", "neurotic", "neurotically", "neuter", "neutered", "neutering", "neuters", "neutral", "neutralism", "neutralist", "neutralists", "neutrality", "neutralization", "neutralize", "neutralized", "neutralizes", "neutralizing", "neutrally", "neutrino", "neutron", "neutrons", "nevada", "never", "nevermore", "nevertheless", "nevil", "new", "newark", "newborn", "newcastle", "newcomer", "newcomers", "newer", "newest", "newfound", "newfoundland", "newish", "newly", "newlywed", "newlyweds", "newness", "news", "newsagent", "newsagents", "newsboy", "newsboys", "newscast", "newscaster", "newscasters", "newsletter", "newsletters", "newsman", "newsmen", "newspaper", "newspaperman", "newspapermen", "newspapers", "newsreel", "newsreels", "newsstand", "newsweek", "newsworthiness", "newsworthy", "newsy", "newt", "newton", "newtonian", "newts", "next", "niagara", "nib", "nibble", "nibbled", "nibblers", "nibbles", "nibbling", "nibs", "nicaragua", "nicaraguan", "nice", "nicely", "niceness", "nicer", "nicest", "niceties", "nicety", "niche", "niches", "nicholas", "nick", "nicked", "nickel", "nickels", "nicking", "nickname", "nicknamed", "nicknames", "nicks", "nicodemus", "nicosia", "nicotine", "niece", "nieces", "nietzsche", "nifty", "nigel", "niger", "nigeria", "nigerian", "nigerians", "niggard", "niggardliness", "niggardly", "niggards", "niggled", "niggler", "nigglers", "niggles", "niggling", "nigh", "night", "nightcap", "nightcaps", "nightclub", "nightclubs", "nightdress", "nightfall", "nightgown", "nightgowns", "nighthawk", "nightie", "nighties", "nightingale", "nightingales", "nightly", "nightmare", "nightmares", "nightmarish", "nightmarishly", "nightmarishness", "nights", "nightshirt", "nighttime", "nihilate", "nihilated", "nihilates", "nihilating", "nihilation", "nihilism", "nihilist", "nihilistic", "nil", "nile", "nimble", "nimbleness", "nimbler", "nimbly", "nimbus", "nimrod", "nine", "ninefold", "nines", "nineteen", "nineteenth", "nineties", "ninetieth", "ninety", "nineveh", "ninny", "ninth", "niobium", "nip", "nipped", "nipper", "nippers", "nippily", "nipping", "nipple", "nipples", "nipplewort", "nippy", "nips", "nirvana", "nissan", "nit", "niter", "nitpick", "nitpicked", "nitpicker", "nitpickers", "nitpicking", "nitpicks", "nitrate", "nitrates", "nitric", "nitride", "nitrite", "nitro", "nitrobenzene", "nitrogen", "nitrogenous", "nitroglycerine", "nitrous", "nits", "nitwit", "nitwits", "nixon", "nne", "nnw", "noah", "nobel", "nobelium", "nobility", "noble", "nobleman", "noblemen", "nobleness", "nobler", "nobles", "noblesse", "noblest", "noblewoman", "noblewomen", "nobly", "nobodies", "nobody", "nocturnal", "nocturnally", "nocturne", "nocturnes", "nocuous", "nod", "nodal", "nodalities", "nodality", "nodded", "nodding", "node", "nodes", "nods", "nodular", "nodule", "nodules", "noel", "noes", "noggin", "noggins", "noise", "noiseless", "noiselessly", "noiselessness", "noisemake", "noisemakers", "noises", "noisier", "noisiest", "noisily", "noisiness", "noisome", "noisy", "nomad", "nomadic", "nomadically", "nomads", "nomenclature", "nominal", "nominally", "nominate", "nominated", "nominates", "nominating", "nomination", "nominations", "nominative", "nominator", "nominators", "nominee", "nominees", "nomogram", "non", "nonagenarian", "nonchalance", "nonchalant", "nonchalantly", "noncommittal", "noncommittally", "noncompliance", "nonconformism", "nonconformist", "nonconformists", "nonconformity", "nondescript", "nondescriptly", "nondescripts", "none", "nonentities", "nonentity", "nonessential", "nonetheless", "nonexistence", "nonexistent", "nonfiction", "nonlinear", "nonpareil", "nonpartisan", "nonpayment", "nonplus", "nonplused", "nonpluses", "nonplusing", "nonprofit", "nonsense", "nonsensical", "nonsensically", "nonskid", "nonstandard", "nonstop", "nonsystematic", "nonuse", "nonuser", "nonverbal", "nonviolent", "noodle", "noodles", "nook", "nooks", "noon", "noonday", "noontide", "noontime", "noose", "nooses", "nor", "nordic", "norfolk", "norm", "normal", "normalcy", "normality", "normalization", "normalize", "normalized", "normalizes", "normalizing", "normally", "normals", "norman", "normandy", "normans", "normative", "norms", "norse", "north", "northbound", "northeast", "northeastern", "northerly", "northern", "northerner", "northerners", "northernmost", "northland", "northward", "northwards", "northwest", "northwestern", "norway", "norwegian", "nose", "nosebag", "nosebags", "nosebleed", "nosed", "nosegay", "noses", "nosey", "nosily", "nosiness", "nosing", "nostalgia", "nostalgic", "nostalgically", "nostradamus", "nostril", "nostrils", "nostrum", "nosy", "not", "notability", "notable", "notables", "notably", "notae", "notarial", "notaries", "notarize", "notarized", "notary", "notation", "notations", "notch", "notched", "notches", "notching", "note", "notebook", "notebooks", "noted", "notedly", "noteless", "notes", "noteworthiness", "noteworthy", "nothing", "nothingness", "nothings", "notice", "noticeable", "noticeably", "noticed", "notices", "noticing", "notifiable", "notification", "notifications", "notified", "notifies", "notify", "notifying", "noting", "notion", "notional", "notionally", "notions", "notoriety", "notorious", "notoriously", "notwithstanding", "nougat", "nougatine", "nought", "noughts", "noun", "nouns", "nourish", "nourished", "nourishes", "nourishing", "nourishment", "nova", "novae", "novel", "novelette", "novelettes", "novelist", "novelists", "novelized", "novels", "novelties", "novelty", "november", "novembers", "novice", "novices", "now", "nowaday", "nowadays", "nowhere", "nowise", "noxious", "noxiously", "noxiousness", "nozzle", "nozzles", "nuance", "nuances", "nubile", "nuclear", "nucleate", "nuclei", "nucleic", "nucleoli", "nucleolus", "nucleotide", "nucleus", "nuclide", "nude", "nudes", "nudge", "nudged", "nudges", "nudging", "nudism", "nudist", "nudists", "nudity", "nugatory", "nugget", "nuggets", "nuisance", "nuisances", "nul", "null", "nullification", "nullified", "nullifier", "nullifiers", "nullifies", "nullify", "nullifying", "nullities", "nullity", "numb", "numbed", "number", "numbered", "numbering", "numberless", "numbers", "numbing", "numbingly", "numbly", "numbness", "numbs", "numerable", "numerably", "numeracy", "numeral", "numerals", "numerate", "numeration", "numerator", "numerators", "numeric", "numerical", "numerically", "numerological", "numerology", "numerous", "numerously", "numismatic", "numismatist", "nun", "nuncio", "nunnery", "nuns", "nuptial", "nuremberg", "nurse", "nursed", "nursemaid", "nursemaids", "nurseries", "nursery", "nurses", "nursing", "nurture", "nurtured", "nurtures", "nurturing", "nut", "nutcracker", "nutcrackers", "nutmeg", "nutrient", "nutrients", "nutrition", "nutritional", "nutritionally", "nutritious", "nutritiously", "nutritiousness", "nutritive", "nuts", "nutshell", "nutshells", "nutty", "nuzzle", "nuzzled", "nuzzles", "nuzzling", "nylon", "nylons", "nymph", "nymphal", "nymphomania", "nymphomaniac", "nymphomaniacs", "nymphs", "oaf", "oafish", "oafs", "oak", "oaks", "oakum", "oar", "oarlock", "oars", "oarsman", "oarsmen", "oases", "oasis", "oat", "oatcake", "oatcakes", "oath", "oaths", "oatmeal", "oats", "obadiah", "obduracy", "obdurate", "obedience", "obediences", "obedient", "obediently", "obeisance", "obeisant", "obelisk", "obelisks", "obese", "obesity", "obey", "obeyed", "obeying", "obeys", "obfuscate", "obfuscated", "obfuscates", "obfuscating", "obfuscation", "obfuscatory", "obituaries", "obituary", "object", "objected", "objectification", "objectify", "objecting", "objection", "objectionable", "objectionably", "objections", "objectival", "objective", "objectively", "objectiveness", "objectives", "objectivity", "objector", "objectors", "objects", "obligate", "obligated", "obligates", "obligation", "obligational", "obligations", "obligatory", "oblige", "obliged", "obliges", "obliging", "obligingly", "obligingness", "oblique", "obliquely", "obliqueness", "obliterate", "obliterated", "obliterates", "obliterating", "obliteration", "oblivion", "oblivious", "obliviously", "obliviousness", "oblong", "oblongs", "obloquy", "obnoxious", "obnoxiously", "obnoxiousness", "oboe", "oboes", "oboist", "obscene", "obscenities", "obscenity", "obscure", "obscured", "obscurely", "obscurement", "obscureness", "obscures", "obscuring", "obscurities", "obscurity", "obsequious", "observable", "observably", "observance", "observances", "observant", "observantly", "observation", "observational", "observationally", "observations", "observatories", "observatory", "observe", "observed", "observer", "observers", "observes", "observing", "obsess", "obsessed", "obsesses", "obsessing", "obsession", "obsessional", "obsessions", "obsessive", "obsolescent", "obsolete", "obsoleted", "obsoleteness", "obsoletes", "obstacle", "obstacles", "obstetrician", "obstetricians", "obstinacy", "obstinate", "obstinately", "obstreperous", "obstreperously", "obstreperousness", "obstruct", "obstructed", "obstructing", "obstruction", "obstructionist", "obstructions", "obstructive", "obstructively", "obstructiveness", "obstructs", "obtain", "obtainable", "obtained", "obtaining", "obtains", "obtention", "obtrude", "obtruded", "obtrudes", "obtruding", "obtrusion", "obtrusive", "obtrusively", "obtrusiveness", "obtuse", "obtusely", "obtuseness", "obtusity", "obverse", "obversely", "obviate", "obviated", "obviates", "obviating", "obvious", "obviously", "obviousness", "occasion", "occasional", "occasionally", "occasioned", "occasioning", "occasions", "occident", "occidental", "occidentals", "occlude", "occluded", "occludes", "occluding", "occlusion", "occlusive", "occult", "occultate", "occulted", "occulting", "occultism", "occultist", "occultists", "occultly", "occultness", "occults", "occupancies", "occupancy", "occupant", "occupants", "occupation", "occupational", "occupations", "occupied", "occupier", "occupiers", "occupies", "occupy", "occupying", "occur", "occurred", "occurrence", "occurrences", "occurring", "occurs", "ocean", "oceania", "oceanic", "oceanographic", "oceanography", "oceans", "oceanside", "ocelot", "ocelots", "ochre", "octagon", "octagonal", "octagons", "octahedra", "octahedral", "octahedron", "octal", "octane", "octant", "octants", "octave", "octaves", "octavo", "octavos", "octet", "octets", "octillion", "october", "octobers", "octogenarian", "octogenarians", "octopi", "octopod", "octopus", "octopuses", "octuple", "octupled", "octuples", "octupling", "ocular", "oculars", "oculist", "oculists", "odalisque", "odalisques", "odd", "oddball", "oddballs", "odder", "oddest", "oddish", "oddities", "oddity", "oddly", "oddment", "oddments", "oddness", "odds", "ode", "odes", "odious", "odiously", "odiousness", "odium", "odometer", "odor", "odoriferous", "odoriferously", "odorless", "odorous", "odorously", "odysseus", "odyssey", "oed", "oedipal", "oedipus", "oems", "off", "offal", "offbeat", "offenbach", "offend", "offended", "offender", "offenders", "offending", "offends", "offense", "offenses", "offensive", "offensively", "offensiveness", "offensives", "offer", "offered", "offering", "offerings", "offers", "offertory", "offhand", "offhanded", "offhandedly", "offhandedness", "office", "officeholder", "officeholders", "officer", "officers", "offices", "official", "officialdom", "officially", "officials", "officiate", "officiated", "officiates", "officiating", "officio", "officious", "officiously", "officiousness", "offing", "offish", "offishness", "offline", "offload", "offpeak", "offseason", "offset", "offsets", "offsetting", "offshoot", "offshoots", "offshore", "offside", "offspring", "offstage", "oft", "often", "oftener", "oftentimes", "ogle", "ogled", "ogles", "ogling", "ogre", "ogres", "ogress", "ogresses", "ohio", "ohm", "ohmic", "ohmmeter", "ohms", "oil", "oilcake", "oilcakes", "oilcan", "oilcans", "oilcloth", "oilcloths", "oiled", "oiler", "oilers", "oilfield", "oilfields", "oilier", "oiliest", "oiliness", "oiling", "oilman", "oilmen", "oils", "oilseed", "oilskin", "oilskins", "oilstone", "oilstones", "oily", "ointment", "ointments", "okapi", "okapis", "okay", "okayed", "okaying", "okinawa", "oklahoma", "okra", "old", "olden", "older", "oldest", "oldie", "oldies", "oldish", "olds", "oldsmobile", "oldster", "oldsters", "oleander", "oleanders", "oleron", "olfaction", "olfactive", "olfactory", "oligarch", "oligarchic", "oligarchical", "oligarchy", "oligocene", "oligopoly", "olive", "olives", "olivetti", "olympia", "olympiad", "olympian", "olympic", "olympics", "olympus", "omaha", "oman", "ombudsman", "omega", "omelet", "omelets", "omen", "omened", "omens", "omicron", "ominous", "ominously", "omission", "omissions", "omissis", "omit", "omits", "omitted", "omitting", "omnibus", "omnibuses", "omnipotence", "omnipotent", "omnipotently", "omnipresence", "omnipresent", "omniscience", "omniscient", "omnisciently", "omnivorous", "omnivorously", "omnivorousness", "onanism", "once", "oncology", "oncoming", "one", "oneness", "onerous", "onerously", "onerousness", "ones", "oneself", "onetime", "oneupmanship", "ongoing", "onion", "onions", "online", "onlooker", "onlookers", "onlooking", "only", "onrush", "onrushing", "onset", "onsets", "onshore", "onside", "onslaught", "onslaughts", "ontario", "onto", "ontogeny", "ontological", "ontology", "onus", "onward", "onwards", "onyx", "oodles", "oops", "ooze", "oozed", "oozes", "oozier", "ooziest", "oozily", "ooziness", "oozing", "oozy", "opacity", "opal", "opalescent", "opaque", "opaquely", "opaqueness", "opec", "open", "opened", "opener", "openers", "opening", "openings", "openly", "openness", "opens", "opera", "operable", "operand", "operands", "operant", "operas", "operate", "operated", "operates", "operatic", "operatically", "operating", "operation", "operational", "operationalize", "operationalized", "operationalizes", "operationalizing", "operationally", "operations", "operative", "operator", "operators", "operetta", "operettas", "ophthalmia", "ophthalmic", "ophthalmitis", "ophthalmologic", "ophthalmology", "ophthalmoscope", "ophthalmoscopes", "opiate", "opiates", "opine", "opined", "opines", "opining", "opinion", "opinionate", "opinionated", "opinionatedness", "opinions", "opium", "opponency", "opponent", "opponents", "opportune", "opportunely", "opportuneness", "opportunism", "opportunist", "opportunistic", "opportunities", "opportunity", "opposable", "oppose", "opposed", "opposer", "opposes", "opposing", "opposite", "oppositely", "oppositeness", "opposites", "opposition", "oppositional", "oppositions", "oppositive", "oppress", "oppressed", "oppresses", "oppressing", "oppression", "oppressive", "oppressively", "oppressor", "oppressors", "opprobrious", "opprobriously", "opprobrium", "opt", "opted", "optic", "optical", "optically", "optician", "opticians", "optics", "optima", "optimal", "optimality", "optimally", "optimism", "optimist", "optimistic", "optimistically", "optimists", "optimization", "optimizations", "optimize", "optimized", "optimizer", "optimizes", "optimizing", "optimum", "opting", "option", "optional", "optionally", "options", "optometric", "optometrist", "optometry", "opts", "opulence", "opulent", "opulently", "opus", "oracle", "oracles", "oracular", "oracularity", "oracularly", "oral", "orally", "orals", "orange", "orangeade", "orangeries", "orangeroot", "orangery", "oranges", "orangutan", "orate", "orated", "orates", "orating", "oration", "orations", "orator", "oratorian", "oratoric", "oratorical", "oratories", "oratorio", "oratorios", "orators", "oratory", "orb", "orbed", "orbit", "orbital", "orbited", "orbiting", "orbits", "orbs", "orchard", "orchards", "orchestra", "orchestral", "orchestras", "orchestrate", "orchestrated", "orchestrates", "orchestrating", "orchestration", "orchestrations", "orchestrator", "orchestrators", "orchid", "orchids", "ordain", "ordained", "ordaining", "ordainments", "ordains", "ordeal", "ordeals", "order", "ordered", "ordering", "orderings", "orderlies", "orderliness", "orderly", "orders", "ordinal", "ordinals", "ordinance", "ordinances", "ordinand", "ordinands", "ordinarily", "ordinariness", "ordinary", "ordinate", "ordinately", "ordinates", "ordination", "ordinations", "ordnance", "ordovician", "ordure", "ore", "oregano", "oregon", "ores", "organ", "organdies", "organdy", "organic", "organically", "organism", "organisms", "organist", "organists", "organization", "organizational", "organizationally", "organizations", "organize", "organized", "organizer", "organizers", "organizes", "organizing", "organometallic", "organs", "organza", "orgasm", "orgasmic", "orgasms", "orgiastic", "orgies", "orgy", "orient", "oriental", "orientally", "orientals", "orientate", "orientated", "orientates", "orientating", "orientation", "orientations", "oriented", "orienteering", "orienting", "orients", "orifice", "orifices", "origami", "origin", "original", "originality", "originally", "originals", "originate", "originated", "originates", "originating", "origination", "originator", "originators", "origins", "orinoco", "orion", "orkney", "orlando", "orleans", "ormolu", "ornament", "ornamental", "ornamentally", "ornamentation", "ornamented", "ornamenting", "ornaments", "ornate", "ornately", "ornateness", "ornery", "ornithological", "ornithologist", "ornithologists", "ornithology", "orphan", "orphanage", "orphanages", "orphaned", "orphanhood", "orphaning", "orphanize", "orphanized", "orphans", "orpheus", "orreries", "orthodontic", "orthodontics", "orthodontist", "orthodontists", "orthodox", "orthodoxly", "orthodoxy", "orthogonal", "orthographic", "orthography", "orthophosphate", "ortolan", "osaka", "oscar", "oscillate", "oscillated", "oscillates", "oscillating", "oscillation", "oscillations", "oscillator", "oscillators", "oscillatory", "oscillograph", "oscilloscope", "oscilloscopes", "oscine", "osculant", "oscular", "osculate", "osculated", "osculates", "osculating", "osculation", "osculatory", "osier", "osiers", "oslo", "osmium", "osmosis", "osmotic", "osmotically", "osprey", "ospreys", "osseous", "ossification", "ossified", "ossifies", "ossify", "ossifying", "ossuary", "ostend", "ostensible", "ostensibly", "ostentation", "ostentatious", "ostentatiously", "ostentatiousness", "osteoarthritis", "osteoarthrosis", "osteology", "osteopath", "osteopathic", "osteopathy", "osteoporosis", "ostracism", "ostracize", "ostracized", "ostracizes", "ostracizing", "ostrich", "ostriches", "oswald", "othello", "other", "otherness", "others", "otherwise", "otherworld", "otherworldly", "otiose", "otiosely", "otioseness", "otitis", "ottawa", "otter", "otters", "ottoman", "ottomans", "oubliette", "oubliettes", "ouch", "ought", "ounce", "ounces", "our", "ours", "ourselves", "oust", "ousted", "ouster", "ousters", "ousting", "ousts", "out", "outback", "outbid", "outbidding", "outbids", "outboard", "outboards", "outbound", "outbreak", "outbreaks", "outbuilding", "outbuildings", "outburst", "outbursts", "outcast", "outcasts", "outclass", "outclassed", "outclasses", "outclassing", "outcome", "outcomes", "outcries", "outcrop", "outcrops", "outcry", "outdated", "outdid", "outdistance", "outdistanced", "outdistances", "outdistancing", "outdo", "outdoes", "outdoing", "outdone", "outdoor", "outdoors", "outer", "outermost", "outface", "outfaced", "outfaces", "outfacing", "outfall", "outfalls", "outfield", "outfielder", "outfit", "outfits", "outfitted", "outfitter", "outfitting", "outflank", "outflanked", "outflanker", "outflanking", "outflanks", "outflew", "outflow", "outflown", "outflows", "outfly", "outflying", "outflys", "outfox", "outfoxed", "outfoxes", "outfoxing", "outgoing", "outgoings", "outgrew", "outgrow", "outgrowing", "outgrown", "outgrows", "outgrowth", "outguess", "outguessed", "outguesses", "outguessing", "outgun", "outgunned", "outgunning", "outguns", "outhouse", "outhouses", "outing", "outings", "outlandish", "outlandishly", "outlandishness", "outlast", "outlasted", "outlasting", "outlasts", "outlaw", "outlawed", "outlawing", "outlawry", "outlaws", "outlay", "outlays", "outlet", "outlets", "outline", "outlined", "outlines", "outlining", "outlive", "outlived", "outlives", "outliving", "outlook", "outlooks", "outlying", "outmaneuver", "outmaneuvered", "outmaneuvering", "outmaneuvers", "outmatched", "outmoded", "outmost", "outmove", "outmoved", "outmoves", "outmoving", "outnumber", "outnumbered", "outnumbering", "outnumbers", "outpace", "outpaced", "outpaces", "outpacing", "outpatient", "outpatients", "outplay", "outpoint", "outpost", "outposts", "outpour", "outpouring", "outpourings", "output", "outputs", "outputted", "outputting", "outrage", "outraged", "outrageous", "outrageously", "outrageousness", "outrages", "outraging", "outrank", "outranked", "outranking", "outranks", "outre", "outreach", "outridden", "outride", "outrider", "outriders", "outrigger", "outriggers", "outright", "outrightness", "outrode", "outrush", "outs", "outsell", "outselling", "outsells", "outset", "outshine", "outshines", "outshining", "outshone", "outside", "outsider", "outsiders", "outsides", "outsize", "outsized", "outskirts", "outsmart", "outsmarted", "outsmarting", "outsmarts", "outsold", "outspoken", "outspokenly", "outspokenness", "outspread", "outstanding", "outstandingly", "outstare", "outstared", "outstares", "outstaring", "outstay", "outstayed", "outstaying", "outstays", "outstretch", "outstretched", "outstretches", "outstretching", "outstrip", "outstripped", "outstripping", "outstrips", "outvote", "outvoted", "outvotes", "outvoting", "outward", "outwardly", "outwardness", "outwards", "outweigh", "outweighed", "outweighing", "outweighs", "outwit", "outwits", "outwitted", "outwitting", "outwore", "outworn", "ouzel", "ova", "oval", "ovals", "ovarian", "ovaries", "ovary", "ovate", "ovation", "ovations", "oven", "ovens", "over", "overact", "overacted", "overacting", "overactive", "overactivity", "overacts", "overage", "overall", "overalls", "overarm", "overawe", "overawed", "overawes", "overawing", "overbalance", "overbalanced", "overbalances", "overbalancing", "overbear", "overbearing", "overbearingly", "overbid", "overbidding", "overbids", "overblow", "overblowing", "overblown", "overblows", "overboard", "overbook", "overbooked", "overbooking", "overbooks", "overbore", "overborne", "overbought", "overburdened", "overcame", "overcast", "overcharge", "overcharged", "overcharges", "overcharging", "overcoat", "overcoats", "overcome", "overcomes", "overcoming", "overcompensate", "overcompensated", "overcompensates", "overcompensating", "overcook", "overcooked", "overcooking", "overcooks", "overcorrect", "overcorrected", "overcorrecting", "overcorrection", "overcorrects", "overcrowd", "overcrowded", "overcrowding", "overcrowds", "overdevelop", "overdeveloped", "overdeveloping", "overdevelops", "overdid", "overdo", "overdoes", "overdoing", "overdone", "overdose", "overdoses", "overdraft", "overdrafts", "overdraw", "overdrawing", "overdrawn", "overdraws", "overdrew", "overdrive", "overdriven", "overdrives", "overdriving", "overdue", "overeager", "overeat", "overeaten", "overeating", "overemphasis", "overemphasized", "overemphasizing", "overestimate", "overestimated", "overestimates", "overestimating", "overexpose", "overexposed", "overexposes", "overexposing", "overexposure", "overfastidious", "overflew", "overflight", "overflow", "overflowed", "overflowing", "overflown", "overflows", "overfly", "overfund", "overgrew", "overground", "overgrow", "overgrowing", "overgrown", "overgrowth", "overhand", "overhang", "overhanging", "overhangs", "overhaul", "overhauled", "overhauling", "overhauls", "overhead", "overheads", "overhear", "overheard", "overhearing", "overhears", "overheat", "overheated", "overheating", "overheats", "overjoy", "overjoyed", "overkill", "overlaid", "overland", "overlap", "overlapped", "overlapping", "overlaps", "overlay", "overlaying", "overlays", "overleaf", "overload", "overloaded", "overloading", "overloads", "overlook", "overlooked", "overlooker", "overlooking", "overlooks", "overlord", "overlords", "overly", "overnight", "overnighters", "overplay", "overplayed", "overplaying", "overplays", "overpopulated", "overpopulation", "overpower", "overpowered", "overpowering", "overpoweringly", "overpowers", "overprice", "overpriced", "overprices", "overpricing", "overprint", "overprinted", "overprinting", "overprints", "overproduce", "overproduced", "overproduces", "overproducing", "overproduction", "overran", "overrate", "overrated", "overrates", "overrating", "overreach", "overreached", "overreaches", "overreaching", "overreact", "overreaction", "overridden", "override", "overrider", "overrides", "overriding", "overripe", "overrode", "overrule", "overruled", "overrules", "overruling", "overrun", "overrunning", "overruns", "overs", "oversaw", "overseas", "oversee", "overseeing", "overseen", "overseer", "oversees", "oversell", "overshadow", "overshadowed", "overshadowing", "overshadows", "overshoes", "overshoot", "overshooting", "overshoots", "overshot", "oversight", "oversights", "oversimplified", "oversleep", "oversleeping", "oversleeps", "overslept", "overspend", "overspending", "overspends", "overspent", "overspill", "overstaff", "overstaffed", "overstaffing", "overstaffs", "overstate", "overstated", "overstatement", "overstates", "overstating", "overstep", "overstepped", "overstepping", "oversteps", "overstitch", "overstitched", "overstitches", "overstitching", "overstrike", "overstruck", "overstuff", "overstuffed", "overstuffing", "overstuffs", "oversubscribe", "oversubscribed", "oversubscribes", "overt", "overtake", "overtaken", "overtakes", "overtaking", "overthrew", "overthrow", "overthrowing", "overthrown", "overthrows", "overtime", "overtly", "overtness", "overtone", "overtones", "overtook", "overtop", "overture", "overtures", "overturn", "overturned", "overturning", "overturns", "overtype", "overview", "overweening", "overweight", "overwhelm", "overwhelmed", "overwhelming", "overwhelmingly", "overwhelms", "overwork", "overworked", "overworking", "overworks", "overwrite", "overwrites", "overwriting", "overwritten", "overwrote", "overwrought", "oviform", "ovine", "ovoid", "ovulation", "ovum", "owe", "owed", "owes", "owing", "owl", "owlet", "owlets", "owlish", "owlishly", "owls", "owly", "own", "owned", "owner", "ownerless", "owners", "ownership", "ownerships", "owning", "owns", "oxalate", "oxalic", "oxblood", "oxcart", "oxcarts", "oxen", "oxford", "oxidant", "oxidation", "oxidative", "oxide", "oxides", "oxidize", "oxlip", "oxtail", "oxyacetylene", "oxygen", "oxygenate", "oxygenated", "oxygenation", "oxymoron", "oxymorons", "oyster", "oystercatcher", "oystercatchers", "oysters", "ozone", "pace", "paced", "pacemaker", "pacemakers", "pacer", "pacers", "paces", "pacesetting", "pacific", "pacifically", "pacified", "pacifier", "pacifiers", "pacifies", "pacifism", "pacifist", "pacifistic", "pacifists", "pacify", "pacifying", "pacing", "pack", "package", "packaged", "packages", "packaging", "packed", "packer", "packers", "packet", "packets", "packing", "packs", "pact", "pacts", "pad", "padded", "paddies", "padding", "paddle", "paddled", "paddles", "paddling", "paddock", "paddocks", "paddy", "padlock", "padlocked", "padlocks", "padre", "padres", "pads", "paella", "pagan", "paganism", "pagans", "page", "pageant", "pageantry", "pageants", "pageboy", "pageboys", "paged", "pages", "paginate", "paginated", "pagination", "paging", "pagoda", "pagodas", "paid", "pail", "pails", "pain", "pained", "painful", "painfully", "painfulness", "painkiller", "painkillers", "painless", "painlessly", "painlessness", "pains", "painstaking", "painstakingly", "paint", "paintbrush", "painted", "painter", "painters", "painting", "paintings", "paints", "pair", "paired", "pairing", "pairings", "pairs", "paisley", "pajama", "pajamas", "pakistan", "pakistani", "pal", "palace", "palaces", "paladin", "palatable", "palatably", "palatal", "palate", "palates", "palatial", "palatially", "palatines", "palaver", "palavers", "pale", "paled", "palely", "paleness", "paleocene", "paleolithic", "paleozoic", "paler", "palermo", "pales", "palest", "palestine", "palestinian", "palette", "palettes", "palfrey", "palindrome", "palindromes", "palindromic", "paling", "palisade", "palisades", "pall", "palladium", "pallbearer", "pallbearers", "palled", "pallet", "pallets", "palliate", "palliated", "palliates", "palliating", "palliation", "palliative", "palliatives", "pallid", "palling", "pallor", "palls", "palm", "palmed", "palming", "palmist", "palmists", "palmolive", "palms", "palo", "palpable", "palpably", "palpitate", "palpitated", "palpitates", "palpitating", "palpitation", "palpitations", "pals", "palsied", "palsy", "paltry", "pam", "pamela", "pamper", "pampered", "pampering", "pampers", "pamphlet", "pamphleteer", "pamphleteers", "pamphlets", "pan", "panacea", "panaceas", "panache", "panama", "pancake", "pancakes", "pancreas", "pancreatic", "panda", "pandas", "pandemic", "pandemonium", "pander", "pandered", "pandering", "panders", "pandora", "pane", "panel", "paneled", "paneling", "panels", "panes", "pang", "pangs", "panic", "panicked", "panicking", "panicky", "panicle", "panics", "panjandrum", "pannablility", "panned", "pannier", "panniers", "panning", "panoplies", "panoply", "panorama", "panoramas", "panoramic", "pans", "pansies", "pansy", "pant", "pantechnicon", "pantechnicons", "panted", "pantheism", "pantheist", "pantheon", "panther", "panthers", "panties", "panting", "pantomime", "pantomimed", "pantomimes", "pantries", "pantry", "pants", "panty", "pap", "papa", "papacy", "papal", "papaya", "paper", "paperback", "paperbacks", "papered", "papering", "papers", "paperweight", "paperweights", "paperwork", "papery", "papiemento", "papillae", "papist", "papists", "papoose", "paprika", "papua", "papyri", "papyrus", "par", "parable", "parables", "parabola", "parabolas", "parabolic", "paraboloid", "paraboloidal", "paracetamol", "parachute", "parachuted", "parachutes", "parachuting", "parachutist", "parachutists", "parade", "paraded", "parades", "paradigm", "paradigmatic", "paradigms", "parading", "paradise", "paradox", "paradoxes", "paradoxical", "paradoxically", "paraffin", "paragon", "paragons", "paragraph", "paragraphed", "paragraphing", "paragraphs", "paraguay", "parakeet", "parakeets", "parallax", "parallel", "paralleled", "paralleling", "parallelogram", "parallelograms", "parallels", "paralyses", "paralysis", "paralyzation", "paralyze", "paralyzed", "paralyzes", "paralyzing", "paramagnet", "paramagnetic", "paramaribo", "paramedic", "paramedics", "parameter", "parameters", "parametric", "paramilitary", "paramount", "paramour", "paranoia", "paranoiac", "paranoiacs", "paranoid", "paranormal", "parapet", "parapeted", "parapets", "paraphernalia", "paraphrase", "paraphrased", "paraphrases", "paraphrasing", "paraplegic", "parapsychology", "parasite", "parasites", "parasitic", "parasol", "parasols", "parasympathetic", "paratrooper", "paratroopers", "paratroops", "paraxial", "parboil", "parcel", "parceled", "parceling", "parcels", "parch", "parched", "parches", "parchment", "parchments", "pardon", "pardonable", "pardoned", "pardoning", "pardons", "pare", "pared", "parent", "parentage", "parental", "parentheses", "parenthesis", "parenthesized", "parenthetic", "parenthetical", "parenthetically", "parenthood", "parents", "parfait", "pariah", "pariahs", "paring", "parings", "paris", "parish", "parishes", "parishioner", "parishioners", "parisian", "parity", "park", "parka", "parkas", "parked", "parker", "parking", "parkinson", "parkland", "parklands", "parklike", "parks", "parkway", "parlance", "parlay", "parlayed", "parley", "parleys", "parliament", "parliamentarian", "parliamentarians", "parliamentary", "parliaments", "parlor", "parlors", "parlous", "parlousness", "parmesan", "parochial", "parochially", "parodied", "parodies", "parody", "parodying", "parole", "paroled", "parolee", "parolees", "paroles", "paroling", "paroxysm", "paroxysms", "parquet", "parquetry", "parried", "parries", "parrot", "parroted", "parroting", "parrotlike", "parrots", "parry", "parrying", "parse", "parsed", "parser", "parses", "parsimonious", "parsimoniously", "parsimoniousness", "parsimony", "parsing", "parsley", "parsnip", "parsnips", "parson", "parsonage", "parsons", "part", "partake", "partaken", "partaker", "partakes", "partaking", "parted", "parthenon", "partial", "partiality", "partially", "participant", "participants", "participate", "participated", "participates", "participating", "participation", "participle", "participles", "particle", "particles", "particular", "particularistic", "particularity", "particularly", "particulars", "particulate", "parties", "parting", "partings", "partisan", "partisans", "partition", "partitioned", "partitioning", "partitions", "partly", "partner", "partnered", "partnering", "partners", "partnership", "partnerships", "partook", "partridge", "partridges", "parts", "party", "parva", "parvenu", "pasadena", "pascal", "pass", "passable", "passably", "passage", "passages", "passageway", "passageways", "passed", "passenger", "passengers", "passer", "passerby", "passes", "passing", "passion", "passionate", "passionately", "passions", "passivate", "passive", "passively", "passiveness", "passivity", "passover", "passport", "passports", "password", "passwords", "past", "pasta", "paste", "pasteboard", "pasted", "pastel", "pastels", "pastern", "pastes", "pasteup", "pasteur", "pasteurization", "pasteurize", "pasteurized", "pasteurizes", "pasteurizing", "pastiche", "pastiches", "pasties", "pastille", "pastilles", "pastime", "pastimes", "pasting", "pastor", "pastoral", "pastors", "pastries", "pastry", "pasture", "pastures", "pasty", "pat", "patagonia", "patch", "patched", "patches", "patching", "patchwork", "patchworked", "patchworking", "patchworks", "patchy", "pate", "patellae", "paten", "patent", "patentable", "patentably", "patented", "patentee", "patentees", "patenting", "patents", "pater", "paternal", "paternalism", "paternalistic", "paternally", "paternity", "paternoster", "path", "pathed", "pathetic", "pathetically", "pathless", "pathogen", "pathogenesis", "pathogenic", "pathogens", "pathologic", "pathological", "pathologist", "pathologists", "pathology", "pathos", "paths", "pathway", "pathways", "patience", "patient", "patiently", "patients", "patio", "patios", "patna", "patois", "patriarch", "patriarchal", "patriarchs", "patriarchy", "patrician", "patrick", "patrimonial", "patrimony", "patriot", "patriotic", "patriotism", "patriots", "patrol", "patrolled", "patrolling", "patrolman", "patrolmen", "patrols", "patron", "patronage", "patroness", "patronize", "patronized", "patronizes", "patronizing", "patrons", "pats", "patsy", "patted", "patter", "pattered", "pattering", "pattern", "patterned", "patterning", "patterns", "patters", "patties", "patting", "patty", "paucity", "paul", "paula", "paunch", "paunchy", "pauper", "paupers", "pause", "paused", "pauses", "pausing", "pave", "paved", "pavement", "pavements", "paves", "pavilion", "pavilioned", "pavilions", "paving", "pavlov", "pavlovian", "paw", "pawed", "pawing", "pawn", "pawned", "pawning", "pawns", "pawnshop", "pawnshops", "paws", "pax", "pay", "payable", "payday", "payee", "payees", "payer", "payers", "paying", "paymaster", "paymasters", "payment", "payments", "payoff", "payroll", "payrolls", "pays", "pea", "peace", "peaceable", "peaceableness", "peaceably", "peaceful", "peacefully", "peacefulness", "peacemaker", "peacemakers", "peacemaking", "peacetime", "peach", "peaches", "peachtree", "peacock", "peacocks", "peafowl", "peahen", "peak", "peaked", "peaking", "peaks", "peaky", "peal", "pealed", "pealing", "peals", "peanut", "peanuts", "pear", "pearl", "pearls", "pearlwort", "pearly", "pears", "peas", "peasant", "peasanthood", "peasants", "peat", "peaty", "pebble", "pebbled", "pebbles", "pebbly", "pecan", "pecans", "peccadillo", "peccary", "peck", "pecked", "pecking", "pecks", "pectin", "pectoral", "pectorals", "peculate", "peculiar", "peculiarities", "peculiarity", "peculiarly", "pecuniary", "pecunious", "pecuniously", "pecuniousnesss", "pedagogic", "pedagogical", "pedagogue", "pedagogy", "pedal", "pedaled", "pedaling", "pedals", "pedant", "pedantic", "pedantically", "pedantry", "pedants", "peddle", "peddled", "peddler", "peddlers", "peddles", "peddling", "pedestal", "pedestals", "pedestrian", "pedestrians", "pediatric", "pediatrician", "pediatrics", "pedigree", "pedigreed", "pedigrees", "pediment", "pedometer", "pedophile", "pee", "peed", "peek", "peeked", "peeking", "peeks", "peel", "peeled", "peeler", "peelers", "peeling", "peels", "peep", "peeped", "peeper", "peephole", "peepholes", "peeping", "peeps", "peer", "peerage", "peered", "peeress", "peering", "peerless", "peers", "pees", "peeve", "peeved", "peeves", "peeving", "peevish", "peevishly", "peevishness", "peewee", "peg", "pegasus", "pegboard", "pegboards", "pegged", "pegging", "pegs", "pejorative", "pejoratively", "pejorativeness", "pekinese", "peking", "pelican", "pelicans", "pellagra", "pellet", "pellets", "pelt", "pelted", "pelting", "pelts", "pelvic", "pelvis", "pembroke", "pemmican", "pen", "penal", "penalization", "penalize", "penalized", "penalizes", "penalizing", "penalties", "penalty", "penance", "pence", "penchant", "pencil", "penciled", "penciling", "pencils", "pend", "pendant", "pendants", "pended", "pendent", "pending", "pends", "pendular", "pendulum", "pendulums", "penelope", "penetrable", "penetrably", "penetrate", "penetrated", "penetrates", "penetrating", "penetratingly", "penetration", "penetrations", "penguin", "penguins", "penicillin", "penile", "peninsula", "peninsular", "peninsulas", "penis", "penises", "penitence", "penitent", "penitential", "penitentiary", "penitently", "penknife", "penknives", "penman", "penmen", "penn", "pennant", "pennants", "penned", "pennies", "penniless", "penning", "pennon", "pennons", "pennsylvania", "penny", "pennyroyal", "pennywort", "pennyworth", "pens", "pension", "pensioned", "pensioner", "pensioners", "pensions", "pensive", "pensively", "pensiveness", "pent", "pentagon", "pentagonal", "pentagons", "pentair", "pentane", "pentathlon", "pentecost", "pentecostal", "pentecostals", "penthouse", "penthouses", "penultimate", "penultimately", "penumbra", "penurious", "penury", "peonage", "peonies", "peony", "people", "peopled", "peoples", "pep", "pepped", "pepper", "peppercorn", "peppercorns", "peppered", "peppergrass", "peppering", "peppermint", "peppermints", "pepperoni", "peppers", "pepperwort", "peppery", "pepping", "peppy", "peps", "pepsi", "peptic", "peptide", "per", "perambulate", "perambulated", "perambulates", "perambulating", "perambulation", "perambulations", "perambulator", "perambulators", "percale", "perceive", "perceived", "perceives", "perceiving", "percent", "percentage", "percentages", "percentile", "perceptible", "perceptibly", "perception", "perceptions", "perceptive", "perceptively", "perceptiveness", "perceptual", "perch", "perchance", "perched", "perches", "perching", "perchlorate", "percipience", "percipient", "percipiently", "percolate", "percolated", "percolates", "percolating", "percolation", "percolator", "percolators", "percussion", "percussive", "perdition", "peremptorily", "peremptoriness", "peremptory", "perennial", "perennially", "perfect", "perfected", "perfectibility", "perfectible", "perfecting", "perfection", "perfectionism", "perfectionist", "perfectionists", "perfectly", "perfects", "perfidious", "perfidiously", "perfidiousness", "perfidy", "perforate", "perforated", "perforates", "perforating", "perforation", "perforations", "perforce", "perform", "performance", "performances", "performed", "performer", "performers", "performing", "performs", "perfume", "perfumed", "perfumery", "perfumes", "perfuming", "perfunctorily", "perfunctoriness", "perfunctory", "perfusion", "perhaps", "pericardial", "perigee", "peril", "perilous", "perilously", "perils", "perimeter", "perimeters", "period", "periodic", "periodical", "periodically", "periodicals", "periodicity", "periods", "peripatetic", "peripheral", "peripherally", "peripherals", "periphery", "periscope", "periscopes", "perish", "perishable", "perished", "perisher", "perishers", "perishes", "perishing", "peritoneal", "peritonitis", "periwinkle", "perjure", "perjured", "perjures", "perjuring", "perjury", "perk", "perked", "perkiness", "perking", "perks", "perky", "perm", "permanence", "permanency", "permanent", "permanently", "permanganate", "permeable", "permeate", "permeated", "permeates", "permeating", "permeation", "permed", "permian", "permissibility", "permissible", "permissibly", "permission", "permissions", "permissive", "permissively", "permissiveness", "permit", "permits", "permitted", "permitting", "perms", "permutation", "permutations", "permute", "permuted", "permutes", "permuting", "pernicious", "perniciously", "perniciousness", "peroxide", "perpendicular", "perpendicularity", "perpendicularly", "perpetrate", "perpetrated", "perpetrates", "perpetrating", "perpetration", "perpetrator", "perpetrators", "perpetual", "perpetually", "perpetuate", "perpetuated", "perpetuates", "perpetuating", "perpetuation", "perpetuity", "perplex", "perplexed", "perplexedly", "perplexes", "perplexing", "perplexingly", "perplexity", "perquisite", "perquisites", "persecute", "persecuted", "persecutes", "persecuting", "persecution", "persecutions", "persecutor", "persecutors", "persecutory", "perseverance", "persevere", "persevered", "perseveres", "persevering", "persia", "persian", "persiflage", "persimmon", "persist", "persisted", "persistence", "persistent", "persistently", "persisting", "persists", "persnickety", "person", "persona", "personable", "personably", "personage", "personages", "personal", "personalities", "personality", "personalize", "personalized", "personalizes", "personalizing", "personally", "personification", "personified", "personifies", "personify", "personifying", "personnel", "persons", "perspective", "perspectives", "perspex", "perspicacious", "perspicaciously", "perspicaciousness", "perspicacity", "perspicuity", "perspicuous", "perspicuously", "perspicuousness", "perspiration", "perspire", "perspired", "perspires", "perspiring", "persuadable", "persuadably", "persuade", "persuaded", "persuaders", "persuades", "persuading", "persuasion", "persuasions", "persuasive", "persuasively", "persuasiveness", "pert", "pertain", "pertained", "pertaining", "pertains", "perth", "pertinacious", "pertinaciously", "pertinacity", "pertinence", "pertinent", "pertinently", "pertly", "pertness", "perturb", "perturbance", "perturbances", "perturbate", "perturbation", "perturbations", "perturbed", "perturbing", "perturbs", "peru", "perusal", "perusals", "peruse", "perused", "peruses", "perusing", "peruvian", "pervade", "pervaded", "pervades", "pervading", "pervasion", "pervasive", "pervasively", "perverse", "perversely", "perverseness", "perversion", "perversions", "perversity", "pervert", "perverted", "perverting", "perverts", "peseta", "pesky", "peso", "pessimism", "pessimist", "pessimistic", "pessimists", "pest", "pester", "pestered", "pestering", "pesters", "pesticide", "pesticides", "pestilence", "pestilent", "pestilential", "pestle", "pestles", "pests", "pet", "petal", "petals", "petard", "petards", "pete", "peter", "petered", "petering", "peters", "petition", "petitioned", "petitioner", "petitioners", "petitioning", "petitions", "petrel", "petrels", "petrification", "petrified", "petrifies", "petrify", "petrifying", "petro", "petrochemical", "petrochemically", "petrochemistry", "petrol", "petroleum", "petrology", "pets", "petted", "petticoat", "petticoats", "pettiness", "pettinesses", "petting", "pettish", "petty", "petulance", "petulant", "petulantly", "petunia", "peugeot", "pew", "pewee", "pews", "pewter", "pfennig", "pfennigs", "phalanx", "phalli", "phallic", "phallus", "phantasm", "phantasmagoria", "phantasmagorical", "phantasmagorically", "phantasmal", "phantom", "phantoms", "pharaoh", "pharaohs", "pharisee", "pharisees", "pharmaceutical", "pharmaceutically", "pharmaceuticals", "pharmaceutics", "pharmacies", "pharmacist", "pharmacists", "pharmacological", "pharmacology", "pharmacopoeia", "pharmacy", "phase", "phased", "phases", "phasing", "phd", "pheasant", "pheasants", "phenol", "phenolic", "phenomena", "phenomenal", "phenomenally", "phenomenology", "phenomenon", "phenotype", "phenyl", "phial", "phil", "philadelphia", "philander", "philandered", "philanderer", "philanderers", "philandering", "philanders", "philanthrope", "philanthropic", "philanthropically", "philanthropies", "philanthropist", "philanthropists", "philanthropy", "philatelist", "philately", "philemon", "philharmonic", "philip", "philippians", "philippines", "philistine", "philistines", "philological", "philologists", "philology", "philosopher", "philosophers", "philosophic", "philosophical", "philosophically", "philosophies", "philosophize", "philosophized", "philosophizes", "philosophizing", "philosophy", "phlegm", "phobia", "phobias", "phobic", "phoebe", "phoenicia", "phoenician", "phoenix", "phone", "phoned", "phoneme", "phonemes", "phonemic", "phonemics", "phones", "phonetic", "phonetics", "phonic", "phonies", "phoning", "phonograph", "phonographs", "phonologic", "phonology", "phony", "phosgene", "phosphate", "phosphates", "phosphide", "phosphine", "phosphor", "phosphoresce", "phosphorescent", "phosphoric", "phosphorus", "photo", "photocopied", "photocopier", "photocopiers", "photocopies", "photocopy", "photocopying", "photoelectric", "photogenic", "photograph", "photographed", "photographer", "photographers", "photographic", "photographically", "photographing", "photographs", "photography", "photometer", "photometric", "photometry", "photon", "photons", "photos", "photosensitive", "photosphere", "photosynthesis", "phrasal", "phrase", "phrased", "phraseology", "phrases", "phrasing", "phrasings", "phyla", "physic", "physical", "physically", "physician", "physicians", "physicist", "physicists", "physics", "physiochemical", "physiognomy", "physiologic", "physiological", "physiologically", "physiologist", "physiology", "physiotherapist", "physiotherapists", "physiotherapy", "physique", "pianissimo", "pianist", "pianists", "piano", "pianola", "pianos", "piazza", "pica", "picador", "picadors", "picasso", "piccalilli", "piccolo", "pick", "pickax", "pickaxes", "picked", "picker", "pickers", "picket", "picketed", "picketing", "pickets", "picking", "pickle", "pickled", "pickles", "pickling", "pickpocket", "pickpockets", "picks", "pickup", "picnic", "picnicked", "picnicker", "picnickers", "picnicking", "picnics", "picofarad", "picojoule", "picosecond", "pictorial", "pictorially", "picture", "pictured", "pictures", "picturesque", "picturesquely", "picturesqueness", "picturing", "piddle", "piddled", "piddles", "piddling", "pidgin", "pie", "piebald", "piece", "pieced", "piecemeal", "pieces", "piecing", "piecrust", "pied", "pier", "pierce", "pierced", "pierces", "piercing", "pierre", "piers", "pies", "pietism", "piety", "piezoelectric", "piffle", "piffling", "pig", "pigeon", "pigeonberry", "pigeonhole", "pigeonholes", "pigeons", "pigging", "piggish", "piggy", "piggyback", "piglet", "piglets", "pigment", "pigmentation", "pigmentations", "pigmented", "pigments", "pigmies", "pigmy", "pigs", "pigskin", "pigsties", "pigsty", "pigtail", "pigtails", "pike", "pikemen", "piker", "pikes", "pikestaff", "pikestaffs", "pilaf", "pilaster", "pilate", "pilchard", "pilchards", "pile", "piled", "piles", "pilewort", "pilfer", "pilferage", "pilfered", "pilferer", "pilferers", "pilfering", "pilfers", "pilgrim", "pilgrimage", "pilgrimages", "pilgrims", "piling", "pill", "pillage", "pillaged", "pillages", "pillaging", "pillar", "pillared", "pillars", "pillbox", "pillion", "pillions", "pilloried", "pillories", "pillory", "pillorying", "pillow", "pillowcase", "pillowcases", "pillowed", "pillowing", "pillows", "pillowslip", "pillowslips", "pills", "pilot", "pilotage", "piloted", "piloting", "pilots", "pimento", "pimientos", "pimp", "pimpernel", "pimple", "pimpled", "pimples", "pimply", "pimps", "pin", "pinafore", "pinafores", "pinball", "pincer", "pincers", "pinch", "pinched", "pinches", "pinching", "pincushion", "pincushions", "pine", "pineapple", "pineapples", "pined", "pines", "ping", "pinged", "pinging", "pings", "pinhead", "pinhole", "pinholes", "pining", "pinion", "pinioned", "pinioning", "pinions", "pink", "pinked", "pinkie", "pinking", "pinkish", "pinks", "pinnacle", "pinnacled", "pinnacles", "pinned", "pinning", "pinochle", "pinpoint", "pinpointed", "pinpointing", "pinpoints", "pins", "pint", "pintail", "pintails", "pints", "pinup", "pinwheel", "pioneer", "pioneered", "pioneering", "pioneers", "pious", "piously", "pip", "pipe", "piped", "pipefish", "pipeline", "pipelines", "piper", "pipers", "pipes", "pipette", "pipettes", "piping", "pips", "piquancy", "piquant", "piquantly", "pique", "piqued", "piques", "piracy", "piraeus", "pirate", "pirated", "pirates", "pirating", "pirouette", "pisa", "pisces", "piss", "pissed", "pisses", "pissing", "pistachio", "piste", "pistol", "pistols", "piston", "pistons", "pit", "pitch", "pitched", "pitcher", "pitchers", "pitches", "pitchfork", "pitchforks", "pitching", "pitchy", "piteous", "piteously", "piteousness", "pitfall", "pitfalls", "pith", "pithily", "pithiness", "pithy", "pitiable", "pitied", "pities", "pitiful", "pitifully", "pitiless", "pitilessly", "pitman", "pitmen", "piton", "pitons", "pits", "pitt", "pitta", "pittance", "pittances", "pitted", "pitting", "pittsburgh", "pituitary", "pity", "pitying", "pityingly", "pivot", "pivotal", "pivoted", "pivoting", "pivots", "pixel", "pixels", "pixie", "pixies", "pixy", "pizza", "pizzas", "placard", "placards", "placate", "placated", "placates", "placating", "place", "placeable", "placebo", "placebos", "placed", "placeholder", "placeless", "placement", "placements", "placenta", "placental", "places", "placid", "placing", "placita", "plagiarism", "plagiarist", "plagiarize", "plagiarized", "plagiarizes", "plagiarizing", "plagiary", "plague", "plagued", "plagues", "plaguing", "plaice", "plaid", "plaids", "plain", "plainclothes", "plainer", "plainest", "plainly", "plainness", "plains", "plaint", "plaintiff", "plaintiffs", "plaintive", "plaintively", "plaintiveness", "plaintives", "plait", "plaited", "plaiting", "plaits", "plan", "planar", "plane", "planed", "planeload", "planes", "planet", "planetaria", "planetarium", "planetary", "planetesimal", "planetoid", "planetoids", "planets", "planing", "plank", "planked", "planking", "planks", "plankton", "planned", "planner", "planners", "planning", "plans", "plant", "plantagenet", "plantagenets", "plantain", "plantation", "plantations", "planted", "planter", "planters", "planting", "plantings", "plants", "plaque", "plaques", "plasma", "plaster", "plastered", "plasterer", "plasterers", "plastering", "plasters", "plastic", "plasticity", "plasticized", "plastics", "plate", "plateau", "plateaus", "plated", "platen", "platens", "plates", "platform", "platforms", "plating", "platinize", "platinum", "platitude", "platitudes", "platitudinous", "plato", "platonic", "platonism", "platonist", "platonists", "platoon", "platoons", "platted", "platter", "platters", "platting", "platypus", "plaudit", "plaudits", "plausibility", "plausible", "plausibly", "play", "playable", "playback", "playbacks", "playboy", "playboys", "played", "player", "players", "playful", "playfully", "playfulness", "playground", "playgrounds", "playhouse", "playhouses", "playing", "playmate", "playmates", "playoff", "playpen", "playroom", "plays", "plaything", "playthings", "playtime", "playwright", "playwrights", "playwriting", "plaza", "plazas", "plea", "plead", "pleaded", "pleader", "pleading", "pleadingly", "pleads", "pleas", "pleasance", "pleasant", "pleasantly", "pleasantness", "please", "pleased", "pleases", "pleasing", "pleasingly", "pleasurable", "pleasurably", "pleasure", "pleasures", "pleat", "pleated", "pleating", "pleats", "plebeian", "plebiscite", "plebs", "pledge", "pledged", "pledges", "pledging", "pleistocene", "plenary", "plenipotentiary", "plenitude", "plenteous", "plenteously", "plentiful", "plentifully", "plentifulness", "plenty", "plenum", "pleonasm", "plethora", "pleural", "pleurisy", "plexiglas", "plexus", "pliable", "pliancy", "pliant", "plied", "pliers", "plies", "plight", "plights", "plimsoll", "plimsolls", "plinth", "plinths", "pliny", "pliocene", "plod", "plodded", "plodder", "plodders", "plodding", "plods", "plop", "plopped", "plopping", "plops", "plot", "plots", "plotted", "plotter", "plotters", "plotting", "plover", "plovers", "ploy", "ploys", "pluck", "plucked", "pluckily", "pluckiness", "plucking", "plucks", "plucky", "plug", "pluggable", "plugged", "plugging", "plugs", "plum", "plumage", "plumb", "plumbago", "plumbate", "plumbed", "plumber", "plumbers", "plumbing", "plumbs", "plume", "plumed", "plumes", "pluming", "plummet", "plummeted", "plummeting", "plummets", "plummy", "plump", "plumped", "plumper", "plumpest", "plumping", "plumpness", "plumps", "plums", "plumy", "plunder", "plundered", "plunderer", "plunderers", "plundering", "plunders", "plunge", "plunged", "plunger", "plungers", "plunges", "plunging", "plunk", "plunked", "plunking", "plunks", "plural", "pluralism", "pluralistic", "plurality", "plurals", "plus", "plush", "plushly", "plushy", "pluto", "plutocracy", "plutocrat", "plutonium", "ply", "plying", "plymouth", "plywood", "pneumatic", "pneumatically", "pneumonia", "pneumonic", "poach", "poached", "poacher", "poachers", "poaches", "poaching", "pocket", "pocketbook", "pocketbooks", "pocketed", "pocketful", "pocketfuls", "pocketing", "pockets", "pod", "podia", "podium", "pods", "poe", "poem", "poems", "poet", "poetess", "poetic", "poetical", "poetically", "poetics", "poetry", "poets", "pogrom", "pogroms", "poignancy", "poignant", "poignantly", "point", "pointed", "pointedly", "pointer", "pointers", "pointing", "pointless", "pointlessly", "points", "poise", "poised", "poises", "poising", "poison", "poisoned", "poisoner", "poisoners", "poisoning", "poisonous", "poisonously", "poisonousness", "poisons", "poke", "poked", "poker", "pokerface", "pokerfaced", "pokers", "pokes", "poking", "poky", "poland", "polar", "polarimeter", "polarimetry", "polaris", "polariscope", "polarities", "polarity", "polarization", "polarizations", "polarize", "polarized", "polarizes", "polarizing", "polarogram", "polarograph", "polarography", "polaroid", "pole", "poleax", "polecat", "polecats", "poled", "polemic", "polemical", "polemically", "poles", "police", "policed", "policeman", "policemen", "policewoman", "policewomen", "policies", "policing", "policy", "polio", "poliomyelitis", "polish", "polished", "polisher", "polishers", "polishes", "polishing", "politburo", "polite", "politely", "politeness", "politic", "political", "politically", "politician", "politicians", "politicking", "politics", "polka", "polkas", "poll", "polled", "pollen", "pollinate", "pollinated", "pollinates", "pollinating", "pollination", "polling", "polls", "pollutant", "pollutants", "pollute", "polluted", "polluter", "polluters", "pollutes", "polluting", "pollution", "polo", "polonaise", "polonium", "poltergeist", "poltergeists", "poly", "polyester", "polyesters", "polyethylene", "polygamist", "polygamy", "polyglot", "polygon", "polygonal", "polygons", "polygraph", "polyhedra", "polyhedral", "polyhedron", "polymer", "polymeric", "polymers", "polymorph", "polymorphic", "polynesia", "polynesian", "polynomial", "polynomials", "polyp", "polyphony", "polypropylene", "polystyrene", "polysyllabic", "polysyllable", "polysyllables", "polytechnic", "polytechnics", "polythene", "polyunsaturated", "pomade", "pomegranate", "pommel", "pomp", "pompadour", "pompeii", "pomposity", "pompous", "pompously", "pompousness", "poncho", "ponchos", "pond", "ponder", "ponderable", "ponderably", "pondered", "pondering", "ponderous", "ponderously", "ponderousness", "ponders", "ponds", "pondweed", "pongee", "ponies", "pontiff", "pontific", "pontifical", "pontificate", "pontificated", "pontificates", "pontificating", "pontification", "pontoon", "pontoons", "pony", "pooch", "poodle", "poodles", "pooh", "pool", "pooled", "pooling", "pools", "poona", "poop", "poor", "poorer", "poorest", "poorly", "poorness", "pop", "popcorn", "pope", "popery", "popes", "popeye", "popish", "poplar", "poplars", "poplin", "poplins", "poppadum", "popped", "popper", "poppers", "poppies", "popping", "poppy", "pops", "populace", "popular", "popularity", "popularization", "popularized", "popularly", "populate", "populated", "populates", "populating", "population", "populations", "populous", "populousness", "porcelain", "porch", "porches", "porcupine", "porcupines", "pore", "pored", "pores", "porgy", "poring", "pork", "porno", "pornographer", "pornographers", "pornographic", "pornography", "porosities", "porosity", "porous", "porpoise", "porpoises", "porridge", "porringer", "porringers", "port", "portability", "portable", "portables", "portage", "portal", "portals", "portcullis", "portcullises", "ported", "portend", "portended", "portending", "portends", "portent", "portentous", "portents", "porter", "porterhouse", "porters", "portfolio", "portfolios", "porthole", "portholes", "portico", "porticos", "porting", "portion", "portioned", "portioning", "portions", "portland", "portly", "portmanteau", "portrait", "portraits", "portraiture", "portray", "portrayal", "portrayals", "portrayed", "portraying", "portrays", "ports", "portsmouth", "portugal", "portuguese", "pose", "posed", "poseidon", "poser", "posers", "poses", "posh", "poshest", "posies", "posing", "posit", "position", "positional", "positioned", "positioner", "positioning", "positions", "positive", "positively", "positives", "positivist", "positron", "posse", "posses", "possess", "possessed", "possesses", "possessing", "possession", "possessions", "possessive", "possessively", "possessiveness", "possessor", "possessors", "possibilities", "possibility", "possible", "possibly", "possum", "post", "postage", "postal", "postamble", "postbox", "postboxes", "postcard", "postcards", "postdoctoral", "posted", "poster", "posterior", "posteriors", "posterity", "postern", "posters", "postgraduate", "postgraduates", "posthaste", "posthumous", "posthumously", "posting", "postman", "postmark", "postmarks", "postmaster", "postmasters", "postmen", "postmortem", "postnatal", "postoperative", "postpaid", "postpone", "postponed", "postponement", "postponements", "postpones", "postponing", "postprandial", "posts", "postscript", "postscripts", "postulate", "postulated", "postulates", "postulating", "postulation", "postulations", "postural", "posture", "postured", "postures", "postwar", "posy", "pot", "potable", "potash", "potassium", "potato", "potatoes", "potbelly", "potboi", "potboiler", "potboilers", "potency", "potent", "potentate", "potentates", "potential", "potentialities", "potentiality", "potentially", "potentials", "potentiometer", "potently", "pothole", "potholes", "potion", "potions", "potluck", "potomac", "potpie", "potpourri", "pots", "potshot", "potshots", "pottage", "potted", "potter", "pottered", "potteries", "pottering", "potters", "pottery", "potting", "potty", "pouch", "pouched", "pouches", "poultice", "poultices", "poultry", "pounce", "pounced", "pounces", "pouncing", "pound", "poundage", "pounded", "pounder", "pounding", "pounds", "pour", "poured", "pourer", "pourers", "pouring", "pours", "pout", "pouted", "pouting", "pouts", "poverty", "pow", "powder", "powdered", "powdering", "powderpuff", "powders", "powdery", "power", "powered", "powerful", "powerfully", "powerfulness", "powering", "powerless", "powers", "powwow", "powwows", "pps", "practicability", "practicable", "practicably", "practical", "practicality", "practically", "practice", "practiced", "practices", "practicing", "practitioner", "practitioners", "praedial", "pragmatic", "pragmatically", "pragmatism", "pragmatist", "pragmatists", "prague", "prairie", "prairies", "praise", "praised", "praiser", "praisers", "praises", "praiseworthily", "praiseworthiness", "praiseworthy", "praising", "praline", "pralines", "pram", "prams", "prance", "pranced", "prancer", "prances", "prancing", "prank", "pranks", "praseodymium", "prat", "pratfall", "prattle", "prattled", "prattles", "prattling", "prawn", "prawns", "praxis", "pray", "prayed", "prayer", "prayerbooks", "prayerful", "prayerfully", "prayers", "praying", "prays", "pre", "preach", "preached", "preacher", "preachers", "preaches", "preaching", "preachy", "preallocated", "preamble", "preambles", "prearranged", "prebend", "precambrian", "precaria", "precarious", "precariously", "precariousness", "precast", "precaution", "precautionary", "precautions", "precede", "preceded", "precedence", "precedent", "precedented", "precedents", "precedes", "preceding", "precept", "precepts", "precess", "precession", "precinct", "precincts", "precious", "preciously", "preciousness", "precipice", "precipices", "precipitable", "precipitate", "precipitated", "precipitately", "precipitates", "precipitating", "precipitation", "precipitous", "precis", "precise", "precisely", "precision", "preclude", "precluded", "precludes", "precluding", "precocious", "precociously", "precociousness", "precocity", "preconceive", "preconceived", "preconceives", "preconceiving", "preconception", "preconceptions", "precondition", "preconditioned", "preconditioning", "preconditions", "preconscious", "precook", "precooked", "precursor", "precursors", "precut", "predate", "predated", "predates", "predating", "predator", "predators", "predatory", "predecessor", "predecessors", "predefined", "predestined", "predetermination", "predetermine", "predetermined", "predetermines", "predetermining", "predicament", "predicaments", "predicant", "predicate", "predicated", "predicates", "predicating", "predication", "predict", "predictability", "predictable", "predictably", "predicted", "predicting", "prediction", "predictions", "predictive", "predictor", "predictors", "predicts", "predilect", "predilection", "predilections", "predispose", "predisposed", "predisposes", "predisposing", "predisposition", "predispositions", "predominance", "predominant", "predominantly", "predominate", "predominated", "predominately", "predominates", "predominating", "preeminent", "preempt", "preempted", "preempting", "preemption", "preemptive", "preemptor", "preempts", "preen", "preened", "preening", "preens", "prefab", "prefabricate", "prefabricated", "prefabricates", "prefabricating", "prefabs", "preface", "prefaced", "prefaces", "prefatory", "prefect", "prefects", "prefecture", "prefectures", "prefer", "preferable", "preferably", "preference", "preferences", "preferential", "preferentially", "preferred", "preferring", "prefers", "prefix", "prefixed", "prefixes", "prefixing", "preflight", "preform", "preformed", "preforms", "pregnancies", "pregnancy", "pregnant", "preheat", "preheated", "preheats", "prehistoric", "prejudge", "prejudged", "prejudges", "prejudging", "prejudice", "prejudiced", "prejudices", "prejudicial", "prejudicing", "prelate", "prelates", "preliminaries", "preliminary", "prelude", "preludes", "premarital", "premature", "prematurely", "premeditate", "premeditated", "premeditates", "premeditating", "premeditation", "premenstrual", "premier", "premiere", "premieres", "premiers", "premise", "premises", "premium", "premiums", "premix", "premixed", "premixes", "premonition", "premonitions", "premonitory", "prenatal", "preoccupation", "preoccupations", "preoccupied", "preoccupies", "preoccupy", "preoccupying", "prep", "prepaid", "preparation", "preparations", "preparative", "preparatively", "preparatory", "prepare", "prepared", "preparedness", "prepares", "preparing", "prepay", "prepaying", "prepayment", "prepayments", "prepays", "preponderance", "preponderant", "preponderantly", "preponderate", "preposition", "prepositional", "prepositions", "prepossessing", "preposterous", "preposterously", "preposterousness", "preprinted", "preprocessor", "prepubertal", "prequel", "prequels", "prerequisite", "prerequisites", "prerogative", "prerogatives", "presage", "presaged", "presages", "presaging", "presbyterian", "preschool", "prescience", "prescient", "presciently", "prescribe", "prescribed", "prescribes", "prescribing", "prescript", "prescription", "prescriptions", "prescriptive", "preselect", "preselected", "preselecting", "preselection", "preselects", "presence", "presences", "present", "presentable", "presentably", "presentation", "presentational", "presentations", "presented", "presenter", "presenters", "presenting", "presently", "presents", "preservation", "preservative", "preservatives", "preserve", "preserved", "preserves", "preserving", "preset", "presets", "presetting", "preside", "presided", "presidency", "president", "presidential", "presidents", "presides", "presiding", "presidium", "press", "pressed", "presses", "pressing", "pressure", "pressured", "pressures", "pressuring", "pressurization", "pressurize", "pressurized", "pressurizes", "pressurizing", "prestidigitate", "prestidigitator", "prestige", "prestigious", "presto", "presumable", "presumably", "presume", "presumed", "presumes", "presuming", "presumption", "presumptions", "presumptive", "presumptuous", "presumptuously", "presumptuousness", "presuppose", "presupposed", "presupposes", "presupposing", "presupposition", "presuppositions", "pretend", "pretended", "pretender", "pretenders", "pretending", "pretends", "pretense", "pretension", "pretensions", "pretentious", "pretentiously", "pretentiousness", "pretext", "pretexts", "pretoria", "prettier", "prettiest", "prettily", "prettiness", "pretty", "prevail", "prevailed", "prevailing", "prevails", "prevalence", "prevalent", "prevalently", "prevaricate", "prevaricated", "prevaricates", "prevaricating", "prevarication", "prevarications", "prevent", "prevented", "preventing", "prevention", "preventive", "prevents", "preview", "previewed", "previewing", "previews", "previous", "previously", "prewar", "prewriting", "prey", "preyed", "preying", "preys", "price", "priced", "priceless", "pricelessly", "pricelessness", "prices", "pricing", "prick", "pricked", "pricking", "prickle", "prickled", "prickles", "prickliness", "prickling", "prickly", "pricks", "pride", "prided", "prides", "priding", "pried", "pries", "priest", "priesthood", "priestly", "priests", "prig", "priggish", "prim", "primacy", "primal", "primaries", "primarily", "primary", "primate", "primates", "prime", "primed", "primer", "primers", "primes", "primeval", "priming", "primitive", "primitively", "primitiveness", "primitives", "primitivism", "primly", "primness", "primordial", "primrose", "primroses", "prince", "princely", "princes", "princess", "princesses", "princeton", "principal", "principalities", "principality", "principally", "principals", "principia", "principle", "principled", "principles", "print", "printability", "printable", "printed", "printer", "printers", "printing", "printmaker", "printmaking", "printout", "printouts", "prints", "prior", "priories", "priorities", "prioritize", "priority", "priory", "pris", "prism", "prismatic", "prisms", "prison", "prisoner", "prisoners", "prisons", "prissy", "pristine", "privacy", "private", "privately", "privates", "privation", "privations", "privet", "privilege", "privileged", "privileges", "privity", "privy", "prize", "prized", "prizes", "prizewinning", "prizing", "pro", "proactive", "proactively", "probabilist", "probabilistic", "probabilities", "probability", "probable", "probably", "probate", "probated", "probates", "probation", "probationary", "probationer", "probationers", "probe", "probed", "probes", "probing", "probings", "probity", "problem", "problematic", "problematical", "problematically", "problems", "procedural", "procedure", "procedures", "proceed", "proceeded", "proceeding", "proceedings", "proceeds", "procerus", "process", "processed", "processes", "processing", "procession", "processional", "processions", "processor", "processors", "proclaim", "proclaimed", "proclaiming", "proclaims", "proclamation", "proclamations", "proclamator", "proclivities", "proclivity", "procrastinate", "procrastinated", "procrastinates", "procrastinating", "procrastination", "procreate", "procreation", "procreative", "procreativity", "procrustean", "procter", "proctor", "proctors", "procurator", "procurators", "procure", "procured", "procurement", "procurer", "procures", "procuring", "prod", "prodded", "prodding", "prodigal", "prodigality", "prodigies", "prodigious", "prodigiously", "prodigiousness", "prodigy", "prods", "produce", "produced", "producer", "producers", "produces", "producible", "producing", "product", "production", "productional", "productions", "productive", "productively", "productivity", "products", "prof", "profane", "profaned", "profanes", "profaning", "profanities", "profanity", "profess", "professed", "professedly", "professes", "professing", "profession", "professional", "professionalism", "professionally", "professionals", "professions", "professor", "professorial", "professors", "professorship", "proffer", "proffered", "proffering", "proffers", "proficiency", "proficient", "proficiently", "profile", "profiled", "profiles", "profiling", "profit", "profitability", "profitable", "profitably", "profited", "profiteer", "profiteers", "profiterole", "profiteroles", "profiting", "profits", "profligacy", "profligate", "profligately", "profligates", "profound", "profoundest", "profoundly", "profundities", "profundity", "profuse", "profusely", "profuseness", "profusion", "progenitor", "progeny", "prognoses", "prognosis", "prognosticate", "prognostication", "prognostications", "prognosticator", "program", "programmable", "programmed", "programmer", "programmers", "programming", "programs", "progress", "progressed", "progresses", "progressing", "progression", "progressions", "progressive", "progressively", "progressivism", "prohibit", "prohibited", "prohibiting", "prohibition", "prohibitive", "prohibitively", "prohibitory", "prohibits", "project", "projected", "projectile", "projectiles", "projecting", "projection", "projections", "projective", "projector", "projectors", "projects", "prokofiev", "prolapsed", "proletarian", "proletariat", "proliferate", "proliferated", "proliferates", "proliferating", "proliferation", "prolific", "prolifically", "prolix", "prologue", "prologues", "prolong", "prolongate", "prolongation", "prolonged", "prolonging", "prolongs", "prolusion", "prom", "promenade", "promenaded", "promenades", "promenading", "promethean", "prometheus", "promethium", "prominence", "prominent", "prominently", "promiscuous", "promise", "promised", "promises", "promising", "promissory", "promontories", "promontory", "promote", "promoted", "promoter", "promoters", "promotes", "promoting", "promotion", "promotional", "promotions", "prompt", "prompted", "prompter", "prompters", "prompting", "promptings", "promptitude", "promptly", "promptness", "prompts", "promulgate", "promulgated", "promulgates", "promulgating", "promulgators", "prone", "proneness", "prong", "pronged", "prongs", "pronoun", "pronounce", "pronounceable", "pronounced", "pronouncedly", "pronouncement", "pronouncements", "pronounces", "pronouncing", "pronouns", "pronto", "pronunciation", "pronunciations", "proof", "proofed", "proofing", "proofread", "proofreading", "proofreads", "proofs", "prop", "propaganda", "propagandist", "propagandistic", "propagandists", "propagate", "propagated", "propagates", "propagating", "propagation", "propane", "propel", "propellant", "propelled", "propeller", "propellers", "propelling", "propels", "propensities", "propensity", "proper", "properly", "properness", "properties", "property", "prophecies", "prophecy", "prophesied", "prophesies", "prophesy", "prophesying", "prophet", "prophetess", "prophetesses", "prophetic", "prophetically", "prophets", "prophylactic", "propionate", "propitiate", "propitious", "propitiously", "propitiousness", "proponent", "proponents", "proportion", "proportional", "proportionality", "proportionally", "proportionate", "proportionately", "proportioned", "proportioning", "proportions", "proposal", "proposals", "propose", "proposed", "proposes", "proposing", "proposition", "propositional", "propositioned", "propositioning", "propositions", "propped", "propping", "proprietary", "proprietor", "proprietors", "proprietorship", "proprietorships", "propriety", "props", "propulsion", "propulsions", "propyl", "propylene", "prorate", "prorated", "prorates", "prorogue", "pros", "prosaic", "prosaically", "proscenium", "prosciutto", "proscribe", "proscribed", "proscribes", "proscribing", "proscription", "prose", "prosecute", "prosecuted", "prosecutes", "prosecuting", "prosecution", "prosecutions", "prosecutor", "prosecutors", "proselytizing", "prospect", "prospected", "prospecting", "prospective", "prospector", "prospectors", "prospects", "prospectus", "prospectuses", "prosper", "prospered", "prospering", "prosperity", "prosperous", "prosperously", "prosperousness", "prospers", "prostate", "prosthesis", "prosthetic", "prosthetics", "prostitute", "prostituted", "prostitutes", "prostituting", "prostitution", "prostrate", "prostrated", "prostrates", "prostrating", "prostration", "protactinium", "protagonist", "protease", "protect", "protected", "protecting", "protection", "protective", "protectively", "protectives", "protector", "protectorate", "protectors", "protects", "protege", "protein", "proteins", "proteolysis", "proteolytic", "protest", "protestant", "protestantism", "protestants", "protestation", "protestations", "protested", "protester", "protesters", "protesting", "protests", "protocol", "protocols", "proton", "protons", "protoplasm", "protoplasmic", "prototype", "prototypes", "prototypic", "prototypical", "protozoa", "protozoan", "protract", "protracted", "protracting", "protraction", "protractor", "protractors", "protracts", "protrude", "protruded", "protrudes", "protruding", "protrusion", "protrusions", "protrusive", "protrusively", "protuberance", "protuberances", "protuberant", "proud", "prouder", "proudest", "proudly", "proust", "provability", "provable", "provably", "prove", "proved", "proven", "provenance", "provencal", "provender", "proverb", "proverbial", "proverbially", "proverbs", "proves", "provide", "provided", "providence", "provident", "providential", "providentially", "provider", "providers", "provides", "providing", "province", "provinces", "provincial", "provincialism", "proving", "provision", "provisional", "provisionally", "provisioned", "provisions", "proviso", "provisos", "provo", "provocateur", "provocateurs", "provocation", "provocations", "provocative", "provocatively", "provocativeness", "provoke", "provoked", "provokes", "provoking", "provokingly", "provost", "prow", "prowess", "prowl", "prowled", "prowler", "prowlers", "prowling", "prowls", "prows", "proximal", "proximate", "proximity", "proximo", "proxy", "prude", "prudence", "prudent", "prudential", "prudently", "prudery", "prudes", "prudish", "prune", "pruned", "prunes", "pruning", "prurient", "prussia", "pry", "prying", "psalm", "psalms", "psalter", "pseudo", "pseudonym", "pseudonymous", "pseudonyms", "psion", "psych", "psyche", "psyches", "psychiatric", "psychiatrist", "psychiatrists", "psychiatry", "psychic", "psychical", "psychically", "psychics", "psychoacoustic", "psychoanalysis", "psychoanalyst", "psychoanalysts", "psychoanalytic", "psychobiology", "psycholinguistics", "psychological", "psychologically", "psychologist", "psychologists", "psychology", "psychometric", "psychometry", "psychopath", "psychopathic", "psychopaths", "psychophysic", "psychophysical", "psychophysics", "psychophysiology", "psychoses", "psychosis", "psychosomatic", "psychotherapeutic", "psychotherapist", "psychotherapists", "psychotherapy", "psychotic", "ptarmigan", "pterodactyl", "ptomaine", "pub", "puberty", "pubescent", "public", "publican", "publicans", "publication", "publications", "publicists", "publicity", "publicize", "publicized", "publicizes", "publicizing", "publicly", "publish", "published", "publisher", "publishers", "publishes", "publishing", "pubs", "puccini", "puck", "pucker", "puckered", "puckering", "puckish", "pucks", "pudding", "puddings", "puddle", "puddles", "pudgier", "pudgiest", "pudgy", "pueblo", "puerile", "puerperium", "puff", "puffball", "puffed", "puffery", "puffin", "puffing", "puffins", "puffs", "puffy", "pug", "pugnacious", "pugnaciously", "pugnaciousness", "puis", "puissant", "puke", "puked", "pukes", "puking", "puling", "pulitzer", "pull", "pulled", "puller", "pullet", "pulley", "pulleys", "pulling", "pullings", "pullman", "pullover", "pullovers", "pulls", "pulmonary", "pulp", "pulped", "pulping", "pulpit", "pulpits", "pulps", "pulpy", "pulsar", "pulsars", "pulsate", "pulsated", "pulsates", "pulsating", "pulsation", "pulsations", "pulse", "pulsed", "pulses", "pulsing", "pulverable", "pulverization", "pulverize", "pulverized", "pulverizes", "pulverizing", "puma", "pumice", "pummel", "pummeled", "pummeling", "pummels", "pump", "pumped", "pumping", "pumpkin", "pumpkins", "pumpkinseed", "pumps", "pun", "punch", "punchbowl", "punchbowls", "punched", "puncher", "punches", "punching", "punchy", "punctilious", "punctiliously", "punctiliousness", "punctual", "punctuality", "punctually", "punctuate", "punctuated", "punctuates", "punctuating", "punctuation", "puncture", "punctured", "punctures", "puncturing", "pundit", "punditry", "pundits", "pungence", "pungency", "pungent", "pungently", "punic", "puniest", "punish", "punishable", "punished", "punishes", "punishing", "punishment", "punishments", "punitive", "punk", "punks", "punning", "puns", "punt", "punted", "punter", "punters", "punting", "punts", "puny", "pup", "pupae", "pupil", "pupils", "puppet", "puppeteer", "puppeteers", "puppets", "puppies", "puppy", "puppyish", "pups", "purblind", "purcell", "purchasable", "purchase", "purchased", "purchaser", "purchasers", "purchases", "purchasing", "purdah", "pure", "puree", "purely", "pureness", "purer", "purest", "purgation", "purgative", "purgatives", "purgatory", "purge", "purged", "purges", "purging", "purification", "purified", "purifies", "purify", "purifying", "purism", "purist", "purists", "puritan", "puritanic", "puritanical", "puritanically", "puritanism", "puritans", "purity", "purl", "purled", "purlieu", "purling", "purloin", "purloined", "purloining", "purloins", "purls", "purple", "purpled", "purples", "purpling", "purplish", "purport", "purported", "purportedly", "purporting", "purports", "purpose", "purposeful", "purposefully", "purposeless", "purposely", "purposes", "purposive", "purposively", "purr", "purred", "purring", "purrs", "purse", "pursed", "purser", "pursers", "purses", "pursing", "pursuant", "pursue", "pursued", "pursuer", "pursuers", "pursues", "pursuing", "pursuit", "pursuits", "purulent", "purvey", "purveyed", "purveying", "purveyor", "purveyors", "purveys", "purview", "pus", "push", "pushbutton", "pushed", "pusher", "pushers", "pushes", "pushing", "pushkin", "pushover", "pushup", "pushups", "pushy", "pusillanimous", "pusillanimously", "pusillanimousness", "puss", "pusses", "pussies", "pussy", "pussycat", "pustule", "pustules", "put", "putative", "putatively", "putrefied", "putrefies", "putrefy", "putrefying", "putrid", "puts", "putsch", "putt", "putted", "puttee", "putter", "puttering", "putters", "putting", "putts", "putty", "puzzle", "puzzled", "puzzlement", "puzzler", "puzzlers", "puzzles", "puzzling", "pyelitis", "pygmalion", "pygmies", "pygmy", "pyhrric", "pylon", "pylons", "pyongyang", "pyramid", "pyramidal", "pyramids", "pyre", "pyrenean", "pyres", "pyrexia", "pyridine", "pyrite", "pyrites", "pyromania", "pyromaniac", "pyromaniacs", "pyrometer", "pyrometry", "pyrophosphate", "pyrotechnic", "pyrotechnics", "pyroxenite", "pythagoras", "pythagorean", "python", "pythons", "qatar", "qdos", "qed", "qimi", "qjump", "qls", "qmon", "qpac", "qptr", "qram", "qtyp", "quack", "quacked", "quackery", "quacking", "quacks", "quad", "quadragenarian", "quadragenarians", "quadrangle", "quadrangles", "quadrant", "quadrants", "quadraphonic", "quadraphonically", "quadraphony", "quadratic", "quadratics", "quadrennial", "quadriceps", "quadrilateral", "quadrilaterals", "quadrille", "quadrillion", "quadripartite", "quadruple", "quadrupled", "quadruples", "quadruplet", "quadruplets", "quadruplicate", "quadruplicated", "quadruplicates", "quadruplicating", "quadruplication", "quadrupling", "quads", "quae", "quaeres", "quaff", "quaffed", "quaffing", "quaffs", "quagmire", "quagmires", "quail", "quailed", "quailing", "quails", "quaint", "quaintly", "quaintness", "quake", "quaked", "quaker", "quakeress", "quakers", "quakes", "quaking", "quaky", "qualification", "qualifications", "qualified", "qualifier", "qualifiers", "qualifies", "qualify", "qualifying", "qualitative", "qualitatively", "qualities", "quality", "qualm", "qualmish", "qualms", "quandaries", "quandary", "quanta", "quantifiable", "quantification", "quantified", "quantifier", "quantifies", "quantify", "quantifying", "quantitative", "quantitatively", "quantities", "quantity", "quantization", "quantize", "quantized", "quantizes", "quantizing", "quantum", "quarantine", "quarantined", "quarantines", "quarantining", "quark", "quarks", "quarrel", "quarreled", "quarreling", "quarrels", "quarrelsome", "quarrelsomely", "quarrelsomeness", "quarried", "quarries", "quarry", "quarrying", "quarryman", "quarrymen", "quart", "quarter", "quarterback", "quarterdeck", "quartered", "quartering", "quarterly", "quartermaster", "quartermasters", "quarters", "quartet", "quartets", "quartile", "quarto", "quartos", "quarts", "quartz", "quartzite", "quasar", "quasars", "quash", "quashed", "quashes", "quashing", "quasi", "quatrain", "quatrains", "quaver", "quavered", "quavering", "quavers", "quay", "quays", "queasiest", "queasily", "queasiness", "queasy", "quebec", "queen", "queenly", "queens", "queensland", "queer", "queered", "queerer", "queerest", "queering", "queerish", "queerly", "queerness", "queers", "quell", "quelled", "quelling", "quells", "quench", "quenchable", "quenched", "quencher", "quenchers", "quenches", "quenching", "quenchless", "quenelles", "queried", "queries", "querulous", "querulously", "querulousness", "query", "querying", "queryingly", "quest", "quested", "questing", "question", "questionable", "questionableness", "questionably", "questioned", "questioner", "questioners", "questioning", "questioningly", "questionnaire", "questionnaires", "questions", "quests", "queue", "queued", "queues", "queuing", "quibble", "quibbled", "quibbler", "quibblers", "quibbles", "quibbling", "quiche", "quiches", "quick", "quicken", "quickened", "quickening", "quickens", "quicker", "quickest", "quickie", "quicklime", "quickly", "quickness", "quicksand", "quicksands", "quicksilver", "quicksilvered", "quicksilvering", "quicksilvers", "quickstep", "quid", "quiescence", "quiescency", "quiescent", "quiescently", "quiet", "quieted", "quieten", "quietened", "quietening", "quietens", "quieter", "quietest", "quietly", "quietness", "quiff", "quiffs", "quill", "quilled", "quilling", "quills", "quillwort", "quilt", "quilted", "quilting", "quilts", "quince", "quinces", "quinine", "quinquagenarian", "quinquagenarians", "quintessence", "quintessential", "quintessentially", "quintet", "quintets", "quintillion", "quintroon", "quintuple", "quintupled", "quintuples", "quintuplet", "quintuplicate", "quintuplication", "quintupling", "quip", "quipped", "quipping", "quips", "quire", "quires", "quirk", "quirkiness", "quirks", "quirky", "quit", "quite", "quito", "quits", "quitted", "quitter", "quitters", "quitting", "quiver", "quivered", "quiverful", "quivering", "quivers", "quivery", "quixote", "quixotic", "quixotically", "quixotism", "quixotry", "quiz", "quizzed", "quizzes", "quizzical", "quizzically", "quizzing", "quoit", "quoits", "quorate", "quorum", "quota", "quotable", "quotas", "quotation", "quotations", "quotative", "quote", "quoted", "quotes", "quoteworthy", "quotient", "quotients", "quoting", "rabat", "rabbet", "rabbeted", "rabbeting", "rabbets", "rabbi", "rabbis", "rabbit", "rabbits", "rabble", "rabbles", "rabid", "rabidly", "rabies", "raccoon", "raccoons", "race", "racecourse", "racecourses", "raced", "racer", "racers", "races", "racetrack", "raceway", "rachel", "rachmaninoff", "racial", "racialism", "racialist", "racialists", "racially", "racily", "raciness", "racing", "racism", "racist", "racists", "rack", "racked", "racket", "racketed", "racketeer", "racketeering", "racketeers", "racketing", "rackets", "rackety", "racking", "racks", "raconteur", "raconteurs", "racquet", "racy", "radar", "radial", "radially", "radian", "radiance", "radiancy", "radians", "radiant", "radiantly", "radiate", "radiated", "radiates", "radiating", "radiation", "radiations", "radiator", "radiators", "radical", "radicalism", "radically", "radicalness", "radicals", "radices", "radii", "radio", "radioactive", "radioactivity", "radioastronomy", "radiocarbon", "radiochemical", "radiochemistry", "radioed", "radiogram", "radiographer", "radiographers", "radiography", "radiology", "radiometer", "radiometric", "radiometry", "radionic", "radiophysics", "radios", "radiosonde", "radiosterilize", "radiotelephone", "radiotherapy", "radish", "radishes", "radium", "radius", "radix", "radon", "raffia", "raffish", "raffle", "raffled", "raffles", "raffling", "raft", "rafted", "rafter", "rafters", "rafting", "rafts", "rag", "ragamuffin", "ragbag", "rage", "raged", "rages", "ragged", "raggedly", "raggedness", "raggedy", "ragging", "raging", "ragingly", "ragout", "rags", "ragtime", "ragweed", "ragwort", "raid", "raided", "raider", "raiders", "raiding", "raids", "rail", "railed", "railhead", "railheads", "railing", "railings", "raillery", "railroad", "railroader", "railroading", "railroads", "rails", "railway", "railwaymen", "railways", "raiment", "raiments", "rain", "rainbow", "rainbows", "raincoat", "raincoats", "raindrop", "raindrops", "rained", "rainfall", "raining", "rainless", "rainproof", "rains", "rainstorm", "rainstorms", "rainy", "raise", "raised", "raiser", "raises", "raisin", "raising", "raisins", "raja", "rajah", "rake", "raked", "rakes", "raking", "rakish", "rakishly", "raleigh", "rallied", "rallies", "rally", "rallying", "ralph", "ram", "ramadan", "ramble", "rambled", "rambler", "ramblers", "rambles", "rambling", "ramblingly", "ramblings", "ramdisk", "ramekin", "ramekins", "ramification", "ramifications", "ramify", "rammed", "rammer", "rammers", "ramming", "ramona", "ramose", "ramp", "rampage", "rampaged", "rampages", "rampaging", "rampancy", "rampant", "rampantly", "rampart", "ramparts", "ramps", "ramrod", "ramrods", "rams", "ran", "ranch", "rancher", "ranchers", "ranches", "ranching", "rancid", "rancidity", "rancidness", "rancor", "rancorous", "rancorously", "rand", "randier", "random", "randomization", "randomize", "randomly", "randomness", "randy", "rang", "range", "ranged", "ranger", "rangers", "ranges", "ranging", "rangoon", "rangy", "rank", "ranked", "ranker", "rankest", "ranking", "rankle", "rankled", "rankles", "rankling", "rankly", "ranks", "ransack", "ransacked", "ransacker", "ransackers", "ransacking", "ransacks", "ransom", "ransomed", "ransomer", "ransomers", "ransoming", "ransomless", "ransoms", "rant", "ranted", "ranting", "rants", "rap", "rapacious", "rapaciously", "rapaciousness", "rape", "raped", "rapes", "rapid", "rapidity", "rapidly", "rapidness", "rapids", "rapier", "rapiers", "raping", "rapist", "rapists", "rapped", "rappel", "rapper", "rappers", "rapping", "rapport", "rapprochement", "raps", "rapt", "raptly", "raptorial", "rapture", "raptures", "rapturous", "rapturously", "rare", "rarebit", "rarefied", "rarefies", "rarefy", "rarefying", "rarely", "rareness", "rarer", "rarest", "raring", "rarities", "rarity", "rascal", "rascals", "rash", "rasher", "rashers", "rashes", "rashly", "rashness", "rasp", "raspberries", "raspberry", "rasped", "rasping", "raspingly", "rasps", "rastafarian", "raster", "rat", "ratability", "ratable", "ratatouille", "ratchet", "rate", "rated", "rates", "rather", "ratification", "ratified", "ratifier", "ratifiers", "ratifies", "ratify", "ratifying", "rating", "ratings", "ratio", "ration", "rational", "rationale", "rationalism", "rationalist", "rationalistic", "rationalists", "rationality", "rationalization", "rationalize", "rationalized", "rationalizes", "rationalizing", "rationally", "rationed", "rationing", "rations", "ratios", "ratline", "rats", "rattail", "ratted", "ratting", "rattle", "rattled", "rattler", "rattlers", "rattles", "rattlesnake", "rattlesnakes", "rattling", "rattrap", "raucous", "raucously", "ravage", "ravaged", "ravager", "ravagers", "ravages", "ravaging", "rave", "raved", "ravel", "raveled", "raveling", "ravels", "raven", "ravenous", "ravenously", "ravenousness", "ravens", "raver", "ravers", "raves", "ravine", "ravines", "raving", "ravioli", "ravish", "ravished", "ravisher", "ravishers", "ravishes", "ravishing", "ravishment", "raw", "rawalpindi", "rawboned", "rawhide", "rawness", "ray", "rayed", "rayleigh", "raymond", "rayon", "rays", "raze", "razed", "razes", "razing", "razor", "razorback", "razorbill", "razorbills", "razors", "reach", "reachable", "reached", "reaches", "reaching", "reacquainted", "react", "reactant", "reactants", "reacted", "reacting", "reaction", "reactionaries", "reactionary", "reactions", "reactivate", "reactivated", "reactivates", "reactivating", "reactive", "reactivity", "reactor", "reactors", "reacts", "read", "readability", "readable", "readably", "readapting", "readdress", "readdressed", "readdresses", "readdressing", "reader", "readers", "readership", "readied", "readier", "readies", "readiest", "readily", "readiness", "reading", "readings", "readjust", "readjusted", "readjusting", "readjustment", "readjustments", "readjusts", "readmission", "readmit", "readmits", "readmittance", "readmitted", "readmitting", "reads", "ready", "readying", "reaffirm", "reaffirmation", "reaffirmed", "reaffirming", "reaffirms", "reagan", "reagent", "reagents", "real", "realer", "realign", "realigned", "realigning", "realignment", "realigns", "realism", "realist", "realistic", "realistically", "realists", "realities", "reality", "realizable", "realization", "realizations", "realize", "realized", "realizes", "realizing", "reallocate", "reallocated", "reallocates", "reallocating", "reallocation", "really", "realm", "realms", "realness", "realtime", "ream", "reams", "reanimate", "reanimated", "reanimates", "reanimating", "reanimation", "reap", "reaped", "reaper", "reapers", "reaping", "reappear", "reappearance", "reappearances", "reappeared", "reappearing", "reappears", "reapplication", "reapplications", "reapplied", "reapplies", "reapply", "reapplying", "reappoint", "reappointed", "reappointing", "reappointment", "reappoints", "reapportioned", "reapportionment", "reappraisal", "reappraisals", "reappraise", "reappraised", "reappraises", "reappraising", "reaps", "rear", "reared", "rearer", "rearers", "rearguard", "rearing", "rearmament", "rearmed", "rearrange", "rearranged", "rearrangement", "rearrangements", "rearranges", "rearranging", "rears", "rearward", "rearwards", "reason", "reasonable", "reasonableness", "reasonably", "reasoned", "reasoning", "reasonless", "reasons", "reassemble", "reassembled", "reassembles", "reassembling", "reassembly", "reassert", "reasserted", "reasserting", "reasserts", "reassess", "reassessed", "reassesses", "reassessing", "reassessment", "reassign", "reassigned", "reassigning", "reassignment", "reassigns", "reassume", "reassurance", "reassurances", "reassure", "reassured", "reassures", "reassuring", "reassuringly", "reawaken", "rebate", "rebated", "rebates", "rebecca", "rebekah", "rebel", "rebelled", "rebelling", "rebellion", "rebellions", "rebellious", "rebelliously", "rebelliousness", "rebels", "rebirth", "reborn", "rebound", "rebounded", "rebounding", "rebounds", "rebuff", "rebuffed", "rebuffing", "rebuffs", "rebuild", "rebuilding", "rebuilds", "rebuilt", "rebuke", "rebuked", "rebukes", "rebuking", "rebukingly", "rebus", "rebut", "rebuts", "rebuttal", "rebuttals", "rebutted", "rebutting", "recalcitrant", "recalculate", "recalculated", "recalculates", "recalculating", "recalculation", "recall", "recallable", "recalled", "recalling", "recalls", "recant", "recantation", "recanted", "recanting", "recants", "recap", "recapitulate", "recapitulated", "recapitulates", "recapitulating", "recapitulation", "recapitulations", "recapped", "recapping", "recaps", "recapture", "recaptured", "recaptures", "recapturing", "recede", "receded", "recedes", "receding", "receipt", "receiptor", "receipts", "receivable", "receive", "received", "receiver", "receivers", "receivership", "receives", "receiving", "recent", "recently", "recentness", "receptacle", "receptacles", "reception", "receptionist", "receptionists", "receptions", "receptive", "receptively", "receptiveness", "receptor", "receptors", "recess", "recessed", "recesses", "recessing", "recession", "recessions", "recessive", "recharge", "recheck", "rechecked", "rechecks", "recidivism", "recidivist", "recidivists", "recidivous", "recipe", "recipes", "recipience", "recipiency", "recipient", "recipients", "reciprocal", "reciprocally", "reciprocals", "reciprocate", "reciprocated", "reciprocates", "reciprocating", "reciprocation", "reciprocator", "reciprocators", "reciprocity", "recital", "recitals", "recitation", "recitations", "recitative", "recite", "recited", "recites", "reciting", "reckless", "recklessly", "recklessness", "reckon", "reckoned", "reckoner", "reckoners", "reckoning", "reckonings", "reckons", "reclaim", "reclaimable", "reclaimed", "reclaiming", "reclaims", "reclamation", "reclassification", "reclassified", "reclassifies", "reclassify", "reclassifying", "recline", "reclined", "reclines", "reclining", "recluse", "recluses", "reclusive", "recognition", "recognizability", "recognizable", "recognizably", "recognizance", "recognize", "recognized", "recognizes", "recognizing", "recoil", "recoiled", "recoiling", "recoilless", "recoils", "recollect", "recollected", "recollecting", "recollection", "recollections", "recollects", "recolor", "recolored", "recoloring", "recolors", "recombine", "recombined", "recombines", "recommence", "recommend", "recommendable", "recommendation", "recommendations", "recommendatory", "recommended", "recommending", "recommends", "recompense", "recompensed", "recompenses", "recompensing", "recompiled", "recompiling", "recompute", "recomputed", "recomputes", "reconcilable", "reconcilably", "reconcile", "reconciled", "reconcilement", "reconcilements", "reconciles", "reconciliation", "reconciliations", "reconciling", "recondite", "recondition", "reconditioned", "reconditioning", "reconditions", "reconfiguration", "reconfigure", "reconfigured", "reconfigures", "reconfiguring", "reconnaissance", "reconnaissances", "reconnect", "reconnected", "reconnecting", "reconnects", "reconnoiter", "reconnoitered", "reconnoitering", "reconnoiters", "reconnoitring", "reconsider", "reconsideration", "reconsidered", "reconsidering", "reconsiders", "reconstitute", "reconstituted", "reconstitutes", "reconstituting", "reconstruct", "reconstructed", "reconstructing", "reconstruction", "reconstructions", "reconstructs", "recontamination", "reconvened", "reconvenes", "reconvention", "reconverting", "recopied", "record", "recorded", "recorder", "recorders", "recording", "recordings", "recordist", "recordists", "records", "recount", "recounted", "recounting", "recounts", "recoup", "recouped", "recouping", "recoups", "recourse", "recover", "recoverable", "recovered", "recoveries", "recovering", "recovers", "recovery", "recreant", "recreate", "recreated", "recreates", "recreating", "recreation", "recreational", "recreations", "recreative", "recriminate", "recriminated", "recriminates", "recriminating", "recrimination", "recriminations", "recruit", "recruited", "recruiter", "recruiting", "recruitment", "recruits", "rectal", "rectangle", "rectangles", "rectangular", "rectangularity", "rectifiable", "rectification", "rectified", "rectifier", "rectifiers", "rectifies", "rectify", "rectifying", "rectilinear", "rectilinearly", "rectitude", "rector", "rectorate", "rectorial", "rectories", "rectors", "rectory", "rectum", "recumbence", "recumbent", "recumbently", "recuperate", "recuperated", "recuperates", "recuperating", "recuperation", "recuperative", "recur", "recurred", "recurrence", "recurrences", "recurrent", "recurrently", "recurring", "recurs", "recursion", "recursive", "recursively", "recycle", "recycled", "recycles", "recycling", "red", "redbird", "redbreast", "redcap", "redcoat", "redcoats", "redcurrant", "redcurrants", "redden", "reddened", "reddening", "reddens", "redder", "reddest", "reddish", "redecorate", "redecorated", "redecorates", "redecorating", "redecoration", "rededicate", "redeem", "redeemability", "redeemable", "redeemableness", "redeemably", "redeemed", "redeemer", "redeemers", "redeeming", "redeems", "redefine", "redefined", "redefines", "redefining", "redefinition", "redefinitions", "redemption", "redemptions", "redemptive", "redeploy", "redeployed", "redeploying", "redeployment", "redeploys", "redeposition", "redesign", "redesigned", "redesigning", "redesigns", "redevelopers", "redevelopment", "redhead", "redheaded", "redheads", "redimension", "redimensioned", "redimensioning", "redimensions", "redirect", "redirected", "redirecting", "redirection", "redirects", "rediscover", "rediscovered", "rediscovering", "rediscovers", "rediscovery", "redisplay", "redistribute", "redistributed", "redistributes", "redistributing", "redistribution", "redneck", "redness", "redo", "redouble", "redoubled", "redoubles", "redoubling", "redoubt", "redoubtable", "redoubts", "redound", "redraft", "redrafted", "redrafting", "redrafts", "redraw", "redrawing", "redrawn", "redraws", "redress", "redressed", "redresses", "redressing", "reds", "redshank", "redskin", "redstone", "reduce", "reduced", "reducer", "reduces", "reducible", "reducing", "reductio", "reduction", "reductions", "redundancies", "redundancy", "redundant", "redundantly", "reduplicate", "redwood", "redwoods", "reed", "reeds", "reedy", "reef", "reefer", "reefers", "reefs", "reek", "reeked", "reeking", "reeks", "reel", "reelect", "reelected", "reelecting", "reelection", "reelects", "reeled", "reeling", "reels", "reemerged", "reenact", "reenter", "reentered", "reentering", "reenters", "reentry", "reestablish", "reestablished", "reestablishes", "reevaluate", "reevaluation", "reeves", "reexamination", "reexamine", "reexamined", "reexamines", "ref", "refashion", "refectories", "refectory", "refer", "referable", "referee", "refereed", "refereeing", "referees", "reference", "referenced", "references", "referencing", "referenda", "referendum", "referent", "referential", "referentially", "referral", "referrals", "referred", "referring", "refers", "refill", "refilled", "refilling", "refills", "refinance", "refine", "refined", "refinedly", "refinedness", "refinement", "refinements", "refiner", "refineries", "refiners", "refinery", "refines", "refining", "refinish", "refit", "refits", "refitted", "refitting", "reflect", "reflectance", "reflected", "reflecting", "reflectingly", "reflection", "reflectional", "reflectionless", "reflections", "reflective", "reflectively", "reflectiveness", "reflector", "reflectors", "reflects", "reflex", "reflexes", "reflexive", "reflexly", "refocusing", "refolded", "reforestation", "reform", "reformat", "reformation", "reformations", "reformatories", "reformatory", "reformats", "reformatted", "reformatting", "reformed", "reformer", "reformers", "reforming", "reformism", "reforms", "reformulated", "reformulates", "refract", "refracted", "refraction", "refractive", "refractometer", "refractor", "refractoriness", "refractors", "refractory", "refrain", "refrained", "refraining", "refrains", "refrangibility", "refrangible", "refresh", "refreshed", "refreshen", "refreshened", "refreshener", "refresheners", "refreshening", "refreshens", "refresher", "refreshers", "refreshes", "refreshing", "refreshingly", "refreshment", "refreshments", "refrigerant", "refrigerants", "refrigerate", "refrigerated", "refrigerates", "refrigerating", "refrigeration", "refrigerator", "refrigerators", "refuel", "refueled", "refueling", "refuels", "refuge", "refugee", "refugees", "refuges", "refund", "refunded", "refunding", "refunds", "refurbish", "refurbished", "refurbishes", "refurbishing", "refusable", "refusal", "refusals", "refuse", "refused", "refuses", "refusing", "refutable", "refutably", "refutation", "refutations", "refute", "refuted", "refuter", "refutes", "refuting", "regain", "regainable", "regained", "regaining", "regainment", "regains", "regal", "regale", "regaled", "regales", "regalia", "regaling", "regally", "regard", "regarded", "regarding", "regardless", "regardlessly", "regards", "regatta", "regattas", "regency", "regenerable", "regenerate", "regenerated", "regenerates", "regenerating", "regeneration", "regent", "regents", "regicide", "regime", "regimen", "regiment", "regimental", "regimentation", "regimented", "regiments", "regimes", "regina", "region", "regional", "regionalism", "regionalist", "regionally", "regions", "register", "registered", "registering", "registers", "registrable", "registrant", "registrants", "registrar", "registrars", "registration", "registrations", "registries", "registry", "regnal", "regress", "regressed", "regresses", "regressing", "regression", "regressions", "regressive", "regressively", "regret", "regretful", "regretfully", "regretfulness", "regrets", "regrettable", "regrettably", "regretted", "regretting", "regroup", "regrouped", "regrouping", "regroups", "regular", "regularity", "regularization", "regularize", "regularized", "regularizes", "regularizing", "regularly", "regulars", "regulate", "regulated", "regulates", "regulating", "regulation", "regulations", "regulative", "regulator", "regulators", "regulatory", "regurgitate", "regurgitated", "regurgitates", "regurgitating", "regurgitation", "rehabilitate", "rehabilitated", "rehabilitates", "rehabilitating", "rehabilitation", "rehabilitations", "rehash", "rehashed", "rehashes", "rehashing", "rehearsal", "rehearsals", "rehearse", "rehearsed", "rehearser", "rehearsers", "rehearses", "rehearsing", "reheat", "reheated", "reheater", "reheaters", "reheating", "reheats", "rehouse", "rehousing", "reign", "reigned", "reigning", "reigns", "reimbursable", "reimburse", "reimbursed", "reimbursement", "reimbursements", "reimburses", "reimbursing", "rein", "reincarnated", "reincarnation", "reindeer", "reindeers", "reined", "reinforce", "reinforced", "reinforcement", "reinforcements", "reinforces", "reinforcing", "reining", "reinitialize", "reinitialized", "reinitializes", "reinitializing", "reins", "reinstall", "reinstate", "reinstated", "reinterpret", "reinterpreted", "reintroduce", "reintroduced", "reintroduces", "reintroducing", "reintroduction", "reintroductions", "reinvest", "reinvested", "reinvesting", "reinvests", "reissue", "reissued", "reissues", "reissuing", "reiterate", "reiterated", "reiterates", "reiterating", "reiteration", "reiterations", "reject", "rejectable", "rejected", "rejecting", "rejection", "rejections", "rejects", "rejoice", "rejoiced", "rejoices", "rejoicing", "rejoicingly", "rejoin", "rejoinder", "rejoined", "rejoining", "rejoins", "rejuvenate", "rejuvenated", "rejuvenates", "rejuvenating", "rejuvenation", "rekindle", "rekindled", "rekindles", "rekindling", "relapse", "relapsed", "relapses", "relapsing", "relate", "related", "relatedness", "relater", "relates", "relating", "relation", "relational", "relations", "relationship", "relationships", "relative", "relatively", "relatives", "relativism", "relativist", "relativistic", "relativists", "relativity", "relator", "relax", "relaxare", "relaxation", "relaxed", "relaxes", "relaxing", "relay", "relayed", "relaying", "relays", "relearns", "releasable", "release", "released", "releaser", "releasers", "releases", "releasing", "relegate", "relegated", "relegates", "relegating", "relegation", "relent", "relented", "relenting", "relentless", "relentlessly", "relentlessness", "relentment", "relents", "relevance", "relevancy", "relevant", "relevantly", "reliability", "reliable", "reliableness", "reliably", "reliance", "reliant", "relic", "relics", "relied", "relief", "relies", "relievable", "relieve", "relieved", "reliever", "relievers", "relieves", "relieving", "religion", "religions", "religiosity", "religious", "religiously", "religiousness", "relinquish", "relinquished", "relinquishes", "relinquishing", "relinquishment", "reliquaries", "reliquary", "relish", "relished", "relishes", "relishing", "relive", "relived", "relives", "reliving", "reload", "reloaded", "reloading", "reloads", "relocatability", "relocatable", "relocate", "relocated", "relocates", "relocating", "relocation", "reluctance", "reluctancy", "reluctant", "reluctantly", "rely", "relying", "remade", "remain", "remainder", "remainders", "remained", "remaining", "remains", "remake", "remakes", "remaking", "remand", "remanded", "remanding", "remands", "remark", "remarkable", "remarkableness", "remarkably", "remarked", "remarking", "remarks", "remarried", "remarries", "remarry", "remarrying", "rembrandt", "remediable", "remedial", "remedially", "remedied", "remedies", "remedy", "remedying", "remember", "rememberable", "rememberably", "remembered", "remembering", "remembers", "remembrance", "remembrances", "remind", "reminded", "reminder", "reminders", "remindful", "reminding", "reminds", "reminisce", "reminisced", "reminiscence", "reminiscences", "reminiscent", "reminisces", "reminiscing", "remiss", "remissibly", "remission", "remissions", "remissness", "remit", "remitment", "remits", "remittance", "remittances", "remitted", "remitting", "remnant", "remnants", "remodel", "remodeled", "remodeling", "remodels", "remolding", "remonstrate", "remonstrated", "remonstrates", "remonstrating", "remonstration", "remonstrator", "remonstrators", "remorse", "remorseful", "remorsefully", "remorseless", "remorselessly", "remorselessness", "remote", "remotely", "remoteness", "remoter", "remotest", "remount", "remounted", "remounting", "remounts", "removable", "removably", "removal", "removals", "remove", "removed", "remover", "removers", "removes", "removing", "remunerate", "remunerated", "remunerates", "remunerating", "remuneration", "remunerative", "remunerator", "remunerators", "renaissance", "renal", "rename", "renamed", "renames", "renaming", "renault", "rend", "rended", "render", "renderable", "rendered", "rendering", "renderings", "renders", "rendezvous", "rending", "rendition", "renditions", "rends", "renee", "renegade", "renegades", "renegotiable", "renew", "renewable", "renewably", "renewal", "renewals", "renewed", "renewer", "renewing", "renews", "rennet", "renoir", "renominate", "renounce", "renounced", "renounces", "renouncing", "renovate", "renovated", "renovates", "renovating", "renovation", "renovations", "renovator", "renovators", "renown", "renowned", "rent", "rental", "rentals", "rented", "renter", "renters", "renting", "rents", "renumber", "renumbered", "renumbering", "renumbers", "renumerate", "renumeration", "renunciate", "renunciation", "renunciations", "reopen", "reopened", "reopening", "reopens", "reorder", "reordered", "reordering", "reorders", "reorganization", "reorganizations", "reorganize", "reorganized", "reorganizes", "reorganizing", "reorientate", "reorientation", "reoriented", "rep", "repaid", "repaint", "repainted", "repainting", "repaints", "repair", "repairable", "repaired", "repairer", "repairers", "repairing", "repairman", "repairmen", "repairs", "reparable", "reparably", "reparation", "reparations", "repartee", "repast", "repasts", "repay", "repayable", "repaying", "repayment", "repayments", "repays", "repeal", "repealed", "repealing", "repeals", "repeat", "repeatability", "repeatable", "repeated", "repeatedly", "repeater", "repeaters", "repeating", "repeats", "repel", "repelled", "repellence", "repellency", "repellent", "repellently", "repellents", "repelling", "repellingly", "repels", "repent", "repentance", "repentant", "repentantly", "repented", "repenting", "repentingly", "repents", "repercussion", "repercussions", "repercussive", "repertoire", "repertoires", "repertory", "repetition", "repetitions", "repetitious", "repetitiously", "repetitiousness", "repetitive", "repetitively", "rephrase", "rephrased", "rephrases", "rephrasing", "repine", "replace", "replaceable", "replaced", "replacement", "replacements", "replaces", "replacing", "replant", "replanted", "replanting", "replants", "replay", "replayed", "replaying", "replays", "replenish", "replenished", "replenisher", "replenishers", "replenishes", "replenishing", "replenishment", "replete", "repleteness", "repletion", "replica", "replicas", "replicate", "replicated", "replicates", "replicating", "replication", "replications", "replied", "replier", "repliers", "replies", "reply", "replying", "report", "reportable", "reportage", "reported", "reportedly", "reporter", "reporters", "reporting", "reports", "repose", "reposed", "reposes", "reposing", "reposition", "repositioned", "repositioning", "repositions", "repositories", "repository", "repossess", "repossessed", "repossesses", "repossessing", "repossession", "repossessions", "reprehend", "reprehended", "reprehending", "reprehends", "reprehensible", "reprehensibly", "reprehension", "reprehensive", "reprehensory", "represent", "representable", "representation", "representational", "representations", "representative", "representatively", "representatives", "represented", "representing", "represents", "repress", "repressed", "represses", "repressing", "repression", "repressions", "repressive", "repressively", "repressor", "repressors", "reprieval", "reprieve", "reprieved", "reprieves", "reprieving", "reprimand", "reprimanded", "reprimanding", "reprimands", "reprint", "reprinted", "reprinting", "reprints", "reprisal", "reprisals", "reprise", "reproach", "reproachable", "reproached", "reproaches", "reproachful", "reproachfully", "reproaching", "reproachless", "reprobate", "reprobates", "reprobating", "reprobation", "reprobator", "reprobators", "reprocess", "reprocessed", "reprocesses", "reprocessing", "reproduce", "reproduced", "reproducer", "reproduces", "reproducibility", "reproducible", "reproducibly", "reproducing", "reproduction", "reproductions", "reproductive", "reproductively", "reproductory", "reproof", "reprove", "reproved", "reproves", "reproving", "reprovingly", "reptant", "reptile", "reptiles", "reptilian", "republic", "republican", "republicanism", "republicans", "republics", "republish", "repudiate", "repudiated", "repudiates", "repudiating", "repudiation", "repugnance", "repugnancy", "repugnant", "repulse", "repulsed", "repulses", "repulsing", "repulsion", "repulsions", "repulsive", "repulsively", "repulsiveness", "reputable", "reputably", "reputation", "reputations", "repute", "reputed", "reputedly", "reputes", "request", "requested", "requester", "requesters", "requesting", "requests", "requiem", "require", "required", "requirement", "requirements", "requires", "requiring", "requisite", "requisitely", "requisiteness", "requisites", "requisition", "requisitionary", "requisitioned", "requisitioning", "requisitions", "requite", "requited", "requites", "requiting", "reread", "rereading", "rereads", "reroute", "rerouted", "reroutes", "rerouting", "rerun", "rerunning", "reruns", "resale", "resat", "rescale", "rescaled", "rescales", "rescaling", "rescheduled", "reschedules", "rescheduling", "rescind", "rescinded", "rescinding", "rescinds", "rescuable", "rescue", "rescued", "rescuer", "rescuers", "rescues", "rescuing", "resealed", "reseals", "research", "researchable", "researched", "researcher", "researchers", "researches", "researching", "resell", "resemblance", "resemblances", "resemblant", "resemble", "resembled", "resembles", "resembling", "resent", "resented", "resentful", "resentfully", "resentfulness", "resenting", "resentment", "resents", "resequence", "resequenced", "resequences", "resequencing", "reservation", "reservations", "reserve", "reserved", "reservedly", "reservedness", "reserves", "reserving", "reservoir", "reservoirs", "reset", "resets", "resetting", "resettlement", "resettling", "reshaped", "reshapes", "reside", "resided", "residence", "residences", "residencies", "residency", "resident", "residential", "residentially", "residents", "resides", "residing", "residual", "residually", "residuals", "residuary", "residue", "residues", "resifted", "resign", "resignation", "resignations", "resigned", "resignedly", "resignedness", "resigning", "resigns", "resilience", "resilient", "resiliently", "resin", "resinous", "resins", "resiny", "resist", "resistance", "resistances", "resistant", "resisted", "resister", "resistible", "resisting", "resistive", "resistor", "resistors", "resists", "resit", "resits", "resitting", "resize", "resized", "resizes", "resizing", "resolute", "resolutely", "resolution", "resolutions", "resolvability", "resolvable", "resolve", "resolved", "resolvedly", "resolvedness", "resolves", "resolving", "resonance", "resonances", "resonancy", "resonant", "resonantly", "resonate", "resonated", "resonates", "resonating", "resonator", "resonators", "resort", "resorted", "resorting", "resorts", "resound", "resounded", "resounding", "resoundingly", "resounds", "resource", "resourceful", "resourcefully", "resourcefulness", "resources", "respect", "respectability", "respectable", "respectableness", "respectably", "respected", "respecter", "respecters", "respectful", "respectfully", "respectfulness", "respecting", "respective", "respectively", "respects", "respiration", "respirator", "respirators", "respiratory", "respire", "respired", "respires", "respiring", "respite", "respites", "resplendence", "resplendent", "resplendently", "respond", "responded", "respondent", "respondents", "responder", "responders", "responding", "responds", "response", "responses", "responsibilities", "responsibility", "responsible", "responsibly", "responsive", "responsively", "responsiveness", "rest", "restart", "restarted", "restarting", "restarts", "restate", "restatement", "restates", "restating", "restaurant", "restaurants", "restaurateur", "restaurateurs", "rested", "restful", "restfully", "restfulness", "resting", "restitution", "restive", "restively", "restiveness", "restless", "restlessly", "restlessness", "restock", "restorability", "restorable", "restorableness", "restoration", "restorative", "restoratively", "restore", "restored", "restorers", "restores", "restoring", "restrain", "restrainable", "restrained", "restrainedly", "restraining", "restrains", "restraint", "restraints", "restrict", "restricted", "restrictedly", "restricting", "restriction", "restrictions", "restrictive", "restrictively", "restricts", "restroom", "restructure", "restructured", "restructures", "restructuring", "rests", "restudy", "resubmit", "resubmits", "resubmitted", "resubmitting", "result", "resultant", "resultants", "resulted", "resulting", "results", "resumable", "resume", "resumed", "resumes", "resuming", "resumption", "resurge", "resurged", "resurgence", "resurgent", "resurges", "resurging", "resurrect", "resurrected", "resurrecting", "resurrection", "resurrections", "resurrects", "resuscitate", "resuscitated", "resuscitates", "resuscitating", "resuscitation", "resuscitations", "retail", "retailed", "retailer", "retailers", "retailing", "retails", "retain", "retainable", "retained", "retainer", "retainers", "retaining", "retains", "retake", "retaken", "retakes", "retaking", "retaliate", "retaliated", "retaliates", "retaliating", "retaliation", "retaliations", "retaliatory", "retard", "retardant", "retardation", "retarded", "retarding", "retards", "retargets", "retch", "retching", "retell", "retelling", "retells", "retention", "retentive", "retentively", "retentiveness", "rethink", "rethinking", "rethinks", "rethought", "reticence", "reticency", "reticent", "reticently", "reticular", "reticulate", "reticule", "retied", "retina", "retinal", "retinas", "retinue", "retinues", "retire", "retired", "retiree", "retirees", "retirement", "retirements", "retires", "retiring", "retiringly", "retold", "retook", "retort", "retorted", "retorting", "retorts", "retouch", "retouched", "retouches", "retouching", "retrace", "retraceable", "retraced", "retraces", "retracing", "retract", "retractable", "retracted", "retracting", "retraction", "retractions", "retracts", "retrain", "retrained", "retraining", "retrains", "retranslated", "retread", "retreads", "retreat", "retreated", "retreating", "retreatment", "retreats", "retrench", "retrenched", "retrenches", "retrenching", "retrenchment", "retribution", "retributive", "retributor", "retributors", "retributory", "retried", "retries", "retrievable", "retrievableness", "retrievably", "retrieval", "retrievals", "retrieve", "retrieved", "retriever", "retrievers", "retrieves", "retrieving", "retroactive", "retrograde", "retrogress", "retrogressive", "retrogressively", "retrorocket", "retrorockets", "retrospect", "retrospection", "retrospective", "retrospectively", "retrovision", "retry", "retrying", "retsina", "return", "returnable", "returned", "returning", "returns", "retype", "retyped", "retypes", "retyping", "reunion", "reunions", "reunite", "reunited", "reunites", "reuniting", "reupholstering", "reusable", "reuse", "reused", "reuses", "reusing", "reuters", "rev", "revalidate", "revalidation", "revaluation", "revaluations", "revalue", "revalued", "revalues", "revaluing", "revamp", "revamped", "revamping", "revamps", "reveal", "revealed", "revealing", "revealingly", "revealment", "reveals", "revel", "revelation", "revelations", "revelatory", "reveled", "reveler", "revelers", "reveling", "revelry", "revels", "revenge", "revenged", "revenges", "revenging", "revenue", "revenues", "reverberate", "reverberated", "reverberates", "reverberating", "reverberation", "reverberations", "revere", "revered", "reverence", "reverend", "reverends", "reverent", "reverently", "reveres", "reverie", "reveries", "reverified", "reverifies", "reverify", "revering", "revers", "reversal", "reversals", "reverse", "reversed", "reverses", "reversibility", "reversible", "reversibly", "reversing", "reversion", "revert", "reverted", "revertible", "reverting", "reverts", "review", "reviewable", "reviewal", "reviewals", "reviewed", "reviewer", "reviewers", "reviewing", "reviews", "revile", "reviled", "reviler", "reviles", "reviling", "revisable", "revisal", "revise", "revised", "reviser", "revises", "revising", "revision", "revisionary", "revisionist", "revisions", "revisit", "revisited", "revisiting", "revisits", "revisor", "revitalization", "revitalize", "revitalized", "revitalizes", "revitalizing", "revivably", "revival", "revivalism", "revivals", "revive", "revived", "reviver", "revives", "revivified", "reviving", "revivingly", "revocability", "revocable", "revocableness", "revocably", "revocation", "revocations", "revoke", "revoked", "revoker", "revokes", "revoking", "revolt", "revolted", "revolting", "revoltingly", "revolts", "revolution", "revolutionaries", "revolutionary", "revolutionists", "revolutionize", "revolutionized", "revolutionizes", "revolutionizing", "revolutions", "revolve", "revolved", "revolver", "revolvers", "revolves", "revolving", "revs", "revue", "revulsion", "revulsions", "revved", "revving", "reward", "rewardable", "rewardableness", "rewarded", "rewarding", "rewards", "rewind", "rewinding", "rewinds", "rewire", "rewired", "rewires", "rewiring", "reword", "reworded", "rewording", "rewords", "rework", "rewound", "rewrite", "rewrites", "rewriting", "rewritten", "rewrote", "rex", "reykjavik", "reynolds", "rhapsodic", "rhapsodical", "rhapsodies", "rhapsodize", "rhapsodized", "rhapsodizes", "rhapsodizing", "rhapsody", "rhenium", "rheostat", "rheostats", "rhesus", "rhetoric", "rhetorical", "rhetorically", "rhetorician", "rheumatic", "rheumatics", "rheumatism", "rheumatoid", "rheumy", "rhine", "rhinestone", "rhinestones", "rhinitis", "rhino", "rhinoceros", "rhinos", "rhode", "rhodes", "rhodesia", "rhodesian", "rhodesians", "rhodium", "rhododendron", "rhombi", "rhombic", "rhomboid", "rhombus", "rhone", "rhubarb", "rhyme", "rhymed", "rhymes", "rhyming", "rhythm", "rhythmic", "rhythmical", "rhythmically", "rhythms", "rial", "rib", "ribald", "ribaldry", "ribaud", "ribbed", "ribbing", "ribbon", "ribbons", "ribgrass", "riboflavin", "ribonucleic", "ribs", "ribwort", "rice", "riceland", "rices", "rich", "richard", "richer", "riches", "richest", "richfield", "richly", "richness", "richter", "rick", "rickets", "rickety", "rickshaw", "rickshaws", "ricky", "ricochet", "ricocheted", "ricocheting", "ricochets", "ricotta", "rid", "riddance", "ridded", "ridden", "ridding", "riddle", "riddled", "riddles", "riddling", "ride", "rider", "riderless", "riders", "rides", "ridge", "ridgeback", "ridged", "ridges", "ridging", "ridicule", "ridiculed", "ridicules", "ridiculing", "ridiculous", "ridiculously", "ridiculousness", "riding", "rids", "riesling", "rife", "rifer", "riffle", "riffled", "riffles", "riffling", "rifle", "rifled", "rifleman", "riflemen", "rifles", "rifling", "rift", "rifts", "rig", "riga", "rigged", "rigger", "riggers", "rigging", "right", "rightable", "righteous", "righteously", "righteousness", "righter", "rightful", "rightfully", "rightfulness", "righthand", "righthander", "rightist", "rightly", "rightmost", "rightness", "rights", "rightward", "rightwards", "rigid", "rigidity", "rigidly", "rigidness", "rigor", "rigorous", "rigorously", "rigors", "rigs", "rile", "rim", "rimless", "rimmed", "rimming", "rims", "rind", "rindless", "rinds", "ring", "ringed", "ringer", "ringers", "ringing", "ringingly", "ringings", "ringleader", "ringleaders", "ringless", "ringlet", "ringlets", "rings", "ringside", "rink", "rinks", "rinse", "rinsed", "rinses", "rinsing", "rio", "riot", "rioted", "rioter", "rioters", "rioting", "riotous", "riotously", "riotousness", "riots", "rip", "ripe", "ripely", "ripen", "ripened", "ripeness", "ripening", "ripens", "ripoff", "ripoffs", "riposte", "ripostes", "ripped", "ripper", "rippers", "ripping", "ripple", "rippled", "ripples", "rippling", "rips", "ripsaw", "rise", "risen", "riser", "risers", "rises", "risibility", "risible", "risibly", "rising", "risk", "risked", "riskful", "riskiness", "risking", "riskless", "risks", "risky", "risotto", "risque", "rissole", "rissoles", "rite", "rites", "ritual", "ritualistic", "ritualized", "ritually", "rituals", "ritz", "rival", "rivaled", "rivaling", "rivalries", "rivalry", "rivals", "riven", "river", "riverbank", "riverbanks", "riverboat", "riverfront", "rivers", "riverside", "rivet", "riveted", "riveter", "riveters", "riveting", "rivets", "riviera", "riving", "rivulet", "rivulets", "riyadh", "riyal", "roach", "roaches", "road", "roadbed", "roadblock", "roadblocks", "roadbuilding", "roadhouse", "roads", "roadside", "roadster", "roadsters", "roadway", "roadways", "roadworthiness", "roadworthy", "roam", "roamed", "roaming", "roams", "roan", "roar", "roared", "roarer", "roaring", "roaringest", "roars", "roast", "roasted", "roaster", "roasting", "roasts", "rob", "robbed", "robber", "robberies", "robbers", "robbery", "robbing", "robe", "robed", "robert", "robertson", "robes", "robin", "robing", "robins", "robot", "robotics", "robotism", "robots", "robs", "robust", "robustly", "robustness", "roc", "rock", "rockabye", "rocked", "rockefeller", "rocker", "rockeries", "rockers", "rockery", "rocket", "rocketed", "rocketing", "rocketry", "rockets", "rockier", "rockies", "rockiest", "rocking", "rocklike", "rocks", "rocky", "rococo", "rod", "rode", "rodent", "rodents", "rodeo", "rodeos", "rods", "roe", "roebuck", "roentgen", "roes", "roger", "rogue", "roguery", "rogues", "roguish", "roguishly", "roguishness", "rohr", "roland", "role", "roleplaying", "roles", "roll", "rollback", "rolled", "roller", "rollers", "rollick", "rollicking", "rollickingly", "rolling", "rollmops", "rolls", "rom", "romaine", "roman", "romana", "romance", "romanced", "romancers", "romances", "romancing", "romania", "romanian", "romanians", "romans", "romantic", "romantically", "romanticism", "romanticists", "romanticize", "romanticized", "romanticizes", "romanticizing", "romantics", "romany", "rome", "romeo", "romp", "romped", "romper", "rompers", "romping", "romps", "ronald", "roof", "roofed", "roofer", "roofing", "roofless", "roofs", "rooftop", "rooftops", "rooftree", "rook", "rooked", "rookeries", "rookery", "rookie", "rookies", "rooking", "rooks", "room", "roomed", "roomer", "roomful", "roomfuls", "roomier", "roomiest", "roominess", "rooming", "roommate", "roommates", "rooms", "roomy", "roosevelt", "roost", "roosted", "rooster", "roosters", "roosting", "roosts", "root", "rooted", "rootedly", "rooter", "rooting", "rootless", "rootlet", "roots", "rope", "roped", "ropers", "ropes", "roping", "ropy", "roquefort", "rosaries", "rosary", "rose", "rosebud", "rosebuds", "rosebush", "rosemary", "roses", "rosette", "rosettes", "rosewood", "rosier", "rosiest", "rossini", "roster", "rosters", "rostrum", "rosy", "rot", "rota", "rotarian", "rotarians", "rotary", "rotate", "rotated", "rotates", "rotating", "rotation", "rotational", "rotationally", "rotations", "rotator", "rotators", "rote", "rotisserie", "rotogravure", "rotor", "rotors", "rots", "rotted", "rotten", "rottenly", "rottenness", "rotterdam", "rotting", "rottweiler", "rotund", "rotunda", "rotundate", "rotundity", "rotundly", "rouble", "rouen", "rouge", "rough", "roughcast", "roughed", "roughen", "roughened", "roughens", "rougher", "roughest", "roughing", "roughish", "roughly", "roughneck", "roughness", "roughs", "roughshod", "roulette", "round", "roundabout", "roundabouts", "rounded", "rounder", "rounders", "roundest", "roundhead", "roundheads", "roundhouse", "rounding", "roundly", "roundness", "roundoff", "rounds", "roundsman", "roundtable", "roundup", "roundups", "roundworm", "rouse", "roused", "rouses", "rousing", "rousingly", "rousseau", "rout", "route", "routed", "routes", "routine", "routinely", "routines", "routing", "routings", "routs", "rove", "roved", "rover", "rovers", "roves", "roving", "rovingly", "row", "rowan", "rowboat", "rowdily", "rowdiness", "rowdy", "rowed", "rower", "rowers", "rowing", "rows", "roy", "royal", "royalist", "royally", "royalties", "royalty", "rub", "rubbed", "rubber", "rubberized", "rubbers", "rubbery", "rubbing", "rubbish", "rubbishes", "rubbishing", "rubbishy", "rubble", "rubbly", "rubdown", "rubella", "rubens", "rubicon", "rubidium", "rubies", "rubric", "rubs", "ruby", "ruck", "rucked", "rucking", "rucks", "rucksack", "rucksacks", "ruckus", "ruction", "rudder", "rudderless", "rudders", "ruddier", "ruddiest", "ruddiness", "ruddy", "rude", "rudely", "rudeness", "ruder", "rudest", "rudiment", "rudimental", "rudimentariness", "rudimentary", "rudiments", "rue", "rued", "rueful", "ruefully", "ruefulness", "rues", "ruff", "ruffian", "ruffians", "ruffle", "ruffled", "ruffles", "ruffling", "ruffs", "rug", "rugby", "rugged", "ruggedly", "ruggedness", "rugs", "ruin", "ruination", "ruined", "ruing", "ruining", "ruinous", "ruinously", "ruinousness", "ruins", "rule", "ruled", "ruler", "rulers", "rules", "ruling", "rulings", "rum", "rumba", "rumble", "rumbled", "rumbles", "rumbling", "rumbustious", "rumbustiously", "rumbustiousness", "ruminant", "ruminants", "ruminate", "ruminated", "ruminates", "ruminating", "ruminative", "ruminatively", "rummage", "rummaged", "rummages", "rummaging", "rummy", "rumor", "rumored", "rumoring", "rumors", "rump", "rumple", "rumpled", "rumples", "rumpling", "rumps", "rumpus", "run", "runabout", "runabouts", "runaround", "runaway", "runaways", "rundown", "rune", "runes", "rung", "rungs", "runic", "runner", "runners", "running", "runny", "runoff", "runs", "runtime", "runway", "runways", "rupee", "rupees", "rupture", "ruptured", "ruptures", "rupturing", "rural", "ruse", "ruses", "rush", "rushed", "rusher", "rushes", "rushing", "rusk", "rusks", "russell", "russet", "russia", "russian", "russians", "rust", "rusted", "rustic", "rustically", "rusticate", "rusticated", "rusticates", "rusticating", "rustication", "rustier", "rustiest", "rusting", "rustle", "rustled", "rustler", "rustlers", "rustles", "rustless", "rustling", "rustproof", "rusts", "rusty", "rut", "ruth", "ruthenium", "rutherfordium", "ruthless", "ruthlessly", "ruthlessness", "ruts", "rutted", "rutting", "rutty", "rwanda", "ryan", "rye", "sabbath", "sabbatical", "saber", "sabers", "sable", "sables", "sabot", "sabotage", "sabotaged", "sabotages", "sabotaging", "saboteur", "saboteurs", "saccharin", "sacci", "sachet", "sachets", "sack", "sackcloth", "sackclothed", "sackclothing", "sackcloths", "sacked", "sackful", "sackfuls", "sacking", "sacks", "sacral", "sacrament", "sacramento", "sacraments", "sacred", "sacredly", "sacredness", "sacrifice", "sacrificed", "sacrifices", "sacrificial", "sacrificially", "sacrificing", "sacrilege", "sacrilegious", "sacrilegiously", "sacrosanct", "sad", "sadden", "saddened", "saddening", "saddens", "sadder", "saddest", "saddle", "saddleback", "saddlebacks", "saddlebag", "saddlebags", "saddled", "saddler", "saddlers", "saddlery", "saddles", "saddling", "sadism", "sadist", "sadistic", "sadistically", "sadists", "sadly", "sadness", "safari", "safaris", "safe", "safeguard", "safeguarded", "safeguarding", "safeguards", "safekeeping", "safely", "safeness", "safer", "safes", "safest", "safeties", "safety", "saffron", "sag", "saga", "sagacious", "sagaciously", "sagaciousness", "sagacity", "sagas", "sage", "sagely", "sageness", "sages", "sagged", "sagging", "sagittarius", "sago", "sags", "sahara", "said", "saigon", "sail", "sailboat", "sailboats", "sailed", "sailfish", "sailing", "sailor", "sailors", "sails", "saint", "sainted", "sainthood", "saintliness", "saintly", "saints", "sake", "sakes", "sakhalin", "salable", "salacious", "salaciously", "salaciousness", "salad", "salads", "salamander", "salami", "salaried", "salaries", "salary", "sale", "salemanship", "sales", "salesgirl", "saleslady", "salesman", "salesmanship", "salesmen", "salespeople", "salesperson", "saleswoman", "saleswomen", "salic", "salicylic", "saliency", "salient", "saliently", "saline", "salinity", "salisbury", "saliva", "salivary", "salivate", "salivated", "salivates", "salivating", "sallie", "sallied", "sallies", "sallow", "sallowest", "sallowy", "sally", "sallying", "salmon", "salmonberry", "salmonella", "salmons", "salon", "salons", "saloon", "saloonkeeper", "saloons", "salsify", "salt", "saltbush", "salted", "saltier", "saltiness", "salting", "saltpeter", "salts", "saltwater", "saltwort", "salty", "salubrious", "salutariness", "salutary", "salutation", "salutations", "salutatory", "salute", "saluted", "salutes", "saluting", "salvable", "salvador", "salvage", "salvageable", "salvaged", "salvager", "salvages", "salvaging", "salvation", "salve", "salved", "salver", "salves", "salvia", "salving", "salvo", "salvoes", "salvos", "salzburg", "sam", "samaria", "samaritan", "samaritans", "samarium", "samba", "same", "samely", "sameness", "samoa", "samovar", "sample", "sampled", "sampler", "samplers", "samples", "sampling", "samson", "samuel", "sanatoria", "sanctified", "sanctifies", "sanctify", "sanctifying", "sanctimonious", "sanctimoniously", "sanctimoniousness", "sanctimony", "sanction", "sanctioned", "sanctioning", "sanctions", "sanctity", "sanctuaries", "sanctuary", "sanctum", "sand", "sandal", "sandals", "sandalwood", "sandbag", "sandbagged", "sandbagging", "sandbags", "sandblast", "sanded", "sander", "sanders", "sandhog", "sandiness", "sanding", "sandman", "sandpaper", "sandpiper", "sandpipers", "sandpit", "sandra", "sands", "sandstone", "sandwich", "sandwiched", "sandwiches", "sandwort", "sandy", "sane", "sanely", "saneness", "saner", "sanest", "sang", "sanguinary", "sanguine", "sanguinely", "sanguinis", "sanhedrin", "sanitarium", "sanitariums", "sanitary", "sanitation", "sanitize", "sanitized", "sanitizes", "sanitizing", "sanity", "sank", "santa", "santiago", "sap", "sapience", "sapient", "sapless", "sapling", "saplings", "sapped", "sapper", "sappers", "sapphire", "sapphires", "sapping", "sapporo", "sappy", "saps", "sapwood", "sara", "saracen", "sarah", "sarajevo", "sarcasm", "sarcasms", "sarcastic", "sarcastically", "sarcoma", "sarcophagus", "sardine", "sardines", "sardinia", "sardonic", "sardonical", "sardonically", "sari", "saris", "sartre", "sash", "sashed", "sashes", "saskatchewan", "sat", "satan", "satanic", "satchel", "satchels", "sate", "sated", "satellite", "satellites", "sates", "satiable", "satiate", "satiated", "satiates", "satiety", "satin", "satiny", "satire", "satires", "satiric", "satirical", "satirically", "satirist", "satirists", "satirizes", "satirizing", "satisfaction", "satisfactions", "satisfactorily", "satisfactory", "satisfied", "satisfies", "satisfy", "satisfying", "satisfyingly", "satsuma", "satsumas", "saturable", "saturate", "saturated", "saturates", "saturating", "saturation", "saturator", "saturday", "saturdays", "saturn", "sauce", "saucepan", "saucepans", "saucer", "saucerful", "saucerfuls", "saucers", "sauces", "saucily", "sauciness", "saucy", "saudi", "sauerkraut", "saul", "sauna", "saunas", "saunter", "sauntered", "saunterer", "saunterers", "sauntering", "saunteringly", "saunters", "sausage", "sausages", "saute", "sauteed", "sauterne", "sauternes", "sautes", "savable", "savableness", "savage", "savaged", "savagely", "savageness", "savagery", "savages", "savaging", "savannah", "savant", "savants", "save", "saved", "saver", "savers", "saves", "saving", "savings", "savior", "saviors", "savor", "savored", "savories", "savoring", "savors", "savory", "savoy", "savvy", "saw", "sawdust", "sawed", "sawfish", "sawfly", "sawing", "sawmill", "sawmills", "sawn", "saws", "sawtooth", "sawyer", "sawyers", "saxifrage", "saxon", "saxons", "saxony", "saxophone", "saxophones", "saxophonist", "saxophonists", "say", "saying", "sayings", "says", "scab", "scabbard", "scabbards", "scabbed", "scabbing", "scabby", "scabrous", "scabs", "scaffold", "scaffolder", "scaffolders", "scaffolding", "scaffoldings", "scaffolds", "scalable", "scalar", "scalawag", "scald", "scalded", "scalding", "scalds", "scale", "scaleability", "scaled", "scalene", "scales", "scaliness", "scaling", "scallop", "scalloped", "scallops", "scalp", "scalped", "scalpel", "scalpels", "scalper", "scalpers", "scalping", "scalps", "scaly", "scam", "scamp", "scamper", "scampered", "scampering", "scampers", "scampi", "scampish", "scamps", "scams", "scan", "scandal", "scandalize", "scandalized", "scandalizes", "scandalizing", "scandalous", "scandalously", "scandalousness", "scandals", "scandinavia", "scandinavian", "scandium", "scanned", "scanner", "scanners", "scanning", "scans", "scant", "scantily", "scantly", "scantness", "scanty", "scapegoat", "scapegoated", "scapegoating", "scapegoats", "scapula", "scapular", "scar", "scarab", "scarce", "scarcely", "scarceness", "scarcities", "scarcity", "scare", "scarecrow", "scarecrows", "scared", "scares", "scarf", "scarface", "scarfs", "scarification", "scarify", "scaring", "scarless", "scarlet", "scarred", "scarring", "scars", "scarves", "scary", "scathe", "scathing", "scathingly", "scatter", "scatterbrain", "scatterbrained", "scattered", "scattergun", "scattering", "scatters", "scattiness", "scavenge", "scavenged", "scavenger", "scavengers", "scavenges", "scavenging", "scenario", "scenarios", "scene", "scenery", "scenes", "scenic", "scenical", "scenically", "scent", "scented", "scentful", "scenting", "scentless", "scents", "scepter", "scepters", "schedule", "scheduled", "scheduler", "schedules", "scheduling", "scheherazade", "schema", "schemas", "schemata", "schematic", "schematical", "schematically", "scheme", "schemed", "schemes", "scheming", "schism", "schisms", "schizoid", "schizophrenia", "schizophrenic", "schizophrenics", "schlesinger", "schnapps", "scholar", "scholarliness", "scholarly", "scholars", "scholarship", "scholarships", "scholastic", "scholastically", "scholastics", "scholiasts", "school", "schoolbag", "schoolbags", "schoolbook", "schoolbooks", "schoolboy", "schoolboys", "schoolchild", "schoolchildren", "schooldays", "schooled", "schoolers", "schoolgirl", "schoolgirlish", "schoolgirls", "schoolhouse", "schooling", "schoolmarm", "schoolmaster", "schoolmasters", "schoolmate", "schoolmates", "schoolmistress", "schoolmistresses", "schoolroom", "schools", "schoolteacher", "schoolteachers", "schoolwork", "schooner", "schooners", "schubert", "schulman", "sciatica", "science", "sciences", "scientific", "scientifical", "scientifically", "scientist", "scientists", "scimitar", "scimitars", "scintillant", "scintillate", "scintillating", "scintillation", "scintillator", "scion", "scions", "scire", "scissor", "scissoring", "scissors", "sclerosis", "sclerotic", "scoff", "scoffed", "scoffer", "scoffers", "scoffing", "scoffs", "scold", "scolded", "scolding", "scoldingly", "scolds", "scone", "scones", "scoop", "scooped", "scoopful", "scoopfuls", "scooping", "scoops", "scoot", "scooted", "scooter", "scooters", "scooting", "scoots", "scope", "scorch", "scorched", "scorcher", "scorches", "scorching", "scorchingly", "scorchingness", "score", "scoreboard", "scoreboards", "scorecard", "scored", "scoreless", "scorer", "scores", "scoring", "scorn", "scorned", "scornful", "scornfully", "scorning", "scorns", "scorpio", "scorpion", "scorpions", "scot", "scotch", "scotched", "scotches", "scotching", "scotland", "scots", "scotsman", "scotsmen", "scott", "scottish", "scotty", "scoundrel", "scoundrelly", "scoundrels", "scour", "scoured", "scourer", "scourers", "scourge", "scourges", "scouring", "scours", "scout", "scouted", "scouting", "scoutmaster", "scouts", "scow", "scowl", "scowled", "scowling", "scowlingly", "scowls", "scows", "scrabble", "scragginess", "scraggy", "scram", "scramble", "scrambled", "scrambler", "scrambles", "scrambling", "scramblingly", "scrap", "scrapbook", "scrapbooks", "scrape", "scraped", "scraper", "scrapers", "scrapes", "scraping", "scrapings", "scrapped", "scrappily", "scrappiness", "scrapping", "scrappy", "scraps", "scratch", "scratched", "scratches", "scratchily", "scratchiness", "scratching", "scratchingly", "scratchy", "scrawl", "scrawled", "scrawling", "scrawls", "scrawly", "scrawny", "scream", "screamed", "screaming", "screamingly", "screams", "screech", "screeched", "screeches", "screeching", "screechy", "screed", "screeds", "screen", "screened", "screening", "screenings", "screenplay", "screens", "screw", "screwball", "screwdriver", "screwdrivers", "screwed", "screwing", "screws", "screwworm", "screwy", "scribble", "scribbled", "scribbler", "scribblers", "scribbles", "scribbling", "scribbly", "scribe", "scribes", "scribing", "scrimmage", "scrimmages", "scrimp", "scrimped", "scrimpily", "scrimpiness", "scrimping", "scrimps", "scrimpy", "scrip", "script", "scripted", "scripting", "scription", "scripts", "scriptural", "scripture", "scriptures", "scriptwriter", "scriptwriters", "scroll", "scrollability", "scrollable", "scrolled", "scrolling", "scrolls", "scrollwise", "scrooge", "scrotum", "scrounge", "scrounged", "scrounger", "scroungers", "scrounges", "scrounging", "scrub", "scrubbed", "scrubber", "scrubbers", "scrubbing", "scrubby", "scrubs", "scruff", "scruffiness", "scruffs", "scruffy", "scrum", "scrumptious", "scrumptiously", "scrumptiousness", "scruple", "scrupled", "scruples", "scrupling", "scrupulosity", "scrupulous", "scrupulously", "scrupulousness", "scrutable", "scrutably", "scrutinize", "scrutinized", "scrutinizes", "scrutinizing", "scrutinizingly", "scrutiny", "scuba", "scud", "scuff", "scuffed", "scuffing", "scuffle", "scuffled", "scuffles", "scuffling", "scuffs", "scull", "scullery", "sculls", "sculpt", "sculpted", "sculpting", "sculptor", "sculptors", "sculptress", "sculptresses", "sculpts", "sculptural", "sculpturally", "sculpture", "sculptured", "sculptures", "sculpturing", "scum", "scup", "scupper", "scuppers", "scurf", "scurrilous", "scurvily", "scurviness", "scurvy", "scut", "scutter", "scuttered", "scuttering", "scutters", "scuttle", "scuttled", "scuttles", "scuttling", "scythe", "scythed", "scyther", "scythers", "scythes", "scything", "sea", "seabee", "seabird", "seabirds", "seaboard", "seacoast", "seacoasts", "seafare", "seafarer", "seafarers", "seafaring", "seafood", "seagoing", "seagull", "seagulls", "seahorse", "seahouses", "seal", "sealant", "sealed", "sealer", "sealing", "seals", "sealskin", "seam", "seaman", "seamanship", "seamed", "seamen", "seaming", "seamless", "seams", "seamy", "sean", "seance", "seances", "seaplane", "seaplanes", "seaport", "seaports", "seaquake", "sear", "search", "searched", "searcher", "searchers", "searches", "searching", "searchingly", "searchings", "searchlight", "searchlights", "seared", "searing", "sears", "seas", "seascape", "seascapes", "seashore", "seashores", "seasick", "seasickness", "seaside", "season", "seasonable", "seasonably", "seasonal", "seasonally", "seasoned", "seasoning", "seasonings", "seasons", "seat", "seated", "seater", "seating", "seato", "seats", "seattle", "seawall", "seawalls", "seaward", "seawards", "seaweed", "seaworthiness", "seaworthy", "sebastian", "sec", "secede", "seceded", "secedes", "seceding", "secession", "secessionist", "seclude", "secluded", "secludedly", "secludes", "secluding", "seclusion", "second", "secondaries", "secondarily", "secondary", "secondhand", "secondly", "seconds", "secrecy", "secret", "secretarial", "secretariat", "secretaries", "secretary", "secrete", "secreted", "secretes", "secreting", "secretion", "secretions", "secretive", "secretively", "secretiveness", "secretly", "secrets", "sect", "sectarian", "sectarians", "section", "sectional", "sectionalized", "sectionally", "sectioned", "sectioning", "sections", "sector", "sectors", "sects", "secular", "secularism", "secularist", "secularists", "secularity", "secularized", "secularly", "secure", "secured", "securely", "securement", "secureness", "secures", "securing", "securities", "security", "sedan", "sedans", "sedate", "sedated", "sedately", "sedateness", "sedates", "sedating", "sedative", "sedatives", "sedentary", "seder", "sediment", "sedimentary", "sedimentation", "sediments", "sedition", "seditionary", "seditious", "seditiously", "seditiousness", "seduce", "seduced", "seducer", "seducers", "seduces", "seducing", "seduction", "seductive", "seductively", "seductiveness", "sedulous", "sedulously", "see", "seed", "seedbed", "seeded", "seediness", "seeding", "seedless", "seedling", "seedlings", "seeds", "seedy", "seeing", "seek", "seeker", "seekers", "seeking", "seekingly", "seeks", "seem", "seemed", "seeming", "seemingly", "seemliness", "seemly", "seems", "seen", "seep", "seepage", "seeped", "seeping", "seeps", "seer", "seers", "seersucker", "sees", "seesaw", "seesaws", "seethe", "seethed", "seethes", "seething", "segment", "segmental", "segmentally", "segmentary", "segmentation", "segmented", "segmenting", "segments", "segregant", "segregate", "segregated", "segregates", "segregating", "segregation", "segregationist", "seine", "seismic", "seismograph", "seismographs", "seismography", "seismological", "seismology", "seize", "seized", "seizes", "seizing", "seizure", "seizures", "seldom", "seldomly", "select", "selectable", "selected", "selecting", "selection", "selections", "selective", "selectively", "selectiveness", "selectivity", "selectness", "selector", "selectors", "selects", "selenium", "self", "selfeffacing", "selfish", "selfishly", "selfishness", "selfless", "selflessly", "selflessness", "selfridges", "selfsame", "sell", "seller", "sellers", "selling", "sellout", "sells", "semantic", "semantics", "semaphore", "semaphores", "semblance", "semen", "semester", "semesters", "semi", "semiautomatic", "semicircle", "semicircles", "semicircular", "semicolon", "semicolons", "semiconductor", "semiconductors", "seminal", "seminally", "seminar", "seminarian", "seminarians", "seminaries", "seminars", "seminary", "semite", "semitic", "semitone", "semitones", "semitropical", "semolina", "senate", "senates", "senator", "senatorial", "senators", "senatorship", "senatorships", "send", "sender", "senders", "sending", "sends", "senegal", "senile", "senility", "senior", "seniority", "seniors", "sensation", "sensational", "sensationalism", "sensationally", "sensations", "sense", "sensed", "senseless", "senselessly", "senselessness", "senses", "sensibilities", "sensibility", "sensible", "sensibleness", "sensibly", "sensing", "sensitive", "sensitively", "sensitiveness", "sensitives", "sensitivities", "sensitivity", "sensitization", "sensitize", "sensitized", "sensitizes", "sensitizing", "sensor", "sensors", "sensory", "sensual", "sensuality", "sensually", "sensuous", "sent", "sentence", "sentenced", "sentences", "sentencing", "sentential", "sententious", "sententiously", "sententiousness", "sentient", "sentiment", "sentimental", "sentimentalist", "sentimentalists", "sentimentality", "sentimentalization", "sentimentalize", "sentimentalized", "sentimentalizes", "sentimentalizing", "sentimentally", "sentiments", "sentinel", "sentinels", "sentries", "sentry", "seoul", "sepal", "separable", "separably", "separate", "separated", "separately", "separateness", "separates", "separating", "separation", "separations", "separator", "separators", "sepia", "sepsis", "september", "septembers", "septennial", "septic", "septillion", "septuagenarian", "sepulcher", "sepulchered", "sepulchers", "sepulchral", "sequel", "sequels", "sequence", "sequenced", "sequencer", "sequences", "sequencing", "sequential", "sequentially", "sequester", "sequestration", "sequin", "sequins", "sequitur", "seraglio", "seraph", "seraphic", "seraphim", "seraphims", "seraphs", "serbian", "sere", "serenade", "serenaded", "serenades", "serenading", "serendipitous", "serendipity", "serene", "serenely", "sereneness", "serenity", "serf", "serfdom", "serfs", "serge", "sergeant", "sergeants", "serial", "serially", "serials", "seriatim", "series", "serif", "serious", "seriously", "seriousness", "sermon", "sermons", "serology", "serpent", "serpentine", "serpentines", "serpents", "serrate", "serrated", "serried", "serum", "serums", "servant", "servants", "serve", "served", "server", "servers", "serves", "service", "serviceable", "serviceably", "serviced", "serviceman", "servicemen", "services", "servicing", "serviette", "serviettes", "servile", "servility", "serving", "servings", "servitor", "servitors", "servitude", "servo", "servomechanism", "sesame", "sesquicentennial", "sesquipedalian", "session", "sessional", "sessions", "set", "setback", "setbacks", "seth", "sets", "settable", "settee", "settees", "setter", "setting", "settings", "settle", "settled", "settlement", "settlements", "settler", "settlers", "settles", "settling", "setup", "setups", "seven", "sevenfold", "sevens", "seventeen", "seventeenth", "seventh", "sevenths", "seventies", "seventieth", "seventy", "sever", "several", "severalfold", "severally", "severance", "severe", "severed", "severely", "severeness", "severer", "severest", "severing", "severities", "severity", "severs", "seville", "sew", "sewage", "sewed", "sewer", "sewerage", "sewers", "sewing", "sewn", "sews", "sex", "sexed", "sexes", "sexing", "sexism", "sexist", "sexists", "sexless", "sextant", "sextants", "sextet", "sextets", "sextillion", "sexton", "sextons", "sextuple", "sextuplet", "sexual", "sexuality", "sexualized", "sexually", "sexy", "seychelles", "shabbily", "shabbiness", "shabby", "shack", "shacked", "shackle", "shackled", "shackles", "shackling", "shacks", "shade", "shaded", "shades", "shading", "shadings", "shadow", "shadowed", "shadowing", "shadows", "shadowy", "shady", "shaft", "shafts", "shag", "shagginess", "shagging", "shaggy", "shah", "shakable", "shake", "shakedown", "shaken", "shaker", "shakers", "shakes", "shakespeare", "shakespearean", "shakespearian", "shakier", "shakiest", "shakily", "shaking", "shaky", "shall", "shallot", "shallots", "shallow", "shallower", "shallowest", "shallowly", "shallowness", "shalom", "sham", "shamble", "shambled", "shambles", "shambling", "shame", "shamed", "shameface", "shamefaced", "shamefacedly", "shameful", "shamefully", "shamefulness", "shameless", "shamelessly", "shamelessness", "shames", "shaming", "shammed", "shammer", "shamming", "shammy", "shampoo", "shampooed", "shampooing", "shampoos", "shamrock", "shamrocks", "shams", "shandy", "shane", "shanghai", "shank", "shanks", "shanties", "shanty", "shapable", "shapably", "shape", "shaped", "shapeless", "shapelessness", "shapeliness", "shapely", "shaper", "shapes", "shaping", "sharable", "shard", "shards", "share", "shareable", "shared", "shareholder", "shareholders", "sharer", "sharers", "shares", "shareware", "sharing", "shark", "sharks", "sharon", "sharp", "sharpen", "sharpened", "sharpener", "sharpeners", "sharpening", "sharpens", "sharper", "sharpest", "sharply", "sharpness", "sharpshoot", "sharpshooter", "sharpshooters", "shatter", "shattered", "shattering", "shatteringly", "shatterproof", "shatters", "shave", "shaved", "shaven", "shaver", "shavers", "shaves", "shaving", "shavings", "shaw", "shawl", "shawls", "she", "sheaf", "sheafs", "shear", "sheared", "shearing", "shears", "shearwater", "shearwaters", "sheath", "sheathe", "sheathed", "sheathing", "sheaths", "sheaves", "shed", "shedding", "sheds", "sheen", "sheep", "sheepish", "sheepishly", "sheepishness", "sheepskin", "sheer", "sheered", "sheerer", "sheerly", "sheerness", "sheet", "sheeted", "sheeting", "sheets", "sheffield", "sheik", "sheiks", "sheila", "shekel", "shelby", "shelduck", "shelducks", "shelf", "shell", "shellac", "shelled", "shelley", "shellfish", "shelling", "shells", "shellshock", "shellshocked", "shelly", "shelter", "sheltered", "sheltering", "shelters", "shelve", "shelved", "shelves", "shelving", "shenandoah", "shenanigan", "shenanigans", "shepherd", "shepherdess", "shepherdesses", "shepherds", "sheraton", "sherbet", "sheriff", "sheriffs", "sherman", "sherry", "shibboleth", "shied", "shield", "shielded", "shielding", "shields", "shier", "shies", "shift", "shifted", "shifter", "shifters", "shifting", "shiftless", "shifts", "shifty", "shilling", "shillings", "shim", "shimmer", "shimmered", "shimmering", "shimmers", "shimming", "shimmy", "shin", "shinbone", "shindig", "shindigs", "shine", "shined", "shiner", "shines", "shingle", "shingled", "shingles", "shining", "shiningly", "shinned", "shinning", "shinnying", "shins", "shinto", "shiny", "ship", "shipbuilder", "shipbuilders", "shipbuilding", "shipful", "shipfuls", "shipload", "shipmate", "shipmates", "shipment", "shipments", "shipped", "shipper", "shippers", "shipping", "ships", "shipshape", "shipwreck", "shipwrecked", "shipwrecks", "shipyard", "shipyards", "shire", "shires", "shirk", "shirked", "shirker", "shirkers", "shirking", "shirks", "shirt", "shirts", "shirtsleeve", "shirtsleeves", "shirty", "shit", "shiver", "shivered", "shivering", "shiveringly", "shivers", "shivery", "shoal", "shoals", "shock", "shockability", "shockable", "shocked", "shocker", "shockers", "shocking", "shockingly", "shocks", "shockwave", "shockwaves", "shod", "shoddily", "shoddiness", "shoddy", "shoe", "shoehorn", "shoeing", "shoelace", "shoelaces", "shoemaker", "shoemakers", "shoes", "shoestring", "shoestrings", "shone", "shoo", "shooing", "shook", "shoot", "shooter", "shooters", "shooting", "shootings", "shoots", "shop", "shopkeeper", "shopkeepers", "shoplifter", "shoplifters", "shoplifting", "shopped", "shopper", "shoppers", "shopping", "shops", "shopworn", "shore", "shoreline", "shorelines", "shores", "shoring", "shorn", "short", "shortage", "shortages", "shortbread", "shortcake", "shortchange", "shortchanged", "shortchanges", "shortchanging", "shortcoming", "shortcomings", "shortcut", "shortcuts", "shorted", "shorten", "shortened", "shortening", "shortens", "shorter", "shortest", "shortfall", "shortfalls", "shorthand", "shorthanded", "shorting", "shortish", "shortlived", "shortly", "shortness", "shorts", "shortsighted", "shortsightedness", "shostakovich", "shot", "shotgun", "shotguns", "shots", "should", "shoulder", "shouldered", "shouldering", "shoulders", "shout", "shouted", "shouting", "shouts", "shove", "shoved", "shovel", "shoveled", "shovelful", "shovelfuls", "shoveling", "shovels", "shoves", "shoving", "show", "showboat", "showcase", "showdown", "showed", "shower", "showered", "showerhead", "showering", "showerproof", "showers", "showery", "showground", "showgrounds", "showily", "showiness", "showing", "showings", "showman", "showmanship", "showmen", "shown", "showpiece", "showplace", "showroom", "showrooms", "shows", "showy", "shrank", "shrapnel", "shred", "shredded", "shredder", "shredders", "shredding", "shreds", "shrew", "shrewd", "shrewdest", "shrewdly", "shrewdness", "shrewish", "shrews", "shriek", "shrieked", "shrieking", "shrieks", "shrift", "shrill", "shrilled", "shrilling", "shrillness", "shrilly", "shrimp", "shrimps", "shrine", "shrines", "shrink", "shrinkability", "shrinkable", "shrinkage", "shrinking", "shrinkingly", "shrinks", "shrive", "shrived", "shrivel", "shriveled", "shriveling", "shrivels", "shriven", "shroud", "shrouded", "shrouding", "shrouds", "shrove", "shrub", "shrubbery", "shrubbiness", "shrubby", "shrubs", "shrug", "shrugged", "shrugging", "shrugs", "shrunk", "shrunken", "shucks", "shudder", "shuddered", "shuddering", "shudderingly", "shudders", "shuffle", "shuffled", "shuffler", "shufflers", "shuffles", "shuffling", "shun", "shunned", "shunning", "shuns", "shunt", "shunted", "shunting", "shunts", "shut", "shutdown", "shutdowns", "shutoff", "shutout", "shuts", "shutter", "shuttered", "shuttering", "shutters", "shutting", "shuttle", "shuttlecock", "shuttlecocks", "shuttled", "shuttles", "shuttling", "shy", "shyer", "shyest", "shying", "shyly", "shyness", "shyster", "shysters", "siamese", "sibelius", "siberia", "sibilant", "sibling", "siblings", "sibyl", "sic", "sicilian", "sicily", "sick", "sicken", "sickened", "sickening", "sickeningly", "sickens", "sicker", "sickish", "sickle", "sickles", "sicklewort", "sickly", "sickness", "sickroom", "side", "sidearm", "sidearms", "sideband", "sideboard", "sideboards", "sidecar", "sidecars", "sided", "sidekick", "sidekicks", "sidelight", "sideline", "sidelines", "sidelong", "sideman", "sidemen", "sidereal", "sides", "sidesaddle", "sideshow", "sideshows", "sidestep", "sidestepped", "sidestepping", "sidesteps", "sidetrack", "sidetracked", "sidetracking", "sidetracks", "sidewalk", "sidewalks", "sideway", "sideways", "sidewinder", "sidewise", "siding", "sidings", "sidle", "sidled", "sidles", "sidling", "sidney", "siege", "sieges", "siegfried", "siegmund", "siesta", "sieve", "sieved", "sieves", "sieving", "sift", "sifted", "sifter", "sifting", "sifts", "sigh", "sighed", "sighing", "sighs", "sight", "sighted", "sighting", "sightings", "sightless", "sightlessly", "sightly", "sights", "sightsee", "sightseeing", "sightseer", "sightseers", "sigma", "sign", "signal", "signaled", "signaling", "signalizes", "signally", "signals", "signatories", "signatory", "signature", "signatures", "signboard", "signboards", "signed", "signer", "signers", "signet", "significance", "significances", "significant", "significantly", "signification", "signified", "signifies", "signify", "signifying", "signing", "signpost", "signposts", "signs", "signum", "sikh", "sikhism", "sikhs", "silage", "silence", "silenced", "silencer", "silencers", "silences", "silencing", "silent", "silently", "silhouette", "silhouetted", "silhouettes", "silica", "silicate", "silicates", "siliceous", "silicic", "silicide", "silicon", "silicone", "silicosis", "silk", "silken", "silkily", "silks", "silkworm", "silkworms", "silky", "sill", "sillier", "sillies", "silliest", "silliness", "sills", "silly", "silo", "silos", "silt", "silted", "silting", "silts", "siltstone", "silty", "silurian", "silver", "silvered", "silvers", "silversmith", "silversmiths", "silverware", "silverweed", "silvery", "simians", "similar", "similarities", "similarity", "similarly", "simile", "similes", "similitude", "simmer", "simmered", "simmering", "simmers", "simon", "simony", "simple", "simpleminded", "simpler", "simplest", "simpleton", "simpletons", "simplex", "simplexes", "simplicities", "simplicitude", "simplicity", "simplification", "simplifications", "simplified", "simplifies", "simplify", "simplifying", "simplistic", "simply", "simulate", "simulated", "simulates", "simulating", "simulation", "simulations", "simulator", "simulators", "simulatory", "simultaneity", "simultaneous", "simultaneously", "simultaneousness", "sin", "sinai", "since", "sincere", "sincerely", "sincerer", "sincerest", "sincerity", "sinclair", "sine", "sinecure", "sinecures", "sinew", "sinews", "sinewy", "sinful", "sinfulness", "sing", "singable", "singapore", "singe", "singed", "singeing", "singer", "singers", "singes", "singh", "singing", "single", "singled", "singlehanded", "singlehandedly", "singleness", "singles", "singlet", "singleton", "singling", "singly", "sings", "singsong", "singular", "singularities", "singularity", "singularly", "sinhalese", "sinister", "sinisterly", "sinisterness", "sinistral", "sink", "sinker", "sinkers", "sinkhole", "sinking", "sinks", "sinless", "sinlessly", "sinlessness", "sinned", "sinner", "sinners", "sinning", "sins", "sinuous", "sinuously", "sinuousness", "sinus", "sinuses", "sinusitis", "sinusoid", "sinusoidal", "sioux", "sip", "siphon", "siphoned", "siphoning", "siphons", "sipped", "sippers", "sipping", "sips", "sir", "sire", "sired", "siren", "sirens", "sires", "siring", "sirius", "sirloin", "sirs", "sisal", "sissies", "sissy", "sister", "sisterhood", "sisterly", "sisters", "sistine", "sit", "site", "sited", "sites", "siting", "sits", "sitter", "sitters", "sitting", "sittings", "situ", "situate", "situated", "situates", "situating", "situation", "situations", "six", "sixes", "sixfold", "sixgun", "sixpence", "sixteen", "sixteenth", "sixth", "sixties", "sixtieth", "sixty", "sizable", "sizably", "size", "sized", "sizes", "sizing", "sizzle", "sizzled", "sizzles", "sizzling", "skate", "skateboard", "skateboards", "skated", "skater", "skaters", "skates", "skating", "skeet", "skein", "skeins", "skeletal", "skeleton", "skeletons", "skeptic", "skeptical", "skeptically", "skepticism", "skeptics", "sketch", "sketchable", "sketchably", "sketchbook", "sketched", "sketches", "sketchily", "sketchiness", "sketching", "sketchpad", "sketchpads", "sketchy", "skew", "skewed", "skewer", "skewered", "skewering", "skewers", "skewing", "skews", "ski", "skid", "skidded", "skidding", "skiddy", "skids", "skied", "skier", "skiers", "skies", "skiff", "skiffs", "skiing", "skill", "skilled", "skillet", "skillful", "skillfully", "skillfulness", "skills", "skim", "skimmed", "skimming", "skimp", "skimped", "skimpily", "skimping", "skimps", "skimpy", "skims", "skin", "skindive", "skindiver", "skindivers", "skindiving", "skinflint", "skinflints", "skinfuls", "skinhead", "skinheads", "skinless", "skinned", "skinner", "skinning", "skinny", "skins", "skip", "skipjack", "skipped", "skipper", "skippers", "skipping", "skippy", "skips", "skirmish", "skirmished", "skirmisher", "skirmishers", "skirmishes", "skirmishing", "skirt", "skirted", "skirting", "skirts", "skis", "skit", "skits", "skittered", "skittering", "skittish", "skittishly", "skittishness", "skittle", "skittles", "skive", "skived", "skiver", "skivers", "skiving", "skivvies", "skulk", "skulked", "skulker", "skulking", "skulks", "skull", "skullcap", "skullcaps", "skullduggery", "skulls", "skunk", "skunks", "sky", "skylark", "skylarked", "skylarking", "skylarks", "skylight", "skylights", "skyline", "skyrocket", "skyscraper", "skyscrapers", "skyward", "skywards", "skyway", "skyways", "slab", "slabs", "slack", "slacked", "slacken", "slackened", "slackening", "slackens", "slacker", "slackers", "slackest", "slacking", "slackly", "slackness", "slacks", "slag", "slagging", "slags", "slain", "slake", "slaked", "slakes", "slaking", "slalom", "slam", "slammed", "slamming", "slams", "slander", "slandered", "slanderer", "slanderers", "slandering", "slanderous", "slanderously", "slanderousness", "slanders", "slang", "slant", "slanted", "slanting", "slants", "slap", "slaphappy", "slapped", "slapping", "slaps", "slapstick", "slash", "slashed", "slashes", "slashing", "slat", "slate", "slated", "slates", "slating", "slats", "slatted", "slattern", "slaughter", "slaughtered", "slaughterhouse", "slaughterhouses", "slaughtering", "slaughters", "slav", "slave", "slaved", "slaver", "slavered", "slavering", "slavers", "slavery", "slaves", "slavic", "slaving", "slavish", "slavishly", "slay", "slayer", "slaying", "slays", "sleazy", "sled", "sledding", "sledge", "sledgehammer", "sledgehammers", "sledges", "sleds", "sleek", "sleeker", "sleekest", "sleekly", "sleekness", "sleep", "sleeper", "sleepers", "sleepily", "sleepiness", "sleeping", "sleepless", "sleeplessly", "sleeplessness", "sleeps", "sleepwalk", "sleepwalker", "sleepwalkers", "sleepwalking", "sleepy", "sleet", "sleety", "sleeve", "sleeves", "sleigh", "sleighs", "sleight", "sleights", "slender", "slenderer", "slenderest", "slenderly", "slenderness", "slept", "sleuth", "sleuthing", "sleuths", "slew", "slice", "sliced", "slices", "slicing", "slick", "slicked", "slicker", "slickers", "slickest", "slicking", "slickness", "slicks", "slid", "slide", "slider", "slides", "sliding", "slight", "slighted", "slighter", "slightest", "slighting", "slightly", "slights", "slim", "slime", "slimly", "slimmed", "slimmer", "slimmest", "slimming", "slimness", "slims", "slimy", "sling", "slinging", "slings", "slingshot", "slink", "slinking", "slinks", "slip", "slippage", "slipped", "slipper", "slipperiness", "slippers", "slippery", "slipping", "slips", "slit", "slither", "slithered", "slithering", "slithers", "slithery", "slits", "slitting", "sliver", "slivers", "slob", "slobber", "sloe", "slog", "slogan", "sloganeer", "slogans", "slogged", "slogger", "sloggers", "slogging", "slogs", "sloop", "slop", "slope", "sloped", "slopes", "sloping", "slopped", "sloppily", "sloppiness", "slopping", "sloppy", "slops", "slosh", "sloshed", "slot", "sloth", "slothful", "slothfully", "sloths", "slots", "slotted", "slotting", "slouch", "slouched", "slouches", "slouching", "sloughed", "sloughs", "slovak", "slovakian", "slovene", "slovenliness", "slovenly", "slow", "slowdown", "slowed", "slower", "slowest", "slowing", "slowly", "slowness", "slows", "sludge", "slug", "sluggard", "sluggardly", "sluggards", "slugged", "slugger", "sluggers", "slugging", "sluggish", "sluggishly", "sluggishness", "slugs", "sluice", "sluiced", "sluices", "sluicing", "slum", "slumber", "slumbered", "slumbering", "slumbers", "slummed", "slumming", "slump", "slumped", "slumping", "slumps", "slums", "slung", "slunk", "slur", "slurp", "slurped", "slurps", "slurred", "slurring", "slurry", "slurs", "slush", "slushy", "slut", "sluts", "sluttish", "sly", "slyer", "slyest", "slyly", "slyness", "smack", "smacked", "smacking", "smacks", "small", "smaller", "smallest", "smallish", "smallness", "smallpox", "smalls", "smalltime", "smarmy", "smart", "smarted", "smarten", "smartened", "smartening", "smartens", "smarter", "smartest", "smarting", "smartly", "smartness", "smarts", "smash", "smashed", "smashes", "smashing", "smattering", "smatterings", "smear", "smeared", "smearing", "smears", "smeary", "smell", "smelled", "smelling", "smells", "smelly", "smelt", "smelted", "smelter", "smelting", "smelts", "smetana", "smile", "smiled", "smiles", "smiling", "smilingly", "smirch", "smirk", "smirked", "smirking", "smirks", "smite", "smites", "smith", "smithereens", "smithfield", "smithies", "smithing", "smiths", "smithsonian", "smithy", "smiting", "smitten", "smock", "smocking", "smocks", "smog", "smoke", "smoked", "smokeless", "smoker", "smokers", "smokes", "smokescreen", "smokescreens", "smokestack", "smoking", "smoky", "smolder", "smoldered", "smoldering", "smolders", "smooch", "smooching", "smooth", "smoothed", "smoothen", "smoother", "smoothes", "smoothest", "smoothing", "smoothly", "smoothness", "smote", "smother", "smothered", "smothering", "smothers", "smudge", "smudged", "smudges", "smudging", "smudgy", "smug", "smuggle", "smuggled", "smuggler", "smugglers", "smuggles", "smuggling", "smugly", "smugness", "smut", "smuttily", "smuttiness", "smutty", "snack", "snacks", "snaffle", "snag", "snagged", "snagging", "snags", "snail", "snails", "snake", "snakebird", "snaked", "snakelike", "snakeroot", "snakes", "snaking", "snaky", "snap", "snapback", "snapdragon", "snapdragons", "snapped", "snapper", "snappily", "snapping", "snappish", "snappy", "snaps", "snapshot", "snapshots", "snare", "snared", "snares", "snaring", "snark", "snarl", "snarled", "snarling", "snarls", "snatch", "snatched", "snatcher", "snatchers", "snatches", "snatching", "snatchingly", "snazzy", "sneak", "sneaked", "sneaker", "sneakers", "sneakier", "sneakiest", "sneakily", "sneaking", "sneaks", "sneaky", "sneer", "sneered", "sneering", "sneeringly", "sneers", "sneeze", "sneezed", "sneezes", "sneezewort", "sneezing", "snick", "snicker", "snickered", "snide", "snider", "sniff", "sniffed", "sniffing", "sniffle", "sniffles", "sniffly", "sniffs", "sniffy", "snifter", "snifty", "snigger", "sniggered", "sniggerer", "sniggerers", "sniggering", "sniggers", "snip", "snipe", "sniped", "sniper", "snipers", "snipes", "sniping", "snipped", "snippet", "snippets", "snipping", "snippy", "snips", "snitch", "snivel", "sniveled", "sniveling", "snivels", "snob", "snobbery", "snobbish", "snobbishly", "snobs", "snood", "snooker", "snookered", "snoop", "snooped", "snooping", "snoops", "snoopy", "snooty", "snooze", "snoozed", "snoozes", "snoozing", "snore", "snored", "snorer", "snorers", "snores", "snoring", "snorkel", "snorkels", "snort", "snorted", "snorting", "snorts", "snotty", "snout", "snouted", "snouting", "snouts", "snow", "snowball", "snowballed", "snowballing", "snowballs", "snowberry", "snowdrift", "snowdrifts", "snowdrop", "snowdrops", "snowed", "snowfall", "snowfalls", "snowflake", "snowflakes", "snowing", "snowman", "snowmen", "snows", "snowshoe", "snowstorm", "snowstorms", "snowy", "snub", "snubbed", "snubbing", "snubs", "snuff", "snuffboxes", "snuffed", "snuffing", "snuffle", "snuffled", "snuffles", "snuffling", "snuffly", "snuffs", "snug", "snuggle", "snuggled", "snuggles", "snuggling", "snuggly", "snugly", "snugness", "soak", "soakaway", "soakaways", "soaked", "soaking", "soaks", "soap", "soapbox", "soaped", "soaping", "soaps", "soapsud", "soapsuds", "soapwort", "soapy", "soar", "soared", "soaring", "soaringly", "soars", "sob", "sobbed", "sobbing", "sobbingly", "sober", "sobered", "sobering", "soberly", "soberness", "sobers", "sobriety", "sobriquet", "sobs", "soccer", "sociability", "sociable", "sociably", "social", "socialism", "socialist", "socialistic", "socialists", "socialite", "socialization", "socialize", "socialized", "socializes", "socializing", "socially", "socials", "societal", "societies", "society", "sociocultural", "socioeconomic", "sociological", "sociologically", "sociologist", "sociologists", "sociology", "sociometric", "sociometry", "sock", "socked", "socket", "socketed", "sockets", "sockeye", "socks", "socrates", "socratic", "sod", "soda", "sodded", "sodden", "sodding", "sodium", "sodomite", "sodomy", "sods", "sofa", "sofas", "sofia", "soft", "softball", "soften", "softened", "softener", "softeners", "softening", "softens", "softer", "softest", "softies", "softish", "softly", "softness", "software", "softwood", "soggily", "sogginess", "soggy", "soigne", "soil", "soiled", "soiling", "soils", "soiree", "soirees", "sojourn", "sojourned", "sojourner", "sojourners", "sojourning", "sojourns", "solace", "solaced", "solar", "solaria", "sold", "solder", "soldered", "solderer", "solderers", "soldering", "solders", "soldier", "soldiered", "soldiering", "soldierly", "soldiers", "soldiery", "sole", "solecism", "solecisms", "solely", "solemn", "solemnity", "solemnly", "soleness", "solenoid", "soles", "solet", "solicit", "solicitation", "solicited", "soliciting", "solicitor", "solicitors", "solicitous", "solicitously", "solicitousness", "solicits", "solicitude", "solid", "solidarity", "solidification", "solidified", "solidifies", "solidify", "solidifying", "solidity", "solidly", "solids", "soliloquize", "soliloquized", "soliloquizes", "soliloquizing", "soliloquy", "solipsism", "solitaire", "solitariness", "solitary", "solitude", "solitudes", "solo", "soloist", "soloists", "solomon", "solos", "solstice", "solubility", "soluble", "solution", "solutions", "solvate", "solve", "solved", "solvency", "solvent", "solvents", "solver", "solvers", "solves", "solving", "solzhenitsyn", "somali", "somalia", "somatic", "somber", "somberly", "somberness", "sombrero", "sombreros", "some", "somebody", "someday", "somehow", "someone", "someplace", "somersault", "somersaulted", "somersaulting", "somersaults", "somersett", "something", "sometime", "sometimes", "someway", "somewhat", "somewhere", "somme", "somnambulant", "somnambulist", "somnambulists", "somnolence", "somnolent", "somnolently", "son", "sonar", "sonata", "sonatas", "song", "songbird", "songbook", "songful", "songs", "songster", "songsters", "sonic", "sonnet", "sonnets", "sonny", "sonorities", "sonority", "sonorous", "sonorously", "sonorousness", "sons", "sony", "soon", "sooner", "soonest", "soot", "soothe", "soothed", "soother", "soothes", "soothing", "soothingly", "soothsay", "soothsayer", "soothsayers", "sootiness", "sooty", "sop", "sophism", "sophist", "sophisticate", "sophisticated", "sophisticates", "sophistication", "sophistry", "sophoclean", "sophocles", "sophomore", "sophomores", "sophomoric", "soporific", "sopped", "sopping", "soppy", "soprano", "sopranos", "sops", "sorbet", "sorbets", "sorcerer", "sorcerers", "sorcery", "sordid", "sordidly", "sordidness", "sore", "sorely", "soreness", "sorer", "sores", "sorest", "sorghum", "sorrel", "sorrier", "sorriest", "sorrow", "sorrowful", "sorrowfully", "sorrows", "sorry", "sort", "sorted", "sorter", "sorters", "sortie", "sorting", "sorts", "sot", "souffle", "sought", "soul", "soulful", "soulfully", "soulfulness", "soulless", "souls", "sound", "sounded", "sounder", "sounding", "soundless", "soundlessly", "soundlessness", "soundly", "soundness", "soundproof", "soundproofed", "soundproofing", "soundproofs", "sounds", "soup", "soupcon", "soups", "soupy", "sour", "sourberry", "source", "sources", "sourdough", "soured", "souring", "sourish", "sourly", "sourness", "sours", "souse", "soutane", "south", "southbound", "southeast", "southeastern", "southerly", "southern", "southerner", "southerners", "southernisms", "southernmost", "southland", "southpaw", "southward", "southwards", "southwest", "southwestern", "souvenir", "souvenirs", "sovereign", "sovereigns", "sovereignty", "soviet", "soviets", "sow", "sowed", "sower", "sowing", "sown", "sows", "soy", "soya", "soybean", "soybeans", "spa", "space", "spacebar", "spacecraft", "spaced", "spaceman", "spacemen", "spacer", "spacers", "spaces", "spaceship", "spaceships", "spacesuit", "spacesuits", "spacing", "spacings", "spacious", "spaciously", "spaciousness", "spade", "spadeful", "spadefuls", "spades", "spading", "spaghetti", "spain", "span", "spangle", "spangled", "spangles", "spaniard", "spaniards", "spaniel", "spaniels", "spanish", "spank", "spanked", "spanking", "spankingly", "spanks", "spanned", "spanner", "spanners", "spanning", "spans", "spar", "spare", "spared", "sparerib", "spareribs", "spares", "sparing", "sparingly", "spark", "sparked", "sparking", "sparkle", "sparkled", "sparkler", "sparklers", "sparkles", "sparkling", "sparkly", "sparks", "sparred", "sparring", "sparrow", "sparrowhawk", "sparrowhawks", "sparrows", "spars", "sparse", "sparsely", "sparseness", "sparsity", "spartan", "spas", "spasm", "spasmodic", "spasmodically", "spasms", "spastic", "spastics", "spat", "spate", "spatial", "spatiality", "spatially", "spats", "spatter", "spatterdock", "spattered", "spattering", "spatters", "spatula", "spawn", "spawned", "spawning", "spawns", "speak", "speakeasies", "speakeasy", "speaker", "speakers", "speaking", "speaks", "spear", "speared", "spearhead", "spearheads", "spearing", "spearmint", "spears", "spearwort", "spec", "special", "specialist", "specialists", "speciality", "specialization", "specialize", "specialized", "specializes", "specializing", "specially", "specials", "specialties", "specialty", "species", "specifiable", "specific", "specificality", "specifically", "specification", "specifications", "specificity", "specifics", "specified", "specifier", "specifiers", "specifies", "specify", "specifying", "specimen", "specimens", "speciosity", "specious", "speciously", "speciousness", "speck", "specked", "speckle", "speckled", "speckles", "specks", "spectacle", "spectacles", "spectacular", "spectacularly", "spectator", "spectatorly", "spectators", "specter", "specters", "spectra", "spectral", "spectrally", "spectrogram", "spectrograph", "spectrography", "spectrometer", "spectrometric", "spectrometry", "spectrophotometer", "spectrophotometry", "spectroscope", "spectroscopic", "spectroscopically", "spectroscopy", "spectrum", "specula", "speculate", "speculated", "speculates", "speculating", "speculation", "speculations", "speculative", "speculatively", "speculator", "speculators", "speculum", "sped", "speech", "speeches", "speechless", "speechlessly", "speechlessness", "speed", "speedboat", "speeded", "speedily", "speediness", "speeding", "speedometer", "speedometers", "speeds", "speedup", "speedway", "speedwell", "speedy", "spell", "spellbind", "spellbinding", "spellbinds", "spellbound", "spellchecker", "spellcheckers", "spelled", "speller", "spelling", "spellings", "spells", "spelt", "spend", "spender", "spenders", "spending", "spends", "spendthrift", "spendthrifts", "spent", "sperm", "spermatophyte", "spermicidal", "spew", "spewed", "spewing", "spewings", "spews", "sphagnum", "sphere", "spheres", "spheric", "spherical", "spherically", "spheroid", "spheroidal", "sphincter", "sphinx", "sphygmomanometer", "spice", "spiced", "spices", "spiciness", "spicy", "spider", "spiders", "spiderwort", "spidery", "spied", "spies", "spiffy", "spike", "spiked", "spikes", "spiking", "spiky", "spill", "spillage", "spillages", "spilled", "spilling", "spills", "spilt", "spin", "spinach", "spinal", "spindle", "spindles", "spindly", "spine", "spined", "spineless", "spines", "spinet", "spinnaker", "spinner", "spinneret", "spinners", "spinning", "spinoff", "spinoza", "spins", "spinster", "spinsters", "spiny", "spiral", "spiraled", "spiraling", "spirally", "spirals", "spire", "spires", "spirit", "spirited", "spiritedly", "spiritedness", "spiriting", "spirits", "spiritual", "spiritualism", "spiritualist", "spiritualistic", "spiritualists", "spirituality", "spiritually", "spirituals", "spirituous", "spit", "spite", "spiteful", "spitefully", "spitefulness", "spitfire", "spitfires", "spits", "spitted", "spitting", "spittle", "spittoon", "spittoons", "splash", "splashed", "splashes", "splashily", "splashing", "splashy", "splatter", "splattered", "splattering", "splatters", "splay", "splayed", "splaying", "splays", "spleen", "spleens", "spleenwort", "splendid", "splendidly", "splendor", "splendors", "splice", "spliced", "splicer", "splicers", "splices", "splicing", "splint", "splinter", "splintered", "splinters", "splintery", "splinting", "splints", "split", "splits", "splitted", "splitting", "splotch", "splotched", "splotches", "splotchy", "splurge", "splurged", "splurges", "splutter", "spluttered", "spluttering", "splutters", "spoil", "spoilable", "spoilage", "spoiled", "spoiler", "spoiling", "spoils", "spoilt", "spoke", "spoken", "spokes", "spokesman", "spokesmen", "spokeswoman", "spokeswomen", "sponge", "sponged", "sponger", "spongers", "sponges", "sponging", "spongy", "sponsor", "sponsored", "sponsoring", "sponsors", "sponsorship", "spontaneity", "spontaneous", "spontaneously", "spontaneousness", "spoof", "spook", "spooks", "spooky", "spool", "spooled", "spooler", "spoolers", "spooling", "spools", "spoon", "spoonbill", "spoonbills", "spooned", "spoonful", "spoonfuls", "spooning", "spoons", "spoor", "spoors", "sporadic", "sporadically", "spore", "spores", "sport", "sported", "sportiest", "sporting", "sportive", "sports", "sportsman", "sportsmanlike", "sportsmanship", "sportsmen", "sportswear", "sportswoman", "sportswomen", "sportswriter", "sportswriting", "sporty", "spot", "spotless", "spotlessly", "spotlight", "spotlights", "spots", "spotted", "spotter", "spotting", "spotty", "spouse", "spouses", "spout", "spouted", "spouting", "spouts", "sprain", "sprained", "spraining", "sprains", "sprang", "sprat", "sprats", "sprawl", "sprawled", "sprawling", "sprawls", "sprawly", "spray", "sprayed", "sprayer", "spraying", "sprays", "spread", "spreader", "spreaders", "spreading", "spreads", "spreadsheet", "spreadsheets", "spree", "sprees", "sprig", "sprightlier", "sprightliest", "sprightly", "spring", "springboard", "springboards", "springed", "springers", "springfield", "springier", "springily", "springiness", "springing", "springs", "springtail", "springtime", "springy", "sprinkle", "sprinkled", "sprinkler", "sprinklers", "sprinkles", "sprinkling", "sprint", "sprinted", "sprinter", "sprinters", "sprinting", "sprints", "sprite", "sprites", "sprocket", "sprockets", "sprout", "sprouted", "sprouting", "sprouts", "spruce", "spruced", "sprucely", "spruceness", "spruces", "sprung", "spry", "spryer", "spryest", "spryly", "spryness", "spud", "spuds", "spun", "spunk", "spunky", "spur", "spurge", "spurious", "spuriously", "spuriousness", "spurn", "spurned", "spurning", "spurns", "spurred", "spurring", "spurs", "spurt", "spurted", "spurting", "spurts", "sputnik", "sputter", "sputtered", "sputtering", "sputters", "sputum", "spy", "spyglass", "spying", "squab", "squabble", "squabbled", "squabbler", "squabblers", "squabbles", "squabbling", "squad", "squadron", "squadrons", "squads", "squalid", "squalidly", "squall", "squalled", "squalling", "squalls", "squally", "squalor", "squander", "squandered", "squanderer", "squanderers", "squandering", "squanders", "square", "squared", "squarely", "squares", "squaring", "squash", "squashberry", "squashed", "squashes", "squashing", "squashy", "squat", "squats", "squatted", "squatter", "squatters", "squatting", "squaw", "squawbush", "squawk", "squawked", "squawking", "squawks", "squawroot", "squeak", "squeaked", "squeakier", "squeakiest", "squeaking", "squeaks", "squeaky", "squeal", "squealed", "squealer", "squealers", "squealing", "squeals", "squeamish", "squeamishness", "squeegee", "squeeze", "squeezed", "squeezer", "squeezers", "squeezes", "squeezing", "squelch", "squelched", "squelches", "squelching", "squelchy", "squib", "squibb", "squid", "squids", "squiggle", "squiggled", "squiggles", "squiggly", "squinancywort", "squint", "squinted", "squinter", "squinting", "squints", "squire", "squires", "squirm", "squirmed", "squirming", "squirms", "squirmy", "squirrel", "squirreled", "squirrels", "squirt", "squirted", "squirting", "squirts", "squishy", "sse", "ssw", "stab", "stabbed", "stabbing", "stabile", "stabilities", "stability", "stabilization", "stabilize", "stabilized", "stabilizer", "stabilizers", "stabilizes", "stabilizing", "stable", "stabled", "stableman", "stablemen", "stables", "stabling", "stably", "stabs", "staccato", "staccatos", "stacey", "stack", "stackable", "stacked", "stacker", "stacking", "stacks", "stadia", "stadion", "stadium", "staff", "staffed", "staffing", "staffs", "stag", "stage", "stagecoach", "staged", "stager", "stagers", "stages", "stagger", "staggered", "staggering", "staggeringly", "staggers", "staging", "stagna", "stagnant", "stagnate", "stagnated", "stagnates", "stagnating", "stagnation", "stags", "staid", "stain", "stained", "staining", "stainless", "stains", "stair", "staircase", "staircases", "stairs", "stairway", "stairways", "stairwell", "stairwells", "stake", "staked", "stakes", "staking", "stalactite", "stalactites", "stalagmite", "stalagmites", "stale", "stalemate", "staleness", "stalin", "stalk", "stalked", "stalker", "stalkers", "stalking", "stalks", "stall", "stalled", "stalling", "stallion", "stallions", "stalls", "stalwart", "stalwarts", "stamen", "stamens", "stamina", "staminate", "stammer", "stammered", "stammering", "stammers", "stamp", "stamped", "stampede", "stampeded", "stampedes", "stampeding", "stamping", "stamps", "stan", "stance", "stances", "stanches", "stanching", "stand", "standard", "standardization", "standardize", "standardized", "standardizes", "standardizing", "standards", "standby", "standing", "standoff", "standoffish", "standpoint", "stands", "standstill", "stanford", "stank", "stanley", "stannic", "stannous", "stanza", "stanzas", "staphylococcal", "staphylococcus", "staple", "stapled", "stapler", "staplers", "staples", "stapling", "star", "starboard", "starch", "starched", "starches", "starchiness", "starching", "starchy", "stardom", "stare", "stared", "starer", "stares", "starfish", "stargaze", "stargazed", "stargazer", "stargazers", "stargazes", "stargazing", "staring", "stark", "starkly", "starless", "starlet", "starlets", "starlight", "starling", "starlings", "starred", "starring", "starry", "stars", "start", "started", "starter", "starters", "starting", "startle", "startled", "startles", "startling", "startlingly", "starts", "starvation", "starve", "starved", "starves", "starving", "starwort", "stary", "stash", "stashed", "stashes", "stashing", "state", "stated", "stateless", "stateliness", "stately", "statement", "statements", "stateroom", "staterooms", "states", "statesman", "statesmanlike", "statesmanship", "statesmen", "stateswoman", "stateswomen", "statewide", "static", "statics", "stating", "station", "stationary", "stationed", "stationer", "stationers", "stationery", "stationing", "stationmaster", "stations", "statistic", "statistical", "statistically", "statistician", "statisticians", "statistics", "statuary", "statue", "statues", "statuesque", "statuesquely", "statuesqueness", "statuette", "stature", "status", "statuses", "statute", "statutes", "statutory", "staunch", "staunched", "stauncher", "staunches", "staunchest", "staunchly", "stave", "staved", "staves", "staving", "stay", "stayed", "stayer", "stayers", "staying", "stays", "std", "stead", "steadfast", "steadfastly", "steadfastness", "steadied", "steadier", "steadies", "steadiest", "steadily", "steadiness", "steady", "steadying", "steak", "steaks", "steal", "stealer", "stealers", "stealing", "steals", "stealth", "stealthily", "stealthy", "steam", "steamboat", "steamboats", "steamed", "steamer", "steamers", "steamily", "steaming", "steams", "steamship", "steamships", "steamy", "steed", "steel", "steeled", "steeling", "steels", "steelworks", "steely", "steelyard", "steep", "steeped", "steepen", "steeper", "steepest", "steeping", "steeple", "steeplebush", "steeplechase", "steeplechaser", "steeplejack", "steeplejacks", "steeples", "steeply", "steepness", "steeps", "steer", "steerage", "steered", "steering", "steers", "stele", "stellar", "stem", "stemmed", "stemming", "stems", "stench", "stenches", "stencil", "stenciled", "stenciling", "stencils", "stenographer", "stenographers", "stenography", "stenotype", "step", "stepchild", "stepfather", "stepfathers", "stephanie", "stephanotis", "stephen", "stephens", "stepladders", "stepmother", "stepmothers", "steppe", "stepped", "steppes", "stepping", "steprelation", "steps", "stepson", "stepsons", "stepwise", "stereo", "stereography", "stereophonic", "stereos", "stereoscope", "stereoscopy", "stereotype", "stereotyped", "stereotypes", "stereotyping", "sterile", "sterility", "sterilization", "sterilize", "sterilized", "sterilizes", "sterilizing", "sterling", "stern", "sterna", "sterner", "sternest", "sternly", "steroid", "steroids", "stet", "stethoscope", "stethoscopes", "stetson", "steve", "stevedore", "stevedores", "steven", "stew", "steward", "stewarded", "stewardess", "stewardesses", "stewarding", "stewards", "stewardship", "stewed", "stewing", "stews", "stick", "sticker", "stickers", "stickier", "stickiest", "sticking", "stickleback", "sticklebacks", "stickler", "sticks", "sticky", "sties", "stiff", "stiffen", "stiffened", "stiffener", "stiffeners", "stiffening", "stiffens", "stiffer", "stiffest", "stiffly", "stiffness", "stiffs", "stifle", "stifled", "stifles", "stifling", "stigma", "stigmas", "stigmata", "stigmatize", "stigmatized", "stigmatizes", "stigmatizing", "stile", "stiles", "stiletto", "stilettos", "still", "stillbirth", "stillbirths", "stilled", "stillness", "stills", "stillwater", "stilt", "stilted", "stilton", "stilts", "stimulant", "stimulants", "stimulate", "stimulated", "stimulates", "stimulating", "stimulation", "stimulations", "stimulatory", "stimuli", "stimulus", "sting", "stinging", "stings", "stingy", "stink", "stinking", "stinkpot", "stinks", "stinky", "stint", "stinted", "stinting", "stints", "stipend", "stipple", "stippled", "stipples", "stippling", "stipulate", "stipulated", "stipulates", "stipulating", "stipulation", "stipulations", "stipulatory", "stir", "stirred", "stirrer", "stirring", "stirringly", "stirrings", "stirrup", "stirrups", "stirs", "stitch", "stitchcraft", "stitched", "stitcher", "stitches", "stitching", "stitchwort", "stoat", "stoats", "stock", "stockade", "stockades", "stockbroker", "stockbrokers", "stocked", "stockholder", "stockholders", "stockholm", "stockily", "stockiness", "stocking", "stockings", "stockman", "stockpile", "stockpiled", "stockpiles", "stockpiling", "stockroom", "stockrooms", "stocks", "stocky", "stodginess", "stodgy", "stoic", "stoical", "stoichiometric", "stoichiometry", "stoicism", "stoics", "stoke", "stoked", "stoker", "stokers", "stokes", "stoking", "stole", "stolen", "stoles", "stolid", "stolidly", "stomach", "stomached", "stomachful", "stomaching", "stomachs", "stomp", "stomped", "stomping", "stomps", "stone", "stoned", "stoneless", "stones", "stonewall", "stonewalled", "stonewaller", "stonewallers", "stonewalling", "stonewalls", "stoneware", "stoneworker", "stonewort", "stonily", "stoning", "stony", "stood", "stooge", "stooged", "stooges", "stooging", "stool", "stools", "stoop", "stooped", "stooping", "stoopingly", "stoops", "stop", "stopband", "stopcock", "stopcocks", "stopgap", "stopover", "stopovers", "stoppability", "stoppable", "stoppage", "stoppages", "stopped", "stopper", "stoppers", "stopping", "stops", "stopwatch", "storable", "storage", "store", "stored", "storehouse", "storehouses", "storekeeper", "storekeepers", "storeroom", "storerooms", "stores", "storied", "stories", "storing", "stork", "storks", "storm", "stormbound", "stormed", "stormily", "storminess", "storming", "storms", "stormy", "story", "storyteller", "storytellers", "stout", "stoutly", "stoutness", "stove", "stoved", "stoves", "stoving", "stow", "stowage", "stowaway", "stowaways", "stowed", "stowing", "stows", "straddle", "straddled", "straddles", "straddling", "strafe", "strafed", "strafes", "strafing", "straggle", "straggled", "straggler", "stragglers", "straggles", "straggling", "straggly", "straight", "straighten", "straightened", "straightening", "straightens", "straighter", "straightest", "straightforward", "straightforwardly", "straightforwardness", "straightly", "straightness", "straightway", "strain", "strained", "strainer", "strainers", "straining", "strains", "strait", "straitened", "straitjacket", "straitjackets", "straits", "strand", "stranded", "stranding", "strands", "strange", "strangely", "strangeness", "stranger", "strangers", "strangest", "strangle", "strangled", "stranglehold", "strangleholds", "strangler", "stranglers", "strangles", "strangling", "strangulate", "strangulation", "strap", "strapless", "strapped", "strapping", "straps", "strapwort", "strata", "stratagem", "stratagems", "strategic", "strategically", "strategies", "strategist", "strategists", "strategy", "stratification", "stratified", "stratifies", "stratify", "stratosphere", "stratospheric", "stratum", "strauss", "stravinsky", "straw", "strawberries", "strawberry", "straws", "stray", "strayed", "straying", "strays", "streak", "streaked", "streakier", "streaking", "streaks", "stream", "streamed", "streamer", "streamers", "streaming", "streamline", "streamlined", "streamlines", "streamlining", "streams", "street", "streetcar", "streetcars", "streetlight", "streetlights", "streets", "strength", "strengthen", "strengthened", "strengthening", "strengthens", "strengthless", "strengths", "strenuous", "strenuously", "strenuousness", "streptococcus", "streptomycin", "stress", "stressed", "stresses", "stressful", "stressing", "stretch", "stretched", "stretcher", "stretchers", "stretches", "stretching", "stretchy", "strew", "strewed", "strewing", "strewn", "strews", "striate", "stricken", "strict", "stricter", "strictest", "strictly", "strictness", "stricture", "strictures", "stride", "strident", "stridently", "strider", "strides", "striding", "strife", "strike", "strikebreak", "strikebreakers", "striker", "strikers", "strikes", "striking", "strikingly", "string", "stringed", "stringent", "stringently", "stringentness", "stringing", "strings", "stringy", "strip", "stripe", "striped", "stripes", "stripiness", "striping", "stripped", "stripper", "strippers", "stripping", "strips", "striptease", "stripy", "strive", "strived", "striven", "strives", "striving", "strivings", "strobe", "strobed", "strobes", "strobing", "stroboscopic", "strode", "stroganoff", "stroke", "stroked", "strokes", "stroking", "stroll", "strolled", "stroller", "strollers", "strolling", "strolls", "strong", "strongarm", "stronger", "strongest", "stronghold", "strongholds", "strongly", "strongroom", "strongrooms", "strontium", "strop", "stropped", "stropping", "strove", "struck", "structural", "structurally", "structure", "structured", "structures", "structuring", "strudel", "struggle", "struggled", "struggler", "strugglers", "struggles", "struggling", "strum", "strumming", "strumpet", "strumpets", "strung", "strut", "struts", "strutted", "strutting", "strychnine", "stub", "stubbed", "stubbing", "stubble", "stubborn", "stubbornly", "stubbornness", "stubby", "stubs", "stucco", "stuck", "stud", "studded", "studding", "student", "students", "studied", "studiedly", "studiedness", "studies", "studio", "studios", "studious", "studiously", "studiousness", "studs", "study", "studying", "stuff", "stuffed", "stuffily", "stuffiness", "stuffing", "stuffs", "stuffy", "stultified", "stultifies", "stultify", "stultifying", "stumble", "stumbled", "stumbler", "stumblers", "stumbles", "stumbling", "stump", "stumpage", "stumped", "stumping", "stumps", "stumpy", "stun", "stung", "stunk", "stunned", "stunning", "stunningly", "stuns", "stunt", "stunted", "stunting", "stuntman", "stuntmen", "stunts", "stupefaction", "stupefied", "stupefies", "stupefy", "stupefying", "stupendous", "stupendously", "stupid", "stupider", "stupidest", "stupidities", "stupidity", "stupidly", "stupidness", "stupor", "sturdier", "sturdiest", "sturdily", "sturdiness", "sturdy", "sturgeon", "sturgeons", "stutter", "stuttered", "stuttering", "stutteringly", "stutters", "stuttgart", "stuyvesant", "sty", "style", "styled", "styles", "styli", "styling", "stylish", "stylishly", "stylishness", "stylist", "stylistic", "stylists", "stylites", "stylization", "stylize", "stylized", "stylizing", "stylus", "styluses", "stymie", "stymied", "stymies", "styptic", "styrene", "styrenes", "styrofoam", "styx", "sua", "suave", "suavely", "suavity", "sub", "subbing", "subclass", "subcommand", "subcommittee", "subconscious", "subconsciously", "subconsciousness", "subcontinent", "subcontract", "subcontracted", "subcontracting", "subcontractor", "subcontractors", "subcontracts", "subculture", "subcultures", "subdirectories", "subdirectory", "subdivide", "subdivided", "subdivides", "subdividing", "subdivision", "subdivisions", "subdue", "subdued", "subdues", "subduing", "subfusc", "subgroup", "subgroups", "subject", "subjected", "subjecting", "subjection", "subjective", "subjectively", "subjectivist", "subjectivists", "subjectivity", "subjects", "subjoin", "subjugate", "subjugated", "subjugates", "subjugating", "subjugation", "subjugator", "subjugators", "subjunctive", "sublease", "subleased", "subleases", "subleasing", "sublet", "sublets", "subletting", "sublimate", "sublimated", "sublimates", "sublimating", "sublimation", "sublime", "sublimely", "subliminal", "sublimity", "submarine", "submariners", "submarines", "submenu", "submerge", "submerged", "submerges", "submerging", "submersible", "submersion", "submersions", "submission", "submissions", "submissive", "submissively", "submissiveness", "submit", "submits", "submittal", "submitted", "submitting", "subnormal", "subnormality", "subnormally", "subordinate", "subordinated", "subordinates", "subordinating", "subordination", "suborn", "suborned", "suborning", "suborns", "subpoena", "subpoenas", "subprocess", "subrogation", "subroutine", "subroutines", "subs", "subscribe", "subscribed", "subscriber", "subscribers", "subscribes", "subscribing", "subscript", "subscripted", "subscripting", "subscription", "subscriptions", "subscripts", "subsection", "subsections", "subsequence", "subsequent", "subsequently", "subservience", "subservient", "subserviently", "subset", "subsets", "subside", "subsided", "subsidence", "subsides", "subsidiaries", "subsidiary", "subsidies", "subsiding", "subsidize", "subsidized", "subsidizes", "subsidizing", "subsidy", "subsist", "subsisted", "subsistence", "subsistent", "subsisting", "subsists", "subsoil", "subspecies", "substance", "substances", "substandard", "substantial", "substantially", "substantiate", "substantiated", "substantiates", "substantiating", "substantiation", "substantive", "substantively", "substituent", "substitute", "substituted", "substitutes", "substituting", "substitution", "substitutionary", "substitutions", "substrate", "substrates", "substratum", "substring", "substructure", "substructures", "subsume", "subsumed", "subsuming", "subsystem", "subsystems", "subtend", "subterfuge", "subterfuges", "subterranean", "subterraneous", "subterraneously", "subtitle", "subtitled", "subtitles", "subtitling", "subtle", "subtler", "subtlest", "subtleties", "subtlety", "subtly", "subtotal", "subtract", "subtracted", "subtracting", "subtraction", "subtractions", "subtracts", "subtropical", "subunit", "suburb", "suburban", "suburbanite", "suburbanites", "suburbanized", "suburbia", "suburbs", "subversion", "subversive", "subversives", "subvert", "subverted", "subverting", "subverts", "subway", "subways", "succeed", "succeeded", "succeeding", "succeeds", "success", "successes", "successful", "successfully", "successfulness", "succession", "successive", "successively", "successor", "successors", "succinct", "succinctly", "succinctness", "succor", "succored", "succoring", "succors", "succulence", "succulent", "succulently", "succumb", "succumbed", "succumbing", "succumbs", "such", "suchlike", "suck", "sucked", "sucker", "suckers", "sucking", "suckle", "suckled", "suckles", "suckling", "sucks", "sucrose", "suction", "sudan", "sudanese", "sudbury", "sudden", "suddenly", "suddenness", "suds", "sue", "sued", "suede", "sues", "suet", "suez", "suffer", "sufferable", "sufferably", "sufferance", "suffered", "sufferer", "sufferers", "suffering", "suffers", "suffice", "sufficed", "suffices", "sufficiency", "sufficient", "sufficiently", "sufficing", "suffix", "suffixed", "suffixes", "suffixing", "suffocate", "suffocated", "suffocates", "suffocating", "suffocatingly", "suffocation", "suffolk", "suffrage", "suffragette", "suffragettes", "suffuse", "suffused", "sugar", "sugarcane", "sugared", "sugars", "sugary", "suggest", "suggested", "suggestibility", "suggestible", "suggesting", "suggestion", "suggestions", "suggestive", "suggestively", "suggestiveness", "suggests", "suicidal", "suicidally", "suicide", "suicides", "suing", "suit", "suitability", "suitable", "suitably", "suitcase", "suitcases", "suite", "suited", "suites", "suiting", "suitor", "suitors", "suits", "sulfa", "sulfate", "sulfide", "sulfite", "sulfonamide", "sulfur", "sulfured", "sulfuric", "sulfurous", "sulk", "sulked", "sulkier", "sulkies", "sulkiest", "sulkily", "sulking", "sulks", "sulky", "sullen", "sullenest", "sullenly", "sully", "sullying", "sultan", "sultana", "sultanas", "sultans", "sultry", "sum", "sumatra", "summaries", "summarily", "summarization", "summarize", "summarized", "summarizes", "summarizing", "summary", "summed", "summer", "summers", "summertime", "summing", "summit", "summitry", "summits", "summon", "summoned", "summoner", "summoners", "summoning", "summons", "summonsed", "summonses", "summonsing", "sumptuous", "sumptuously", "sumptuousness", "sums", "sun", "sunbaked", "sunbathe", "sunbathed", "sunbathes", "sunbathing", "sunbeam", "sunbeams", "sunbonnet", "sunburn", "sunburned", "sunburnt", "sundae", "sundaes", "sunday", "sundays", "sunder", "sundial", "sundials", "sundown", "sundries", "sundry", "sunfish", "sunflower", "sunflowers", "sung", "sunglasses", "sunk", "sunken", "sunless", "sunlight", "sunlit", "sunned", "sunnily", "sunniness", "sunning", "sunny", "sunrise", "sunrises", "suns", "sunset", "sunsets", "sunshade", "sunshades", "sunshine", "sunshining", "sunshiny", "sunspot", "sunspots", "suntan", "suntanned", "suntanning", "suntans", "sunup", "sup", "super", "superabundance", "superabundant", "superabundantly", "superannuate", "superannuated", "superannuation", "superb", "superbasic", "superbly", "superbness", "supercharge", "supercharged", "superciliary", "supercilious", "superciliously", "superciliousness", "superego", "superficial", "superficiality", "superficially", "superfluity", "superfluous", "superfluously", "superfluousness", "superhuman", "superhumanly", "superimpose", "superimposed", "superimposes", "superimposing", "superintend", "superintended", "superintendent", "superintendents", "superintending", "superintends", "superior", "superiority", "superiors", "superlative", "superlatively", "superlativeness", "superlatives", "superman", "supermarket", "supermarkets", "supernatural", "supernaturalism", "supernaturally", "supernova", "supernumeraries", "supernumerary", "superscript", "supersede", "superseded", "supersedes", "superseding", "supersonic", "superstition", "superstitions", "superstitious", "superstitiously", "superstitiousness", "superstructure", "supertoolkit", "supervene", "supervened", "supervise", "supervised", "supervises", "supervising", "supervision", "supervisor", "supervisors", "supervisory", "supine", "supinely", "supineness", "supped", "supper", "suppers", "supping", "supplant", "supplanted", "supplanting", "supplants", "supple", "supplement", "supplementary", "supplemented", "supplementing", "supplements", "suppleness", "supplicant", "supplicants", "supplicate", "supplicating", "supplication", "supplications", "supplied", "supplier", "suppliers", "supplies", "supply", "supplying", "support", "supportable", "supportably", "supported", "supporter", "supporters", "supporting", "supportive", "supportively", "supports", "supposable", "suppose", "supposed", "supposedly", "supposes", "supposing", "supposition", "suppositional", "suppositions", "suppositories", "suppository", "suppress", "suppressed", "suppressedly", "suppresser", "suppressers", "suppresses", "suppressible", "suppressing", "suppression", "suppressive", "suppressively", "suppurative", "supra", "supranational", "supremacy", "supreme", "supremely", "sups", "surabaya", "surcharge", "surcharged", "surcharges", "surcharging", "sure", "surefooted", "surefootedly", "surely", "sureness", "surest", "sureties", "surety", "surf", "surface", "surfaced", "surfaces", "surfacing", "surfactant", "surfboard", "surfboards", "surfeit", "surfeited", "surfeiting", "surfeits", "surfer", "surfers", "surfing", "surge", "surged", "surgeon", "surgeons", "surgeries", "surgery", "surges", "surgical", "surgically", "surging", "surinam", "surly", "surmisable", "surmise", "surmised", "surmises", "surmising", "surmount", "surmountable", "surmountably", "surmounted", "surmounting", "surmounts", "surname", "surnames", "surpass", "surpassable", "surpassably", "surpassed", "surpasses", "surpassing", "surplus", "surpluses", "surprise", "surprised", "surprisers", "surprises", "surprising", "surprisingly", "surreal", "surrealism", "surrealist", "surrealistic", "surrealists", "surrender", "surrendered", "surrendering", "surrenders", "surreptitious", "surreptitiously", "surrey", "surrogate", "surrogates", "surround", "surrounded", "surrounding", "surroundings", "surrounds", "surtax", "surveillance", "surveillant", "survey", "surveyed", "surveying", "surveyor", "surveyors", "surveys", "survivability", "survival", "survivalist", "survivalists", "survivals", "survive", "survived", "survives", "surviving", "survivor", "survivors", "survivorship", "susan", "susceptibility", "susceptible", "susceptibly", "sushi", "suspect", "suspected", "suspecting", "suspects", "suspend", "suspended", "suspender", "suspenders", "suspending", "suspends", "suspense", "suspension", "suspensions", "suspensor", "suspicion", "suspicions", "suspicious", "suspiciously", "suspiciousness", "sustain", "sustainable", "sustained", "sustaining", "sustains", "sustenance", "suture", "sutures", "suus", "suzerain", "suzerainty", "swab", "swabbed", "swabbing", "swabs", "swag", "swagger", "swaggered", "swaggering", "swaggers", "swahili", "swain", "swallow", "swallowed", "swallowing", "swallows", "swallowtail", "swam", "swamp", "swamped", "swamping", "swamps", "swampy", "swan", "swank", "swanks", "swanky", "swanlike", "swanned", "swanning", "swans", "swansea", "swap", "swapped", "swapping", "swaps", "swarm", "swarmed", "swarming", "swarms", "swashbuckle", "swashbuckled", "swashbuckler", "swashbucklers", "swashbuckling", "swastika", "swastikas", "swat", "swatch", "swatches", "swath", "swathe", "swathed", "swathes", "swathing", "swathings", "swats", "swatted", "swatter", "swatters", "swatting", "sway", "swayed", "swaying", "sways", "swaziland", "swear", "swearer", "swearing", "swears", "swearword", "swearwords", "sweat", "sweatband", "sweatbands", "sweated", "sweater", "sweaters", "sweating", "sweats", "sweatshirt", "sweatshirts", "sweatshop", "sweatshops", "sweaty", "swede", "sweden", "swedes", "swedish", "sweep", "sweeper", "sweepers", "sweeping", "sweepingly", "sweepings", "sweeps", "sweepstake", "sweepstakes", "sweet", "sweetbread", "sweetbreads", "sweetcorn", "sweeten", "sweetened", "sweetener", "sweeteners", "sweetening", "sweetens", "sweeter", "sweetest", "sweetheart", "sweethearts", "sweetish", "sweetly", "sweetmeat", "sweetmeats", "sweetness", "sweetpeas", "sweets", "swell", "swelled", "swelling", "swellings", "swells", "swelt", "swelter", "sweltered", "sweltering", "swelters", "swept", "swerve", "swerved", "swerves", "swerving", "swift", "swifter", "swiftest", "swiftly", "swiftness", "swifts", "swig", "swigged", "swigging", "swill", "swim", "swimmer", "swimmers", "swimming", "swimmingly", "swims", "swimsuit", "swimsuits", "swindle", "swindled", "swindler", "swindlers", "swindles", "swindling", "swine", "swinecress", "swing", "swingable", "swinged", "swinging", "swings", "swingy", "swinish", "swipe", "swiped", "swipes", "swiping", "swirl", "swirled", "swirling", "swirls", "swirly", "swish", "swished", "swishes", "swishy", "swiss", "switch", "switchblade", "switchboard", "switchboards", "switched", "switcher", "switches", "switchgear", "switching", "switchman", "switzerland", "swivel", "swiveled", "swiveling", "swivels", "swizzle", "swollen", "swoon", "swooned", "swooning", "swooningly", "swoons", "swoop", "swooped", "swooping", "swoops", "swop", "swopped", "swopping", "swops", "sword", "swordfish", "swordplay", "swords", "swordsman", "swordsmen", "swore", "sworn", "swum", "swung", "sycamore", "sycamores", "sycophancy", "sycophant", "sycophantic", "sycophants", "sydney", "syllabi", "syllabic", "syllabification", "syllabify", "syllable", "syllables", "syllabub", "syllabus", "syllabuses", "syllogism", "syllogisms", "syllogistic", "sylph", "symbiosis", "symbiotic", "symbol", "symbolic", "symbolical", "symbolically", "symbolics", "symbolism", "symbolists", "symbolize", "symbolized", "symbolizes", "symbolizing", "symbols", "symmetric", "symmetrical", "symmetrically", "symmetry", "sympathetic", "sympathetically", "sympathies", "sympathize", "sympathized", "sympathizer", "sympathizers", "sympathizes", "sympathizing", "sympathy", "symphonic", "symphonies", "symphony", "symposia", "symposium", "symptom", "symptomatic", "symptomatically", "symptoms", "synagogue", "synagogues", "synapse", "synapses", "sync", "synchronism", "synchronization", "synchronize", "synchronized", "synchronizers", "synchronizes", "synchronizing", "synchronous", "synchronously", "synchronousness", "synchrony", "syncopate", "syncopation", "syndicate", "syndicated", "syndicates", "syndicating", "syndication", "syndrome", "syndromes", "syndromic", "synergism", "synergistic", "synergy", "synod", "synodal", "synods", "synonym", "synonymous", "synonymously", "synonyms", "synonymy", "synopses", "synopsis", "synoptic", "syntactic", "syntactical", "syntactically", "syntax", "syntaxes", "syntheses", "synthesis", "synthesize", "synthesized", "synthesizes", "synthesizing", "synthetic", "synthetically", "synthetics", "syphilis", "syphon", "syracuse", "syria", "syrian", "syringe", "syringed", "syringes", "syringing", "syrup", "syrups", "syrupy", "system", "systematic", "systematically", "systematization", "systematize", "systematized", "systematizes", "systematizing", "systemization", "systems", "tab", "tabasco", "tabbed", "tabbing", "tabby", "tabernacle", "tabernacles", "table", "tableau", "tableaux", "tablecloth", "tablecloths", "tabled", "tableland", "tables", "tablespoon", "tablespoonful", "tablespoonfuls", "tablespoons", "tablet", "tablets", "tabling", "tabloid", "tabloids", "taboo", "taboos", "tabs", "tabula", "tabular", "tabulate", "tabulated", "tabulates", "tabulating", "tabulation", "tabulations", "tabulator", "tabulators", "tabulatory", "tachinid", "tachometer", "tacit", "tacitly", "taciturn", "taciturnly", "tack", "tacked", "tackiness", "tacking", "tackle", "tackled", "tackles", "tackling", "tacks", "tacky", "tact", "tactful", "tactfully", "tactfulness", "tactic", "tactical", "tactically", "tactician", "tacticians", "tactics", "tactile", "tactless", "tactlessly", "tactlessness", "tacts", "tactual", "tactually", "tadpole", "tadpoles", "taffeta", "taffy", "tag", "tagged", "tagging", "tags", "tahiti", "taiga", "tail", "tailback", "tailbacks", "tailboard", "tailed", "tailgate", "tailing", "tailless", "tailor", "tailored", "tailoring", "tailors", "tails", "taint", "tainted", "tainting", "taintless", "taintlessly", "taints", "taipei", "taiwan", "take", "taken", "takeoff", "takeoffs", "takeover", "takeovers", "taker", "takers", "takes", "taking", "takingly", "takings", "talas", "talc", "talcum", "tale", "talebearer", "talebearers", "talebearing", "talent", "talented", "talentless", "talents", "tales", "talisman", "talismanic", "talismans", "talk", "talkative", "talkatively", "talkativeness", "talked", "talker", "talkers", "talkie", "talkies", "talking", "talks", "talky", "tall", "tallboy", "tallboys", "taller", "tallest", "tallied", "tallies", "tallinn", "tallness", "tallow", "tally", "tallyho", "tallying", "talmud", "talmudic", "talon", "talons", "tam", "tamable", "tamale", "tamarind", "tambourine", "tambourines", "tame", "tamed", "tamely", "tameness", "tamer", "tamers", "tames", "tamil", "tamils", "taming", "tamp", "tampa", "tamped", "tamper", "tampered", "tampering", "tampers", "tamping", "tampon", "tampons", "tamps", "tan", "tandem", "tandems", "tang", "tanganyika", "tangency", "tangent", "tangential", "tangentially", "tangents", "tangerine", "tangerines", "tangibility", "tangible", "tangibly", "tangier", "tangle", "tangled", "tanglement", "tangles", "tangling", "tango", "tangos", "tangs", "tangshan", "tangy", "tank", "tankage", "tankard", "tankards", "tanked", "tanker", "tankers", "tankful", "tankfuls", "tanking", "tanks", "tanned", "tanner", "tanners", "tannery", "tannic", "tannin", "tanning", "tans", "tansy", "tantalize", "tantalized", "tantalizes", "tantalizing", "tantalizingly", "tantalum", "tantalus", "tantamount", "tantrum", "tantrums", "tanzania", "tanzanian", "taoism", "taoist", "taos", "tap", "tape", "taped", "taper", "tapered", "tapering", "tapers", "tapes", "tapestries", "tapestry", "tapeworm", "tapeworms", "taping", "tapioca", "tapir", "tapped", "tapper", "tappers", "tappet", "tappets", "tapping", "taproom", "taprooms", "taproot", "taps", "tar", "taramasalata", "tarantella", "tarantula", "tardily", "tardiness", "tardy", "target", "targeted", "targeting", "targets", "tariff", "tariffs", "tarmac", "tarmacadam", "tarnish", "tarnishability", "tarnishable", "tarnished", "tarnishes", "tarnishing", "tarns", "taro", "tarpaulin", "tarpaulins", "tarragon", "tarred", "tarried", "tarries", "tarring", "tarry", "tarrying", "tars", "tarsal", "tart", "tartan", "tartans", "tartar", "tarted", "tartlet", "tartlets", "tartly", "tarts", "tarzan", "tashkent", "task", "tasked", "tasking", "taskmaster", "tasks", "tasmania", "tasmanian", "tassel", "tassels", "taste", "tasted", "tasteful", "tastefully", "tasteless", "tastelessness", "taster", "tasters", "tastes", "tastily", "tastiness", "tasting", "tasty", "tat", "tatted", "tatter", "tattered", "tattering", "tatters", "tattily", "tatting", "tattle", "tattler", "tattles", "tattoo", "tattooed", "tattooing", "tattoos", "tatty", "taught", "taunt", "taunted", "taunter", "taunters", "taunting", "tauntingly", "taunts", "taurus", "taut", "tauter", "tautly", "tautness", "tautologies", "tautologous", "tautology", "tavern", "taverner", "taverns", "tawdriness", "tawdry", "tawny", "tax", "taxable", "taxation", "taxed", "taxes", "taxi", "taxicab", "taxicabs", "taxidermist", "taxidermists", "taxidermy", "taxied", "taxies", "taxiing", "taxing", "taxis", "taxonomy", "taxpayer", "taxpayers", "taxpaying", "taylor", "tchaikovsky", "tea", "teacaddy", "teacake", "teacakes", "teacart", "teach", "teachability", "teachable", "teacher", "teachers", "teaches", "teaching", "teachings", "teacup", "teacups", "teahouse", "teahouses", "teak", "teakwood", "teal", "teals", "team", "teamed", "teaming", "teammate", "teammates", "teams", "teamster", "teamsters", "teamwise", "teamwork", "teapot", "teapotful", "teapotfuls", "teapots", "tear", "tearaway", "tearaways", "teardrop", "teared", "tearful", "tearfully", "teargas", "tearing", "tears", "teas", "tease", "teased", "teasel", "teaser", "teasers", "teases", "teashop", "teashops", "teasing", "teaspoon", "teaspoonful", "teaspoonfuls", "teaspoons", "teat", "teats", "technetium", "technic", "technical", "technicalities", "technicality", "technically", "technician", "technicians", "technicolor", "technique", "techniques", "technological", "technologically", "technologies", "technologist", "technologists", "technology", "tectonic", "ted", "teddies", "teddy", "tedious", "tediously", "tediousness", "tedium", "tee", "teeing", "teem", "teemed", "teeming", "teems", "teen", "teenage", "teenager", "teenagers", "teens", "teensy", "teeny", "teepee", "teepees", "tees", "teet", "teeter", "teetered", "teetering", "teeters", "teeth", "teethe", "teethes", "teething", "teetotal", "teetotaler", "teetotalers", "teflon", "tegucigalpa", "teheran", "tehran", "tektronix", "tel", "tele", "telecast", "telecommunicate", "telecommunication", "telecommunications", "teleconference", "telefax", "telegram", "telegrams", "telegraph", "telegraphed", "telegrapher", "telegraphers", "telegraphic", "telegraphically", "telegraphing", "telegraphist", "telegraphists", "telegraphs", "telegraphy", "telekinesis", "telemeter", "telemetric", "telemetry", "telepathic", "telepathically", "telepathy", "telephone", "telephoned", "telephones", "telephonic", "telephonically", "telephoning", "telephonist", "telephonists", "telephony", "telephoto", "telephotographic", "telephotography", "teleport", "teleprinter", "teleprinters", "teleprocessing", "teleprompter", "telescope", "telescoped", "telescopes", "telescopic", "telescopically", "telescoping", "teletype", "teletypes", "teletypesetting", "televise", "televised", "televises", "televising", "television", "televisions", "telex", "telexed", "telexes", "telexing", "tell", "tellable", "teller", "tellers", "telling", "tells", "telltale", "tellurium", "temerity", "temp", "temper", "temperable", "temperament", "temperamental", "temperamentally", "temperaments", "temperance", "temperate", "temperately", "temperateness", "temperature", "temperatures", "tempered", "tempering", "tempers", "tempest", "tempests", "tempestuous", "tempestuously", "tempestuousness", "template", "templates", "temple", "templed", "temples", "templet", "tempo", "temporal", "temporally", "temporarily", "temporary", "temporis", "temporize", "temporized", "temporizer", "temporizers", "temporizes", "temporizing", "temporizingly", "tempos", "temps", "tempt", "temptation", "temptations", "tempted", "tempter", "tempters", "tempting", "temptingly", "temptingness", "temptress", "temptresses", "tempts", "ten", "tenability", "tenable", "tenableness", "tenacious", "tenaciously", "tenaciousness", "tenacity", "tenancies", "tenancy", "tenant", "tenanted", "tenants", "tench", "tencon", "tend", "tended", "tendencies", "tendency", "tendentious", "tendentiously", "tendentiousness", "tender", "tendered", "tenderer", "tenderest", "tenderfoot", "tendering", "tenderize", "tenderized", "tenderizer", "tenderizers", "tenderizes", "tenderizing", "tenderloin", "tenderly", "tenderness", "tenders", "tending", "tendon", "tendons", "tendril", "tendrils", "tends", "tenement", "tenements", "tenens", "tenere", "tenet", "tenets", "tenfold", "tennessee", "tennis", "tenor", "tenors", "tenpin", "tens", "tense", "tensed", "tensely", "tenseness", "tenses", "tensile", "tensing", "tension", "tensional", "tensioning", "tensionless", "tensions", "tensor", "tent", "tentacle", "tentacled", "tentacles", "tentative", "tentatively", "tentativeness", "tenter", "tenterhooks", "tenth", "tenths", "tenting", "tents", "tenuit", "tenuous", "tenuously", "tenuousness", "tenure", "tenures", "tepid", "tepidity", "tepidness", "tequila", "terbium", "term", "termagancy", "termagant", "termagantly", "termed", "terminability", "terminable", "terminableness", "terminably", "terminal", "terminally", "terminals", "terminate", "terminated", "terminates", "terminating", "termination", "terminations", "terminative", "terminatively", "terminator", "terminators", "terminatory", "terming", "termini", "terminological", "terminologically", "terminologies", "terminology", "terminus", "termite", "termites", "termless", "terms", "tern", "ternary", "terns", "terra", "terrace", "terraced", "terraces", "terracing", "terrain", "terramycin", "terrapin", "terrestrial", "terrestrially", "terrible", "terribleness", "terribly", "terrier", "terriers", "terrific", "terrifically", "terrified", "terrifies", "terrify", "terrifying", "terrine", "terrines", "territorial", "territorially", "territories", "territory", "terror", "terrorism", "terrorist", "terrorists", "terrorization", "terrorize", "terrorized", "terrorizes", "terrorizing", "terrors", "terry", "terse", "tersely", "terseness", "tertian", "tertiary", "test", "testability", "testable", "testament", "testamentary", "testaments", "testate", "testator", "testators", "testatrix", "testatrixes", "tested", "tester", "testers", "testes", "testicle", "testicles", "testicular", "testification", "testified", "testifier", "testifiers", "testifies", "testify", "testifying", "testily", "testimonial", "testimonials", "testimonies", "testimony", "testing", "testings", "tests", "testy", "tetanus", "tether", "tethered", "tethering", "tethers", "tetrachloride", "tetracycline", "tetrafluouride", "tetragonal", "tetrahedra", "tetrahedral", "tetrahedron", "tetravalent", "teutonic", "texaco", "texan", "texans", "texas", "text", "textbook", "textbooks", "textile", "textiles", "texts", "textual", "textually", "textural", "texture", "textured", "textureless", "textures", "thai", "thailand", "thalami", "thallium", "than", "thane", "thank", "thanked", "thankful", "thankfully", "thankfulness", "thanking", "thankless", "thanklessly", "thanklessness", "thanks", "thanksgiver", "thanksgivers", "thanksgiving", "that", "thatch", "thatched", "thatches", "thatching", "thaw", "thawed", "thawing", "thawless", "thaws", "the", "theater", "theatergoer", "theatergoers", "theaters", "theatrical", "theatrically", "theatricalness", "theatricals", "theatrics", "theca", "theft", "thefts", "their", "theirs", "theism", "theist", "them", "thematic", "thematically", "theme", "themes", "themselves", "then", "thence", "thenceforth", "thenceforward", "theocracy", "theodolite", "theodolites", "theodore", "theodosianus", "theologian", "theologians", "theologic", "theological", "theologically", "theologist", "theologists", "theology", "theorem", "theoretic", "theoretical", "theoretically", "theoretician", "theoreticians", "theories", "theorist", "theorists", "theorize", "theorized", "theorizer", "theorizers", "theorizes", "theorizing", "theory", "therapeutic", "therapeutically", "therapeutics", "therapeutist", "therapeutists", "therapies", "therapist", "therapists", "therapy", "there", "thereabout", "thereabouts", "thereafter", "thereat", "thereby", "therefor", "therefore", "therefrom", "therein", "thereof", "thereon", "theresa", "thereto", "thereunder", "thereupon", "therewith", "thermal", "thermally", "thermals", "thermion", "thermions", "thermister", "thermisters", "thermistor", "thermocouple", "thermocouples", "thermodynamic", "thermodynamically", "thermodynamics", "thermoelectric", "thermofax", "thermoforming", "thermometer", "thermometers", "thermometric", "thermometry", "thermonuclear", "thermopile", "thermoplastic", "thermopower", "thermos", "thermostat", "thermostatic", "thermostatics", "thermostats", "thesaurus", "these", "theses", "thesis", "thespian", "thespians", "thessalonians", "theta", "they", "thiamin", "thick", "thicken", "thickened", "thickener", "thickeners", "thickening", "thickenings", "thickens", "thicker", "thickest", "thicket", "thicketed", "thickets", "thickish", "thickly", "thickness", "thicknesses", "thickskinned", "thief", "thieve", "thieved", "thievery", "thieves", "thieving", "thievish", "thievishly", "thigh", "thighs", "thimble", "thimbleful", "thimblefuls", "thimbles", "thin", "thing", "things", "think", "thinkable", "thinkably", "thinker", "thinkers", "thinking", "thinkingly", "thinks", "thinktank", "thinly", "thinned", "thinner", "thinners", "thinness", "thinnest", "thinning", "thinnish", "third", "thirdly", "thirds", "thirst", "thirsted", "thirstful", "thirstfulness", "thirstily", "thirstiness", "thirsting", "thirsts", "thirsty", "thirteen", "thirteenth", "thirties", "thirtieth", "thirty", "this", "thisbe", "thistle", "thistles", "thistly", "thither", "thomas", "thong", "thonged", "thongs", "thorax", "thorium", "thorn", "thorniest", "thorniness", "thornless", "thorns", "thorny", "thorough", "thoroughbred", "thoroughbreds", "thoroughfare", "thoroughfares", "thoroughgoing", "thoroughly", "thoroughness", "those", "though", "thought", "thoughtful", "thoughtfully", "thoughtfulness", "thoughtless", "thoughtlessly", "thoughtlessness", "thoughts", "thousand", "thousands", "thousandth", "thousandths", "thrall", "thrash", "thrashed", "thrasher", "thrashers", "thrashes", "thrashing", "thrashings", "thread", "threadbare", "threadbareness", "threaded", "threading", "threads", "thready", "threat", "threaten", "threatened", "threatening", "threateningly", "threatens", "threats", "three", "threefold", "threes", "threescore", "threesome", "thresh", "threshed", "thresher", "threshers", "threshes", "threshing", "threshold", "thresholding", "thresholds", "threw", "thrice", "thrift", "thriftier", "thriftiest", "thriftily", "thriftiness", "thriftless", "thriftlessly", "thriftlessness", "thrifty", "thrill", "thrilled", "thriller", "thrillers", "thrilling", "thrillingly", "thrillingness", "thrills", "thrive", "thrived", "thrives", "thriving", "thrivingly", "throat", "throated", "throatily", "throats", "throaty", "throb", "throbbed", "throbbing", "throbbingly", "throbs", "throe", "throes", "thrombophlebitis", "thrombosis", "throne", "thrones", "throng", "thronged", "thronging", "throngs", "throttle", "throttled", "throttles", "throttling", "through", "throughout", "throughput", "throve", "throw", "throwback", "thrower", "throwers", "throwing", "thrown", "throws", "thrush", "thrushes", "thrust", "thrusted", "thruster", "thrusters", "thrusting", "thrusts", "thud", "thudded", "thudding", "thuds", "thug", "thuggery", "thugs", "thulium", "thumb", "thumbed", "thumbing", "thumbnail", "thumbs", "thump", "thumped", "thumper", "thumpers", "thumping", "thumps", "thunder", "thunderbolt", "thunderbolts", "thunderclap", "thunderclaps", "thundered", "thunderer", "thunderers", "thunderflower", "thundering", "thunderous", "thunderously", "thunderousness", "thunders", "thunderstorm", "thunderstorms", "thursday", "thursdays", "thus", "thwack", "thwart", "thwarted", "thwartedly", "thwarting", "thwartingly", "thwarts", "thyme", "thymus", "thyratron", "thyroglobulin", "thyroid", "thyroidal", "thyronine", "thyrotoxic", "thyroxin", "thyself", "tiara", "tiaras", "tiber", "tibet", "tibetan", "tibia", "tibiae", "tibial", "tic", "tick", "ticked", "ticker", "tickers", "ticket", "ticketed", "ticketing", "tickets", "ticking", "tickle", "tickled", "tickler", "ticklers", "tickles", "tickling", "ticklish", "ticklishly", "ticklishness", "tickly", "ticks", "tics", "tidal", "tidbit", "tidbits", "tiddler", "tiddlers", "tiddlywinks", "tide", "tideland", "tidelands", "tideless", "tidemark", "tidemarks", "tides", "tidewater", "tidied", "tidier", "tidies", "tidiest", "tidily", "tidiness", "tiding", "tidings", "tidy", "tidying", "tie", "tied", "tier", "tiered", "tiers", "ties", "tiff", "tiffany", "tiffs", "tiger", "tigerish", "tigers", "tight", "tighten", "tightened", "tightening", "tightens", "tighter", "tightest", "tightish", "tightishly", "tightly", "tightness", "tightrope", "tights", "tigress", "tigresses", "tigris", "tilde", "tile", "tiled", "tiler", "tilers", "tiles", "tiling", "till", "tillable", "tillage", "tilled", "tiller", "tillers", "tilling", "tills", "tilt", "tilted", "tilter", "tilters", "tilth", "tilting", "tilts", "tim", "timbale", "timber", "timbered", "timbering", "timberland", "timberlands", "timbers", "timbre", "time", "timed", "timeless", "timelessly", "timelessness", "timeliness", "timely", "timeout", "timepiece", "timer", "timers", "times", "timeshare", "timesharing", "timetable", "timetables", "timeworn", "timex", "timid", "timidity", "timidly", "timidness", "timing", "timings", "timor", "timorous", "timorously", "timorousness", "timothy", "timpani", "tin", "tina", "tincture", "tinctures", "tinder", "tine", "tinfoil", "tinful", "tinfuls", "tinge", "tinged", "tingeing", "tinges", "tingle", "tingled", "tingles", "tingling", "tingly", "tinier", "tiniest", "tinker", "tinkered", "tinkerer", "tinkerers", "tinkering", "tinkers", "tinkle", "tinkled", "tinkles", "tinkling", "tinned", "tinning", "tinny", "tins", "tinsel", "tint", "tintable", "tintack", "tintacks", "tinted", "tintinabulate", "tintinabulated", "tintinabulates", "tintinabulating", "tintinabulation", "tinting", "tints", "tintype", "tinware", "tiny", "tip", "tipoff", "tipped", "tippee", "tipper", "tippers", "tipping", "tipple", "tippler", "tips", "tipster", "tipsy", "tiptoe", "tiptoed", "tiptoeing", "tiptoes", "tiptop", "tirade", "tirades", "tirana", "tire", "tired", "tiredly", "tiredness", "tireless", "tirelessly", "tirelessness", "tires", "tiresome", "tiresomely", "tiresomeness", "tiring", "tisane", "tissue", "tissues", "tit", "titan", "titanic", "titanium", "titans", "tithe", "tithed", "tither", "tithes", "titian", "titillate", "titillated", "titillates", "titillating", "titillation", "titillator", "titillators", "titivate", "titivated", "titivates", "titivating", "titivation", "titivator", "titivators", "title", "titled", "titles", "titling", "titmice", "titmouse", "titrate", "titration", "tits", "titter", "tittered", "tittering", "titters", "tittle", "titular", "titus", "tnt", "toad", "toadflax", "toadies", "toads", "toadstool", "toadstools", "toady", "toadying", "toadyism", "toast", "toasted", "toaster", "toasters", "toasting", "toasts", "tobacco", "tobacconist", "tobacconists", "tobago", "toboggan", "toccata", "today", "todd", "toddies", "toddle", "toddled", "toddler", "toddlers", "toddles", "toddling", "toddy", "toe", "toed", "toeing", "toenail", "toenails", "toes", "toffee", "toffees", "tofu", "tog", "toga", "together", "togetherness", "togged", "toggery", "togging", "toggle", "toggled", "toggles", "toggling", "togo", "togs", "toil", "toiled", "toiler", "toilers", "toilet", "toiletries", "toiletry", "toilets", "toiling", "toils", "toilsome", "toilsomely", "toilsomeness", "token", "tokenized", "tokens", "tokyo", "told", "tolerability", "tolerable", "tolerably", "tolerance", "tolerant", "tolerantly", "tolerate", "tolerated", "tolerates", "tolerating", "toleration", "tolerator", "tolerators", "toll", "tollage", "tollbridge", "tollbridges", "tolled", "tollgate", "tollgates", "tollhouse", "tollhouses", "tolling", "tolls", "tolstoy", "toluene", "tom", "tomahawk", "tomahawks", "tomato", "tomatoes", "tomb", "tomblike", "tombola", "tomboy", "tomboys", "tombs", "tombstone", "tombstones", "tomcat", "tomcats", "tome", "tomes", "tommy", "tomography", "tomorrow", "tompkins", "tomtit", "ton", "tonal", "tonalities", "tonality", "tonally", "tone", "toned", "toneless", "tonelessly", "tonelessness", "toner", "tones", "tong", "tonga", "tongs", "tongue", "tongued", "tongueless", "tongues", "tonic", "tonics", "tonight", "toning", "tonnage", "tons", "tonsil", "tonsillitis", "tonsils", "tonsorial", "tonsure", "tonsured", "tonsures", "tontine", "tony", "too", "took", "tool", "toolbox", "toolboxes", "tooled", "tooling", "toolkit", "toolkits", "toolmaker", "tools", "toolsmith", "toolsmiths", "toot", "tooted", "tooth", "toothache", "toothbrush", "toothbrushes", "toothcomb", "toothcombs", "toothed", "toothpaste", "toothpastes", "toothpick", "toothpicks", "toothsome", "toothsomeness", "toothwort", "toothy", "tooting", "toots", "top", "topaz", "topcoat", "topcoats", "tope", "topic", "topical", "topicality", "topically", "topics", "topknot", "topmast", "topmost", "topnotch", "topocentric", "topographer", "topographers", "topographic", "topographical", "topographically", "topography", "topological", "topologically", "topologist", "topologists", "topology", "topped", "topper", "toppers", "topping", "toppingly", "toppings", "topple", "toppled", "topples", "toppling", "tops", "topsail", "topsoil", "topsy", "topsyturvily", "topsyturvy", "torah", "torch", "torched", "torches", "torching", "tore", "tories", "torment", "tormented", "tormentedly", "tormenting", "tormentingly", "tormentor", "tormentors", "torments", "torn", "tornado", "tornadoes", "tornados", "toroidal", "toronto", "torpedo", "torpedoed", "torpedoes", "torpedoing", "torpid", "torpidly", "torpidness", "torpor", "torpors", "torque", "torrent", "torrential", "torrentially", "torrents", "torrid", "torridly", "torridness", "torsion", "torsive", "torso", "torsos", "tort", "tortilla", "tortoise", "tortoises", "tortoiseshell", "tortuous", "torture", "tortured", "torturer", "torturers", "tortures", "torturing", "torturingly", "torturous", "torturously", "torturousness", "torus", "tory", "tosco", "toshiba", "toss", "tossed", "tosser", "tossers", "tosses", "tossing", "tossup", "tot", "total", "totaled", "totaling", "totalistic", "totalitarian", "totalitarianism", "totality", "totalize", "totalized", "totalizes", "totalizing", "totally", "totals", "tote", "toted", "totem", "totems", "totes", "toting", "totitive", "totitives", "totted", "totten", "totter", "tottered", "tottering", "totteringly", "totters", "tottery", "totting", "toucan", "toucans", "touch", "touchable", "touchableness", "touchably", "touchdown", "touchdowns", "touched", "touches", "touchier", "touchily", "touchiness", "touching", "touchingly", "touchstone", "touchstones", "touchy", "tough", "toughen", "toughened", "toughener", "tougheners", "toughening", "toughens", "tougher", "toughest", "toughly", "toughness", "toughs", "toulouse", "toupee", "toupees", "tour", "toured", "tourer", "tourers", "touring", "tourism", "tourist", "touristic", "tourists", "tournament", "tournaments", "tournedos", "tourney", "tours", "tousle", "tousled", "tout", "touted", "touting", "touts", "tow", "towage", "toward", "towards", "towboat", "towboats", "towed", "towel", "toweled", "toweling", "towels", "tower", "towered", "towering", "towers", "towing", "towline", "towlines", "town", "townhouse", "towns", "township", "townships", "townsman", "townsmen", "townspeople", "towpath", "towpaths", "tows", "toxic", "toxical", "toxically", "toxicant", "toxicants", "toxication", "toxicity", "toxicology", "toxin", "toxins", "toy", "toyed", "toying", "toyota", "toys", "toyshop", "toyshops", "trace", "traceable", "traceably", "traced", "traceless", "tracelessly", "tracer", "tracers", "tracery", "traces", "trachea", "tracing", "tracings", "track", "trackage", "tracked", "tracker", "trackers", "tracking", "trackless", "tracklessly", "tracklessness", "tracks", "tract", "tractability", "tractable", "tractableness", "tractably", "traction", "tractive", "tractor", "tractors", "tracts", "tracy", "trade", "traded", "tradeless", "trademark", "trademarks", "tradeoff", "trader", "traders", "trades", "tradesman", "tradesmen", "trading", "tradition", "traditional", "traditionalism", "traditionalist", "traditionalists", "traditionalized", "traditionally", "traditions", "traffic", "trafficator", "trafficators", "trafficked", "trafficking", "trafficless", "traffics", "tragedian", "tragedians", "tragedies", "tragedy", "tragic", "tragically", "tragicomic", "trail", "trailed", "trailer", "trailers", "trailing", "trails", "trailside", "train", "trainable", "trainably", "trained", "trainee", "trainees", "traineeships", "trainer", "trainers", "training", "trains", "traipse", "traipsed", "traipses", "traipsing", "trait", "traitor", "traitorous", "traitorously", "traitors", "traits", "trajection", "trajections", "trajectories", "trajectory", "tram", "trammel", "tramp", "tramped", "tramping", "trample", "trampled", "tramples", "trampling", "trampoline", "trampolines", "trampolining", "trampolinist", "trampolinists", "tramps", "trams", "tramway", "tramways", "trance", "tranced", "trancedly", "trances", "tranche", "tranquil", "tranquility", "tranquilization", "tranquilize", "tranquilized", "tranquilizer", "tranquilizers", "tranquilizes", "tranquilizing", "tranquillity", "tranquillizingly", "tranquilly", "transact", "transacted", "transacting", "transaction", "transactions", "transactor", "transactors", "transacts", "transalpine", "transatlantic", "transcend", "transcended", "transcendence", "transcendency", "transcendent", "transcendental", "transcendentalism", "transcending", "transcends", "transconductance", "transcontinental", "transcribe", "transcribed", "transcriber", "transcribers", "transcribes", "transcribing", "transcript", "transcription", "transcriptions", "transcripts", "transcultural", "transducer", "transducers", "transduction", "transductor", "transductors", "transept", "transfer", "transferable", "transferee", "transferees", "transference", "transferor", "transferors", "transferred", "transferring", "transfers", "transfigure", "transfigured", "transfigurement", "transfigures", "transfiguring", "transfix", "transfixed", "transfixes", "transfixing", "transform", "transformation", "transformations", "transformed", "transformer", "transformers", "transforming", "transforms", "transfusable", "transfuse", "transfused", "transfuses", "transfusible", "transfusing", "transfusion", "transfusions", "transgress", "transgressed", "transgresses", "transgressing", "transgression", "transgressions", "transgressor", "transgressors", "transience", "transiency", "transient", "transiently", "transientness", "transients", "transistor", "transistors", "transit", "transited", "transition", "transitional", "transitionally", "transitionary", "transitions", "transitive", "transitiveness", "transitoriness", "transitory", "transits", "translatable", "translatably", "translate", "translated", "translates", "translating", "translation", "translations", "translator", "translators", "transliterate", "transliterating", "translucence", "translucency", "translucent", "translucently", "translucid", "translucidity", "transmissible", "transmission", "transmissional", "transmissions", "transmissive", "transmit", "transmits", "transmittable", "transmittal", "transmittance", "transmitted", "transmitter", "transmitters", "transmitting", "transmutation", "transmute", "transmuted", "transoceanic", "transpacific", "transparence", "transparencies", "transparency", "transparent", "transparently", "transparentness", "transpiration", "transpire", "transpired", "transpires", "transpiring", "transplant", "transplantable", "transplantation", "transplanted", "transplanter", "transplanters", "transplanting", "transplants", "transponder", "transponders", "transport", "transportability", "transportable", "transportation", "transported", "transportedly", "transportedness", "transporting", "transportingly", "transports", "transposable", "transpose", "transposed", "transposes", "transposing", "transposition", "transpositions", "transship", "transshipment", "transshipping", "transversal", "transversally", "transverse", "transversely", "transvestite", "transvestites", "transylvania", "transylvanian", "trap", "trapdoor", "trapdoors", "trapeze", "trapezium", "trapezoid", "trapezoidal", "trapped", "trapper", "trappers", "trapping", "trappings", "trappist", "trappists", "traps", "trash", "trashed", "trashes", "trashily", "trashing", "trashy", "trassatus", "trauma", "traumas", "traumatic", "traumatically", "travail", "travailed", "travailing", "travails", "travel", "traveled", "traveler", "travelers", "traveling", "travelogue", "travelogues", "travels", "traversable", "traverse", "traversed", "traverses", "traversing", "travestied", "travesties", "travesty", "travis", "trawl", "trawled", "trawler", "trawlers", "trawling", "trawls", "tray", "trays", "treacheries", "treacherous", "treacherously", "treacherousness", "treachery", "treacle", "tread", "treading", "treadle", "treadles", "treadmill", "treadmills", "treads", "treason", "treasonable", "treasonableness", "treasonous", "treasure", "treasured", "treasurer", "treasurers", "treasurership", "treasurerships", "treasures", "treasuries", "treasuring", "treasury", "treat", "treatable", "treatably", "treated", "treater", "treaters", "treaties", "treating", "treatise", "treatment", "treatments", "treats", "treaty", "treble", "trebled", "trebles", "trebling", "trebly", "tree", "treeless", "trees", "treetop", "treetops", "trefoil", "trek", "trekked", "trekker", "trekkers", "trekking", "treks", "trellis", "trellises", "trelliswork", "tremble", "trembled", "trembler", "trembles", "trembling", "tremblingly", "tremendous", "tremendously", "tremendousness", "tremolo", "tremor", "tremorless", "tremors", "tremulant", "tremulous", "tremulously", "tremulousness", "trench", "trenchant", "trenched", "trencher", "trencherman", "trenchermen", "trenchers", "trenches", "trend", "trends", "trendsetter", "trendsetters", "trendsetting", "trendy", "trepidation", "trespass", "trespassed", "trespasser", "trespassers", "trespasses", "trespassing", "tress", "tresses", "trestle", "trestles", "trevor", "triable", "triad", "trial", "trials", "triangle", "triangled", "triangles", "triangular", "triangularity", "triangulate", "triassic", "tribal", "tribalism", "tribally", "tribe", "tribes", "tribesman", "tribesmen", "tribulate", "tribulation", "tribulations", "tribunal", "tribunals", "tribune", "tribunes", "tributaries", "tributarily", "tributary", "tribute", "tributes", "trice", "triceps", "trick", "tricked", "trickery", "trickiest", "trickily", "tricking", "trickle", "trickled", "trickles", "trickling", "tricks", "trickster", "tricksters", "tricky", "tricolor", "tricycle", "tricycles", "tricyclist", "tricyclists", "trident", "tridents", "tried", "triennial", "tries", "trifle", "trifled", "trifler", "triflers", "trifles", "trifling", "triflingly", "triflingness", "trigger", "triggered", "triggering", "triggers", "trigonal", "trigonometer", "trigonometric", "trigonometrical", "trigonometrically", "trigonometry", "trilbies", "trilby", "trill", "trilled", "trilling", "trillion", "trillions", "trills", "trilogy", "trim", "trimester", "trimly", "trimmed", "trimmer", "trimmers", "trimming", "trimmingly", "trimmings", "trimness", "trims", "trinidad", "trinitarian", "trinity", "trinket", "trinkets", "trio", "triode", "triodes", "trios", "trioxide", "trip", "tripartite", "tripe", "triple", "tripleness", "triplet", "triplets", "triplex", "triplicate", "triplication", "triply", "tripod", "tripods", "tripoli", "tripped", "tripper", "trippers", "trippery", "tripping", "trips", "tripwire", "trireme", "trisect", "trite", "tritely", "triteness", "tritium", "triton", "triumph", "triumphal", "triumphant", "triumphantly", "triumphed", "triumpher", "triumphers", "triumphing", "triumphs", "trivia", "trivial", "trivialities", "triviality", "trivialize", "trivialized", "trivializes", "trivializing", "trivially", "trivialness", "trod", "trodden", "troglodyte", "troika", "trojan", "trojans", "troll", "trolley", "trolleys", "trollop", "trolls", "trombone", "trombones", "trombonist", "trombonists", "troop", "trooped", "trooper", "troopers", "trooping", "troops", "troopship", "troopships", "tropes", "trophied", "trophies", "trophy", "tropic", "tropical", "tropically", "tropics", "tropopause", "troposphere", "tropospheric", "trot", "troth", "trots", "trotsky", "trotted", "trotter", "trotters", "trotting", "troubadour", "troubadours", "trouble", "troubled", "troubledly", "troubles", "troubleshoot", "troubleshooter", "troubleshooters", "troubleshooting", "troubleshoots", "troublesome", "troublesomeness", "troubling", "trough", "troughs", "trounce", "trounced", "trounces", "trouncing", "troupe", "trouper", "troupes", "trouser", "trousered", "trousers", "trousseau", "trousseaux", "trout", "trove", "trowel", "trowels", "troy", "truancy", "truant", "truants", "truce", "truceless", "truces", "trucial", "truck", "truckage", "truckdriver", "truckdrivers", "trucked", "trucker", "truckers", "trucking", "truckload", "truckloads", "truckmen", "trucks", "truculence", "truculency", "truculent", "truculently", "trudge", "trudged", "trudger", "trudges", "trudging", "true", "trueness", "truer", "trues", "truest", "truffle", "truffles", "truism", "truly", "truman", "trump", "trumped", "trumpery", "trumpet", "trumpeted", "trumpeter", "trumpeters", "trumpeting", "trumpets", "trumping", "trumps", "truncate", "truncated", "truncates", "truncating", "truncation", "truncations", "truncheon", "truncheons", "trundle", "trundled", "trundles", "trundling", "trunk", "trunkful", "trunkfuls", "trunks", "truss", "trussed", "trusser", "trussers", "trusses", "trussing", "trust", "trusted", "trustee", "trustees", "trusteeship", "trustful", "trustfully", "trustfulness", "trustier", "trustiest", "trustily", "trusting", "trustingly", "trustless", "trustlessness", "trusts", "trustworthiness", "trustworthy", "trusty", "truth", "truthful", "truthfully", "truthfulness", "truthless", "truthlessness", "truths", "try", "trying", "tryingly", "tryst", "trysts", "tsunami", "tub", "tuba", "tubas", "tubbiness", "tubby", "tube", "tubeful", "tubefuls", "tubeless", "tuber", "tuberculin", "tuberculosis", "tubers", "tubes", "tubful", "tubfuls", "tubing", "tubs", "tubular", "tuck", "tucked", "tucker", "tuckers", "tucking", "tucks", "tudor", "tudors", "tuesday", "tuesdays", "tuft", "tufted", "tufts", "tufty", "tug", "tugboat", "tugboats", "tugged", "tugging", "tugs", "tuition", "tulip", "tulips", "tulsa", "tumble", "tumbled", "tumbler", "tumblerful", "tumblerfuls", "tumblers", "tumbles", "tumbling", "tumbrel", "tumbrels", "tummy", "tumor", "tumors", "tumult", "tumults", "tumultuous", "tumultuously", "tun", "tuna", "tunable", "tunc", "tundra", "tune", "tuned", "tuneful", "tunefulness", "tuneless", "tunelessly", "tunelessness", "tuner", "tuners", "tunes", "tungstate", "tungsten", "tunic", "tunics", "tuning", "tunis", "tunisia", "tunisian", "tunnage", "tunnel", "tunneled", "tunnelers", "tunneling", "tunnels", "tunny", "tuns", "turban", "turbans", "turbid", "turbinal", "turbinate", "turbinates", "turbine", "turbines", "turbo", "turbocharge", "turbocharged", "turbocharges", "turbocharging", "turbofan", "turbojet", "turbot", "turbulence", "turbulent", "turbulently", "tureen", "tureens", "turf", "turfs", "turgid", "turgidly", "turin", "turk", "turkana", "turkey", "turkeys", "turkish", "turks", "turmeric", "turmoil", "turn", "turnabout", "turnaround", "turncoat", "turned", "turner", "turning", "turnings", "turnip", "turnips", "turnkey", "turnoff", "turnout", "turnouts", "turnover", "turnovers", "turnpike", "turnpikes", "turns", "turnstile", "turnstiles", "turntable", "turntables", "turpentine", "turpitude", "turquoise", "turret", "turreted", "turrets", "turtle", "turtleneck", "turtles", "turves", "turvy", "tuscan", "tuscany", "tusk", "tusked", "tusks", "tussle", "tussled", "tussles", "tussling", "tussock", "tussocks", "tutankhamen", "tutee", "tutelage", "tutelar", "tutelary", "tutor", "tutorage", "tutored", "tutorial", "tutorials", "tutoring", "tutors", "tutorship", "tutu", "tuvalu", "tuxedo", "tuxedoed", "tuxedos", "twaddle", "twain", "twang", "twanged", "twanging", "twangingly", "twangs", "twangy", "tweak", "tweaked", "tweaking", "tweaks", "tweed", "tweedy", "tweet", "tweeze", "tweezed", "twelfth", "twelve", "twenties", "twentieth", "twenty", "twice", "twiddle", "twiddled", "twiddles", "twiddling", "twig", "twigged", "twigging", "twiggy", "twigs", "twilight", "twill", "twin", "twine", "twined", "twines", "twinge", "twinges", "twining", "twiningly", "twinkle", "twinkled", "twinkles", "twinkling", "twinkly", "twinned", "twinning", "twins", "twirl", "twirled", "twirler", "twirling", "twirls", "twirly", "twist", "twistable", "twistably", "twisted", "twister", "twisters", "twisting", "twists", "twisty", "twit", "twitch", "twitched", "twitches", "twitching", "twitchy", "twits", "twitter", "twittered", "twittering", "twitters", "two", "twofold", "twos", "twosome", "tycoon", "tycoons", "tying", "tyler", "tympanum", "type", "typed", "typeface", "typefaces", "types", "typescript", "typescripts", "typeset", "typesetter", "typesetters", "typesetting", "typewrite", "typewriter", "typewriters", "typewriting", "typewritten", "typhoid", "typhoon", "typhoons", "typhus", "typical", "typicality", "typically", "typified", "typifies", "typify", "typifying", "typing", "typist", "typists", "typo", "typograph", "typographer", "typographic", "typographical", "typography", "typology", "tyrannic", "tyrannical", "tyrannically", "tyrannicide", "tyrannize", "tyrannized", "tyrannizes", "tyrannizing", "tyrannous", "tyrannously", "tyranny", "tyrant", "tyrants", "tyrol", "tyrolese", "tyros", "tyson", "tythe", "tzar", "tzars", "ubiquitous", "ubiquitously", "ubiquity", "udder", "udders", "ufo", "uganda", "ugh", "uglier", "ugliest", "ugliness", "ugly", "ukase", "ukraine", "ukrainian", "ukulele", "ulcer", "ulcerate", "ulcerated", "ulcerates", "ulcerating", "ulceration", "ulcerations", "ulcerative", "ulcerous", "ulcerously", "ulcerousness", "ulcers", "ulster", "ulterior", "ulteriorly", "ultimata", "ultimate", "ultimately", "ultimatum", "ultimatums", "ultimo", "ultra", "ultracentrifuge", "ultraconservative", "ultrafast", "ultramarine", "ultramodern", "ultrasonic", "ultrasonically", "ultrasonics", "ultrasound", "ultrastructure", "ultraviolet", "ululate", "ululation", "ulysses", "umber", "umbilical", "umbilici", "umbilicus", "umbrage", "umbrella", "umbrellas", "umlaut", "umlauts", "umpire", "umpired", "umpires", "umpiring", "umpteen", "umpteenth", "unabashed", "unabated", "unabbreviated", "unabetted", "unable", "unabounded", "unabridged", "unabrogated", "unabsolved", "unabsorbent", "unabundant", "unacademic", "unaccented", "unacceptable", "unacceptably", "unaccidental", "unaccidentally", "unacclimatized", "unaccommodating", "unaccompanied", "unaccomplished", "unaccountability", "unaccountable", "unaccountableness", "unaccountably", "unaccounted", "unaccused", "unaccustomed", "unachievable", "unachieved", "unacknowledged", "unacquainted", "unacquiescent", "unacquirable", "unacute", "unadaptability", "unadaptable", "unadapted", "unaddictive", "unaddressed", "unadept", "unadjustable", "unadjusted", "unadmired", "unadmitted", "unadopted", "unadorned", "unadulterated", "unadulterous", "unadventurous", "unadvertised", "unaffected", "unaffectedly", "unaffectionate", "unaffectionately", "unaffiliated", "unaffirmed", "unafflicted", "unaffordability", "unaffordable", "unafraid", "unaggravated", "unaggregated", "unaggressive", "unaggressively", "unaggressiveness", "unaggrieved", "unaggrieving", "unagreed", "unaided", "unaimed", "unaired", "unairworthy", "unalarmed", "unalienable", "unaligned", "unallayed", "unalleviated", "unallocable", "unallocated", "unallotted", "unallowable", "unallowably", "unallowed", "unalloyed", "unalluring", "unalluringly", "unalphabetical", "unalphabetically", "unalterable", "unalterably", "unaltered", "unaltering", "unamalgamated", "unamazing", "unamazingly", "unambiguity", "unambiguous", "unambiguously", "unambitious", "unambitiously", "unambitiousness", "unameliorated", "unamenability", "unamenable", "unamendable", "unamended", "unamiability", "unamiable", "unamiably", "unamortized", "unanalyzed", "unangelic", "unanimity", "unanimous", "unanimously", "unannexed", "unannotated", "unannounced", "unanointed", "unanswerable", "unanswerably", "unanswered", "unanticipated", "unappeasable", "unappeasably", "unappeased", "unappreciated", "unappreciative", "unapproachability", "unapproachable", "unapproachably", "unapproached", "unapproved", "unapproving", "unapprovingly", "unapt", "unarguable", "unarguably", "unarm", "unarmed", "unarranged", "unary", "unashamed", "unashamedly", "unasked", "unaspiring", "unaspiringly", "unaspiringness", "unassailable", "unassailably", "unassailed", "unassayed", "unassembled", "unassessed", "unassignable", "unassigned", "unassisted", "unassistedly", "unassisting", "unassociated", "unassorted", "unassuageable", "unassuaged", "unassumed", "unassumedly", "unassuming", "unassumingly", "unassured", "unassuredly", "unastonished", "unastonishing", "unastonishingly", "unastounded", "unastounding", "unastoundingly", "unastute", "unathletic", "unathletically", "unatoned", "unattached", "unattainable", "unattainably", "unattained", "unattempted", "unattended", "unattending", "unattenuated", "unattested", "unattired", "unattracted", "unattractive", "unattractively", "unattractiveness", "unattributable", "unattributably", "unattributed", "unattuned", "unaudacious", "unaudaciously", "unaudited", "unaugmented", "unauthorized", "unautomatic", "unavailability", "unavailable", "unavailably", "unavailing", "unavenged", "unaverse", "unavertible", "unavoidable", "unavoidableness", "unavoidably", "unavoided", "unawakened", "unawarded", "unaware", "unawareness", "unawares", "unawed", "unbackcombed", "unbackdated", "unbacked", "unbadged", "unbadgered", "unbaited", "unbaked", "unbalance", "unbalanced", "unbalancing", "unbandaged", "unbanked", "unbar", "unbargained", "unbarred", "unbased", "unbattened", "unbawled", "unbearable", "unbearableness", "unbearably", "unbeaten", "unbecoming", "unbecomingly", "unbedecked", "unbefitting", "unbefriended", "unbefuddled", "unbegrudged", "unbegrudging", "unbegrudgingly", "unbeguiling", "unbeguilingly", "unbeholden", "unbeknown", "unbeknownst", "unbelievable", "unbelievably", "unbelieved", "unbeliever", "unbelievers", "unbelieving", "unbelievingly", "unbeloved", "unbelt", "unbelted", "unbelting", "unbelts", "unbend", "unbending", "unbendingly", "unbeneficial", "unbent", "unbiased", "unbiasedly", "unbiassed", "unbid", "unbidden", "unbigoted", "unbilled", "unbind", "unbitten", "unblamed", "unbleached", "unblemished", "unblended", "unblessed", "unblest", "unblinking", "unblinkingly", "unblock", "unblocked", "unblocking", "unblocks", "unblown", "unblushing", "unbodged", "unbolt", "unbolted", "unbolting", "unbolts", "unbonded", "unborn", "unbothered", "unbought", "unbound", "unbounded", "unboundedly", "unboundedness", "unbowed", "unboxed", "unbraided", "unbrainwashed", "unbranched", "unbranded", "unbreached", "unbreakable", "unbreaking", "unbreathable", "unbreathed", "unbreathing", "unbred", "unbrewed", "unbribeable", "unbricked", "unbridgeable", "unbridged", "unbridle", "unbridled", "unbridles", "unbridling", "unbriefed", "unbroached", "unbroadcast", "unbroken", "unbrokenly", "unbrokenness", "unbrowned", "unbrushed", "unbuckle", "unbuckled", "unbuckles", "unbuckling", "unbudgeted", "unbudging", "unbuffed", "unbuffered", "unbuffeted", "unbunched", "unbundle", "unbundled", "unbundles", "unbundling", "unbung", "unbunged", "unbungs", "unburden", "unburdened", "unburdening", "unburdens", "unburied", "unburned", "unburnished", "unburst", "unbusinesslike", "unbuttered", "unbutton", "unbuttoned", "unbuttoning", "unbuttons", "unbypassed", "uncaged", "uncaked", "uncalculated", "uncalibrated", "uncalled", "uncamouflaged", "uncaned", "uncanned", "uncannier", "uncanniest", "uncannily", "uncanniness", "uncanny", "uncap", "uncapped", "uncaptivated", "uncaptured", "uncared", "uncaring", "uncarpeted", "uncarved", "uncased", "uncashed", "uncashiered", "uncastigated", "uncastrated", "uncatalogued", "uncatered", "uncaulked", "uncaused", "uncautioned", "unceasing", "unceasingly", "uncelebrated", "uncemented", "uncensurable", "uncensured", "unceremonious", "unceremoniously", "uncertain", "uncertainly", "uncertainties", "uncertainty", "uncertifiable", "uncertified", "unchain", "unchained", "unchaining", "unchains", "unchallengeability", "unchallengeable", "unchallengeably", "unchallenged", "unchanced", "unchangeability", "unchangeable", "unchangeably", "unchanged", "unchanging", "unchangingly", "uncharacteristic", "uncharacteristically", "unchargeable", "uncharged", "uncharitable", "uncharitably", "uncharted", "unchased", "unchecked", "uncherished", "unchipped", "unchristian", "uncited", "uncivil", "uncivilized", "unclad", "unclaimed", "unclamped", "unclarified", "unclasp", "unclasped", "unclasping", "unclassified", "uncle", "unclean", "uncleanliness", "uncleansed", "unclear", "uncleared", "unclench", "unclenched", "unclenches", "unclenching", "uncles", "unclimbed", "unclinched", "unclinical", "unclinically", "unclip", "unclipped", "unclipping", "unclips", "uncloak", "unclocked", "unclogged", "unclose", "unclosed", "unclothed", "unclotted", "unclouded", "unclouted", "uncluttered", "uncoagulated", "uncoated", "uncoaxed", "uncobbled", "uncoerced", "uncoil", "uncoiled", "uncoiling", "uncoils", "uncollected", "uncolored", "uncombable", "uncomfortable", "uncomfortably", "uncomforted", "uncommitted", "uncommon", "uncommonly", "uncommunicative", "uncompiled", "uncomplaining", "uncomplainingly", "uncompleted", "uncomplicated", "uncomplimentary", "uncompressed", "uncompromising", "uncompromisingly", "unconcealed", "unconcern", "unconcerned", "unconcernedly", "unconditional", "unconditionally", "unconditioned", "unconfirmed", "unconformity", "unconfounded", "unconfusable", "unconfusably", "unconfused", "unconfusedly", "unconfusing", "unconfusingly", "unconfutable", "unconfuted", "uncongealable", "uncongealed", "uncongenial", "uncongeniality", "uncongenially", "uncongested", "unconglomerated", "unconjugated", "unconnectable", "unconnected", "unconquerable", "unconquered", "unconscientious", "unconscientiously", "unconscientiousness", "unconscionable", "unconscionableness", "unconscionably", "unconscious", "unconsciously", "unconsciousness", "unconscripted", "unconsecrated", "unconservable", "unconservably", "unconserved", "unconsidered", "unconsideringly", "unconsigned", "unconsolable", "unconsolably", "unconsoled", "unconsolidated", "unconstitutional", "unconstitutionally", "unconstrained", "unconstrainedly", "unconstricted", "unconstricting", "unconstructive", "unconstructively", "unconstructiveness", "unconsulted", "unconsumable", "unconsumables", "unconsumed", "unconsuming", "unconsumingly", "unconsummated", "unconsummately", "uncontacted", "uncontainable", "uncontained", "uncontaminated", "uncontentious", "uncontentiously", "uncontentiousness", "uncontestable", "uncontestably", "uncontested", "uncontractual", "uncontradicted", "uncontradicting", "uncontradictorily", "uncontradictory", "uncontrasted", "uncontrollability", "uncontrollable", "uncontrollably", "uncontrolled", "uncontrolledly", "uncontroversial", "unconventional", "unconventionality", "unconventionally", "unconverged", "unconverted", "unconvinced", "unconvincible", "unconvincing", "unconvincingly", "unconvoluted", "unconvulsed", "uncooked", "uncooled", "uncooperative", "uncooperatively", "uncoordinated", "uncopied", "uncored", "uncork", "uncorked", "uncorrected", "uncorrelated", "uncorroborated", "uncorroded", "uncorrupt", "uncorrupted", "uncorruptly", "uncorruptness", "uncosseted", "uncountable", "uncounted", "uncouple", "uncoupled", "uncouples", "uncoupling", "uncourageous", "uncourageously", "uncouth", "uncouthly", "uncouthness", "uncover", "uncovered", "uncovering", "uncovers", "uncowed", "uncrate", "uncrated", "uncratered", "uncrates", "uncrating", "uncrazed", "uncreative", "uncreatively", "uncreativeness", "uncreditable", "uncreditably", "uncritical", "uncritically", "uncross", "uncrossed", "uncrowded", "uncrowned", "uncrucial", "uncrucially", "uncrushed", "uncrystalline", "unction", "uncultivated", "uncurl", "uncurled", "uncurtailed", "uncurved", "uncut", "undamageable", "undamaged", "undamagingly", "undammed", "undamped", "undampened", "undappled", "undared", "undarkened", "undarned", "undatable", "undated", "undaubed", "undaunted", "undauntedly", "undauntedness", "undazed", "undazzled", "undealt", "undearness", "undebated", "undebited", "undecanted", "undecayed", "undeceived", "undeceiving", "undeceivingly", "undecided", "undecidedly", "undeclared", "undecorated", "undedicated", "undeepened", "undefaced", "undefeated", "undefended", "undefiled", "undefined", "undeflected", "undefrayed", "undefused", "undegraded", "undejected", "undejectedly", "undelayed", "undeleted", "undeliberated", "undelineated", "undeliverable", "undelivered", "undeluded", "undemanding", "undemandingly", "undemeaned", "undemocratic", "undemolished", "undemonstrable", "undemonstrableness", "undemonstrably", "undemonstrated", "undemonstrative", "undemoted", "undeniable", "undeniably", "undenigrated", "undenoted", "undenounced", "undenuded", "undependable", "undepicted", "undepleted", "undeplored", "undeployed", "undeported", "undepraved", "undeprecated", "undepressed", "undeprived", "under", "underachievers", "underarm", "underbid", "underbidden", "underbidder", "underbidders", "underbids", "underbought", "underbuy", "underbuys", "undercharge", "undercharged", "undercharges", "undercharging", "underclothes", "underclothing", "undercover", "undercurrent", "undercut", "undercuts", "underdevelop", "underdeveloped", "underdeveloping", "underdevelopment", "underdevelops", "underdid", "underdo", "underdog", "underdogs", "underdone", "undereducated", "underemployed", "underemployment", "underestimate", "underestimated", "underestimates", "underestimating", "underestimation", "underexpose", "underexposed", "underexposes", "underexposing", "underexposure", "underfed", "underfelt", "underfoot", "undergo", "undergoes", "undergoing", "undergone", "undergraduate", "undergraduates", "underground", "undergrounds", "undergrowth", "underhand", "underhanded", "underhandedly", "underlay", "underlie", "underlies", "underline", "underlined", "underlines", "underling", "underlings", "underlining", "underload", "underlying", "underman", "undermanned", "undermanning", "undermans", "undermentioned", "undermine", "undermined", "undermines", "undermining", "underneath", "undernourish", "undernourished", "undernourishes", "undernourishing", "undernourishment", "underpaid", "underpants", "underpass", "underpasses", "underpin", "underpinned", "underpinning", "underpins", "underplayed", "underpraise", "underpraised", "underpraises", "underpraising", "underprivileged", "underrate", "underrated", "underscore", "underscored", "underscores", "underscoring", "undersea", "underseal", "undersealed", "undersealing", "underseals", "undersecretary", "undersell", "underseller", "undersellers", "underselling", "undersells", "underside", "undersign", "undersigned", "undersigning", "undersigns", "undersize", "undersized", "undersold", "understaffed", "understand", "understandable", "understandably", "understanding", "understandingly", "understandings", "understands", "understate", "understated", "understatement", "understatements", "understates", "understating", "understood", "understudied", "understudy", "understudying", "undertake", "undertaken", "undertaker", "undertakers", "undertakes", "undertaking", "undertakings", "undertone", "undertones", "undertook", "undervaluation", "undervalue", "undervalued", "undervalues", "undervaluing", "underwater", "underway", "underwear", "underweight", "underwent", "underworld", "underwrite", "underwriter", "underwriters", "underwrites", "underwriting", "underwritten", "undesecrated", "undeserved", "undeservedly", "undeservedness", "undeserving", "undeservingly", "undesiccated", "undesignated", "undesigned", "undesirability", "undesirable", "undesirableness", "undesirably", "undesired", "undespairing", "undespairingly", "undespatched", "undespoiled", "undestroyed", "undetachability", "undetachable", "undetached", "undetachedly", "undetachedness", "undetailed", "undetained", "undetectable", "undetected", "undetermined", "undeterred", "undetonated", "undevastated", "undeveloped", "undeviating", "undiagnosed", "undid", "undies", "undifferentiated", "undigested", "undiggable", "undignified", "undilapidated", "undilatable", "undilated", "undiluted", "undimensioned", "undiminishable", "undiminished", "undiminishing", "undiminishingly", "undimmed", "undiplomatic", "undipped", "undirected", "undirtied", "undiscerning", "undischargeable", "undischarged", "undisciplined", "undisclosed", "undiscounted", "undiscovered", "undiscussed", "undiseased", "undisgraced", "undisguised", "undisguisedly", "undismayed", "undismissed", "undispensed", "undispersed", "undisplayed", "undisputed", "undisrupted", "undissected", "undissolved", "undissuaded", "undistended", "undistinguished", "undistracted", "undistributed", "undisturbed", "undiverted", "undivided", "undo", "undocked", "undocketed", "undoctored", "undocumented", "undoes", "undoing", "undomed", "undomesticated", "undominated", "undone", "undoped", "undoubled", "undoubtably", "undoubted", "undoubtedly", "undoused", "undowsed", "undrained", "undramatic", "undraped", "undrawable", "undreamed", "undreamt", "undredged", "undrenched", "undress", "undressed", "undresses", "undressing", "undried", "undrinkable", "undropped", "undrowned", "undrugged", "undubbed", "undue", "undulant", "undulate", "undulated", "undulates", "undulating", "undulatingly", "undulation", "unduly", "unduplicated", "undyed", "undying", "undynamic", "unearned", "unearth", "unearthed", "unearthing", "unearthly", "unearths", "unease", "uneasily", "uneasiness", "uneasy", "uneatable", "uneaten", "uneclipsed", "uneconomic", "uneconomical", "uneconomically", "unedited", "uneducated", "uneffaced", "unefficacious", "unefficaciously", "unefficaciousness", "unelated", "unelatedly", "unelected", "unelectrified", "unelectrocuted", "unelectroplated", "unelevated", "unelicited", "uneliminated", "unelongated", "unelucidated", "unemancipated", "unembarrassed", "unembellished", "unembezzled", "unembossed", "unembraced", "unembroidered", "unembroiled", "unemotional", "unemotionally", "unemployable", "unemployed", "unemployment", "unemptied", "unemulated", "unemulsified", "unenabled", "unenacted", "unencapsulated", "unenclosed", "unencoded", "unencountered", "unencumbered", "unending", "unendorsed", "unendowed", "unendurable", "unendured", "unenforceable", "unenforced", "unenforcible", "unengaged", "unengineered", "unengraved", "unengulfed", "unenhanced", "unenjoyable", "unenjoyably", "unenlarged", "unenlightened", "unenraged", "unenriched", "unentangled", "unenterprising", "unenterprisingly", "unenthusiastic", "unenthusiastically", "unenticed", "unentranced", "unenunciated", "unenveloped", "unenviable", "unenviably", "unenvied", "unenvisaged", "unenvying", "unequal", "unequaled", "unequally", "unequals", "unequipped", "unequivocable", "unequivocably", "unequivocal", "unequivocally", "uneradicated", "unerased", "unerected", "uneroded", "unerring", "unerringly", "unerupted", "unesco", "unescorted", "unessayed", "unestablished", "unestimated", "unetched", "unethical", "unethically", "unevacuated", "unevaluated", "unevaporated", "uneven", "unevenly", "unevenness", "uneventful", "uneventfully", "unevicted", "unevoked", "unevolved", "unexacted", "unexacting", "unexaggerated", "unexalted", "unexamined", "unexasperated", "unexcavated", "unexcelled", "unexceptionable", "unexceptionably", "unexceptional", "unexceptionally", "unexchangeable", "unexchanged", "unexcitability", "unexcitable", "unexcitableness", "unexcitably", "unexcited", "unexcluded", "unexclusive", "unexcused", "unexecuted", "unexercised", "unexerted", "unexhausted", "unexhibited", "unexhilarated", "unexhorted", "unexhumed", "unexiled", "unexonerated", "unexpandable", "unexpanded", "unexpansive", "unexpansively", "unexpansiveness", "unexpected", "unexpectedly", "unexpedient", "unexpediently", "unexpended", "unexperienced", "unexpired", "unexplainable", "unexplained", "unexploded", "unexploited", "unexplored", "unexported", "unexposed", "unexpressed", "unexpurgated", "unextendable", "unextended", "unexterminated", "unextinguishable", "unextinguished", "unextorted", "unextracted", "unextradited", "unextricate", "unextricated", "unextricates", "unextricating", "unfabled", "unfabricated", "unfaced", "unfaded", "unfailing", "unfailingly", "unfair", "unfairly", "unfairness", "unfaithful", "unfaithfully", "unfaithfulness", "unfaked", "unfalsified", "unfaltering", "unfalteringly", "unfamiliar", "unfamiliarity", "unfamiliarly", "unfancied", "unfanciful", "unfanned", "unfarmed", "unfashionable", "unfashionably", "unfashioned", "unfasten", "unfastened", "unfastener", "unfasteners", "unfastening", "unfastenings", "unfastens", "unfathomable", "unfathomably", "unfathomed", "unfathoming", "unfatigued", "unfattened", "unfattening", "unfaulted", "unfavorable", "unfavorableness", "unfavorably", "unfavored", "unfeared", "unfearing", "unfeasible", "unfeathered", "unfed", "unfeeling", "unfeelingly", "unfeigned", "unfelled", "unfelt", "unfeminine", "unfenced", "unfermented", "unfertilized", "unfestooned", "unfetched", "unfettered", "unfielded", "unfiled", "unfilmed", "unfiltered", "unfinanced", "unfined", "unfingered", "unfinished", "unfired", "unfirmed", "unfit", "unfitness", "unfitted", "unfittest", "unfitting", "unfittingly", "unfixed", "unflagged", "unflagging", "unflanged", "unflanked", "unflappable", "unflared", "unflattened", "unflattering", "unflatteringly", "unflaunted", "unflayed", "unflecked", "unfledged", "unfleeced", "unflexed", "unflexing", "unflickering", "unflinching", "unflinchingly", "unflogged", "unflooded", "unflouted", "unflurried", "unflustered", "unfocused", "unfold", "unfolded", "unfolding", "unfolds", "unfomented", "unfondled", "unforced", "unforceful", "unforcefully", "unforcible", "unforcibly", "unforcing", "unfordable", "unforded", "unforecasted", "unforeseeable", "unforeseeably", "unforeseen", "unforetold", "unforfeited", "unforged", "unforgettable", "unforgettably", "unforgetting", "unforgivable", "unforgivably", "unforgiven", "unforgiving", "unforgotten", "unformatted", "unformed", "unformulated", "unforsaken", "unforseen", "unfortunate", "unfortunately", "unfortunates", "unfound", "unfounded", "unfoundedly", "unframed", "unfranked", "unfrayed", "unfreeze", "unfrequented", "unfried", "unfriendliness", "unfriendly", "unfrightened", "unfringed", "unfrisked", "unfrock", "unfrocked", "unfrocking", "unfrosted", "unfrozen", "unfulfilled", "unfunctional", "unfunctioning", "unfunded", "unfunnily", "unfunny", "unfurl", "unfurled", "unfurling", "unfurls", "unfurnished", "unfussy", "ungainful", "ungainfully", "ungainly", "ungallant", "ungarnished", "ungated", "ungathered", "ungenerous", "ungently", "ungifted", "ungird", "ungirded", "unglamorous", "unglazed", "unglimpsed", "unglued", "ungodliness", "ungodly", "ungovernable", "ungovernably", "ungoverned", "ungracious", "ungraciously", "ungraciousness", "ungraded", "ungraduated", "ungrammatical", "ungrammatically", "ungrated", "ungrateful", "ungratefully", "ungratified", "ungrazed", "ungritted", "ungroomed", "unground", "ungrounded", "ungrouped", "ungrouted", "ungrudged", "ungrudging", "ungrudgingly", "ungrumbling", "ungrumblingly", "unguarded", "unguardedly", "unguardedness", "unguent", "unguessed", "unguided", "ungutted", "unhalted", "unhalved", "unhampered", "unhand", "unhandled", "unhandy", "unhappier", "unhappiest", "unhappily", "unhappiness", "unhappy", "unhardened", "unharmed", "unharmful", "unharmfully", "unharmfulness", "unharming", "unharmonious", "unharmoniously", "unharmoniousness", "unharness", "unharnessed", "unharnesses", "unharnessing", "unharvested", "unhassled", "unhastily", "unhastiness", "unhasty", "unhatched", "unhauled", "unhaunted", "unhazardous", "unheaded", "unhealed", "unhealthily", "unhealthiness", "unhealthy", "unheaped", "unheard", "unhearing", "unheated", "unhedged", "unheeded", "unheeding", "unheeled", "unheightened", "unhelped", "unhelpful", "unhelpfully", "unhelpfulness", "unheralded", "unherded", "unheroically", "unhesitant", "unhesitantly", "unhesitating", "unhesitatingly", "unhidden", "unhighlighted", "unhindered", "unhinge", "unhinged", "unhired", "unhitch", "unhitched", "unhitches", "unhitching", "unhoed", "unhoisted", "unholy", "unhooded", "unhook", "unhooked", "unhooking", "unhooks", "unhoped", "unhopeful", "unhopefully", "unhopefulness", "unhorned", "unhorse", "unhorsed", "unhosed", "unhousetrained", "unhuddled", "unhugged", "unhumiliated", "unhummed", "unhung", "unhunted", "unhurled", "unhurried", "unhurriedly", "unhurrying", "unhurt", "unhusbanded", "unhushed", "unhygenic", "unhyphenated", "unicef", "unicorn", "unicorns", "unideal", "unidentified", "unidimensional", "unidirectional", "unifiable", "unification", "unifications", "unified", "unifies", "uniform", "uniformed", "uniformity", "uniformly", "uniforms", "unify", "unifying", "unignited", "unilateral", "unilaterally", "unilluminated", "unillustrated", "unimaginable", "unimaginably", "unimaginative", "unimaginatively", "unimagined", "unimitated", "unimmersed", "unimodal", "unimpacted", "unimpaired", "unimparted", "unimpeachable", "unimpeachably", "unimpeded", "unimplemented", "unimplicated", "unimplied", "unimploded", "unimplored", "unimportance", "unimportant", "unimportantly", "unimported", "unimportuned", "unimposed", "unimposing", "unimpressed", "unimpressionable", "unimpressionably", "unimpressive", "unimpressively", "unimproved", "unincited", "uninclined", "unincluded", "unincorporated", "unincreased", "unincriminated", "unindented", "unindexed", "unindicated", "uninduced", "unindulged", "uninfatuated", "uninfected", "uninfiltrated", "uninflamed", "uninflated", "uninflicted", "uninfluenced", "uninformative", "uninformatively", "uninformed", "uninfused", "uninhabitable", "uninhabited", "uninhaled", "uninhibited", "uninitialized", "uninitiate", "uninitiated", "uninjected", "uninjured", "uninoculated", "uninquisitive", "uninquisitively", "uninquisitiveness", "uninscribed", "uninserted", "uninspected", "uninspired", "uninspiring", "uninstigated", "uninstructed", "uninstructive", "uninsulated", "uninsured", "unintelligent", "unintelligently", "unintelligible", "unintelligibly", "unintended", "unintensified", "unintentional", "unintentionally", "unintercepted", "uninterested", "uninterestedly", "uninteresting", "uninterestingly", "uninterpreted", "uninterrogated", "uninterrupted", "uninterruptedly", "uninterviewed", "unintimidated", "unintoxicated", "unintroduced", "uninvaded", "uninverted", "uninvested", "uninvigorated", "uninvited", "uninvoiced", "uninvoked", "uninvolved", "union", "unionism", "unionist", "unions", "uniplex", "unipolar", "unique", "uniquely", "uniqueness", "unironed", "unirrigated", "unirritated", "unisex", "unisolated", "unison", "unissued", "unit", "unitarian", "unitarianism", "unitarians", "unitary", "unite", "united", "unitedly", "unitedness", "uniterated", "unites", "unities", "uniting", "unitized", "units", "unity", "univac", "universal", "universalise", "universalistic", "universality", "universalize", "universally", "universals", "universe", "universes", "universities", "university", "unix", "unjabbed", "unjacketed", "unjaded", "unjailed", "unjilted", "unjointed", "unjolted", "unjostled", "unjotted", "unjudged", "unjumble", "unjumbled", "unjust", "unjustifiable", "unjustifiably", "unjustified", "unjustly", "unjustness", "unkempt", "unkicked", "unkind", "unkindest", "unkindliness", "unkindly", "unkindness", "unkissed", "unkneaded", "unknifed", "unknighted", "unknotted", "unknowing", "unknowingly", "unknowledgeable", "unknowledgeably", "unknown", "unknowns", "unknuckled", "unlabeled", "unlaborious", "unlaboriousness", "unlaborously", "unlace", "unlaced", "unlacerated", "unlacing", "unlacquered", "unladdered", "unladen", "unlagged", "unlaid", "unlamented", "unlamenting", "unlaminated", "unlanced", "unlandscaped", "unlashed", "unlatch", "unlatched", "unlathered", "unlaunched", "unlaundered", "unlavished", "unlawful", "unlawfully", "unlawfulness", "unlawned", "unlayered", "unleaded", "unleaped", "unlearn", "unlearned", "unleash", "unleashed", "unleashes", "unleashing", "unleavened", "unlectured", "unlegislated", "unlengthened", "unless", "unlettered", "unleveled", "unlevied", "unlicensed", "unlifted", "unlike", "unlikeable", "unlikelihood", "unlikeliness", "unlikely", "unlikeness", "unlikenesses", "unlimed", "unlimited", "unlined", "unlink", "unlinked", "unlipped", "unliquidated", "unlisted", "unlittered", "unlivable", "unlived", "unload", "unloaded", "unloader", "unloaders", "unloading", "unloads", "unlocated", "unlock", "unlockable", "unlocked", "unlocking", "unlocks", "unlogged", "unlooked", "unlooped", "unloose", "unloosen", "unloosened", "unloosening", "unloosens", "unlovable", "unlovably", "unloved", "unloveliness", "unlovely", "unloving", "unlowered", "unlubricated", "unluckier", "unluckiest", "unluckily", "unluckiness", "unlucky", "unlynched", "unmade", "unmagnanimous", "unmagnanimously", "unmagnetic", "unmagnified", "unmailed", "unmaimed", "unmaintained", "unmake", "unmakes", "unmaking", "unman", "unmanacled", "unmanageable", "unmanageably", "unmanaged", "unmangled", "unmanicured", "unmanipulated", "unmanliness", "unmanly", "unmanned", "unmannerliness", "unmannerly", "unmanufactured", "unmapped", "unmarbled", "unmarked", "unmarketability", "unmarketable", "unmarketed", "unmarriageable", "unmarried", "unmarrying", "unmashed", "unmask", "unmasked", "unmasking", "unmasks", "unmassaged", "unmassed", "unmatched", "unmated", "unmathematical", "unmathematically", "unmatted", "unmeaningful", "unmeaningfully", "unmeant", "unmeasured", "unmechanical", "unmechanically", "unmedicated", "unmeditated", "unmellowed", "unmelodious", "unmelodiously", "unmelodiousness", "unmelted", "unmended", "unmentionable", "unmentionably", "unmentioned", "unmerciful", "unmercifully", "unmercifulness", "unmerged", "unmerited", "unmeritorious", "unmeshed", "unmetered", "unmethodical", "unmethodically", "unmeticulous", "unmeticulously", "unmighty", "unmilked", "unmilled", "unmimicked", "unminced", "unmindful", "unmindfully", "unmined", "unministered", "unminted", "unmirthful", "unmirthfully", "unmistakable", "unmistakably", "unmistaken", "unmistakenly", "unmistakenness", "unmistaking", "unmistified", "unmitigated", "unmixed", "unmobbed", "unmodifiable", "unmodifiably", "unmodified", "unmodish", "unmodishly", "unmodishness", "unmodulated", "unmoistened", "unmolested", "unmollified", "unmonitored", "unmoored", "unmopped", "unmortgaged", "unmortified", "unmotherly", "unmotivated", "unmottled", "unmounted", "unmourned", "unmouthed", "unmoved", "unmoving", "unmown", "unmuddled", "unmuffled", "unmumbled", "unmummified", "unmurmured", "unmusical", "unmusically", "unmusicalness", "unmustered", "unmutilated", "unmuttered", "unmuzzled", "unnabbed", "unnagged", "unnailed", "unnameable", "unnamed", "unnarrated", "unnattered", "unnatural", "unnaturally", "unnautical", "unnautically", "unnauticalness", "unnavigable", "unnavigated", "unneatened", "unnecessarily", "unnecessary", "unneeded", "unneedled", "unnegated", "unneglected", "unnegotiated", "unnerve", "unnerved", "unnerves", "unnerving", "unnetted", "unnettled", "unneutered", "unnibbled", "unniggled", "unnipped", "unnobbled", "unnominated", "unnotched", "unnoted", "unnoteworthily", "unnoteworthiness", "unnoteworthy", "unnoticeable", "unnoticeably", "unnoticed", "unnoticing", "unnotified", "unnourished", "unnudged", "unnumbed", "unnumbered", "unnursed", "unnurtured", "unnuzzled", "unobjectionable", "unobscured", "unobservant", "unobserved", "unobstructed", "unobtainable", "unobtrusive", "unobtrusively", "unobtrusiveness", "unoccupied", "unoffending", "unofficial", "unofficially", "unoiled", "unopened", "unopposed", "unoptimistic", "unordained", "unordered", "unorderliness", "unorderly", "unordinary", "unorganized", "unoriginal", "unorthodox", "unowned", "unpaced", "unpacified", "unpack", "unpackaged", "unpacked", "unpacking", "unpacks", "unpadded", "unpaged", "unpaid", "unpainted", "unpaired", "unpampered", "unpapered", "unparalleled", "unparalysed", "unpardoned", "unpartisan", "unpassed", "unpatched", "unpatented", "unpatriotic", "unpatronizing", "unpaved", "unpayable", "unpealed", "unpecked", "unpeeled", "unpeg", "unpenned", "unperceived", "unperched", "unpercolated", "unperfected", "unperforated", "unperformed", "unperfumed", "unpermitted", "unperpetrated", "unperplexed", "unpersecuted", "unpersonable", "unpersonably", "unpersuaded", "unperturbed", "unpervaded", "unperverted", "unpestered", "unphotographed", "unpick", "unpicked", "unpicking", "unpicks", "unpicturesque", "unpierced", "unpin", "unpinched", "unpinned", "unpinning", "unpins", "unpiped", "unplaced", "unplaited", "unplaned", "unplanned", "unplanted", "unplastered", "unplated", "unplayed", "unpleasant", "unpleasantly", "unpleasantness", "unpleased", "unpleasing", "unpledged", "unploughed", "unplug", "unplugged", "unplugging", "unplugs", "unplumbed", "unplundered", "unpoached", "unpointed", "unpoised", "unpoisoned", "unpolished", "unpollenated", "unpooled", "unpopular", "unpopularity", "unpopularly", "unpopulated", "unportability", "unportable", "unposed", "unpossessed", "unpossessive", "unpossessively", "unpossessiveness", "unpostponed", "unpostulated", "unpotted", "unpoured", "unpowdered", "unpraised", "unpraiseworthy", "unpreached", "unprecedented", "unprecipitated", "unpredictability", "unpredictable", "unpredictably", "unpredicted", "unprefaced", "unprejudiced", "unpremeditated", "unprepared", "unpreparedness", "unprepossessing", "unpresaged", "unprescribed", "unpresentable", "unpresentably", "unpresented", "unpreserved", "unpressured", "unpretentious", "unpretentiously", "unpretentiousness", "unpriced", "unprimed", "unprincipled", "unprintability", "unprintable", "unprinted", "unprobed", "unproblematic", "unprocessed", "unproclaimed", "unprocurable", "unprocured", "unprodded", "unproduced", "unproductive", "unproductively", "unprofessed", "unprofessional", "unprofessionally", "unproffered", "unprofitability", "unprofitable", "unprofitably", "unprogrammed", "unprohibited", "unprojected", "unprolonged", "unpromised", "unpromising", "unpromisingly", "unpromoted", "unprompted", "unpronounced", "unpronouncedly", "unpropagated", "unproposed", "unpropositioned", "unprosecuted", "unprotected", "unprotested", "unprotesting", "unprovable", "unprovably", "unproved", "unproven", "unprovocative", "unprovoked", "unprovoking", "unpruned", "unpublished", "unpuffed", "unpulled", "unpulped", "unpulsed", "unpumped", "unpunched", "unpunctual", "unpunctuality", "unpunctually", "unpunctuated", "unpunctured", "unpunishable", "unpunished", "unpurchased", "unpurged", "unpursued", "unpushed", "unpushing", "unpuzzled", "unqualified", "unqualifiedly", "unquantifiable", "unquantified", "unquantitative", "unquantitatively", "unquarantined", "unquarrelsome", "unquarrelsomely", "unqueenly", "unquenchable", "unquenched", "unquestionable", "unquestionably", "unquestioned", "unquestioning", "unquestioningly", "unquiet", "unquotable", "unquote", "unquoted", "unquoteworthy", "unravel", "unraveled", "unraveling", "unravels", "unread", "unreadable", "unreadiness", "unready", "unreal", "unrealism", "unrealistic", "unrealistically", "unreality", "unreasonable", "unreasonablness", "unreasonably", "unreassuringly", "unrecognizable", "unrecognizably", "unrecognized", "unreconstructed", "unrecorded", "unrecoverable", "unrecovered", "unredeemed", "unreel", "unreeling", "unrefined", "unreflective", "unregistered", "unregulated", "unrehearsed", "unrelated", "unreleased", "unrelenting", "unreliability", "unreliable", "unreliably", "unrelieved", "unremarkable", "unremarkably", "unremitting", "unremittingly", "unrepeatable", "unrepentant", "unreported", "unrequited", "unreserved", "unreservedly", "unresisting", "unresistingly", "unresolved", "unresponsive", "unrest", "unrestrained", "unrestricted", "unrestrictedly", "unrevealing", "unrewarding", "unrifled", "unripe", "unrivaled", "unrobe", "unrobed", "unroll", "unrolled", "unrolling", "unrolls", "unromantic", "unroof", "unruffled", "unruled", "unruliness", "unruly", "unsacrilegious", "unsaddle", "unsaddled", "unsaddles", "unsaddling", "unsafe", "unsaid", "unsainted", "unsaintliness", "unsaintly", "unsalaried", "unsalted", "unsalvable", "unsalvaged", "unsampled", "unsanctimonious", "unsanctimoniously", "unsanctioned", "unsanded", "unsanitary", "unsatisfactorily", "unsatisfactory", "unsatisfied", "unsatisfying", "unsaturated", "unsaved", "unsavory", "unsawed", "unsay", "unscaled", "unscaly", "unscarred", "unscathed", "unscenic", "unscented", "unscheduled", "unscholarliness", "unscholarly", "unschooled", "unscientific", "unscientifically", "unscorched", "unscored", "unscramble", "unscrambled", "unscrambles", "unscrambling", "unscratched", "unscreened", "unscrew", "unscrewed", "unscrewing", "unscrews", "unscripted", "unscrolled", "unscrubbed", "unscrupulous", "unscrupulously", "unscrupulousness", "unsculpted", "unscythed", "unseal", "unsealed", "unsealing", "unseals", "unseamed", "unseasonable", "unseasonably", "unseasonal", "unseasonally", "unseasoned", "unseat", "unseated", "unseating", "unseats", "unseaworthiness", "unseaworthy", "unsecluded", "unsecretive", "unsecretively", "unsecured", "unseeing", "unseemliness", "unseemly", "unseen", "unsegregated", "unselectable", "unselected", "unselective", "unselectively", "unselectiveness", "unselfish", "unselfishly", "unselfishness", "unsensed", "unsentenced", "unsentimental", "unseparated", "unsequenced", "unserved", "unserviceable", "unserviced", "unset", "unsets", "unsetting", "unsettle", "unsettled", "unsettles", "unsettling", "unsewed", "unshackle", "unshackled", "unshackles", "unshackling", "unshaded", "unshakable", "unshakeable", "unshaken", "unshapable", "unshaped", "unshared", "unsharp", "unsharpened", "unshaved", "unshaven", "unsheared", "unsheathe", "unsheathed", "unsheathes", "unsheathing", "unsheltered", "unshielded", "unship", "unshipped", "unshipping", "unships", "unshockability", "unshockable", "unshocked", "unshod", "unshown", "unshrinkability", "unshrinkable", "unshrouded", "unshut", "unsifted", "unsighted", "unsightly", "unsigned", "unsilenced", "unsinged", "unsinkable", "unsisterly", "unskilled", "unskillful", "unskirted", "unsleeping", "unsliced", "unslit", "unsloped", "unsmiling", "unsmilingly", "unsmooth", "unsmoothed", "unsnap", "unsnobbish", "unsnobbishly", "unsoaked", "unsober", "unsoberly", "unsociable", "unsociably", "unsocial", "unsocketed", "unsoftened", "unsoiled", "unsold", "unsolder", "unsoldered", "unsoldering", "unsolders", "unsolicited", "unsolicitous", "unsolicitously", "unsolicitousness", "unsolved", "unsophisticated", "unsophistication", "unsorted", "unsound", "unsown", "unspacious", "unspaciously", "unspaciousness", "unsparing", "unsparkling", "unspeakable", "unspeakably", "unspecific", "unspecifically", "unspecified", "unspectacular", "unspelt", "unspent", "unspilt", "unspirited", "unsplit", "unspoiled", "unspoilt", "unspoken", "unsponsored", "unspontaneous", "unspontaneously", "unspontaneousness", "unspool", "unspooled", "unspooling", "unspools", "unsporting", "unsportsmanlike", "unsprayed", "unsprung", "unstable", "unstably", "unstacked", "unstaffed", "unstaged", "unstained", "unstaked", "unstapled", "unstarched", "unstarchy", "unstaring", "unstately", "unstatesmanlike", "unsteadily", "unsteadiness", "unsteady", "unsterilized", "unstick", "unsticks", "unstiffened", "unstimulated", "unstinted", "unstintingly", "unstitched", "unstoned", "unstoppability", "unstoppable", "unstrained", "unstrap", "unstrapped", "unstrapping", "unstraps", "unstreamlined", "unstrengthened", "unstressed", "unstressful", "unstretched", "unstructured", "unstrung", "unstuck", "unstuffy", "unstyled", "unstylish", "unsubdued", "unsubjugated", "unsubscribed", "unsubscripted", "unsuccessful", "unsuccessfully", "unsuccessfulness", "unsuitability", "unsuitable", "unsuitably", "unsuited", "unsullied", "unsung", "unsupervised", "unsupportable", "unsupported", "unsuppressed", "unsure", "unsurmountable", "unsurpassable", "unsurpassably", "unsurpassed", "unsuspected", "unsuspecting", "unsuspressed", "unsustained", "unswaying", "unsweetened", "unswept", "unswerving", "unsympathetic", "unsympathetically", "unsynchronized", "unsyndicated", "unsystematic", "unsystematically", "untabbed", "untabled", "untabulated", "untack", "untacked", "untackled", "untacks", "untagged", "untailored", "untainted", "untalented", "untalkative", "untameable", "untamed", "untamped", "untangle", "untangled", "untangles", "untangling", "untanned", "untaped", "untapered", "untapper", "untarnishable", "untarnished", "untattered", "untaunted", "untaxed", "unteachable", "untellable", "untemperamental", "untempered", "untempted", "untempting", "untenability", "untenable", "untenableness", "untenanted", "untended", "untenured", "unterminated", "unterraced", "unterrified", "unterrorised", "untested", "untestified", "untethered", "untextured", "unthanked", "unthankful", "unthankfully", "unthankfulness", "unthanking", "unthatched", "unthawed", "unthematic", "unthickened", "unthinkable", "unthinkably", "unthinking", "unthinkingly", "unthoughtful", "unthoughtfully", "unthoughtfulness", "unthrashed", "unthreaded", "unthreatened", "unthreshed", "unthrown", "unthumbed", "unthwarted", "unticked", "untidied", "untidier", "untidies", "untidiest", "untidily", "untidiness", "untidy", "untidying", "untie", "untied", "unties", "untighten", "untightened", "untightening", "untightens", "untightly", "until", "untiled", "untilled", "untimbered", "untimed", "untimeliness", "untimely", "untinged", "untinned", "untipped", "untired", "untiring", "untitivated", "untitled", "unto", "untoasted", "untold", "untolerated", "untooled", "untopical", "untopicality", "untopically", "untopped", "untoppled", "untormented", "untorpedoed", "untortured", "untossed", "untouchable", "untouched", "untoward", "untraceable", "untraceably", "untracked", "untraded", "untraditional", "untrailed", "untrainable", "untrainably", "untrained", "untrammeled", "untrampled", "untransacted", "untranscribed", "untransformed", "untranslatable", "untranslatably", "untranslated", "untransmitted", "untransportable", "untrapped", "untraversable", "untraversed", "untreads", "untreasured", "untreatable", "untreated", "untrembling", "untremblingly", "untried", "untriggered", "untrimmed", "untrod", "untrodden", "untroubled", "untroubledly", "untrue", "untrueness", "untruly", "untrumped", "untrussed", "untrusted", "untrusting", "untrustingly", "untrustworthiness", "untrustworthy", "untruth", "untruthful", "untruthfully", "untruthfulness", "untruths", "untucked", "untuned", "untuneful", "unturned", "unturreted", "untutored", "untweaked", "untwine", "untwist", "untwistable", "untwisted", "untwisting", "untwists", "untying", "untyped", "untypical", "unusability", "unusable", "unused", "unusual", "unusually", "unutterable", "unutterably", "unuttered", "unvacated", "unvaccinated", "unvaliant", "unvalidated", "unvanquishability", "unvanquishable", "unvanquished", "unvaporisable", "unvariegated", "unvarnished", "unvarying", "unvaulted", "unveil", "unveiled", "unveiling", "unveils", "unveined", "unvendible", "unveneered", "unvenerated", "unventilated", "unventured", "unventuresome", "unventuresomely", "unventuresomeness", "unverbose", "unverbosely", "unverifiability", "unverifiable", "unverified", "unversatile", "unvibratability", "unvibratable", "unvibrated", "unvictorious", "unvictoriously", "unviewability", "unviewable", "unviewed", "unvigorous", "unvigorously", "unvindicatability", "unvindicatable", "unvindicated", "unviolated", "unvisitable", "unvisited", "unvitrifiable", "unwadded", "unwaivering", "unwakefully", "unwaking", "unwalled", "unwallpapered", "unwanted", "unwarily", "unwariness", "unwarlike", "unwarmed", "unwarned", "unwarped", "unwarrantability", "unwarrantable", "unwarranted", "unwarty", "unwary", "unwashed", "unwasted", "unwasteful", "unwastefully", "unwastefulness", "unwatched", "unwatchful", "unwatchfully", "unwatchfulness", "unwatered", "unwaterlogged", "unwatermarked", "unwaterproofed", "unwaved", "unwavering", "unwaveringly", "unwaxed", "unwealthy", "unweaned", "unweary", "unwearying", "unweathered", "unweaves", "unwebbed", "unwed", "unwedded", "unweeded", "unweighed", "unweightily", "unweighty", "unwelcome", "unwelcomed", "unwelcoming", "unweld", "unweldability", "unweldable", "unwelded", "unwelding", "unwelds", "unwell", "unwetted", "unwhetted", "unwhipped", "unwhisked", "unwhitened", "unwhitewashed", "unwholesome", "unwholesomely", "unwholesomeness", "unwieldy", "unwilful", "unwilling", "unwillingly", "unwillingness", "unwind", "unwinding", "unwinds", "unwire", "unwired", "unwise", "unwisely", "unwitnessed", "unwitting", "unwittingly", "unwobbly", "unwomanly", "unwonted", "unwontedly", "unworkability", "unworkable", "unworkableness", "unworkably", "unworked", "unworking", "unworkmanlike", "unworldliness", "unworldly", "unworn", "unworthily", "unworthiness", "unworthy", "unwound", "unwounded", "unwrap", "unwrapped", "unwrapping", "unwraps", "unwrinkled", "unwritten", "unyielded", "unyielding", "unyieldingly", "unyoke", "unyoked", "unyokes", "unyoking", "unyouthful", "unzip", "unzipped", "unzipping", "unzips", "upbeat", "upbring", "upbringing", "upcome", "upcoming", "update", "updated", "updates", "updating", "updike", "upgrade", "upgraded", "upgrades", "upgrading", "upheaval", "upheavals", "upheld", "uphill", "uphold", "upholders", "upholding", "upholds", "upholster", "upholstered", "upholsterer", "upholsterers", "upholstering", "upholsters", "upholstery", "upkeep", "upland", "uplands", "uplift", "uplifted", "uplifting", "upliftingly", "uplifts", "uploading", "upmost", "upon", "upped", "upper", "uppercase", "uppercased", "uppercut", "uppermost", "upping", "uppity", "upright", "uprighteous", "uprighteously", "uprightly", "uprise", "uprises", "uprising", "uprisings", "upriver", "uproar", "uproarious", "uproariously", "uproariousness", "uproot", "uprooted", "uprooting", "uproots", "ups", "upset", "upsets", "upsetted", "upsetting", "upshot", "upshots", "upside", "upsilon", "upstage", "upstaged", "upstager", "upstagers", "upstages", "upstaging", "upstairs", "upstanding", "upstart", "upstarts", "upstream", "upsurge", "upsurged", "upsurgence", "upsurges", "upsurging", "upswept", "upswing", "uptake", "upthrust", "uptight", "uptown", "uptrend", "upturn", "upturned", "upturning", "upturns", "upward", "upwardly", "upwards", "upwind", "uranium", "uranus", "urban", "urbane", "urbanely", "urbanism", "urbanite", "urbanization", "urbanized", "urchin", "urchins", "urdu", "urethra", "urge", "urged", "urgencies", "urgency", "urgent", "urgently", "urges", "urging", "urgings", "uric", "urinal", "urinals", "urinary", "urinate", "urinated", "urinates", "urinating", "urination", "urine", "urn", "urns", "ursine", "uruguay", "usa", "usable", "usage", "usages", "use", "useable", "used", "useful", "usefully", "usefulness", "useless", "uselessly", "uselessness", "user", "users", "uses", "usher", "ushered", "usherette", "usherettes", "ushering", "ushers", "using", "ussr", "usual", "usually", "usurer", "usurers", "usurious", "usurp", "usurpation", "usurpatory", "usurped", "usurper", "usurpers", "usurping", "usurps", "usury", "utah", "utensil", "utensils", "uteri", "uterine", "uterus", "utilitarian", "utilities", "utility", "utilization", "utilize", "utilized", "utilizes", "utilizing", "utmost", "utopia", "utopian", "utopianism", "utopians", "utopias", "utrecht", "utter", "utterance", "utterances", "uttered", "uttering", "utterly", "uttermost", "utters", "uvula", "uvular", "uvulas", "uzbek", "vacancies", "vacancy", "vacant", "vacate", "vacated", "vacates", "vacating", "vacation", "vacationers", "vacationing", "vacationist", "vacationists", "vacationland", "vacations", "vaccinal", "vaccinate", "vaccinated", "vaccinates", "vaccinating", "vaccination", "vaccinations", "vaccinator", "vaccinators", "vaccinatory", "vaccine", "vaccines", "vacillate", "vacillated", "vacillates", "vacillating", "vacillatingly", "vacillation", "vacillations", "vacuate", "vacuated", "vacuates", "vacuating", "vacuity", "vacuous", "vacuously", "vacuousness", "vacuum", "vacuumed", "vacuuming", "vacuums", "vaduz", "vagabond", "vagabonds", "vagaries", "vagarious", "vagarish", "vagary", "vagina", "vaginal", "vaginas", "vaginate", "vagrancy", "vagrant", "vagrants", "vague", "vaguely", "vagueness", "vaguer", "vaguest", "vain", "vainglorious", "vaingloriously", "vaingloriousness", "vainglory", "vainly", "vainness", "valance", "valanced", "valances", "vale", "valediction", "valedictorian", "valedictory", "valence", "valencia", "valentine", "valentines", "valerian", "valerie", "vales", "valet", "valets", "valetta", "valhalla", "valiancy", "valiant", "valiantly", "valid", "validate", "validated", "validates", "validating", "validation", "validity", "validly", "valise", "valises", "valletta", "valley", "valleys", "valor", "valorous", "valorously", "valuable", "valuables", "valuate", "valuated", "valuates", "valuating", "valuation", "valuations", "value", "valued", "valueless", "valuer", "valuers", "values", "valuing", "valve", "valved", "valveless", "valves", "vamp", "vamped", "vamping", "vampire", "vampires", "vampiric", "vampirism", "vamps", "van", "vanadium", "vancouver", "vandal", "vandalism", "vandalize", "vandalized", "vandalizes", "vandalizing", "vandals", "vane", "vaned", "vaneless", "vanes", "vanguard", "vanilla", "vanish", "vanished", "vanishes", "vanishing", "vanishingly", "vanishment", "vanities", "vanity", "vanquish", "vanquishability", "vanquishable", "vanquished", "vanquisher", "vanquishers", "vanquishes", "vanquishing", "vanquishment", "vans", "vantage", "vantages", "vanuata", "vapid", "vapidity", "vapidly", "vapidness", "vapor", "vaporizability", "vaporizable", "vaporization", "vaporize", "vaporized", "vaporizer", "vaporizes", "vaporizing", "vapors", "variability", "variable", "variableness", "variables", "variably", "variance", "variances", "variant", "variants", "variate", "variates", "variation", "variations", "varicose", "varied", "variedly", "variegate", "variegated", "variegates", "variegating", "variegation", "variegator", "variegators", "varies", "varieties", "variety", "variorum", "various", "variously", "variousness", "varnish", "varnished", "varnisher", "varnishes", "varnishing", "varsity", "vary", "varying", "vascular", "vase", "vasectomies", "vasectomy", "vaseline", "vases", "vassal", "vassals", "vast", "vaster", "vastest", "vastly", "vastness", "vat", "vatican", "vats", "vaudeville", "vault", "vaulted", "vaulter", "vaulters", "vaulting", "vaults", "vaulty", "vaunt", "vaunted", "vaunter", "vaunters", "vaunting", "vauntingly", "vaunts", "vauxhall", "veal", "vector", "vectored", "vectorial", "vectoring", "vectors", "veer", "veered", "veering", "veers", "vegan", "vegans", "vegetable", "vegetables", "vegetarian", "vegetarianism", "vegetarians", "vegetate", "vegetated", "vegetates", "vegetating", "vegetation", "vehemence", "vehement", "vehemently", "vehicle", "vehicles", "vehicular", "veil", "veiled", "veiling", "veilless", "veils", "vein", "veined", "veining", "veinless", "veinlike", "veins", "vela", "vellum", "velocipede", "velocities", "velocity", "velour", "velours", "velum", "velvet", "velveteen", "velvety", "venal", "venally", "venation", "vend", "vended", "vendee", "vendees", "vendetta", "vendettas", "vendible", "vending", "vendor", "vendors", "vends", "veneer", "veneered", "veneering", "veneers", "venerability", "venerable", "venerableness", "venerably", "venerate", "venerated", "venerates", "venerating", "veneration", "venerator", "venerators", "venereal", "venereally", "venetian", "venezuala", "venezuela", "venezuelan", "vengeance", "vengeful", "venia", "venial", "venice", "venire", "venison", "venom", "venomed", "venomous", "venomously", "venomousness", "venoms", "venous", "vent", "vented", "venter", "ventilate", "ventilated", "ventilates", "ventilating", "ventilation", "ventilator", "ventilators", "venting", "ventricle", "ventricles", "ventriloquism", "ventriloquist", "ventriloquists", "vents", "venture", "ventured", "venturer", "ventures", "venturesome", "venturesomely", "venturesomeness", "venturing", "venturingly", "venturous", "venturously", "venue", "venues", "venus", "venusian", "veracious", "veraciously", "veracity", "verandah", "verandahs", "verb", "verba", "verbal", "verbalism", "verbalist", "verbalistic", "verbalists", "verbalization", "verbalize", "verbalized", "verbalizing", "verbally", "verbatim", "verbiage", "verbose", "verbosely", "verboseness", "verbosity", "verbs", "verdancy", "verdant", "verdantly", "verdi", "verdict", "verdicts", "verdure", "verge", "verged", "verger", "vergers", "verges", "verging", "verifiability", "verifiable", "verifiably", "verification", "verifications", "verificatory", "verified", "verifier", "verifiers", "verifies", "verify", "verifying", "verily", "verisimilar", "verisimilitude", "veritable", "veritably", "verities", "verity", "vermicelli", "vermiform", "vermilion", "vermin", "verminous", "vermont", "vermouth", "vernacular", "vernacularism", "vernacularity", "vernacularly", "vernal", "veronica", "verruca", "verrucae", "versa", "versailles", "versatile", "versatilely", "versatility", "verse", "versed", "verses", "versification", "versifier", "versify", "version", "versions", "versus", "vertebra", "vertebrae", "vertebral", "vertebrate", "vertebrates", "vertex", "vertical", "verticality", "vertically", "verticals", "vertices", "vertiginous", "vertigo", "verve", "very", "vesicle", "vesicular", "vesper", "vespers", "vessel", "vessels", "vest", "vestal", "vested", "vestibular", "vestibule", "vestibules", "vestige", "vestiges", "vestigial", "vesting", "vestment", "vestments", "vestries", "vestry", "vests", "vesture", "vet", "vetchling", "veteran", "veterans", "veterinarian", "veterinarians", "veterinary", "veto", "vetoed", "vetoes", "vetoing", "vets", "vetting", "vex", "vexation", "vexations", "vexatious", "vexatiously", "vexatiousness", "vexed", "vexes", "vexing", "via", "viability", "viable", "viably", "viaduct", "viaducts", "vials", "vibes", "vibrancy", "vibrant", "vibratability", "vibratable", "vibrate", "vibrated", "vibrates", "vibrating", "vibration", "vibrations", "vibrato", "vibrator", "vibrators", "vibratory", "vic", "vicar", "vicarage", "vicarages", "vicarious", "vicariously", "vicariousness", "vicars", "vice", "viceroy", "vices", "vicinities", "vicinity", "vicious", "viciously", "viciousness", "vicissitude", "vicissitudes", "vicissitudinous", "vicki", "victim", "victimization", "victimize", "victimized", "victimizes", "victimizing", "victims", "victor", "victoria", "victorian", "victorians", "victories", "victorious", "victoriously", "victoriousness", "victors", "victory", "victoryless", "victual", "victuals", "video", "videos", "videotape", "videotaped", "videotapes", "videotaping", "vie", "vied", "vienna", "viennese", "vientiane", "vies", "vietnam", "vietnamese", "view", "viewability", "viewable", "viewed", "viewer", "viewers", "viewing", "viewless", "viewpoint", "viewpoints", "views", "vigil", "vigilance", "vigilant", "vigilante", "vigilantes", "vigilantism", "vigilantly", "vignette", "vignettes", "vigor", "vigorous", "vigorously", "vigorousness", "viking", "vikings", "vile", "vilely", "vileness", "viler", "vilest", "vilification", "vilified", "vilifier", "vilifiers", "vilifies", "vilify", "vilifying", "villa", "village", "villager", "villagers", "villages", "villain", "villainous", "villainously", "villains", "villainy", "villas", "vilnius", "vim", "vinaigrette", "vincent", "vincibility", "vincible", "vinculo", "vindicate", "vindicated", "vindicates", "vindicating", "vindication", "vindicator", "vindicators", "vindicatory", "vindictability", "vindictable", "vindictive", "vindictively", "vindictiveness", "vine", "vinegar", "vines", "vineyard", "vineyards", "vinification", "vinous", "vinousity", "vintage", "vintages", "vintner", "vinyl", "viol", "viola", "violability", "violable", "violas", "violate", "violated", "violates", "violating", "violation", "violations", "violator", "violators", "violence", "violent", "violently", "violet", "violets", "violin", "violinist", "violinists", "violins", "violist", "violists", "viols", "viper", "viperiform", "viperine", "viperish", "viperishly", "viperishness", "viperous", "viperously", "vipers", "virago", "viragos", "viral", "virgin", "virginal", "virginally", "virginals", "virginia", "virginian", "virginity", "virgins", "virgo", "virgule", "virile", "virility", "virtual", "virtually", "virtue", "virtues", "virtuosi", "virtuosity", "virtuoso", "virtuous", "virtuously", "virtuousness", "virulence", "virulent", "virulently", "virus", "viruses", "vis", "visa", "visage", "visages", "visas", "viscera", "visceral", "viscose", "viscosity", "viscount", "viscounts", "viscous", "viselike", "visibility", "visible", "visibly", "vision", "visionaries", "visionary", "visions", "visit", "visitable", "visitant", "visitants", "visitation", "visitations", "visited", "visiting", "visitor", "visitors", "visits", "visor", "visored", "visors", "vista", "vistas", "visual", "visualization", "visualize", "visualized", "visualizes", "visualizing", "visually", "visuals", "vital", "vitality", "vitalization", "vitalize", "vitalized", "vitalizes", "vitalizing", "vitally", "vitals", "vitamin", "vitamins", "vitas", "vitiability", "vitiable", "vitiate", "vitiated", "vitiates", "vitiating", "vitiation", "vitiator", "vitiators", "vitreous", "vitreousness", "vitrescence", "vitrescent", "vitrifaction", "vitrifiability", "vitrifiable", "vitrification", "vitrified", "vitriform", "vitrify", "vitrifying", "vitriol", "vitriolic", "vitro", "vituperate", "vituperated", "vituperates", "vituperating", "vituperation", "vituperative", "vituperatively", "vituperativeness", "viva", "vivacious", "vivaciously", "vivaciousness", "vivacity", "vivaldi", "vivid", "vividly", "vividness", "vivified", "vivifies", "vivify", "vivifying", "vivisection", "vixen", "vixenish", "vixens", "viz", "vizier", "viziers", "vocabula", "vocabularian", "vocabularianism", "vocabularies", "vocabulary", "vocal", "vocalic", "vocalism", "vocalist", "vocalists", "vocalization", "vocalize", "vocalized", "vocalizes", "vocalizing", "vocally", "vocals", "vocate", "vocation", "vocational", "vocationally", "vocations", "vociferance", "vociferate", "vociferated", "vociferates", "vociferating", "vociferator", "vociferators", "vociferous", "vociferously", "vociferousness", "vodka", "vogue", "vogues", "voguish", "voice", "voiceband", "voiced", "voiceless", "voicelessly", "voicelessness", "voices", "voicing", "void", "voidability", "voidable", "voidance", "voided", "voider", "voiding", "voids", "volatile", "volatility", "volatilizability", "volatilizable", "volatilization", "volatilize", "volatilized", "volatilizes", "volatilizing", "volcanic", "volcanically", "volcanism", "volcano", "volcanoes", "volcanos", "vole", "volenti", "voles", "volition", "volkswagen", "volley", "volleyball", "volleyed", "volleyer", "volleyers", "volleying", "volleys", "volt", "volta", "voltage", "voltages", "voltaic", "voltaire", "voltmeter", "volts", "voluble", "volubleness", "volublility", "volubly", "volume", "volumed", "volumes", "volumetric", "volumetrically", "voluminous", "voluminously", "voluminousness", "voluntarily", "voluntariness", "voluntary", "volunteer", "volunteered", "volunteering", "volunteers", "voluptuary", "voluptuous", "voluptuously", "voluptuousness", "volute", "volvo", "vomit", "vomited", "vomiting", "vomits", "voodoo", "voracious", "voraciously", "voraciousness", "voracity", "vortex", "vortical", "vortices", "vote", "voted", "voter", "voters", "votes", "voting", "votive", "vouch", "vouched", "vouchee", "vouchees", "voucher", "vouchers", "vouches", "vouching", "vouchsafe", "vouchsafed", "vouchsafes", "vouchsafing", "vouchsaved", "vouchsaves", "vouchsaving", "vought", "vow", "vowed", "vowel", "vowels", "vowing", "vows", "vox", "voyage", "voyaged", "voyager", "voyagers", "voyages", "voyaging", "voyeur", "voyeurs", "vulcan", "vulcanite", "vulcanization", "vulcanize", "vulcanized", "vulcanizes", "vulcanizing", "vulgar", "vulgarities", "vulgarity", "vulgarly", "vulnerability", "vulnerable", "vulnerableness", "vulnerably", "vulpine", "vulture", "vulturelike", "vultures", "vulva", "vulvas", "vying", "wad", "wadded", "wadding", "waddle", "waddled", "waddles", "waddling", "wade", "waded", "wader", "waders", "wades", "wading", "wads", "wafer", "wafers", "waffle", "waffled", "waffles", "waffling", "waft", "wafted", "wafting", "wafts", "wag", "wage", "waged", "wager", "wagered", "wagerer", "wagering", "wagers", "wages", "wagged", "wagging", "waggish", "waggishly", "waggle", "waggled", "waggles", "waggling", "waging", "wagner", "wagnerian", "wagon", "wagoner", "wagoners", "wagons", "wags", "wagtail", "waif", "wail", "wailed", "wailful", "wailing", "wails", "wain", "wainscot", "wainscoted", "wainscoting", "wainscots", "waist", "waistcoat", "waistcoats", "waisted", "waistline", "waistlines", "waists", "wait", "waited", "waiter", "waiters", "waiting", "waitress", "waitresses", "waits", "waive", "waived", "waiver", "waives", "waiving", "wake", "waked", "wakeful", "wakefully", "wakefulness", "waken", "wakened", "wakening", "wakens", "wakes", "waking", "waldorf", "wales", "walk", "walked", "walker", "walkers", "walking", "walkout", "walkover", "walks", "walkway", "walkways", "wall", "wallaby", "walled", "wallet", "wallets", "walleye", "walleyes", "wallflower", "wallflowers", "walling", "wallop", "walloped", "walloping", "wallops", "wallow", "wallowed", "wallower", "wallowing", "wallows", "wallpaper", "wallpapered", "wallpapering", "wallpapers", "walls", "wally", "walnut", "walnuts", "walrus", "walruses", "walter", "waltz", "waltzed", "waltzer", "waltzers", "waltzes", "waltzing", "wan", "wand", "wander", "wandered", "wanderer", "wanderers", "wandering", "wanderings", "wanders", "wands", "wane", "waned", "wanes", "wangle", "wangled", "wangles", "wangling", "waning", "wanly", "want", "wantage", "wanted", "wanting", "wanton", "wantonly", "wantonness", "wantons", "wants", "war", "warble", "warbled", "warbler", "warblers", "warbles", "warbling", "ward", "warded", "warden", "wardens", "warder", "warders", "warding", "wardress", "wardresses", "wardrobe", "wardrobes", "wardroom", "wards", "ware", "warehouse", "warehouseman", "warehouses", "warehousing", "wares", "warfare", "warfaring", "warhead", "warheads", "warhorse", "warier", "wariest", "warily", "wariness", "warless", "warlike", "warlock", "warlocks", "warlord", "warlords", "warm", "warmed", "warmer", "warmest", "warmhearted", "warming", "warmingly", "warmish", "warmly", "warmonger", "warmongering", "warmongers", "warms", "warmth", "warmup", "warn", "warned", "warner", "warning", "warningly", "warnings", "warns", "warp", "warpath", "warped", "warping", "warps", "warrant", "warrantability", "warrantable", "warranted", "warranties", "warranting", "warrants", "warranty", "warred", "warren", "warrenpoint", "warrens", "warring", "warrior", "warriors", "wars", "warsaw", "warship", "warships", "wart", "warthog", "warthogs", "wartime", "warts", "warty", "wary", "was", "wash", "washbasin", "washbasins", "washboard", "washbowl", "washed", "washer", "washers", "washerwoman", "washerwomen", "washes", "washing", "washings", "washington", "washout", "washtub", "washy", "wasp", "waspish", "waspishly", "wasps", "wassail", "wassailing", "wastage", "waste", "wasted", "wasteful", "wastefully", "wastefulness", "wasteland", "waster", "wasters", "wastes", "wasting", "wastrel", "wastrels", "watch", "watchdog", "watchdogs", "watched", "watcher", "watchers", "watches", "watchful", "watchfully", "watchfulness", "watching", "watchmaker", "watchmakers", "watchman", "watchmen", "watchtower", "watchtowers", "watchword", "water", "watercolor", "watercolorist", "watercolorists", "watercolors", "watercourse", "watercourses", "watercress", "watered", "waterfall", "waterfalls", "waterfront", "waterfronts", "watergate", "waterhouse", "watering", "waterless", "waterline", "waterlogged", "waterloo", "waterman", "watermark", "watermarked", "watermarking", "watermarks", "watermelon", "watermelons", "waterproof", "waterproofed", "waterproofing", "waterproofs", "waters", "watershed", "watersheds", "waterside", "waterskiing", "waterspout", "waterspouts", "watertight", "waterway", "waterways", "waterworks", "watery", "watt", "wattage", "wattle", "wattled", "wattles", "watts", "wave", "waveband", "wavebands", "waved", "waveform", "waveforms", "wavefront", "waveguide", "wavelength", "wavelengths", "waveless", "wavelet", "wavelets", "waver", "wavered", "waverer", "wavering", "waveringly", "wavers", "waves", "wavier", "waviest", "wavily", "waviness", "waving", "wavy", "wax", "waxed", "waxen", "waxes", "waxier", "waxiest", "waxily", "waxiness", "waxing", "waxwing", "waxwork", "waxworks", "waxy", "way", "wayfarer", "wayfarers", "waylaid", "waylay", "waylaying", "waylays", "waymark", "waymarks", "ways", "wayside", "wayward", "wayworn", "weak", "weaken", "weakened", "weakening", "weakens", "weaker", "weakest", "weakling", "weaklings", "weakly", "weakness", "weaknesses", "weal", "weals", "wealth", "wealthier", "wealthiest", "wealthy", "wean", "weaned", "weaning", "weans", "weapon", "weaponless", "weaponry", "weapons", "wear", "wearer", "wearers", "wearied", "wearier", "wearies", "weariest", "wearily", "weariness", "wearing", "wearisome", "wears", "weary", "wearying", "weasel", "weaseled", "weaseling", "weasels", "weather", "weatherbeaten", "weathercock", "weathered", "weathering", "weatherman", "weatherproof", "weathers", "weave", "weaved", "weaver", "weavers", "weaves", "weaving", "web", "webbed", "webbing", "webfoot", "webs", "wed", "wedded", "wedding", "weddings", "wedge", "wedged", "wedges", "wedging", "wedlock", "wednesday", "wednesdays", "weds", "wee", "weed", "weeded", "weeder", "weeding", "weedless", "weeds", "weedy", "week", "weekday", "weekdays", "weekend", "weekends", "weeklies", "weekly", "weeks", "weeny", "weep", "weeper", "weepers", "weeping", "weeps", "weepy", "weevil", "weevils", "weft", "weigh", "weighed", "weighing", "weighs", "weight", "weighted", "weightier", "weightiest", "weightily", "weightiness", "weighting", "weightless", "weightlessly", "weightlessness", "weights", "weighty", "weir", "weird", "weirder", "weirdest", "weirdly", "weirdo", "weirdoes", "weirs", "welcher", "welcome", "welcomed", "welcomes", "welcoming", "weld", "weldability", "weldable", "welded", "welder", "welders", "welding", "welds", "welfare", "well", "wellbeing", "welled", "welling", "wellington", "wellness", "wellnigh", "wells", "welsh", "welt", "welted", "welter", "welterweight", "welting", "welts", "wen", "wench", "wenched", "wencher", "wenches", "wenching", "wend", "wended", "wending", "wends", "went", "wept", "were", "wesley", "wesleyan", "wesson", "west", "westbound", "westerlies", "westerly", "western", "westerner", "westerners", "westernmost", "westerns", "westward", "westwards", "wet", "wetland", "wetlands", "wetly", "wetness", "wets", "wetted", "wetter", "wettest", "wetting", "whack", "whacked", "whacker", "whacking", "whacks", "whale", "whalebone", "whaler", "whalers", "whales", "whaling", "wham", "whamming", "whammy", "wharf", "wharfed", "wharfs", "wharves", "what", "whatever", "whatnot", "whatnots", "whatsoever", "wheat", "wheatear", "wheatears", "wheaten", "wheatgerm", "wheedle", "wheedled", "wheedler", "wheedles", "wheedling", "wheedlingly", "wheel", "wheelbarrow", "wheelbarrows", "wheelbase", "wheelchair", "wheelchairs", "wheeled", "wheeler", "wheelhouse", "wheeling", "wheelless", "wheels", "wheelwright", "wheelwrights", "wheeze", "wheezed", "wheezes", "wheezing", "wheezy", "whelk", "whelks", "when", "whence", "whencesoever", "whenever", "where", "whereabouts", "whereas", "whereat", "whereby", "wherefore", "wherefores", "wherein", "whereof", "whereon", "wheresoever", "whereto", "whereupon", "wherever", "wherewith", "wherewithal", "wherry", "whet", "whether", "whets", "whetstone", "whetstones", "whetted", "whetting", "whew", "whey", "which", "whichever", "whiff", "whiffed", "whiffing", "whiffs", "whig", "while", "whiled", "whiles", "whiling", "whilst", "whim", "whimper", "whimpered", "whimpering", "whimpers", "whims", "whimsical", "whimsicality", "whimsically", "whimsies", "whimsy", "whine", "whined", "whiner", "whiners", "whines", "whinge", "whinged", "whinges", "whinging", "whingingly", "whingy", "whininess", "whining", "whiningly", "whinnied", "whinnies", "whinny", "whinnying", "whiny", "whip", "whipcord", "whiphand", "whiplash", "whiplashes", "whipped", "whipper", "whippers", "whippet", "whippets", "whipping", "whippings", "whips", "whipstock", "whipstocks", "whir", "whirl", "whirled", "whirligig", "whirling", "whirlpool", "whirlpools", "whirls", "whirlwind", "whirlwinds", "whirred", "whirring", "whisk", "whisked", "whisker", "whiskered", "whiskers", "whiskey", "whiskies", "whisking", "whisks", "whisky", "whisper", "whispered", "whispering", "whisperings", "whispers", "whist", "whistle", "whistleable", "whistled", "whistler", "whistlers", "whistles", "whistling", "whit", "white", "whitebait", "whitebeam", "whitehall", "whitehorse", "whitely", "whiten", "whitened", "whitener", "whiteness", "whitening", "whitens", "whiter", "whites", "whitest", "whitetail", "whitewash", "whitewashed", "whitewasher", "whitewashers", "whitewashes", "whitewashing", "whither", "whiting", "whitings", "whitish", "whitney", "whitsun", "whitsunday", "whittle", "whittled", "whittler", "whittlers", "whittles", "whittling", "whiz", "whizzed", "whizzes", "whizzing", "who", "whoa", "whoever", "whole", "wholehearted", "wholeheartedly", "wholemeal", "wholeness", "wholes", "wholesale", "wholesalers", "wholesome", "wholewheat", "wholly", "whom", "whomever", "whomsoever", "whoop", "whooped", "whooping", "whoops", "whoosh", "whopper", "whoppers", "whopping", "whore", "whores", "whorl", "whorled", "whorls", "whortleberry", "whose", "whosoever", "why", "whys", "wick", "wicked", "wickedly", "wickedness", "wickednesses", "wicker", "wickerwork", "wicket", "wickets", "wicking", "wicks", "wide", "widely", "widen", "widened", "widener", "widening", "widens", "wider", "widespread", "widest", "widgeon", "widgeons", "widget", "widgets", "widish", "widow", "widowed", "widower", "widowers", "widowhood", "widowing", "widows", "width", "widths", "widthways", "wield", "wielded", "wielder", "wielders", "wielding", "wields", "wieldy", "wife", "wifely", "wig", "wigged", "wigging", "wiggins", "wiggle", "wiggled", "wiggler", "wigglers", "wiggles", "wiggling", "wiggly", "wigless", "wigmaker", "wigs", "wigwag", "wigwam", "wigwams", "wild", "wildcard", "wildcat", "wildcats", "wildcatter", "wilder", "wilderness", "wildernesses", "wildest", "wildfire", "wildfowl", "wildlife", "wildly", "wildness", "wilds", "wile", "wiles", "wilier", "wiliest", "wiliness", "will", "willed", "willful", "willfully", "willfulness", "william", "williams", "willie", "willies", "willing", "willingly", "willingness", "willow", "willowherb", "willows", "willowy", "willpower", "wills", "wilmington", "wilt", "wilted", "wilting", "wilts", "wily", "wimp", "wimpish", "wimple", "wimpled", "wimples", "wimps", "win", "wince", "winced", "winces", "winch", "winched", "winches", "winching", "wincing", "wind", "windbag", "windbags", "windbreak", "windbreaker", "windbreaks", "winded", "winder", "winders", "windfall", "windfalls", "windhoek", "windily", "windiness", "winding", "windings", "windlass", "windless", "windmill", "windmills", "window", "windowed", "windowing", "windowless", "windowpane", "windowpanes", "windows", "windowsill", "windpipe", "windpipes", "winds", "windscreen", "windscreens", "windshield", "windshields", "windsor", "windstorm", "windstorms", "windup", "windward", "windy", "wine", "wined", "winemake", "winemaster", "winery", "wines", "wineskin", "wing", "wingback", "winged", "winger", "wingers", "winging", "wingman", "wingmen", "wings", "wingspan", "wingtip", "wingtips", "wining", "wink", "winked", "winker", "winking", "winkle", "winkled", "winkles", "winks", "winner", "winners", "winning", "winningly", "winnings", "winnipeg", "wino", "wins", "winsome", "winsomely", "winsomeness", "winter", "wintered", "wintergreen", "wintering", "winters", "wintertime", "wintriness", "wintry", "winy", "wipe", "wiped", "wiper", "wipers", "wipes", "wiping", "wire", "wired", "wireless", "wirelesses", "wireman", "wiremen", "wires", "wiretap", "wiretapped", "wiretapper", "wiretapping", "wiretaps", "wirier", "wiriest", "wirily", "wiriness", "wiring", "wiry", "wisconsin", "wisdom", "wise", "wiseacre", "wisecrack", "wisecracked", "wisecracks", "wised", "wisely", "wisenheimer", "wiser", "wisest", "wish", "wishbone", "wishbones", "wished", "wishes", "wishful", "wishfully", "wishing", "wishy", "wisp", "wisps", "wispy", "wisteria", "wistful", "wistfully", "wistfulness", "wistly", "wit", "witch", "witchcraft", "witchery", "witches", "witching", "with", "withal", "withdraw", "withdrawal", "withdrawals", "withdrawing", "withdrawn", "withdraws", "withdrew", "wither", "withered", "withering", "withers", "withheld", "withhold", "withholding", "withholds", "within", "without", "withstand", "withstanding", "withstands", "withstood", "witless", "witlessly", "witlessness", "witness", "witnessed", "witnesses", "witnessing", "wits", "witted", "witter", "wittered", "wittering", "witters", "wittgenstein", "witticism", "witticisms", "wittier", "wittiest", "wittily", "wittiness", "witting", "wittingly", "witty", "wives", "wizard", "wizardry", "wizards", "wizen", "wizened", "wnw", "wobble", "wobbled", "wobbles", "wobbling", "wobbly", "woe", "woebegone", "woeful", "woefully", "woes", "wok", "woke", "woken", "wolf", "wolfing", "wolfish", "wolfishly", "wolflike", "wolfram", "wolfs", "wolves", "woman", "womanhood", "womanish", "womanize", "womanized", "womanizes", "womanizing", "womanly", "womb", "wombat", "wombats", "wombs", "women", "won", "wonder", "wondered", "wonderful", "wonderfully", "wonderfulness", "wondering", "wonderingly", "wonderland", "wonders", "wondrous", "wondrously", "wondrousness", "wont", "wonted", "wonting", "woo", "wood", "woodbine", "woodcarver", "woodcarvers", "woodchuck", "woodcock", "woodcut", "woodcuts", "woodcutter", "woodcutters", "wooded", "wooden", "woodenhead", "woodenheaded", "woodenly", "woodenness", "woodland", "woodlands", "woodpecker", "woodpeckers", "woodpile", "woodpiles", "woods", "woodshed", "woodsman", "woodsmen", "woodwind", "woodwork", "woodworking", "woodworm", "woodworms", "woody", "woodyard", "wooed", "wooer", "woof", "woofer", "woofers", "wooing", "wool", "wooled", "woolen", "woolens", "woolgather", "woollier", "woollies", "woolliest", "woolly", "woos", "word", "worded", "wordily", "wordiness", "wording", "wordlessly", "wordprocessor", "wordprocessors", "words", "wordy", "wore", "work", "workability", "workable", "workableness", "workably", "workaday", "workbag", "workbench", "workbox", "workboxes", "workday", "workdays", "worked", "worker", "workers", "workhorse", "workhorses", "workhouse", "workhouses", "working", "workingman", "workings", "workload", "workloads", "workman", "workmanlike", "workmanship", "workmate", "workmates", "workmen", "workout", "workouts", "workpiece", "workpieces", "works", "worksheet", "worksheets", "workshop", "workshops", "workspace", "workstation", "workstations", "worktable", "world", "worldliness", "worldly", "worlds", "worldwide", "worm", "wormed", "worming", "worms", "wormwood", "wormy", "worn", "worried", "worriedly", "worrier", "worries", "worriment", "worrisome", "worry", "worrying", "worryingly", "worse", "worsen", "worsened", "worsening", "worsens", "worship", "worshipful", "worshipfully", "worshipfulness", "worshipped", "worshipper", "worshippers", "worshipping", "worships", "worst", "worsted", "worth", "worthier", "worthiest", "worthily", "worthiness", "worthington", "worthless", "worthlessly", "worthlessness", "worthwhile", "worthy", "would", "wound", "wounded", "wounding", "wounds", "woundwort", "wove", "woven", "wow", "wowed", "wrack", "wraf", "wrangle", "wrangled", "wrangler", "wrangles", "wrangling", "wrap", "wrapped", "wrapper", "wrappers", "wrapping", "wrappings", "wraps", "wrasse", "wrath", "wrathful", "wrathfully", "wreak", "wreaked", "wreaking", "wreaks", "wreath", "wreathe", "wreathed", "wreathes", "wreathing", "wreaths", "wreck", "wreckage", "wrecked", "wrecker", "wreckers", "wrecking", "wrecks", "wren", "wrench", "wrenched", "wrenches", "wrenching", "wrens", "wrest", "wrested", "wresting", "wrestle", "wrestled", "wrestler", "wrestlers", "wrestles", "wrestling", "wrestlings", "wrests", "wretch", "wretched", "wretcheder", "wretchedest", "wretchedness", "wretches", "wrier", "wriest", "wriggle", "wriggled", "wriggler", "wrigglers", "wriggles", "wriggling", "wrigley", "wring", "wringer", "wringing", "wrings", "wrinkle", "wrinkled", "wrinkles", "wrinkling", "wrinkly", "wrist", "wristband", "wristed", "wrists", "wristwatch", "wristwatches", "writ", "writable", "write", "writer", "writers", "writes", "writeup", "writeups", "writhe", "writhed", "writhes", "writhing", "writing", "writings", "writs", "written", "wrong", "wrongdoer", "wrongdoers", "wrongdoing", "wronged", "wrongful", "wrongfully", "wrongfulness", "wrongly", "wrongness", "wrongs", "wrote", "wroth", "wrought", "wrung", "wry", "wryly", "wryness", "wsw", "wyoming", "xavier", "xenon", "xenophobe", "xenophobia", "xenophobic", "xerography", "xerox", "xeroxes", "xii", "xiii", "xiv", "xix", "xmas", "xray", "xrays", "xvi", "xvii", "xviii", "xxi", "xxii", "xxiii", "xxiv", "xxix", "xxv", "xxvi", "xxvii", "xxviii", "xxx", "xylene", "xylophone", "xylophones", "yacht", "yachters", "yachting", "yachts", "yachtsman", "yachtsmen", "yahoo", "yahweh", "yak", "yaks", "yale", "yalta", "yam", "yamaha", "yams", "yang", "yank", "yanked", "yankee", "yankees", "yanking", "yanks", "yap", "yapped", "yapper", "yappers", "yapping", "yaps", "yard", "yardarm", "yardman", "yards", "yardstick", "yardsticks", "yarn", "yarns", "yaw", "yawed", "yawing", "yawl", "yawls", "yawn", "yawned", "yawner", "yawning", "yawns", "yaws", "yeah", "year", "yearbook", "yearbooks", "yearling", "yearlings", "yearly", "yearn", "yearned", "yearning", "yearningly", "yearnings", "yearns", "years", "yeas", "yeast", "yeastiness", "yeasts", "yeasty", "yell", "yelled", "yeller", "yellers", "yelling", "yellow", "yellowed", "yellowing", "yellowish", "yellows", "yells", "yelp", "yelped", "yelping", "yelps", "yemen", "yemeni", "yen", "yeoman", "yeomanry", "yeomen", "yes", "yesterday", "yesterdays", "yesteryear", "yet", "yeti", "yetis", "yew", "yews", "yid", "yiddish", "yield", "yielded", "yielding", "yieldingly", "yields", "yin", "ymca", "yodel", "yodeled", "yodeling", "yodels", "yoga", "yoghourt", "yoghourts", "yogi", "yogism", "yogurt", "yoke", "yoked", "yokel", "yokels", "yokes", "yoking", "yokohama", "yolk", "yolks", "yolky", "yom", "yon", "yonder", "yore", "york", "yorkshire", "yosemite", "you", "young", "younger", "youngest", "youngish", "youngster", "youngsters", "your", "yours", "yourself", "yourselves", "youth", "youthful", "youthfully", "youthfulness", "youths", "yoyo", "yoyos", "ytterbium", "yttrium", "yuan", "yugoslavia", "yugoslavian", "yukon", "yule", "yuletide", "yummy", "ywca", "zabaglione", "zagreb", "zaire", "zambezi", "zambia", "zambian", "zanier", "zaniest", "zany", "zanzibar", "zap", "zapped", "zapping", "zaps", "zeal", "zealand", "zealot", "zealotry", "zealots", "zealous", "zealously", "zealousness", "zebra", "zebras", "zebrine", "zebu", "zechariah", "zees", "zen", "zenith", "zephaniah", "zephyr", "zeppelin", "zeppelins", "zero", "zeroed", "zeroes", "zeroing", "zeros", "zest", "zestful", "zestfully", "zesty", "zeus", "zigzag", "zigzagged", "zigzagging", "zigzaggy", "zigzags", "zillion", "zimbabwe", "zinc", "zion", "zionism", "zionist", "zionists", "zip", "zipped", "zipper", "zippers", "zipping", "zippy", "zips", "zirconium", "zither", "zithers", "zloty", "zlotys", "zodiac", "zodiacal", "zombie", "zombies", "zonal", "zonally", "zone", "zoned", "zones", "zoning", "zoo", "zoological", "zoologist", "zoologists", "zoology", "zoom", "zoomed", "zooming", "zooms", "zoos", "zoroaster", "zoroastrian", "zounds", "zucchini", "zurich" ] eng_dictionary_sorted = sorted(eng_dictionary, key=len) random.shuffle(eng_dictionary_sorted) with open('easy.txt', 'w') as f: for i in eng_dictionary_sorted: if len(i) <= 6: f.write(i + "\n") with open('medium.txt', 'w') as f: for i in eng_dictionary_sorted: if (len(i) >= 7) and (len(i) <= 9): f.write(i + "\n") with open('hard.txt', 'w') as f: for i in eng_dictionary_sorted: if len(i) >= 10: f.write(i + "\n")
[ "moltigamer@gmail.com" ]
moltigamer@gmail.com
68f34fa40edddcc36ab7197801e2a409f62c0f53
f0955458860c11c9fda9bea0ae7defde57cf4169
/软件杯/源码/华云监控系统/后端代码/web/instance_io_read_monitor.py
a1524467bb9886767c8e4c0b2eafe6c9010fe05d
[]
no_license
WongHunter/huayun
056d0b8338afb6c9dd0b4e1e9a062a4143145594
0fac21949311a05cf6c6a951ee5fd7bcda54de5f
refs/heads/master
2020-06-03T12:06:29.415167
2019-11-18T13:09:37
2019-11-18T13:09:37
null
0
0
null
null
null
null
UTF-8
Python
false
false
1,256
py
#coding:utf-8 from flask import Flask,render_template,url_for import json from flask_cors import CORS from tool.conf import id,region_id,access_key_id,access_secret from instance.instance_io_read_monitor import InstanceIoReadMonitor import time import datetime # 生成Flask实例 app = Flask(__name__) CORS(app, supports_credentials=True) @app.route('/InstanceIoReadMonitor/',methods=['GET','POST']) def io_read(): start_time = (datetime.datetime.now() + datetime.timedelta(hours=-6)).strftime("%Y-%m-%d %H:%M:%S") end_time = time.strftime("%Y-%m-%d %H:%M:%S", time.localtime()) jsonData = InstanceIoReadMonitor(region_id, access_key_id, access_secret,start_time,end_time,id) print(jsonData) j = json.dumps(jsonData['data'][ "Data"]) return j @app.route('/InstanceIoReadMonitor/<start_time>,<end_time>,<region_id>,<id>',methods=['GET','POST']) def select_io_read(start_time,end_time,region_id,id): jsonData = InstanceIoReadMonitor(region_id, access_key_id, access_secret, start_time, end_time, id) print(jsonData) j = json.dumps(jsonData['data']["Data"]) return j if __name__ == '__main__': # 运行项目 app.run(host='192.168.25.120', port=8080, debug=True, threaded=True)
[ "1829107965@qq.com" ]
1829107965@qq.com
516a5a03cda5ccb39245511c83691598d71b309b
b19768d7ef7d55cbc3c1f2aba2d6de30fb6328cd
/arguments.py
3eb9b16fd21ffcad1423b58f2437bd0f6f670af1
[]
no_license
MalarSankar/demo
6e62e5bd76e3793a1e80d8e6347351d359f1b879
125ce2e949a89d50724033824e2c1488f5aab07d
refs/heads/master
2023-02-18T13:18:26.330249
2021-01-18T07:30:43
2021-01-18T07:30:43
267,773,175
0
0
null
null
null
null
UTF-8
Python
false
false
138
py
def grade(name,*args): c=0 for i in args: c=c+i avg=c/len(args) print(name,"-",avg) grade("ram",80,96,84,70,56)
[ "smalar1998@gmail.com" ]
smalar1998@gmail.com
2e9aa08846f96c2e9fca115396f47f66018acf19
bfc81cb2fcb5e0fd839672be9d0439e41201ccf9
/maltego/example/client.py
1d016ae1adfabc46cc4a5402fa907578273e59ba
[]
no_license
cameronepstein/transforms
ab26b0ec187b4b1ccf95ee7b4d27d15be431760e
c2d9d95642f863edfa106f1a0cf30d60d4801b4a
refs/heads/master
2021-01-18T01:26:56.158833
2016-09-22T13:38:34
2016-09-22T13:38:34
68,206,949
0
0
null
null
null
null
UTF-8
Python
false
false
1,698
py
#!/usr/bin/env python import maltego import sys import optparse class Client(object): def __init__(self, url): self.client = maltego.Client() self.client.connect( url ) def do_list(self): for k,v in self.client.transforms.items(): print " %s (%s) -> %s" % (k, v.input, v.output) def do_transform(self, tname, *args): trans = self.client.transforms[tname] name = trans.input entities = [] for val in args: ent = maltego.Entity(name=name, value=val) entities.append( ent ) entities = trans.transform(entities) for ent in entities: print ent.value def main(argv): parser = optparse.OptionParser() parser.add_option('-u', '--url', dest="url", help="Transform URL", default='http://localhost:9999') parser.add_option('-l', '--list', dest="cmd", action="store_const", const="list", default="list", help="List available Transforms") parser.add_option('-t', '--transform', dest="cmd", action="store_const", const="transform", help="Run Transform: <TransformToRun> <Value>") options, args = parser.parse_args(argv) if len(argv) == 1: options.url = argv[0] # need posistional arguements... wtf! client = Client(options.url) if options.cmd == 'list': client.do_list() elif options.cmd == 'transform': if len(args) < 2: print "transform requires TransformToRun <Value 1>[... <Value n>]" return tr_name = args[0] vals = args[1:] client.do_transform(tr_name, *vals) if __name__ == '__main__': main(sys.argv[1:])
[ "cameron.a.epstein@gmail.com" ]
cameron.a.epstein@gmail.com
8390aa51eac8e217edaa97a5517a3e6869fa5f8a
cf737d6f8bb3d2db9eb5756fd11cecb612f5694b
/pype/tests/lib.py
85b903283608a7fbd8538fb043cc27f54089bb19
[ "MIT" ]
permissive
jrsndl/pype
7e04b9eaeadb339008a70dbab74864d5705a07ea
47ef4b64f297186c6d929a8f56ecfb93dd0f44e8
refs/heads/master
2023-08-16T09:20:30.963027
2020-09-15T15:59:53
2020-09-15T15:59:53
297,372,053
1
0
MIT
2020-09-21T14:53:08
2020-09-21T14:53:08
null
UTF-8
Python
false
false
1,897
py
import os import sys import shutil import tempfile import contextlib import pyblish import pyblish.cli import pyblish.plugin from pyblish.vendor import six # Setup HOST = 'python' FAMILY = 'test.family' REGISTERED = pyblish.plugin.registered_paths() PACKAGEPATH = pyblish.lib.main_package_path() ENVIRONMENT = os.environ.get("PYBLISHPLUGINPATH", "") PLUGINPATH = os.path.join(PACKAGEPATH, '..', 'tests', 'plugins') def setup(): pyblish.plugin.deregister_all_paths() def setup_empty(): """Disable all plug-ins""" setup() pyblish.plugin.deregister_all_plugins() pyblish.plugin.deregister_all_paths() pyblish.plugin.deregister_all_hosts() pyblish.plugin.deregister_all_callbacks() pyblish.plugin.deregister_all_targets() pyblish.api.deregister_all_discovery_filters() def teardown(): """Restore previously REGISTERED paths""" pyblish.plugin.deregister_all_paths() for path in REGISTERED: pyblish.plugin.register_plugin_path(path) os.environ["PYBLISHPLUGINPATH"] = ENVIRONMENT pyblish.api.deregister_all_plugins() pyblish.api.deregister_all_hosts() pyblish.api.deregister_all_discovery_filters() pyblish.api.deregister_test() pyblish.api.__init__() @contextlib.contextmanager def captured_stdout(): """Temporarily reassign stdout to a local variable""" try: sys.stdout = six.StringIO() yield sys.stdout finally: sys.stdout = sys.__stdout__ @contextlib.contextmanager def captured_stderr(): """Temporarily reassign stderr to a local variable""" try: sys.stderr = six.StringIO() yield sys.stderr finally: sys.stderr = sys.__stderr__ @contextlib.contextmanager def tempdir(): """Provide path to temporary directory""" try: tempdir = tempfile.mkdtemp() yield tempdir finally: shutil.rmtree(tempdir)
[ "annatar@annatar.net" ]
annatar@annatar.net
6d0fdc2be8a40dc423859b9ca2808614fc3e68c6
4c3f1090ed8289fbcbeb3d79cb0c3e36581fc543
/users/forms.py
780de3406c3fa1fa4e466069d2957547f4ad9b52
[]
no_license
Isarangn/dj_blog
9f32b08f31718eb9783a614380f08297846a6d8b
c3217c58a7bc880b450d3ce8e4210bd80762d841
refs/heads/master
2022-11-30T03:40:30.757952
2020-08-09T08:07:05
2020-08-09T08:07:05
286,167,682
0
0
null
null
null
null
UTF-8
Python
false
false
589
py
from django import forms from django.contrib.auth.models import User from django.contrib.auth.forms import UserCreationForm from .models import Profile class UserRegistrationForm(UserCreationForm): email = forms.EmailField() class Meta: model = User fields = ['username', 'email', 'password1', 'password2'] class UserUpdateForm(forms.ModelForm): email = forms.EmailField() class Meta: model = User fields = ['username', 'email'] class ProfileUpdateForm(forms.ModelForm): class Meta: model = Profile fields = ['image']
[ "sarangn.code@gmail.com" ]
sarangn.code@gmail.com
08f3b5ba9fe21c57410e380fd96f897ce4adceef
0eedd7193ee460e93806ddca3a2d7afe18bdc22b
/carlotproject/carlot/apps.py
50c910065e3c1f0677ce8c0001085008e2be2cd0
[]
no_license
shashankpatibandla/Carlotsprint1project
6ffe4a3b6bea0b3a9dbe081294394167cdcc2b20
4f5190544bec972f9d0a94cd26cf6fed558cf549
refs/heads/master
2020-04-03T23:49:21.949031
2018-10-31T22:35:08
2018-10-31T22:35:08
155,631,822
0
0
null
null
null
null
UTF-8
Python
false
false
86
py
from django.apps import AppConfig class CarlotConfig(AppConfig): name = 'carlot'
[ "spatibandla@unomaha.edu" ]
spatibandla@unomaha.edu
884b47d8925a554b76d35fe01d1cb5cb9d8b90b6
c92734057a4735ec2754c4b25cd958a2328657b2
/social_site/forum/views.py
542371dfa5414e89b60f0d31872aa6dcfcd6652c
[ "MIT" ]
permissive
arol-varesi/social_site_project
207d2f2fe63fa65ff3dde6b32288279eeeb8dfcc
427269815a89875d21a22a688b491878015c7199
refs/heads/master
2021-10-13T00:37:52.445144
2021-10-02T19:19:13
2021-10-02T19:19:13
148,545,893
0
1
MIT
2021-10-03T20:39:39
2018-09-12T21:46:00
JavaScript
UTF-8
Python
false
false
3,743
py
from django.contrib.auth.decorators import login_required from django.core.paginator import EmptyPage, PageNotAnInteger, Paginator from django.http import HttpResponseRedirect, HttpResponseBadRequest from django.shortcuts import render, get_object_or_404 from django.views.generic.edit import CreateView, DeleteView from django.urls import reverse from .forms import DiscussioneModelForm, PostModelForm from .models import Discussione, Post, Sezione from .mixins import StaffMixin # Create your views here. class CreaSezione(StaffMixin, CreateView): model = Sezione fields = "__all__" template_name = "forum/crea_sezione.html" success_url = "/" def visualizzaSezione(request, pk): sezione = get_object_or_404(Sezione, pk=pk) discussioni_sezione = Discussione.objects.filter(sezione_di_appartenenza=sezione).order_by("-data_creazione") context = { "sezione": sezione , "discussioni": discussioni_sezione} return render(request, "forum/singola_sezione.html", context) @login_required def creaDiscussione(request, pk): sezione = get_object_or_404(Sezione, pk=pk) if request.method == "POST": form = DiscussioneModelForm(request.POST) if form.is_valid: discussione = form.save(commit=False) discussione.sezione_di_appartenenza = sezione discussione.autore_discussione = request.user discussione.save() primo_post = Post.objects.create( discussione = discussione, autore_post = request.user, contenuto = form.cleaned_data["contenuto"] ) return HttpResponseRedirect(discussione.get_absolute_url()) else: form = DiscussioneModelForm() context = {"form": form, "sezione": sezione} return render(request, "forum/crea_discussione.html", context) def visualizzaDiscussione(request, pk): discussione = get_object_or_404(Discussione, pk=pk) posts_discussione = Post.objects.filter(discussione=discussione) # aggiungiamo la gestione di paginazione dei risultati paginator = Paginator(posts_discussione, 5) page = request.GET.get("pagina") posts_page = paginator.get_page(page) form_risposta = PostModelForm context = {"discussione": discussione, "lista_posts": posts_page, "form_risposta": form_risposta } return render(request, "forum/singola_discussione.html", context) @login_required def aggiungiRisposta(request, pk): discussione = get_object_or_404(Discussione, pk=pk) if request.method == "POST": form = PostModelForm(request.POST) if form.is_valid: form.save(commit=False) form.instance.discussione = discussione form.instance.autore_post = request.user form.save() url_discussione = reverse("discussione_view", kwargs={"pk": pk}) # appena inserito un messaggio di risposta si viene mandati all'ultima pagina # dei messaggi per poter vedere il proprio messaggio pagine_in_discussione = discussione.get_n_pages() if pagine_in_discussione > 1 : return HttpResponseRedirect(url_discussione + "?pagina=" + str(pagine_in_discussione)) else : return HttpResponseRedirect(url_discussione) else: return HttpResponseBadRequest() class CancellaPost(DeleteView): """ utilizza in automatico il template : post_confirm_delete.html """ model = Post success_url = "/" # Filtra il quesryset in modo che contenga solo post dell'autore_post def get_queryset(self): queryset = super().get_queryset() return queryset.filter(autore_post_id=self.request.user.id)
[ "alv67.web@gmail.com" ]
alv67.web@gmail.com
d7043a83bf47e5a0fc3d1216e5b5cab408f81ede
11a246743073e9d2cb550f9144f59b95afebf195
/advent/2017/day8.py
6b9e3586e8658bcf41dbd5263b00183231315b58
[]
no_license
ankitpriyarup/online-judge
b5b779c26439369cedc05c045af5511cbc3c980f
8a00ec141142c129bfa13a68dbf704091eae9588
refs/heads/master
2020-09-05T02:46:56.377213
2019-10-27T20:12:25
2019-10-27T20:12:25
219,959,932
0
1
null
2019-11-06T09:30:58
2019-11-06T09:30:57
null
UTF-8
Python
false
false
574
py
from collections import * import itertools import random import sys def main(): d = defaultdict(int) ans = -19 for line in sys.stdin: words = line.strip().split() d_reg = words[0] sgn = 1 if words[1] == 'inc' else -1 amt = int(words[2]) reg = words[4] e = words[5] amt2 = int(words[6]) val = d[reg] if eval(str(val) + ' ' + e + ' ' + str(amt2)): d[d_reg] += sgn * amt # ans = max(ans, (max(v for k, v in d.items()))) print(max(v for k, v in d.items())) main()
[ "arnavsastry@gmail.com" ]
arnavsastry@gmail.com
ef5631e014a978f3699b26c20792af4d65ded2c5
c6c002d37878c78f9199e30a6d0c2127257552e0
/ctrls/Goal6_8/G6_8Pos7_1Ori2.py
ffd26bb34a11c4d3f06839ccabb29ad14464f64e
[]
no_license
carrilloec12/FireUAVs
900a79810a5d610dc467fe82fa276bb14b7ffe9d
019f12a947fa4d5bcc99d20ccb85925160430370
refs/heads/master
2020-03-21T08:03:10.478162
2018-06-22T15:09:50
2018-06-22T15:09:50
138,316,479
0
0
null
2018-06-22T15:06:54
2018-06-22T15:06:54
null
UTF-8
Python
false
false
24,090
py
class TulipStrategy(object): """Mealy transducer. Internal states are integers, the current state is stored in the attribute "state". To take a transition, call method "move". The names of input variables are stored in the attribute "input_vars". Automatically generated by tulip.dumpsmach on 2018-06-21 17:12:48 UTC To learn more about TuLiP, visit http://tulip-control.org """ def __init__(self): self.state = 17 self.input_vars = ['Fire', 'StopSignal'] def move(self, Fire, StopSignal): """Given inputs, take move and return outputs. @rtype: dict @return: dictionary with keys of the output variable names: ['sys_actions', 'loc', 'Base', 'GoalPos'] """ output = dict() if self.state == 0: if (Fire == False) and (StopSignal == False): self.state = 1 output["loc"] = 'Pos8_2Ori1' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' elif (Fire == True) and (StopSignal == False): self.state = 2 output["loc"] = 'Pos8_2Ori1' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' elif (Fire == False) and (StopSignal == True): self.state = 3 output["loc"] = 'Pos8_2Ori1' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' elif (Fire == True) and (StopSignal == True): self.state = 4 output["loc"] = 'Pos8_2Ori1' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' else: self._error(Fire, StopSignal) elif self.state == 1: if (Fire == True) and (StopSignal == True): self.state = 8 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' elif (Fire == False) and (StopSignal == False): self.state = 5 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' elif (Fire == True) and (StopSignal == False): self.state = 6 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' elif (Fire == False) and (StopSignal == True): self.state = 7 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' else: self._error(Fire, StopSignal) elif self.state == 2: if (Fire == True) and (StopSignal == True): self.state = 8 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' elif (Fire == False) and (StopSignal == False): self.state = 5 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' elif (Fire == True) and (StopSignal == False): self.state = 6 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' elif (Fire == False) and (StopSignal == True): self.state = 7 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' else: self._error(Fire, StopSignal) elif self.state == 3: if (Fire == True) and (StopSignal == True): self.state = 16 output["loc"] = 'Pos8_2Ori1' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Stop' elif (Fire == False) and (StopSignal == False): self.state = 13 output["loc"] = 'Pos8_2Ori1' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Stop' elif (Fire == True) and (StopSignal == False): self.state = 14 output["loc"] = 'Pos8_2Ori1' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Stop' elif (Fire == False) and (StopSignal == True): self.state = 15 output["loc"] = 'Pos8_2Ori1' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Stop' else: self._error(Fire, StopSignal) elif self.state == 4: if (Fire == True) and (StopSignal == True): self.state = 8 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' elif (Fire == False) and (StopSignal == False): self.state = 5 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' elif (Fire == True) and (StopSignal == False): self.state = 6 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' elif (Fire == False) and (StopSignal == True): self.state = 7 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' else: self._error(Fire, StopSignal) elif self.state == 5: if (Fire == True) and (StopSignal == True): self.state = 8 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' elif (Fire == False) and (StopSignal == False): self.state = 5 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' elif (Fire == True) and (StopSignal == False): self.state = 6 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' elif (Fire == False) and (StopSignal == True): self.state = 7 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' else: self._error(Fire, StopSignal) elif self.state == 6: if (Fire == True) and (StopSignal == True): self.state = 8 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' elif (Fire == False) and (StopSignal == False): self.state = 5 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' elif (Fire == True) and (StopSignal == False): self.state = 6 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' elif (Fire == False) and (StopSignal == True): self.state = 7 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' else: self._error(Fire, StopSignal) elif self.state == 7: if (Fire == False) and (StopSignal == False): self.state = 9 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Stop' elif (Fire == True) and (StopSignal == False): self.state = 10 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Stop' elif (Fire == False) and (StopSignal == True): self.state = 11 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Stop' elif (Fire == True) and (StopSignal == True): self.state = 12 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Stop' else: self._error(Fire, StopSignal) elif self.state == 8: if (Fire == True) and (StopSignal == True): self.state = 8 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' elif (Fire == False) and (StopSignal == False): self.state = 5 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' elif (Fire == True) and (StopSignal == False): self.state = 6 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' elif (Fire == False) and (StopSignal == True): self.state = 7 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' else: self._error(Fire, StopSignal) elif self.state == 9: if (Fire == True) and (StopSignal == True): self.state = 8 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' elif (Fire == False) and (StopSignal == False): self.state = 5 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' elif (Fire == True) and (StopSignal == False): self.state = 6 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' elif (Fire == False) and (StopSignal == True): self.state = 7 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' else: self._error(Fire, StopSignal) elif self.state == 10: if (Fire == True) and (StopSignal == True): self.state = 8 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' elif (Fire == False) and (StopSignal == False): self.state = 5 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' elif (Fire == True) and (StopSignal == False): self.state = 6 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' elif (Fire == False) and (StopSignal == True): self.state = 7 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' else: self._error(Fire, StopSignal) elif self.state == 11: if (Fire == False) and (StopSignal == False): self.state = 9 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Stop' elif (Fire == True) and (StopSignal == False): self.state = 10 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Stop' elif (Fire == False) and (StopSignal == True): self.state = 11 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Stop' elif (Fire == True) and (StopSignal == True): self.state = 12 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Stop' else: self._error(Fire, StopSignal) elif self.state == 12: if (Fire == True) and (StopSignal == True): self.state = 8 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' elif (Fire == False) and (StopSignal == False): self.state = 5 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' elif (Fire == True) and (StopSignal == False): self.state = 6 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' elif (Fire == False) and (StopSignal == True): self.state = 7 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' else: self._error(Fire, StopSignal) elif self.state == 13: if (Fire == True) and (StopSignal == True): self.state = 8 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' elif (Fire == False) and (StopSignal == False): self.state = 5 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' elif (Fire == True) and (StopSignal == False): self.state = 6 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' elif (Fire == False) and (StopSignal == True): self.state = 7 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' else: self._error(Fire, StopSignal) elif self.state == 14: if (Fire == True) and (StopSignal == True): self.state = 8 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' elif (Fire == False) and (StopSignal == False): self.state = 5 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' elif (Fire == True) and (StopSignal == False): self.state = 6 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' elif (Fire == False) and (StopSignal == True): self.state = 7 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' else: self._error(Fire, StopSignal) elif self.state == 15: if (Fire == True) and (StopSignal == True): self.state = 16 output["loc"] = 'Pos8_2Ori1' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Stop' elif (Fire == False) and (StopSignal == False): self.state = 13 output["loc"] = 'Pos8_2Ori1' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Stop' elif (Fire == True) and (StopSignal == False): self.state = 14 output["loc"] = 'Pos8_2Ori1' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Stop' elif (Fire == False) and (StopSignal == True): self.state = 15 output["loc"] = 'Pos8_2Ori1' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Stop' else: self._error(Fire, StopSignal) elif self.state == 16: if (Fire == True) and (StopSignal == True): self.state = 8 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' elif (Fire == False) and (StopSignal == False): self.state = 5 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' elif (Fire == True) and (StopSignal == False): self.state = 6 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' elif (Fire == False) and (StopSignal == True): self.state = 7 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' else: self._error(Fire, StopSignal) elif self.state == 17: if (Fire == False) and (StopSignal == False): self.state = 0 output["loc"] = 'Pos7_1Ori2' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' elif (Fire == True) and (StopSignal == False): self.state = 2 output["loc"] = 'Pos8_2Ori1' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' elif (Fire == False) and (StopSignal == True): self.state = 3 output["loc"] = 'Pos8_2Ori1' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' elif (Fire == True) and (StopSignal == True): self.state = 4 output["loc"] = 'Pos8_2Ori1' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' elif (Fire == True) and (StopSignal == False): self.state = 6 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' elif (Fire == False) and (StopSignal == True): self.state = 7 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' elif (Fire == True) and (StopSignal == True): self.state = 8 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Go' elif (Fire == True) and (StopSignal == False): self.state = 10 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Stop' elif (Fire == False) and (StopSignal == True): self.state = 11 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Stop' elif (Fire == True) and (StopSignal == True): self.state = 12 output["loc"] = 'Pos7_3Ori4' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Stop' elif (Fire == True) and (StopSignal == False): self.state = 14 output["loc"] = 'Pos8_2Ori1' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Stop' elif (Fire == False) and (StopSignal == True): self.state = 15 output["loc"] = 'Pos8_2Ori1' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Stop' elif (Fire == True) and (StopSignal == True): self.state = 16 output["loc"] = 'Pos8_2Ori1' output["Base"] = False output["GoalPos"] = False output["sys_actions"] = 'Stop' else: self._error(Fire, StopSignal) else: raise Exception("Unrecognized internal state: " + str(self.state)) return output def _error(self, Fire, StopSignal): raise ValueError("Unrecognized input: " + ( "Fire = {Fire}; " "StopSignal = {StopSignal}; ").format( Fire=Fire, StopSignal=StopSignal))
[ "jshaffe9@terpmail.umd.edu" ]
jshaffe9@terpmail.umd.edu
ac0f764daad78adf59a5a4d76ef3847794467db5
a86dd51331fe333d2ad5ad6e88cec8e2993b1b56
/nodeconfeu_watch/convert/__init__.py
63c2729139fbef6bd859bc44be1c6c337840f758
[ "Apache-2.0" ]
permissive
paulcockrell/nodeconfeu-gesture-models
792c5ae6ce0153964c05372ccf14d579922c5976
db645fa914bdc634d5888d40b2d5d75262506ccd
refs/heads/master
2022-08-28T21:10:17.452641
2020-05-15T15:47:30
2020-05-15T15:47:30
264,165,155
0
0
NOASSERTION
2020-05-15T10:29:57
2020-05-15T10:29:56
null
UTF-8
Python
false
false
40
py
from .export_tflite import ExportModel
[ "amwebdk@gmail.com" ]
amwebdk@gmail.com
c4be8136390f4e7e426d7e243900e46f94dbf093
d12ef690860a96681e182b3004508f884bb76a3a
/Capitol carcteritzar nodes/Caracteritzacio sensors Temp/boot.py
d73fdcc07d28d6f44ce8aaa7673ba4f3260388f2
[]
no_license
mponsnieto/TFM_LinealLoRa
82e8d526802e033bf1baed0437fabfccf5a133c4
3b6ea27d28795bf7048f277651d1a4d97ed3ecc2
refs/heads/master
2022-12-27T16:21:38.275852
2020-10-02T09:19:14
2020-10-02T09:19:14
215,236,975
0
0
null
null
null
null
UTF-8
Python
false
false
950
py
import time from machine import Pin, I2C import pycom import machine from ustruct import unpack as unp import math import Camera as cam import SensorHumT as sensH import MCP9808 as adafruit_mcp9808 from bmp085 import BMP085 import HumedadSuelo as HS import Comunication as com import QAire as QA from network import LoRa import socket import ubinascii import ustruct from crypto import AES import crypto i2c = I2C() sensorQAire=QA.QAire('P20','P21') sensorHSol=HS.HumitatSol('P19') SensorHT=sensH.SensorHumT() mcp = adafruit_mcp9808.MCP9808(i2c) cam = cam.Camera(i2c) bmp = BMP085(i2c) com=com.Comunication() bmp.oversample=2 bmp.sealevel=1013.25 id=ubinascii.hexlify(machine.unique_id()).decode('utf-8') #'3c71bf8775d4' print("device id: ",id) id_aux=ustruct.pack('>Q',int(id,16)) #long long: 8 bytes ## Initialize time rtc = machine.RTC() #(year, month, day[, hour[, minute[, second[, microsecond[, tzinfo]]]]]) rtc.init((2019, 10, 16, 13, 32))
[ "48806151+mponsnieto@users.noreply.github.com" ]
48806151+mponsnieto@users.noreply.github.com
d1e1ea3ca62fa8c7eee1ea56bcf21143db9db802
ca7aa979e7059467e158830b76673f5b77a0f5a3
/Python_codes/p03962/s618919847.py
7c3073e9045ef040a154ec5d8acb94554d03edf5
[]
no_license
Aasthaengg/IBMdataset
7abb6cbcc4fb03ef5ca68ac64ba460c4a64f8901
f33f1c5c3b16d0ea8d1f5a7d479ad288bb3f48d8
refs/heads/main
2023-04-22T10:22:44.763102
2021-05-13T17:27:22
2021-05-13T17:27:22
367,112,348
0
0
null
null
null
null
UTF-8
Python
false
false
514
py
import sys import math from functools import reduce import bisect def getN(): return int(input()) def getNM(): return map(int, input().split()) def getList(): return list(map(int, input().split())) def input(): return sys.stdin.readline().rstrip() # input = sys.stdin.buffer.readline def index(a, x): i = bisect.bisect_left(a, x) if i != len(a) and a[i] == x: return i return False ############# # MAIN CODE # ############# a, b, c = getNM() print(len({a, b, c}))
[ "66529651+Aastha2104@users.noreply.github.com" ]
66529651+Aastha2104@users.noreply.github.com
f2b5ff460e1f890c8bb67ed8e9b8c30bb31b64c3
2bd7278c75707c6656201b1a036ed39faab51d84
/102 labs/Week10-depth_range.py
b0f0a2d4189becdfb5643fd6ee05ba0745c27c69
[]
no_license
madnight12/csci-101-102-labs
fe65d37641d7080f62c7d8085fe08c1c7f55402f
4598bc051415ff0bac442ff9f329095767570790
refs/heads/main
2023-04-23T15:49:01.830916
2021-04-27T05:38:24
2021-04-27T05:38:24
361,874,303
0
0
null
null
null
null
UTF-8
Python
false
false
689
py
# Madeleine Nightengale-Luhan # CSCI 102 - Section A # Week 10 Lab # References: No One # Time: 75 minutes import csv file = open('formations.csv', 'r') reader = csv.reader(file, delimiter= ',') with open('formations_parsed.csv', 'w') as csv_file2: writer = csv.writer(csv_file2) head_list = ['Depth', 'Start Depth', 'End Depth', 'Average Depth', 'Formation'] writer.writerow(head_list) for var in reader: depth = var[0] f = var[1] s = depth.split('-') start = s[0] end = s[-1] average = (float(end) + float(start)) / 2 average = round(average, 1) writer.writerow([depth, s, end, average, f])
[ "82845063+madnight12@users.noreply.github.com" ]
82845063+madnight12@users.noreply.github.com
0db12e6c770742bb8e40005583ed870d968e58bc
f95a07c17de3f5e33ba5ac059525d0c78dc63a6e
/apps/inicio/migrations/0001_initial.py
ed23b1871a1435cf62fe5c6240d0fba5069e4e03
[]
no_license
Marko-lks/practica18
a9c277372f2bcc51813864d63d0aafbe2b0b039b
32f3fa7587d413e13db7364255e256575b5dcbc7
refs/heads/master
2020-06-05T17:40:23.916070
2015-04-07T17:20:22
2015-04-07T17:20:22
33,519,137
0
0
null
null
null
null
UTF-8
Python
false
false
728
py
# -*- coding: utf-8 -*- from __future__ import unicode_literals from django.db import models, migrations class Migration(migrations.Migration): dependencies = [ ] operations = [ migrations.CreateModel( name='alumno', fields=[ ('id', models.AutoField(verbose_name='ID', serialize=False, auto_created=True, primary_key=True)), ('nombres', models.CharField(max_length=300)), ('apellp', models.CharField(max_length=50)), ('apellm', models.CharField(max_length=50)), ('edad', models.IntegerField(default=0)), ('carrera', models.CharField(max_length=100)), ], ), ]
[ "marko142221@gmail.com" ]
marko142221@gmail.com
c41471d7211c7cfc328fcf0c8db053441c203f99
17cb5c1ab291f43622b29fbe2c263a0891c02140
/py_fluent/leetCode/234.py
a9a75d059a39ad4dd9bd772a95195b02c49af45b
[]
no_license
RownH/MyPy
97f0d89cd7d9e16497130557685dbd0217f8cf28
50542d832096420f0a2661fa8af26dc216c08636
refs/heads/master
2020-06-20T16:53:12.547836
2020-05-23T16:03:52
2020-05-23T16:03:52
197,184,018
0
0
null
null
null
null
UTF-8
Python
false
false
1,293
py
''' 请判断一个链表是否为回文链表。 示例 1: 输入: 1->2 输出: false 示例 2: 输入: 1->2->2->1 输出: true 方法:快慢指针确定中间值 后面指针逆转 ''' # Definition for singly-linked list. class ListNode(object): def __init__(self, x): self.val = x self.next = None class Solution(object): def isPalindrome(self, head): """ :type head: ListNode :rtype: bool """ if head is None: return True; slow=head.next; if head.next is None: return True; quick=head.next.next; while quick is not None and quick.next is not None: quick=quick.next.next; slow=slow.next; pre=None; next=None; while head!=slow: next=head.next; head.next=pre; pre=head; head=next; if quick is not None: slow=slow.next; while pre is not None: if pre.val !=slow.val: return False; else: pre=pre.next; slow=slow.next; return True; head=ListNode(1); secode=ListNode(2); head.next=secode; secode.next=None; c=Solution(); print(c.isPalindrome(head));
[ "799698579@qq.com" ]
799698579@qq.com
5d5231457c9981f727e1dacf2bcb8006413b98ee
c92fe7e2898c10001928bf8c3dc07dc1587b6575
/CO2/8_findlongestword.py
d6062b272dae7cf3238f38917ac276c06d75a956
[]
no_license
NithinNitz12/ProgrammingLab-Python
1b2a59961d99a10ea3d4ac9f073b68ceff1bc5ce
17c29e125821f20bc0e58986592e57237dbee657
refs/heads/main
2023-03-22T18:22:08.381848
2021-03-18T11:58:50
2021-03-18T11:58:50
315,343,187
0
0
null
null
null
null
UTF-8
Python
false
false
267
py
num=int(input("enter number of words to be stored : ")) longest = 0 for i in range(num): word = input("enter a word : ") length = len(word) if(length>longest): longest=length print("Longest word is : "+str(longest)+" letters long.")
[ "nithinraj10@hotmail.com" ]
nithinraj10@hotmail.com
c81711a0721f4c0b3af10c8d370c5eca1fb7fbf0
b6c880fd23a3ed309fd4e70ad13045138cf96d6c
/WhatsYourName.py
8a1b99c005659cd46d0f237f9fe27e6606628af6
[]
no_license
H-Madhav/pythonCode-HackerRank
fa560efde6c69eb17883efafade47b55a0569139
0ca9c2a051cf15ce1f011b82d9e0cac315148aef
refs/heads/master
2022-01-27T01:43:44.300941
2017-08-28T19:23:36
2017-08-28T19:23:36
null
0
0
null
null
null
null
UTF-8
Python
false
false
79
py
print "Hello %s %s! You just delved into python." % (raw_input(), raw_input())
[ "noreply@github.com" ]
H-Madhav.noreply@github.com
ab821f35148bb313f0dd2d439acdc21be3a9f6b0
94ac3bc86980264da76cdd4e0b6741cb92a13cba
/ex1a.py
5199378c83317c0608a3241e318e88cbdcdf78b4
[]
no_license
tank7575/Mycode
56d0769a85c66e0833fc474a3d0677ef4171e175
b5669db103151c1c0038daddd745f3910114c5e8
refs/heads/master
2020-04-18T20:18:43.326455
2019-02-24T20:18:09
2019-02-24T20:18:09
167,734,566
0
0
null
null
null
null
UTF-8
Python
false
false
164
py
name = input("Give me your name: ") age = int(input("How old are you: ")) year = str((2019 - age)+ 100) print(name + "will be 100 years old in the year " + year)
[ "gtanke@gmail.com" ]
gtanke@gmail.com
92275752bbea081287f13884cac8c5b556fa1fd2
5c58587ebfbf56192b3dc6ed6f43bc002c8e2cff
/payments/migrations/0026_auto_20180906_1023.py
bb3127132c77be7ffde946ce16ac96b8870c7008
[]
no_license
hossamelneily/nexchange
fb9a812cfc72ac00b90cf64d6669a8129c2d2d4b
6d69274cd3808989abe2f5276feb772d1f0fa8b4
refs/heads/release
2022-12-13T09:20:47.297943
2019-02-12T08:20:34
2019-02-12T08:20:34
210,064,740
1
2
null
2022-12-09T00:54:01
2019-09-21T23:19:34
Python
UTF-8
Python
false
false
4,388
py
# Generated by Django 2.0.7 on 2018-09-06 10:23 from django.db import migrations, models import django.db.models.deletion class Migration(migrations.Migration): dependencies = [ ('core', '0066_remove_transactionprice_type'), ('payments', '0025_auto_20180822_1537'), ] operations = [ migrations.CreateModel( name='Bank', fields=[ ('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')), ('created_on', models.DateTimeField(auto_now_add=True)), ('modified_on', models.DateTimeField(auto_now=True)), ('name', models.CharField(blank=True, max_length=255, null=True)), ('website', models.URLField(blank=True, null=True)), ('phone', models.CharField(blank=True, max_length=50, null=True)), ('country', models.ForeignKey(blank=True, null=True, on_delete=django.db.models.deletion.DO_NOTHING, to='core.Country')), ], options={ 'abstract': False, }, ), migrations.CreateModel( name='BankBin', fields=[ ('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')), ('created_on', models.DateTimeField(auto_now_add=True)), ('modified_on', models.DateTimeField(auto_now=True)), ('bin', models.CharField(default=None, max_length=15, unique=True)), ('checked_external', models.BooleanField(default=False)), ('bank', models.ForeignKey(blank=True, null=True, on_delete=django.db.models.deletion.DO_NOTHING, to='payments.Bank')), ], options={ 'abstract': False, }, ), migrations.CreateModel( name='CardCompany', fields=[ ('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')), ('created_on', models.DateTimeField(auto_now_add=True)), ('modified_on', models.DateTimeField(auto_now=True)), ('name', models.CharField(blank=True, max_length=255, null=True)), ], options={ 'abstract': False, }, ), migrations.CreateModel( name='CardLevel', fields=[ ('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')), ('created_on', models.DateTimeField(auto_now_add=True)), ('modified_on', models.DateTimeField(auto_now=True)), ('name', models.CharField(blank=True, max_length=255, null=True)), ], options={ 'abstract': False, }, ), migrations.CreateModel( name='CardType', fields=[ ('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')), ('created_on', models.DateTimeField(auto_now_add=True)), ('modified_on', models.DateTimeField(auto_now=True)), ('name', models.CharField(blank=True, max_length=255, null=True)), ], options={ 'abstract': False, }, ), migrations.AddField( model_name='bankbin', name='card_company', field=models.ForeignKey(blank=True, null=True, on_delete=django.db.models.deletion.DO_NOTHING, to='payments.CardCompany'), ), migrations.AddField( model_name='bankbin', name='card_level', field=models.ForeignKey(blank=True, null=True, on_delete=django.db.models.deletion.DO_NOTHING, to='payments.CardLevel'), ), migrations.AddField( model_name='bankbin', name='card_type', field=models.ForeignKey(blank=True, null=True, on_delete=django.db.models.deletion.DO_NOTHING, to='payments.CardType'), ), migrations.AddField( model_name='paymentpreference', name='bank_bin', field=models.ForeignKey(blank=True, null=True, on_delete=django.db.models.deletion.DO_NOTHING, to='payments.BankBin'), ), ]
[ "noreply@github.com" ]
hossamelneily.noreply@github.com
c1c4ca481cc8eb43fa586007bb3b57bbb15de5b5
09c84ed0d83addb7c602ffe24b935b2b07b9c74f
/YOLOv4/tool/utils.py
1cbabf86fddca04af99ad2621bbaccc96fe8f2a4
[]
no_license
paul-pias/Object-Detection-and-Distance-Measurement
b8050ba1beac2d5e8524b6be6991e28c7faf1f27
98a42696c935b8691c7ba222e3d4777c679554d3
refs/heads/master
2023-07-09T10:29:51.001546
2023-06-25T19:42:40
2023-06-25T19:42:40
205,520,090
283
104
null
2023-06-25T19:42:41
2019-08-31T08:51:59
Python
UTF-8
Python
false
false
6,968
py
import sys import os import time import math import numpy as np import itertools import struct # get_image_size import imghdr # get_image_size import win32com.client as wincl #### Python's Text-to-speech (tts) engine for windows, multiprocessing speak = wincl.Dispatch("SAPI.SpVoice") #### This initiates the tts engine def sigmoid(x): return 1.0 / (np.exp(-x) + 1.) def softmax(x): x = np.exp(x - np.expand_dims(np.max(x, axis=1), axis=1)) x = x / np.expand_dims(x.sum(axis=1), axis=1) return x def bbox_iou(box1, box2, x1y1x2y2=True): # print('iou box1:', box1) # print('iou box2:', box2) if x1y1x2y2: mx = min(box1[0], box2[0]) Mx = max(box1[2], box2[2]) my = min(box1[1], box2[1]) My = max(box1[3], box2[3]) w1 = box1[2] - box1[0] h1 = box1[3] - box1[1] w2 = box2[2] - box2[0] h2 = box2[3] - box2[1] else: w1 = box1[2] h1 = box1[3] w2 = box2[2] h2 = box2[3] mx = min(box1[0], box2[0]) Mx = max(box1[0] + w1, box2[0] + w2) my = min(box1[1], box2[1]) My = max(box1[1] + h1, box2[1] + h2) uw = Mx - mx uh = My - my cw = w1 + w2 - uw ch = h1 + h2 - uh carea = 0 if cw <= 0 or ch <= 0: return 0.0 area1 = w1 * h1 area2 = w2 * h2 carea = cw * ch uarea = area1 + area2 - carea return carea / uarea def nms_cpu(boxes, confs, nms_thresh=0.5, min_mode=False): # print(boxes.shape) x1 = boxes[:, 0] y1 = boxes[:, 1] x2 = boxes[:, 0] + boxes[:, 2] y2 = boxes[:, 1] + boxes[:, 3] areas = (x2 - x1) * (y2 - y1) order = confs.argsort()[::-1] keep = [] while order.size > 0: idx_self = order[0] idx_other = order[1:] keep.append(idx_self) xx1 = np.maximum(x1[idx_self], x1[idx_other]) yy1 = np.maximum(y1[idx_self], y1[idx_other]) xx2 = np.minimum(x2[idx_self], x2[idx_other]) yy2 = np.minimum(y2[idx_self], y2[idx_other]) w = np.maximum(0.0, xx2 - xx1) h = np.maximum(0.0, yy2 - yy1) inter = w * h if min_mode: over = inter / np.minimum(areas[order[0]], areas[order[1:]]) else: over = inter / (areas[order[0]] + areas[order[1:]] - inter) inds = np.where(over <= nms_thresh)[0] order = order[inds + 1] return np.array(keep) def plot_boxes_cv2(img, boxes, savename=None, class_names=None, color=None, colors = None): import cv2 img = np.copy(img) # colors = np.array([[1, 0, 1], [0, 0, 1], [0, 1, 1], [0, 1, 0], [1, 1, 0], [1, 0, 0]], dtype=np.float32) colors = np.array(colors) def get_color(c, x, max_val): ratio = float(x) / max_val * 5 i = int(math.floor(ratio)) j = int(math.ceil(ratio)) ratio = ratio - i r = (1 - ratio) * colors[i][c] + ratio * colors[j][c] return int(r * 255) width = img.shape[1] height = img.shape[0] # print("weight{} , height {}".format(width, height)) for i in range(len(boxes)): box = boxes[i] x1 = int((box[0] - box[2] / 2.0) * width) y1 = int((box[1] - box[3] / 2.0) * height) x2 = int((box[0] + box[2] / 2.0) * width) y2 = int((box[1] + box[3] / 2.0) * height) x,y,w,h = x1,y1,x2,y2 font_face = cv2.FONT_HERSHEY_DUPLEX font_scale = 1.2 font_thickness = 1 text_pt = (box[0], box[1] - 3) text_color = [255, 255, 255] if color: rgb = color else: rgb = (255, 0, 0) if len(box) >= 7 and class_names: cls_conf = box[5] cls_id = box[6] print('%s: %f' % (class_names[cls_id], cls_conf)) distance = (2 * 3.14 * 180) / (w+ h * 360) * 1000 + 3 ### Distance measuring in Inch feedback = ("{}".format(class_names[cls_id])+ " " +"is"+" at {} ".format(round(distance))+"Inches") # speak.Speak(feedback) print(feedback) text_str = '%s' % (class_names[cls_id]) text_w, text_h = cv2.getTextSize(text_str, font_face, font_scale, font_thickness)[0] classes = len(class_names) offset = cls_id * 123457 % classes red = get_color(2, offset, classes) green = get_color(1, offset, classes) blue = get_color(0, offset, classes) if color is None: rgb = (red, green, blue) cv2.putText(img, str("{:.2f} Inches".format(distance)), (text_w+x,y), cv2.FONT_HERSHEY_SIMPLEX, font_scale, rgb, font_thickness, cv2.LINE_AA) img = cv2.putText(img, class_names[cls_id], (x1, y1), cv2.FONT_HERSHEY_SIMPLEX, 1.2, rgb, 1) img = cv2.rectangle(img, (x1, y1), (x2, y2), rgb, 1) return img def read_truths(lab_path): if not os.path.exists(lab_path): return np.array([]) if os.path.getsize(lab_path): truths = np.loadtxt(lab_path) truths = truths.reshape(truths.size / 5, 5) # to avoid single truth problem return truths else: return np.array([]) def post_processing(img, conf_thresh, nms_thresh, output): # anchors = [12, 16, 19, 36, 40, 28, 36, 75, 76, 55, 72, 146, 142, 110, 192, 243, 459, 401] # num_anchors = 9 # anchor_masks = [[0, 1, 2], [3, 4, 5], [6, 7, 8]] # strides = [8, 16, 32] # anchor_step = len(anchors) // num_anchors t1 = time.time() if type(output).__name__ != 'ndarray': output = output.cpu().detach().numpy() # [batch, num, 4] box_array = output[:, :, :4] # [batch, num, num_classes] confs = output[:, :, 4:] # [batch, num, num_classes] --> [batch, num] max_conf = np.max(confs, axis=2) max_id = np.argmax(confs, axis=2) t2 = time.time() bboxes_batch = [] for i in range(box_array.shape[0]): argwhere = max_conf[i] > conf_thresh l_box_array = box_array[i, argwhere, :] l_max_conf = max_conf[i, argwhere] l_max_id = max_id[i, argwhere] keep = nms_cpu(l_box_array, l_max_conf, nms_thresh) bboxes = [] if (keep.size > 0): l_box_array = l_box_array[keep, :] l_max_conf = l_max_conf[keep] l_max_id = l_max_id[keep] for j in range(l_box_array.shape[0]): bboxes.append([l_box_array[j, 0], l_box_array[j, 1], l_box_array[j, 2], l_box_array[j, 3], l_max_conf[j], l_max_conf[j], l_max_id[j]]) bboxes_batch.append(bboxes) t3 = time.time() # print('-----------------------------------') # print(' max and argmax : %f' % (t2 - t1)) # print(' nms : %f' % (t3 - t2)) # print('Post processing total : %f' % (t3 - t1)) # print('-----------------------------------') return bboxes_batch
[ "paul.pias@northsouth.edu" ]
paul.pias@northsouth.edu
e958fa2dbb0ad377d57b00e4297bdcaca7286794
d35d8f860e0d9edc3480f6ac9c83333472db3bc0
/env/bin/django-admin
8fe57c2369f8c70d1164ecf5ac043813e8099590
[]
no_license
grewal25/shop-april30
29e76997f339ec97dfc8943416ed077964314f48
1243c58905578ce8b7cceb33f97cb476bd73c02e
refs/heads/master
2022-12-15T00:41:34.646309
2019-07-26T18:55:27
2019-07-26T18:55:27
184,339,826
0
0
null
2022-12-08T05:55:45
2019-04-30T22:27:31
JavaScript
UTF-8
Python
false
false
317
#!/Users/saran/Desktop/Web_trade/july_26/shop-april30/env/bin/python3 # -*- coding: utf-8 -*- import re import sys from django.core.management import execute_from_command_line if __name__ == '__main__': sys.argv[0] = re.sub(r'(-script\.pyw?|\.exe)?$', '', sys.argv[0]) sys.exit(execute_from_command_line())
[ "grewalele@gmail.com" ]
grewalele@gmail.com
549275e873f106430ed837c7a06752d2258c7bdc
66a672f802a1d59efaffb9b11dc2f508ccd024e6
/parse_LN_to_JSON_old.py
76896c08c8d5f0e0acfb96e9d2a426415a0207d4
[ "Apache-2.0" ]
permissive
dallascard/LN_tools
3b7af1a6b064f5b7dc540a04d4fae1a0b2e8f805
66be00f1fd11517f7bbf2949cc70f9552f3af4f4
refs/heads/master
2021-01-12T16:02:17.130400
2019-10-26T00:05:00
2019-10-26T00:05:00
71,923,543
1
0
null
null
null
null
UTF-8
Python
false
false
18,161
py
""" parse_LN.py Parse a single file or a directory of raw files from Lexis-Nexis, which come as text files containing a block of news articles concatenated into one file. Objective is to split articles into individual files and extract relevant information In general, the articles have: a source (newspaper name) a well-defined date sometimes a title after the date some possible top tags, including author (byline) and length some paragraphs of text (usually) many possible end tags (some of which include relvance percentages) a copyright (usually) Also, all tags will (usually) be in the form 'TAG: content' Unfortunately, there is a lot that can go wrong, including missing sections, broken lines, unusually formats, strangely converted characters, and randomly copied text. We do the best we can. """ # import modules from optparse import OptionParser from os import path, makedirs from json import dump from unicodedata import normalize import codecs import re import glob # This function writes an individual article to a text file, unchanged # Yes, it works purely on global variables... def write_text_file(): if doc.has_key(u'CASE_ID'): output_file_name = output_dir + '/' + prefix + str(doc[u'CASE_ID']) + '.txt' output_file = codecs.open(output_file_name, mode='w', encoding='utf-8') output_file.writelines(output_text) output_file.close() # This function writes a parsed version of an article as a JSON object # It too relies on global variables... def write_json_file(): # assume we have a dictionary named doc # it should have a case_id if doc.has_key(u'CASE_ID'): # get the top tags, and put them in a dictionary top = {} for t in top_tags: # split the tag into TAG and TEXT (at the colon) index = t.find(':') tag = t[:index] text = t[index+1:] # strip off whitespace text = text.lstrip() top[tag] = text # store the top tags and anything else from the top section which didn't fit top[u'TOP_MISC'] = top_misc doc[u'TOP'] = top # store the paragraphs of body text in BODY doc[u'BODY'] = paragraphs # get the bottom tags and put them in a dictionary, as with top tags bottom = {} for t in end_tags: index = t.find(':') tag = t[:index] text = t[index+1:] text = text.lstrip() bottom[tag] = text bottom[u'BOTTOM_MISC'] = end_misc doc[u'BOTTOM'] = bottom # output the overall dictionary as a json file output_file_name = json_dir + '/' + prefix + str(doc[u'CASE_ID']) + '.json' output_file = codecs.open(output_file_name, mode='w', encoding='utf-8') dump(doc, output_file, ensure_ascii=False, indent=2) output_file.close() # Tags used at the top and bottom of L-N files TOP_TAGS = [u'BYLINE:', u'DATELINE:', u'HIGHLIGHT:', u'LENGTH:', u'SECTION:', u'SOURCE:', u'E-mail:', ] END_TAGS = [u'CATEGORY:', u'CHART:', u'CITY:', u'COMPANY:', u'CORRECTION-DATE:', u'COUNTRY:', u'CUTLINE:', u'DISTRIBUTION:', u'DOCUMENT-TYPE:', u'ENHANCEMENT:', u'GEOGRAPHIC:', u'GRAPHIC:', u'INDUSTRY:', u'JOURNAL-CODE:', u'LANGUAGE:', u'LOAD-DATE:', u'NOTES:', u'ORGANIZATION:', u'PERSON:', u'PHOTO:', u'PHOTOS:', u'PUBLICATION-TYPE:', u'SERIES:', u'STATE:', u'SUBJECT:', u'TICKER:', u'TYPE:', u'URL:'] MONTHS = {u'january':1, u'february':2, u'march':3, u'april':4, u'may':5, u'june':6, u'july':7, u'august':8, u'september':9, u'october':10, u'november':11, u'december':12} # set up an options parser usage = 'usage %prog [options] (must specify -f OR -d)' parser = OptionParser(usage=usage) parser.add_option('-f', help='read in FILE', metavar='FILE') parser.add_option('-d', help='read in in ALL files in INDIR', metavar='INDIR') parser.add_option('-o', help='output individual files to DIR', metavar='DIR', default='./temp/text/') parser.add_option('-j', help='output individal xml files to JDIR', metavar='JDIR', default='./temp/json/') parser.add_option('-p', help='prefix for output text files [default = %default]', metavar='PRE', default='prefx.0-') parser.add_option("-w", action="store_true", dest="write_files", default=False, help="Write individual .txt files [default = %default]") (options, args) = parser.parse_args() case_id = 0 # unique id for each article (doc) total_expected_docs = 0 # total numbe of artcles we expect to get from all L-N files total_docs_found = 0 # running count of listed numbers of docs tag_counts = {} # counts of how many times we see each tag first_tag_counts = {} # counts of how any times we see each tag as the first tag # If the output directories do not exist, create them output_dir = options.o if not path.exists(output_dir): makedirs(output_dir) json_dir = options.j if not path.exists(json_dir): makedirs(json_dir) # get the prefix to use when naming files prefix = options.p # get a list of files to parse, either a single file, or all files in a directory files = [] input_file_name = options.f if input_file_name == None: input_dir = options.d if path.exists(input_dir): files = glob.glob(input_dir + '/*') else: files = [input_file_name] print "Found", len(files), "files." # sort the files and parse them one by one files.sort() for f in files: # open the next file, and read it in input_file_name = f name_parts = input_file_name.split('/') orig_file_name = name_parts[-1] # open with utf-8-sig encoding to eat the unicode label input_file = codecs.open(input_file_name, encoding='utf-8-sig') input_text = input_file.read() input_file.close() # split the text into individual lines lines = input_text.split('\r\n') doc = {} # store the article we are working on as a dictionary doc_count = 0 # count of how many articles we have found doc_num = 0 # document number in the original L-N file expected_docs = 0 # the number of articles we expect to find in this L-N file # process each line, one at a time for line in lines: # first, normalize the unicode (to get rid of things like \xa0) orig_line = line line = normalize('NFKD', line) # start off looking for new document (each of which is marked as below) # also, store the numbers from this pattern as groups for use below match = re.search(u'([0-9]+) of ([0-9]+) DOCUMENTS', line) # if we find a new article if match: # first, save the article we are currently working on if doc_num > 0: if options.write_files: # write the original file as a text file, unmodified write_text_file() # also write the (parsed) article as a json object write_json_file() # now move on to the new artcle # check to see if the document numbering within the L-N file is consisent # (i.e. the next document should be numbered one higher than the last) if int(match.group(1)) != doc_num + 1: print "Missed document after " + input_file_name + ' ' + str(doc_num) # if this is the first article in the L-N file, get the expected number of docs if expected_docs == 0: expected_docs = int(match.group(2)) total_expected_docs += expected_docs elif (expected_docs != int(match.group(2))): print "Discrepant document counts after", input_file_name, str(doc_num-1) # get the document number from the original L-N file doc_num = int(match.group(1)) # assign a new, unique, case id case_id += 1 # add one to the number of documents we've seen doc_count += 1 # start a new document as a dictionary doc = {} # store what we know so far doc[u'CASE_ID'] = case_id # unique identifier doc[u'ORIG_FILE'] = orig_file_name # filename of the original L-N file doc[u'ORIG_ID'] = doc_num # document number in the L-N file current = u'' # current stores the block we are currently working on output_text = [] # a list of lines to write to the text file top_tags = [] # a list of top tags paragraphs = [] # a list of body paragraphs end_tags = [] # a list of end tags top_misc = u'' # things we can't parse from the top of the article end_misc = u'' # things we can't parse from the bottom of the article have_length = False have_section = False # once we've started working on a document... elif (doc_num > 0): match = False # check if thee's anything on this line if (line != u''): # if so, strip the whitespace and add the current line to our working line temp = line.lstrip() temp = temp.rstrip() current += temp + ' ' # if not, process the line(s) we've been working on... elif (current != u''): current = current.rstrip() # first check to see if this looks like a tag tag_match = re.search(u'^([A-Z]+[-]?[A-Z]+:)', current) if tag_match: tag = tag_match.group(1) # if we find a tag, see if it's a top tag if (tag in TOP_TAGS) and (len(paragraphs) == 0): if tag == u'LENGTH:': if have_length == False: top_tags.append(current) have_length = True match = True elif tag == u'SECTION:': if have_section == False: top_tags.append(current) have_section = True match = True else: top_tags.append(current) match = True # then see if it's a bottom tag elif (tag in END_TAGS) and ((len(paragraphs)>0) or have_section or have_length): # deal with it as an end tag: end_tags.append(current) match = True # if it's not a tag, but we already have end tags, continue with the end if match == False and len(end_tags) > 0: # deal with this as bottom matter # pick up the copyright if it's there pattern = re.search(u'^Copyright ', current) if pattern: if not doc.has_key(u'COPYRIGHT'): doc[u'COPYRIGHT'] = current # otherwise, else: # sometimes the end tags get split over multiple lines # i.e., if this text contains '(#%)' pattern = re.search(u'\([0-9]+%\)', current) if pattern: end_tags[-1] += ' ' + current # or if the last tag was just a tag with no content elif end_tags[-1] in END_TAGS: end_tags[-1] += ' ' + current # not foolproof... store the rest in misc else: end_misc += current + u' ** ' match = True # then, check if it could be a date for the artcle if match == False and not doc.has_key(u'DATE'): date_match = re.search('^([a-zA-Z]*).?\s*(\d\d?).*\s*(\d\d\d\d).*', current) month_yyyy_match = re.search('^([a-zA-Z]*).?\s*(\d\d\d\d).*', current) if date_match: month_name = date_match.group(1) month_name = month_name.lower() day = date_match.group(2) year = date_match.group(3) if MONTHS.has_key(month_name): month = MONTHS[month_name] doc[u'DATE'] = current doc[u'MONTH'] = int(month) doc[u'DAY'] = int(day) doc[u'YEAR'] = int(year) # also store the date in the format YYYYMMDD fulldate = year + str(month).zfill(2) + day.zfill(2) doc[u'FULLDATE'] = fulldate match = True # try an alternate date format elif month_yyyy_match: month_name = month_yyyy_match.group(1) month_name = month_name.lower() year = month_yyyy_match.group(2) if MONTHS.has_key(month_name): doc[u'DATE'] = current month = MONTHS[month_name] doc[u'MONTH'] = int(month) doc[u'YEAR'] = int(year) match = True # if its not a tag or date, and we don't have end tags if match == False: # check if we have any top tags if len(top_tags) == 0: # if not, check if we have a date if not doc.has_key(u'DATE'): # if not, assume this is a part of the source source = current.lower() source = re.sub('^the', '', source, 1) source = source.lstrip() if doc.has_key(u'SOURCE'): doc[u'SOURCE'] = doc[u'SOURCE'] + u'; ' + source else: doc[u'SOURCE'] = source match = True # if we do have top tags, assume this is a title else: # assuming we don't already have a title if not doc.has_key(u'TITLE'): doc[u'TITLE'] = current match = True # don't move onto the body until we at least one tag if (match == False) and (have_length == False) and (have_section == False): top_misc += current + u' ** ' match = True # in all other cases, assume this is part of the body if match == False: # Try to deal with paragraphs that have been split over mutiple lines # By default, assume we'll just append the current working line # to the body append = True # if we have at least one paragraph if len(paragraphs) > 0: # Look at the end of the last paragraph and the start of # this one to see if a line has been split. # First, try to join hyperlinks, email addresses and # hyphenated words that have been split if re.search(u'[/@-]$', paragraphs[-1]): if re.search(u'^[a-z]', current): paragraphs[-1] = paragraphs[-1] + u'' + current append = False # Also search for the symbols at the start of the next line elif re.search(u'^[/@]', current): paragraphs[-1] = paragraphs[-1] + 'u' + current append = False # Finally, try to join sentences that have been split # i.e. the last paagraph doesn't end with an end character elif not re.search(u'[\.\"\'?!:_]$', paragraphs[-1]): # and the next paragraph doesn't start with a start symbol. if not re.search(u'^[A-Z"\'>*-\.\(0-9=\$%_]|(http)|(www)', current): paragraphs[-1] = paragraphs[-1] + u' ' + current append = False # in all other cases, just add the input as a new paragraph if (append == True): paragraphs.append(current) # start a new working line current = u'' output_text.append(orig_line + u'\r\n') total_docs_found += doc_count # once we reach the end of the file, output the current document # and then go to the next file if doc_num > 0: if options.write_files: write_text_file() write_json_file() # print a summary for the L-N file print 'Processed', orig_file_name + ': ', 'Expected:', expected_docs, ' Found:', doc_count # and print a final summary of everything print 'Total number of documents expected: ' + str(total_expected_docs) print 'Total number of documents found: ' + str(total_docs_found)
[ "dcard@andrew.cmu.edu" ]
dcard@andrew.cmu.edu
c8253844306b003c358799d563b43b8caa9ec92c
89b6bfbd4dfa81930d407bd9e7886f81dac8c73f
/SysLog.py
c855062d2e47dfdd3debbb6de5cd0e7668668617
[]
no_license
amclaug7/SysLogEvaluation
3e810e0d17f18846d6c4af542c0c5e3da1e04498
f21e9692052ed38c396d961ab0ac3bc0df8f5e99
refs/heads/master
2020-06-06T01:23:02.258523
2019-06-18T19:26:01
2019-06-18T19:26:01
192,600,118
0
0
null
null
null
null
UTF-8
Python
false
false
754
py
#Andrew McLaughlin #28Oct18 #SysLog import re; def readFile(): input = open("C:\\Users\student\Desktop\sysLog.txt", "r") exeCount = illegalCount = guestCount = 0 exeTest = re.compile("exe") illegalTest = re.compile("illegal") guestTest = re.compile("guest") for line in input: if(exeTest.findall(line)): exeCount += 1 print(line) elif(illegalTest.findall(line)): illegalCount += 1 print(line) elif (guestTest.findall(line)): guestCount += 1 print(line) print("exe found " + str(exeCount)) print("illegal found " + str(illegalCount)) print("guest found " + str(guestCount)) readFile()
[ "noreply@github.com" ]
amclaug7.noreply@github.com
0e8bd7dffdbe4b37e4c4527a5e2b050f6f894bda
63fc96c38ec0522bb0002b19344578e4b3630aa9
/item_to_item_CF.py
3f127246ca8dba576a6082fc21a99d6229fe59c9
[]
no_license
yutthana/DataMining
47ea5f6a09f33d0c9309129429e779a08d8b0f3e
ece88b8b987d5492b9aef2e034c87554116dcf1c
refs/heads/master
2020-12-27T15:27:41.296914
2016-04-08T21:58:42
2016-04-08T21:58:42
55,811,570
0
0
null
2016-04-08T21:45:30
2016-04-08T21:45:30
null
UTF-8
Python
false
false
1,484
py
# -*- coding: utf-8 -*- """ Created on Tue Apr 05 12:05:43 2016 @author: Yutthana """ import pandas as pd from pandas import * from scipy import spatial import numpy as np #read data from csv def readcsv(path): return pd.read_csv(path, iterator=True, chunksize=10000, skip_blank_lines=True) #normalize cosine distance item-item tp = readcsv("instance_movie_80%.csv") df = concat(tp, ignore_index=True) #delete item which has less number of ratings than 500 df = df.groupby("asin").filter(lambda x: len(x) > 500) #create utility matrix table = df.pivot_table(values='overall', index=['reviewerID'], columns=['asin']) #normalize data table = table.apply(lambda x: (x - np.mean(x))) #fill emptyspace with 0 table = table.fillna(value=0) #create table to hold result result = pd.DataFrame(index=table.columns,columns=table.columns) #for each item for i in range(0,len(result.columns)) : #compare with another item for j in range(0,len(result.columns)) : #find cosine similarity of item1 and item2 result.ix[i,j] = 1-spatial.distance.cosine(table.ix[:,i],table.ix[:,j]) #table to hold the similarity of item rank = pd.DataFrame(index=result.columns,columns=range(1,11)) #rank data based on cosine similarity for i in range(0,len(result.columns)): rank.ix[i,:10] = result.ix[0:,i].order(ascending=False)[:10].index #write to file rank.to_csv('instance_result_Normcosine_300.csv')
[ "yut.mmm03@gmail.com" ]
yut.mmm03@gmail.com
7b10bae824de4ead5ffbb387b689114066ec431d
5d304c6ec0f01edee73e3b612f84307060c0da54
/letter_combinations_of_a_phone_number.py
089f3c0c2377b7e620e80a61fbd5b12517d716e8
[]
no_license
xartisan/leetcode-solutions-in-python
cfa06b9e02f7ec0446cf6b71df4ea46caa359adc
7e3929a4b5bd0344f93373979c9d1acc4ae192a7
refs/heads/master
2020-03-14T17:10:07.957089
2018-07-29T10:11:01
2018-07-29T10:11:01
131,713,447
1
0
null
null
null
null
UTF-8
Python
false
false
499
py
class Solution: def letterCombinations(self, digits): """ :type digits: str :rtype: List[str] """ keys = ["", "", "abc", "def", "ghi", "jkl", "mno", "pqrs", "tuv", "wxyz"] rv = [] for d in digits: d = int(d) tmp = [] for c in keys[d]: if rv: tmp.extend(s + c for s in rv) else: tmp.append(c) rv = tmp return rv
[ "codeartisan@outlook.com" ]
codeartisan@outlook.com
d3f0f22a9f875992c367e7fce63ee8366b08f220
5254c3a7e94666264120f26c87734ad053c54541
/Revision de Pares/Semana N°5/Caso 2/05-0-gin-fileparse.py-vir-2020-09-08_19.44.49.py
c1df151428fe518671cc730320bf9ea5a29de07f
[]
no_license
ccollado7/UNSAM---Python
425eb29a2df8777e9f892b08cc250bce9b2b0b8c
f2d0e7b3f64efa8d03f9aa4707c90e992683672d
refs/heads/master
2023-03-21T17:42:27.210599
2021-03-09T13:06:45
2021-03-09T13:06:45
286,613,172
0
0
null
null
null
null
UTF-8
Python
false
false
2,352
py
#fileparse.py import csv def parse_csv(nombre_archivo, select = None, types = None, has_headers=True): ''' Parsea un archivo CSV en una lista de registros. Se puede seleccionar sólo un subconjunto de las columnas, determinando el parámetro select, que debe ser una lista de nombres de las columnas a considerar. ''' with open(nombre_archivo) as f: filas = csv.reader(f) if has_headers: # Lee los encabezados del archivo encabezados = next(filas) if select: # Si se indicó un selector de columnas, # buscar los índices de las columnas especificadas. # Y en ese caso achicar el conjunto de encabezados para diccionarios indices = [encabezados.index(nombre_columna) for nombre_columna in select] encabezados = select else: indices = [] registros = [] for fila in filas: if not fila: # Saltear filas vacías continue # Filtrar la fila si se especificaron columnas if indices: if types: fila = [tipo(fila[index]) for index,tipo in zip(indices,types)] else: fila = [fila[index] for index in indices] # Armar el diccionario registro = dict(zip(encabezados, fila)) registros.append(registro) else: registros = [] for fila in filas: if not fila: # Saltear filas vacías continue if types: fila = [tipo(elem) for tipo,elem in (zip(types, fila))] # Agregar la tupla registro = tuple(fila) registros.append(registro) return registros #%% camion_1 = parse_csv('camion.csv', types=[str, int, float]) print(camion_1) #%% camion_2 = parse_csv('camion.csv', types=[str, str, str]) print(camion_2) #%% camion_3 = parse_csv('camion.csv', select = ['nombre', 'cajones'], types=[str, int]) print(camion_3) #%% camion_4 = parse_csv('camion.csv', types=[str, str, float]) print(camion_4) #%% camion_5 = parse_csv('camion.csv', types=[str, int, str]) print(camion_5)
[ "46108725+ccollado7@users.noreply.github.com" ]
46108725+ccollado7@users.noreply.github.com
7cd784758941fdaddfc4f4813a364aa657bacadf
7f108151d95b49bdcaec90e7b1978859f603d962
/source/map/map_image.py
c1a0ef2173b42c8f51487752622362033c7b2077
[]
no_license
thydungeonsean/Shinar
205b20bf47ace29dde14ef2822449ee31ceeeca0
5bbb42aafe4ea1f54a69649a242241c3ca96926c
refs/heads/master
2021-04-29T10:08:17.300934
2017-04-04T12:06:48
2017-04-04T12:06:48
77,847,893
1
0
null
null
null
null
UTF-8
Python
false
false
9,839
py
from ..constants import * import pygame import os from ..images.image import Image class MapImageGenerator(object): instance = None @classmethod def get_instance(cls): if cls.instance is not None: return cls.instance else: cls.instance = cls() return cls.instance """ The image generator will scan through a map, and compile dither tile / wall tile combos as needed. It will store them in dither_patterns or wall patterns to be reused. dither_sets will hold recolored images based on the patterns as needed. """ def __init__(self): self.tile_images = self.init_tile_images() self.dither_gen = DitherImageGenerator() self.dither_patterns = {} # self.wall_patterns = {} self.dither_sets = { 1: {}, 2: {}, 3: {} } # init methods def init_tile_images(self): tile_images = { 0: MapTileImage('desert'), 1: MapTileImage('plain'), 2: MapTileImage('fertile'), 3: MapTileImage('river') } return tile_images def generate_image(self, map): mw = map.w * TILEW mh = map.h * TILEH map_image = pygame.Surface((mw, mh)) for y in range(map.h): for x in range(map.w): tile_id = map.map[x][y] if tile_id not in self.tile_images.keys(): tile_id = 0 img = self.tile_images[tile_id] img.position((x, y)) img.draw(map_image) dithered_edge_maps = self.get_dithered_edges(map) for k in (1, 2, 3): edge_map = dithered_edge_maps[k] for x, y in edge_map.keys(): img = self.get_dither_image(k, edge_map[(x, y)]) img.position((x, y)) img.draw(map_image) return map_image def get_dithered_edges(self, map): dithered_ids = (1, 2, 3) dither_points = { 1: [], 2: [], 3: [] } for y in range(map.h): for x in range(map.w): value = map.map[x][y] if value in dithered_ids: dither_points[value].append((x, y)) plain_dithered_edge = self.get_dithered_edge(map, dither_points[1], 0) fertile_dithered_edge = self.get_dithered_edge(map, dither_points[2], 1) river_dithered_edge = self.get_dithered_edge(map, dither_points[3], 2) #river_dithered_edge = self.get_dithered_edge(map, dither_points[2], 3) return {1: plain_dithered_edge, 2: fertile_dithered_edge, 3: river_dithered_edge} def get_dithered_edge(self, map, points, cover_terrain): dither = {} visited = set() for x, y in points: adj = map.get_adj((x, y), diag=True) for ax, ay in adj: if map.map[ax][ay] == cover_terrain and (ax, ay) not in visited: visited.add((ax, ay)) dither[(ax, ay)] = self.get_dither_value(map, map.map[x][y], (ax, ay)) return dither def get_dither_value(self, map, cover_type, (x, y)): edge_coords = ((x-1, y-1), (x, y-1), (x+1, y-1), (x+1, y), (x+1, y+1), (x, y+1), (x-1, y+1), (x-1, y)) i = 0 value = set() for ex, ey in edge_coords: if map.is_on_map((ex, ey)) and map.map[ex][ey] == cover_type: value.add(i) i += 1 value = list(value) value.sort() return tuple(value) def get_dither_image(self, terrain, dither_value): dither_set = self.dither_sets[terrain] if dither_value in dither_set.keys(): return dither_set[dither_value] if dither_value in self.dither_patterns.keys(): img = self.dither_gen.recolor_pattern(self.dither_patterns[dither_value], terrain) dither_set[dither_value] = img return img else: pattern = self.dither_gen.generate_pattern(dither_value) self.dither_patterns[dither_value] = pattern img = self.dither_gen.recolor_pattern(pattern, terrain) dither_set[dither_value] = img return img class DitherImageGenerator(object): color_key = { 1: PLAIN_BROWN, 2: FERTILE_GREEN, 3: RIVER_BLUE #3: PLAIN_BROWN # 1: RED, 2: RED, 3: RED } dither_key = { 'a': (0, 0), 'b': (TILEW, 0), 'c': (TILEW*2, 0), 'd': (0, TILEH), 'e': (TILEW, TILEH), 'f': (TILEW*2, TILEH), 'g': (0, TILEH*2), 'h': (TILEW, TILEH*2) } def __init__(self): self.dither_tileset = TileImage('dither', colorkey=WHITE) def generate_pattern(self, d_value): d_img = TileImage(colorkey=WHITE) image_instructions = self.parse_dither_value(d_value) for d_id, pos in image_instructions: self.add_dither_segment(d_img, d_id, pos) return d_img def recolor_pattern(self, pattern, terrain): img = TileImage(colorkey=WHITE) pattern.draw(img) color = DitherImageGenerator.color_key[terrain] img.recolor(BLACK, color) return img def parse_dither_value(self, value): parsed = set() card = {1, 3, 5, 7} diag = {0, 2, 4, 6} cardinals = [] for e in value: if e in card: cardinals.append(e) if len(cardinals) < 3: for e in value: # checking for outer diagonal corners if e in diag and self.corner_is_isolate(value, e): parsed.add(('b', e)) elif len(cardinals) == 4: parsed = [('d', 1), ('d', 3), ('d', 5), ('d', 7), ('c', 0), ('c', 2), ('c', 4), ('c', 6)] return parsed for e in cardinals: # check for solid edges if self.edge_is_isolate(value, e): parsed.add(('a', e)) else: parsed.add(('d', e)) if self.edge_has_one_adj(value, e, 2): end, connector = self.get_corner_values(value, e) parsed.add(('e', end)) parsed.add(('c', connector)) else: adj = self.get_adj_edges(e, 1) for ae in adj: parsed.add(('c', ae)) return list(parsed) def get_adj_edges(self, e, step): raw_adj = (e + step, e - step) adj = [] for ae in raw_adj: if ae < 0: adj.append(ae + 8) elif ae > 7: adj.append(ae - 8) else: adj.append(ae) return adj def get_corner_values(self, value, e): corners = self.get_adj_edges(e, 1) end = None connector = None for corner in corners: if self.edge_has_one_adj(value, corner, 1): end = corner else: connector = corner return end, connector def corner_is_isolate(self, value, e): adj = self.get_adj_edges(e, 1) for ae in adj: if ae in value: return False return True def edge_is_isolate(self, value, e): adj = self.get_adj_edges(e, 2) for ae in adj: if ae in value: return False return True def edge_has_one_adj(self, value, e, step): adj = self.get_adj_edges(e, step) num = 0 for ae in adj: if ae in value: num += 1 if num < 2: return True else: return False def add_dither_segment(self, d_img, d_id, pos): if d_id in ('a', 'b', 'c', 'd'): self.add_rotated_img(d_img, d_id, pos) else: # d_id is 'e' if pos == 0: self.add_rotated_img(d_img, 'e', 0) elif pos == 2: self.add_rotated_img(d_img, 'f', 0) elif pos == 4: self.add_rotated_img(d_img, 'g', 0) elif pos == 6: self.add_rotated_img(d_img, 'h', 0) def add_rotated_img(self, d_img, d_id, pos): ang_dict = {0: 0, 1: 0, 2: -90, 3: -90, 4: 180, 5: 180, 6: 90, 7: 90} img = pygame.Surface((TILEW, TILEH)) img.fill(WHITE) img.set_colorkey(WHITE) x, y = DitherImageGenerator.dither_key[d_id] img.blit(self.dither_tileset.image, (0, 0), (x, y, TILEW, TILEH)) img = pygame.transform.rotate(img, ang_dict[pos]) d_img.blit(img, img.get_rect()) class TileImage(Image): def __init__(self, imagename=None, colorkey=None): Image.__init__(self, imagename, colorkey) def position(self, (x, y)): self.rect.topleft = ((x * TILEW) + self.x_offset, (y * TILEH) + self.y_offset) class MapTileImage(TileImage): def __init__(self, imagename=None): Image.__init__(self, imagename)
[ "marzecsean@gmail.com" ]
marzecsean@gmail.com
d166efba1b856be50405a92ae83a975ace2eba5c
a20d1bade0ada81344519467d185c117579c48c6
/sourceCode/scrapyRestaurantes/limpiezaDataSetRestaurantesCom.py
77298bf120930d7441e6a2e9465a6c2638436af5
[]
no_license
KevinOrtiz/An-lisis-Exploratorio-de-datos
04dc8d0c990221526fedfc933789c5f6f487d041
c361a58bc254ec93333ca208fda2825bcc56bb34
refs/heads/master
2020-04-06T07:11:25.029012
2016-09-08T06:23:24
2016-09-08T06:23:24
61,229,034
0
0
null
null
null
null
UTF-8
Python
false
false
1,566
py
import json import csv import string def getDataJson(): with open('salidaRestaurantePrueba.json') as file: data =json.load(file) csvRestaurantes = open('restaurantes_col.csv','w') head_restaurantes = 'name,longitude,latitude,rating,NoReviews,tags,ciudad_usuario,Pais,Nvotos_restaurantes,Nvotos_utiles,fecha_opinion,year,\n' csvRestaurantes.write(head_restaurantes) Nvotos_restaurantes = 0 Nvotos_utiles = 0 for element in data: location = element['posicion'] lng = location[0] lat = location[1] if not (lng is None and lat is None): name = element['tituloLugar'] name = string.replace(name,',','') rating = element['estrellas'] reviews = element['itemsReviews'] NoReviews = len(reviews) tags = element['tags'] line_tags = "" for y,x in enumerate(reviews): if not(x['numero_restaurant_review'] == '' or x['votos_utiles'] == '' or x['origen_usuario'] == '' or x['date_review'] == ''): Nvotos_restaurantes = x['numero_restaurant_review'] Nvotos_utiles = x['votos_utiles'] ciudad_usuario = x['origen_usuario'] fecha_review = x['date_review'] for tag in tags: line_tags = line_tags + '$' + tag for j,k,l,m in map(None,fecha_review,ciudad_usuario,Nvotos_utiles,Nvotos_restaurantes): print j,k,l,m line = str(name) + ',' + str(lng) + ',' + str(lat) + ',' + str(rating) + ',' + str(NoReviews) + ',' + str(line_tags) + ',' + str(k) + ',' + str(m) + ',' + str(l) + ',' + str(j)+'\n' if 1: csvRestaurantes.write(line) if __name__ == '__main__': getDataJson()
[ "kevanort@espol.edu.ec" ]
kevanort@espol.edu.ec
f148103dc0836fefd8dc31e0b55522bfe42817c1
5b183ee0d3ed736174d7c2cc6324c4202106f2f4
/OldSpaghettiCode/Simulation_Graphing.py
64ea33675336baa87d1cec7d055dd58cab009930
[]
no_license
Halberd63/PoolMiningSimulationModel
75759d95ddeffa072d498886831dc698f647af75
07d53d3af9bd98966bbb9e6ddc6a5fed2e29387a
refs/heads/master
2021-01-20T05:34:39.285153
2017-11-02T12:46:43
2017-11-02T12:46:43
101,452,503
0
0
null
null
null
null
UTF-8
Python
false
false
2,835
py
import plotly plotly.tools.set_credentials_file(username='karlerikoja', api_key='tJQ6g692vFMVs89glb3v') import plotly.graph_objs as go import plotly.plotly as py #This graph is mostly used to prove our algorithm works correctly def graphBlocksFoundOverTime(model): #Code for proving that the block finding is calculated correctly miningTimes = model.getMiningTimes() miningTimes.sort() print(miningTimes) numberOfBlocksOverTime = [] for i in range(1,miningTimes[-1]+1): for j in range(len(miningTimes)): if i < miningTimes[j]: numberOfBlocksOverTime.append(j) break print(numberOfBlocksOverTime) trace = go.Scatter( x = [i for i in range(miningTimes[-1]+1)], y = numberOfBlocksOverTime, mode = 'markers' ) data = [trace] layout = go.Layout( title = "Number of Blocks Mined over Time", titlefont = dict( size = 32 ), xaxis = dict( title = "Time", titlefont = dict( size = 18 ) ), yaxis = dict( title = "Number of Blocks Found Within Given Time", titlefont = dict( size = 18 ) ) ) py.plot(go.Figure(data = data, layout = layout) , filename='Number of blocks mined vs time') #This graph is mostly used to prove our algorithm works correctly def graphWealthoverIndependance(model): trace = go.Scatter( x = model.getSoloMiningPower(), y = model.getMinerWealth(), mode = 'markers' ) data = [trace] layout = go.Layout( title = "Miner Wealth vs Miner Independance", titlefont = dict( size = 32 ), xaxis = dict( title = "Processing Power Dedicated to Mining Alone", titlefont = dict( size = 18 ) ), yaxis = dict( title = "Wealth of the Miner", titlefont = dict( size = 18 ) ) ) py.plot(go.Figure(data = data, layout = layout) , filename='Solo Power vs Wealth') def minersVsWealth(model): trace = go.Scatter( x=model.getMinerID(), y=model.getMinerWealth(), mode='markers' ) data = [trace] layout = go.Layout( title="Miner Wealth vs ID", titlefont=dict( size=32 ), xaxis=dict( title="Miners", titlefont=dict( size=18 ) ), yaxis=dict( title="Wealth of the Miner", titlefont=dict( size=18 ) ) ) py.plot(go.Figure(data=data, layout=layout) , filename='MinerID vs Wealth')
[ "hwboy2@student.monash.edu" ]
hwboy2@student.monash.edu
77646e2ec0616be8c2082741e2ca6efa9902dd3a
ef457162d79be971f52ee96b1891764a2d230e8b
/demo.py
0b61466993849c1bffa5dd4056ad7be10ebc7073
[]
no_license
LuoJiaji/modularCNN
f2239f6b4ed378fede4401f6e90d9b1d5acc8c70
b8591c3924abeccaebfad56289a185f904da8608
refs/heads/master
2020-06-18T12:57:59.192061
2019-07-11T13:20:08
2019-07-11T13:20:08
196,309,757
0
0
null
null
null
null
UTF-8
Python
false
false
5,242
py
import random import numpy as np import matplotlib.pyplot as plt from keras.datasets import mnist from keras.preprocessing import image from keras.models import Model, load_model from keras.layers import Input, Flatten, Dense, Dropout, Lambda from keras.layers.convolutional import Conv2D from keras.layers.pooling import MaxPooling2D from keras.optimizers import RMSprop, SGD from keras.utils.vis_utils import plot_model (x_train, y_train), (x_test, y_test) = mnist.load_data() x_train = x_train.astype('float32') x_test = x_test.astype('float32') x_train /= 255 x_test /= 255 x_test = np.expand_dims(x_test, axis = 3) def get_random_batch(x, y, l, batchsize): ind_p = np.where(y_train == l)[0] ind_n = np.where(y_train != l)[0] x_batch = [] y_batch = [] l_p = len(ind_p) l_n = len(ind_n) for i in range(int(batchsize/2)): ind = random.randrange(l_p) x_batch.append(x[ind_p[ind]]) y_batch.append(1) # print(y[ind_p[ind]]) ind = random.randrange(l_n) x_batch.append(x[ind_n[ind]]) y_batch.append(0) # print(y[ind_n[ind]]) x_batch = np.array(x_batch) y_batch = np.array(y_batch) y_batch = y_batch.astype('float32') return x_batch, y_batch x_batch, y_batch = get_random_batch(x_train, y_train, 0, 128) input_shape = (28,28,1) input_data = Input(shape=input_shape) x = Conv2D(32, (3, 3), activation='relu', padding='same', name='block1_conv1')(input_data) x = MaxPooling2D((2, 2), strides=(2, 2), name='block1_pool')(x) x = Conv2D(32, (3, 3), activation='relu', padding='same', name='block1_conv2')(x) x = MaxPooling2D((2, 2), strides=(2, 2), name='block2_pool')(x) x = Flatten(name='flatten')(x) x = Dense(128, activation='relu', name='fc1')(x) x = Dense(1, activation='sigmoid', name='fc2')(x) model = Model(input_data, x) #model.compile(optimizer='rmsprop', loss='mse', metrics=['accuracy']) model.compile(optimizer='rmsprop', loss='binary_crossentropy', metrics=['accuracy']) #i=3 for i in range(10): input_shape = (28,28,1) input_data = Input(shape=input_shape) x = Conv2D(32, (3, 3), activation='relu', padding='same', name='block1_conv1')(input_data) x = MaxPooling2D((2, 2), strides=(2, 2), name='block1_pool')(x) x = Conv2D(32, (3, 3), activation='relu', padding='same', name='block1_conv2')(x) x = MaxPooling2D((2, 2), strides=(2, 2), name='block2_pool')(x) x = Flatten(name='flatten')(x) x = Dense(128, activation='relu', name='fc1')(x) x = Dense(1, activation='sigmoid', name='fc2')(x) model = Model(input_data, x) model.compile(optimizer='rmsprop', loss='binary_crossentropy', metrics=['accuracy']) for it in range(5000): x_batch, y_batch = get_random_batch(x_train, y_train, i, 256) x_batch = np.expand_dims(x_batch, axis = 3) train_loss, train_acc = model.train_on_batch(x_batch, y_batch) if it % 100 == 0: print('i:', i, 'it:', it, 'loss', train_loss, 'acc', train_acc) model.save('./models/ModularCNN_' + str(i) + '.h5') # 单个模型测试 i=9 model = load_model('./models/ModularCNN_9.h5') test_label = np.copy(y_test) test_label[np.where(y_test == i)] = 1 test_label[np.where(y_test != i)] = 0 #x_test = np.expand_dims(x_test, axis = 3) pre = model.predict(x_test) pre = pre[:,0] pre[np.where(pre < 0.2)] = 0 pre[np.where(pre >= 0.2)] = 1 acc = np.mean(pre == test_label) # 整合模型,综合测试 input_shape = (28,28,1) input_data = Input(shape=input_shape) model_0 = load_model('./models/ModularCNN_0.h5') model_1 = load_model('./models/ModularCNN_1.h5') model_2 = load_model('./models/ModularCNN_2.h5') model_3 = load_model('./models/ModularCNN_3.h5') model_4 = load_model('./models/ModularCNN_4.h5') model_5 = load_model('./models/ModularCNN_5.h5') model_6 = load_model('./models/ModularCNN_6.h5') model_7 = load_model('./models/ModularCNN_7.h5') model_8 = load_model('./models/ModularCNN_8.h5') model_9 = load_model('./models/ModularCNN_9.h5') output_0 = model_0(input_data) output_1 = model_1(input_data) output_2 = model_2(input_data) output_3 = model_3(input_data) output_4 = model_4(input_data) output_5 = model_5(input_data) output_6 = model_6(input_data) output_7 = model_7(input_data) output_8 = model_8(input_data) output_9 = model_9(input_data) model = Model(inputs = input_data, outputs=[output_0, output_1, output_2, output_3, output_4, output_5, output_6, output_7, output_8, output_9]) #plot_model(model, to_file='./models_visualization/modularCNN.pdf',show_shapes=True) #plot_model(model, to_file='./models_visualization/modularCNN.png',show_shapes=True) pre = model.predict(x_test) pre = np.array(pre) pre = np.squeeze(pre) pre = pre.T pre = np.argmax(pre, axis = 1) acc = np.mean(pre == y_test) ## 未知数据测试 img = image.load_img('./dataset/img/G/Q2Fsdmlub0hhbmQudHRm.png', target_size=(28, 28)) img = image.img_to_array(img) img = img/255 img = img[:,:,0] plt.imshow(img) img = np.expand_dims(img, axis=0) img = np.expand_dims(img, axis=3) pre = model.predict(img) pre = np.array(pre) pre = np.squeeze(pre) img_rand = np.random.rand(1,28,28,1) pre = model.predict(img) pre = np.array(pre) pre = np.squeeze(pre)
[ "lt920@126.com" ]
lt920@126.com
5c600af87d1fb032f6713acce45a97f493b221e6
b350379667e9d67b436a0a70bdf45ea58776ccb5
/imdb_sentiment.py
58e24d14489bc0c5772e7e4deb346be0f7454b03
[]
no_license
Balakishan77/Sentiment-Analyis-of-IMDB-dataset
30227b4151bf04ab56f445f4742a0b14d87d6b72
0e0b3e289f7a9c177d904afdc97e1606fad97a5a
refs/heads/master
2020-04-14T06:21:17.207182
2018-12-31T17:32:05
2018-12-31T17:32:05
163,684,039
0
0
null
null
null
null
UTF-8
Python
false
false
7,474
py
# -*- coding: utf-8 -*- """ @author: Balakishan """ import os import random import numpy as np import pandas as pd import matplotlib.pyplot as plt from sklearn.feature_extraction.text import TfidfVectorizer from sklearn.feature_selection import SelectKBest from sklearn.feature_selection import f_classif from sklearn.ensemble import RandomForestClassifier import keras from keras.models import Sequential from keras.layers import Dense from keras.layers import Dropout from sklearn.metrics import confusion_matrix from sklearn.metrics import accuracy_score def load_imdb_sentiment_analysis_dataset(data_path, seed=123): """Loads the IMDb movie reviews sentiment analysis dataset. # Arguments data_path: string, path to the data directory. seed: int, seed for randomizer. # Returns A tuple of training and validation data. Number of training samples: 25000 Number of test samples: 25000 Number of categories: 2 (0 - negative, 1 - positive) """ imdb_data_path = os.path.join(data_path, 'aclImdb') # Load the training data train_texts = [] train_labels = [] for category in ['pos', 'neg']: train_path = os.path.join(imdb_data_path, 'train', category) print (train_path) for fname in sorted(os.listdir(train_path)): if fname.endswith('.txt'): with open(os.path.join(train_path, fname), encoding="utf8") as f: train_texts.append(f.read()) train_labels.append(0 if category == 'neg' else 1) # Load the validation data. test_texts = [] test_labels = [] for category in ['pos', 'neg']: test_path = os.path.join(imdb_data_path, 'test', category) for fname in sorted(os.listdir(test_path)): if fname.endswith('.txt'): with open(os.path.join(test_path, fname), encoding="utf8") as f: test_texts.append(f.read()) test_labels.append(0 if category == 'neg' else 1) # Shuffle the training data and labels. random.seed(seed) random.shuffle(train_texts) random.seed(seed) random.shuffle(train_labels) return train_texts, np.array(train_labels),test_texts, np.array(test_labels) def get_num_words_per_sample(sample_texts): """Returns the median number of words per sample given corpus. # Arguments sample_texts: list, sample texts. # Returns int, median number of words per sample. """ num_words = [len(s.split()) for s in sample_texts] return np.median(num_words) def plot_sample_length_distribution(sample_texts): """Plots the sample length distribution. # Arguments samples_texts: list, sample texts. """ plt.hist([len(s) for s in sample_texts], 50) plt.xlabel('Length of a sample') plt.ylabel('Number of samples') plt.title('Sample length distribution') plt.show() # Vectorization parameters # Range (inclusive) of n-gram sizes for tokenizing text. NGRAM_RANGE = (1, 2) # Limit on the number of features. We use the top 20K features. TOP_K = 20000 # Whether text should be split into word or character n-grams. # One of 'word', 'char'. #analyzer = word : Override the string tokenization step while preserving the preprocessing and n-grams generation steps. TOKEN_MODE = 'word' # Minimum document/corpus frequency below which a token will be discarded. MIN_DOCUMENT_FREQUENCY = 2 def ngram_vectorize(train_texts, train_labels, val_texts): """Vectorizes texts as n-gram vectors. 1 text = 1 tf-idf vector the length of vocabulary of unigrams + bigrams. # Arguments train_texts: list, training text strings. train_labels: np.ndarray, training labels. val_texts: list, validation text strings. # Returns x_train, x_val: vectorized training and validation texts """ # Create keyword arguments to pass to the 'tf-idf' vectorizer. kwargs = { 'ngram_range': NGRAM_RANGE, # Use 1-grams + 2-grams. 'dtype': 'int32', 'strip_accents': 'unicode', 'decode_error': 'replace', 'analyzer': TOKEN_MODE, # Split text into word tokens. 'min_df': MIN_DOCUMENT_FREQUENCY, } vectorizer = TfidfVectorizer(**kwargs) # Learn vocabulary from training texts and vectorize training texts. x_train = vectorizer.fit_transform(train_texts) # Vectorize validation texts. x_val = vectorizer.transform(val_texts) # Select top 'k' of the vectorized features. selector = SelectKBest(f_classif, k=min(TOP_K, x_train.shape[1])) selector.fit(x_train, train_labels) x_train = selector.transform(x_train).astype('float32') x_val = selector.transform(x_val).astype('float32') return x_train, x_val def mlp_model( input_shape): # Initialising the ANN classifier = Sequential() # Adding the input layer and the first hidden layer classifier.add(Dense(units = 32, kernel_initializer = 'uniform', activation = 'relu', input_dim = (20000 ))) classifier.add(Dropout(p = 0.5)) # Adding the second hidden layer classifier.add(Dense(units = 32, kernel_initializer = 'uniform', activation = 'relu')) classifier.add(Dropout(p = 0.5)) # Adding the output layer classifier.add(Dense(units = 1, kernel_initializer = 'uniform', activation = 'sigmoid')) # Compiling the ANN classifier.compile(optimizer = 'adam', loss = 'binary_crossentropy', metrics = ['accuracy']) # Fitting the ANN to the Training set classifier.fit(x_train, train_labels, batch_size = 10, epochs = 10) return classifier if __name__ == '__main__': print ("in main") data_path=os.getcwd() train_texts, train_labels, test_texts, test_labels = load_imdb_sentiment_analysis_dataset(data_path, seed=123) median = get_num_words_per_sample(train_texts) #Calculating the number of samples/number of words per sample ratio. ratio = 25000/median x_train, x_test = ngram_vectorize(train_texts, train_labels, test_texts) classifier = mlp_model( (20000)) # Part 3 - Making predictions and evaluating the model # Predicting the Test set results y_pred = classifier.predict(x_test) y_pred = (y_pred > 0.5) y_pred_acc_loss = classifier.evaluate(x_test, test_labels) # Making the Confusion Matrix cm = confusion_matrix(test_labels, y_pred) #this function computes subset accuracy accuracy = accuracy_score(test_labels, y_pred) #0.88784 acc_score = accuracy_score(test_labels, y_pred,normalize=False) #22196 out of 25000 #------------------------------------------------------- # Fitting Random Forest Classification to the Training set classifier = RandomForestClassifier(n_estimators = 10, criterion = 'entropy', random_state = 0) classifier.fit(x_train, train_labels) # Predicting the Test set results y_pred = classifier.predict(x_test) # Making the Confusion Matrix cm = confusion_matrix(test_labels, y_pred) #this function computes subset accuracy accuracy = accuracy_score(test_labels, y_pred) #0.7664 acc_score = accuracy_score(test_labels, y_pred,normalize=False) #19160 out of 25000
[ "noreply@github.com" ]
Balakishan77.noreply@github.com
613558e1f0a6f4199d62e2feae12a2ba06b09eba
66e45a2760db8a1fc580689586806c2e3cce0517
/pymontecarlo/options/model/base.py
8951f563fdc581a862298aeec9784c0e6a2631d2
[]
no_license
arooney/pymontecarlo
4b5b65c88737de6fac867135bc05a175c8114e48
d2abbb3e9d3bb903ffec6dd56472470e15928b46
refs/heads/master
2020-12-02T18:01:42.525323
2017-05-19T16:44:30
2017-05-19T16:44:30
null
0
0
null
null
null
null
UTF-8
Python
false
false
649
py
""" Base models. """ # Standard library modules. import abc import enum # Third party modules. # Local modules. from pymontecarlo.options.base import Option # Globals and constants variables. class ModelMeta(enum.EnumMeta, abc.ABCMeta): pass class Model(Option, enum.Enum, metaclass=ModelMeta): def __init__(self, fullname, reference=''): self.fullname = fullname self.reference = reference def __eq__(self, other): # NOTE: Must be implemented from Option, # but should only used equality from Enum return enum.Enum.__eq__(self, other) def __str__(self): return self.fullname
[ "philippe.pinard@gmail.com" ]
philippe.pinard@gmail.com
ea7ed569fb1fafbdfffbca680baa18955f712a97
734bedda61c301048855fdf66d9e572cce7f5a97
/week9/queue.py
4832ab418db4cf33d45088be20f83cbd253954ab
[]
no_license
Jason9789/Python_Study
265e844f13c877a338919636e7dbcaf0a73ffaac
bd92b8c8b0a9321b86f21486a72260db834b0a24
refs/heads/master
2022-11-20T06:38:01.974391
2020-07-17T15:32:32
2020-07-17T15:32:32
275,503,794
0
0
null
null
null
null
UTF-8
Python
false
false
867
py
# 큐 과제 # 과일 목록을 큐에 저장하고 삭제 # 초기 메뉴에서 삽입/삭제/종료 선택 # 종료시 프로그램 종료 # 삽입 # 과일 이름 입력받음 # 큐에 삽입 append() 이용 # 큐 출력 # 삭제 # 큐에서 과일 삭제 pop() 이용 queue = [] flag = True while flag: keyWord = input('삽입/삭제/종료 : ') if keyWord == '종료': flag = False elif keyWord == '삽입': fruit = input("과일 이름 : ") queue.append(fruit) print(queue) elif keyWord == '삭제': num = len(queue) if num == 0: print("삭제할 과일이 없습니다!!!") continue else: fruit = queue.pop(0) print("삭제된 과일 : %s" % fruit) print(queue) else: print("잘못 입력하였습니다!!!")
[ "lifebook0809@gmail.com" ]
lifebook0809@gmail.com
4b87e3ca5cad6b2300de2110e17a5bfcf92f12cc
2c4d4ff5f4f0984fdbf33c6fbc34b50caeaafdf0
/torchattacks/attacks/cw.py
cba813abfff0e3e3a3fe0adab9fda06e2435195e
[ "MIT" ]
permissive
LiGuihong/adversarial-attacks-pytorch
f9fbbb0244034380d000f4ebf82cd576a22587cb
a3fd4ab2bd93e9dea3532ee46e6b99615b16127a
refs/heads/master
2023-01-24T09:29:11.273149
2020-12-07T13:48:26
2020-12-07T13:48:26
null
0
0
null
null
null
null
UTF-8
Python
false
false
3,406
py
import torch import torch.nn as nn import warnings import torch.optim as optim from ..attack import Attack class CW(Attack): r""" CW in the paper 'Towards Evaluating the Robustness of Neural Networks' [https://arxiv.org/abs/1608.04644] Distance Measure : L2 Arguments: model (nn.Module): model to attack. c (float): c in the paper. parameter for box-constraint. (DEFALUT: 1e-4) :math:`minimize \Vert\frac{1}{2}(tanh(w)+1)-x\Vert^2_2+c\cdot f(\frac{1}{2}(tanh(w)+1))` kappa (float): kappa (also written as 'confidence') in the paper. (DEFALUT: 0) :math:`f(x')=max(max\{Z(x')_i:i\neq t\} -Z(x')_t, - \kappa)` steps (int): number of steps. (DEFALUT: 1000) lr (float): learning rate of the Adam optimizer. (DEFALUT: 0.01) .. warning:: With default c, you can't easily get adversarial images. Set higher c like 1. Shape: - images: :math:`(N, C, H, W)` where `N = number of batches`, `C = number of channels`, `H = height` and `W = width`. It must have a range [0, 1]. - labels: :math:`(N)` where each value :math:`y_i` is :math:`0 \leq y_i \leq` `number of labels`. - output: :math:`(N, C, H, W)`. Examples:: >>> attack = torchattacks.CW(model, targeted=False, c=1e-4, kappa=0, steps=1000, lr=0.01) >>> adv_images = attack(images, labels) .. note:: NOT IMPLEMENTED methods in the paper due to time consuming. (1) Binary search for c. (2) Choosing best L2 adversaries. """ def __init__(self, model, c=1e-4, kappa=0, steps=1000, lr=0.01): super(CW, self).__init__("CW", model) self.c = c self.kappa = kappa self.steps = steps self.lr = lr def forward(self, images, labels): r""" Overridden. """ images = images.clone().detach().to(self.device) labels = labels.clone().detach().to(self.device) labels = self._transform_label(images, labels) # f-function in the paper def f(x): outputs = self.model(x) one_hot_labels = torch.eye(len(outputs[0]))[labels].to(self.device) i, _ = torch.max((1-one_hot_labels)*outputs, dim=1) j = torch.masked_select(outputs, one_hot_labels.bool()) return torch.clamp(self._targeted*(j-i), min=-self.kappa) w = torch.zeros_like(images) w.detach_() w.requires_grad = True optimizer = optim.Adam([w], lr=self.lr) prev = 1e10 for step in range(self.steps): a = 1/2*(nn.Tanh()(w) + 1) loss1 = nn.MSELoss(reduction='sum')(a, images) loss2 = torch.sum(self.c*f(a)) cost = loss1 + loss2 optimizer.zero_grad() cost.backward() optimizer.step() # Early Stop when loss does not converge. if step % (self.steps//10) == 0: if cost > prev: warnings.warn("Early stopped because the loss is not converged.") return (1/2*(nn.Tanh()(w) + 1)).detach() prev = cost # print('- CW Attack Progress : %2.2f %% ' %((step+1)/self.steps*100), end='\r') adv_images = (1/2*(nn.Tanh()(w) + 1)).detach() return adv_images
[ "41545927+HarryK24@users.noreply.github.com" ]
41545927+HarryK24@users.noreply.github.com
bbb0e5789cc95e133b10dc78292d1330aa319f50
09d349155446f2f32519cfc7deb7f79b1138a158
/kraft/actions.py
d7a5fba1e5bcf34353359243e9c51f253c87c7e3
[]
no_license
marcin-/pardususer.de
632d7fb4c5a9252dbcf82711a5da126523d3b8e8
1d4bb1d1f9da113cf2b8cbcc6b544ec9b9616862
refs/heads/master
2016-09-05T23:22:38.726769
2012-10-08T20:40:39
2012-10-08T20:40:39
6,114,809
2
2
null
null
null
null
UTF-8
Python
false
false
810
py
#!/usr/bin/python # -*- coding: utf-8 -*- from pisi.actionsapi import cmaketools from pisi.actionsapi import pisitools from pisi.actionsapi import shelltools from pisi.actionsapi import get def setup(): shelltools.makedirs("build") shelltools.cd("build") cmaketools.configure("-DCMAKE_INSTALL_PREFIX=/usr \ -DCMAKE_BUILD_TYPE=Release \ -DCMAKE_CXX_FLAGS_RELEASE:STRING='-DNDEBUG -DQT_NO_DEBUG' \ -DCMAKE_C_FLAGS_RELEASE:STRING='-DNDEBUG'", sourceDir="..") def build(): shelltools.cd("build") cmaketools.make() def install(): shelltools.cd("build") cmaketools.install() shelltools.cd("..") pisitools.dodoc("TODO", "Changes.txt", "INSTALL", "README", "COPYING", "Releasenotes.txt", "AUTHORS")
[ "marcin.bojara@gmail.com" ]
marcin.bojara@gmail.com
7a331d049d6b0b74c4e4b7cc0d73a04d5ca44133
c74fa5319da7d126c5ac2bdcc2fb4e51816d50f6
/students/migrations/0008_alter_student_college_rollno.py
712737655f8d42791628de5d35ba9052fe52ad96
[]
no_license
Abhishek1210ak/Git-tutorial
3694f7ab4b462ee0063cce6ee209586b3f50e82d
da4fda579d49148e015f04bccffae289d7c749ad
refs/heads/master
2023-08-21T18:27:27.572936
2021-09-17T19:52:15
2021-09-17T19:52:15
407,427,001
0
0
null
null
null
null
UTF-8
Python
false
false
490
py
# Generated by Django 3.2.4 on 2021-06-20 14:27 from django.db import migrations, models class Migration(migrations.Migration): dependencies = [ ('students', '0007_alter_student_college_rollno'), ] operations = [ migrations.AlterField( model_name='student', name='college_rollno', field=models.CharField(error_messages={'unique': 'This rollno has already been registered.'}, max_length=10, unique=True), ), ]
[ "itsmeabhishek8289@gmail.com" ]
itsmeabhishek8289@gmail.com
acf29bf544ce054a92c4359cc51c434d34463548
6cdaab9935f717e1022c20a3e38cac185f3e6780
/cotaAtivos/admin.py
ca8cde6eeacada3461a3443838e005567c3f1798
[]
no_license
TeaH4nd/desafioInoa
e19048e3cae0c35b47a3c4cf3238734c3ea6363a
3f6a3272dc31aef34893ec606d363b03183a5227
refs/heads/main
2023-02-17T12:50:17.885127
2021-01-12T16:27:11
2021-01-12T16:27:11
326,695,144
0
0
null
null
null
null
UTF-8
Python
false
false
237
py
from django.contrib import admin from .models import Acao, Preco, Perfil, Salvo #adicionando modelos para a pagina de admin admin.site.register(Acao) admin.site.register(Preco) admin.site.register(Perfil) admin.site.register(Salvo)
[ "alexchamon@poli.ufrj.br" ]
alexchamon@poli.ufrj.br
6bd27be7e362aff648fa0239eaaf657a2957fe0b
855b8dd8999f46c26ab59f6719f81c70c47e7853
/build/turtlebot_apps/turtlebot_calibration/catkin_generated/pkg.installspace.context.pc.py
53f19eb87ae99ac2788a29d0a3b92cc9298c5061
[]
no_license
aefrank-hrlab/hw5-hri-2018-ucsd
b11779c41d9ad4903101ccf49906b4129b946eba
36073251eb120c54da4f792f15cc7073f1dc36b8
refs/heads/master
2021-05-09T00:50:27.976750
2018-02-01T01:31:00
2018-02-01T01:31:00
119,758,688
0
0
null
null
null
null
UTF-8
Python
false
false
488
py
# generated from catkin/cmake/template/pkg.context.pc.in CATKIN_PACKAGE_PREFIX = "" PROJECT_PKG_CONFIG_INCLUDE_DIRS = "/home/turtlebot/andi_ws/install/include".split(';') if "/home/turtlebot/andi_ws/install/include" != "" else [] PROJECT_CATKIN_DEPENDS = "std_msgs;message_runtime".replace(';', ' ') PKG_CONFIG_LIBRARIES_WITH_PREFIX = "".split(';') if "" != "" else [] PROJECT_NAME = "turtlebot_calibration" PROJECT_SPACE_DIR = "/home/turtlebot/andi_ws/install" PROJECT_VERSION = "2.3.7"
[ "rinsurbs@gmail.com" ]
rinsurbs@gmail.com
37ee4f71fd846e04a83add6178cd7ed794308806
8de12fa0a5ce377f8ad245ebe213daa1e7ee1ca6
/src/indexTableChanged.py
35f055950d4a89a5107b082c2e52fafce62322e4
[]
no_license
aakashpany/Stock-Index-Summary
03bb58686043b26910d8df6438fb4a97f278ee81
a15eb5be12245bd1e4db5c5dcff1d0d9ffb813b0
refs/heads/main
2023-06-25T23:35:12.491063
2021-07-30T05:39:40
2021-07-30T05:39:40
389,770,672
0
0
null
null
null
null
UTF-8
Python
false
false
664
py
import requests import json import pandas as pd import streamlit as st import datamethods response = requests.get("https://indexapi.aws.merqurian.com/index?type=test%2Cprod") data = json.loads(response.text) url = '' dataList = [] dataList2 = [] for result in data['results']: print(json.dumps(result)) prodData = datamethods.proddata(result) if result['stage'] == "prod": dataList.append(prodData) else: dataList2.append(prodData) dataset = st.beta_container() with dataset: st.header("Production Table") st.write(pd.DataFrame(dataList)) st.subheader("Non-Production Table") st.write(pd.DataFrame(dataList2))
[ "noreply@github.com" ]
aakashpany.noreply@github.com
b157b90e3f21c14cfced38265c681923ac6be643
08ab7793989d9f426188902cbd47d95385cdba81
/sidia_project/djangoconfig/asgi.py
195af33603fd27f43b159f6a3678549f5ea306bb
[]
no_license
robsongcruz/programming-challenge
30a342395e37de91a1a571778b7bf53a728447f3
4036fda81e235f4f91d83384c44d99077450366e
refs/heads/master
2020-12-08T06:53:03.528142
2020-01-18T03:51:26
2020-01-18T03:51:26
232,917,722
1
1
null
2020-01-09T22:25:00
2020-01-09T22:24:59
null
UTF-8
Python
false
false
401
py
""" ASGI config for djangoconfig project. It exposes the ASGI callable as a module-level variable named ``application``. For more information on this file, see https://docs.djangoproject.com/en/3.0/howto/deployment/asgi/ """ import os from django.core.asgi import get_asgi_application os.environ.setdefault('DJANGO_SETTINGS_MODULE', 'djangoconfig.settings') application = get_asgi_application()
[ "robson.cruz@grupoqs.net" ]
robson.cruz@grupoqs.net
0238148a0fb3b23bc6f9deca8adea9f39aeaf387
ef4eb70950ade53520f44fefd2477de962647c6d
/The_gift.py
492f22874e00f91b197da178efc601865b144585
[]
no_license
dldms1345/Algorithm
e53f7f99b1d2e7d9d85d80f3e45850e9f6364c7c
2fd20026846fd4ca6a5a2bf42c3a008738892fb3
refs/heads/master
2021-07-30T08:13:50.904879
2021-07-21T16:53:33
2021-07-21T16:53:33
212,076,828
0
0
null
null
null
null
UTF-8
Python
false
false
640
py
import sys import math # Auto-generated code below aims at helping you parse # the standard input according to the problem statement. n = int(input()) price = int(input()) budgets = [int(input()) for i in range(n)] budgets.sort() if sum(budgets) < price: print("IMPOSSIBLE") exit(0) num = n for budget in budgets: if budget < price//num: price -= budget num -= 1 print(budget) else: index = budgets.index(budget) break tmp = price//num for i in range(index, n-1): num -= 1 print(tmp) price -= tmp if price//num > tmp: tmp = price//num print(price)
[ "dldms1345@gmail.com" ]
dldms1345@gmail.com
5005cb8e54066070f254014fede0db6ecb90ed09
b6df7cda5c23cda304fcc0af1450ac3c27a224c1
/nlp/preprocessing.py
441402923997d2e7d7041d50ca10938068282e69
[]
no_license
vieira-rafael/py-search
88ee167fa1949414cc4f3c98d33f8ecec1ce756d
b8c6dccc58d72af35e4d4631f21178296f610b8a
refs/heads/master
2021-01-21T04:59:36.220510
2016-06-20T01:45:34
2016-06-20T01:45:34
54,433,313
2
4
null
null
null
null
UTF-8
Python
false
false
287
py
class PreProcessing: def __init__(self): stopwords = ["and","del","from","not","while","as","elif","global","or","with","assert","else","if","pass","yield","break","except","import","print","class","exec","in","raise","continue","finally","is","return","def","for","lambda","try"];
[ "thaisnviana@gmail.com" ]
thaisnviana@gmail.com
4d44015b1186cdeefbacd181fe4acf9db95a1fb3
ffcecdf573e18e7d11bc8181658f9f6c045bc8b2
/Techgig_codes/graph_nodes.py
6379185ce5ef2f9fd1e3c2779680ac151f71fd34
[]
no_license
prabakaran1477/PythonScripts
0fb025b1316686e3677b4aae01e7431ea569dba4
e510e7b25fcc5fbaf8ff92eeb2c908ba01c328d9
refs/heads/master
2021-03-30T21:09:13.838205
2019-03-21T14:10:01
2019-03-21T14:10:01
125,012,200
0
0
null
null
null
null
UTF-8
Python
false
false
3,542
py
graph = {'A': ['B', 'C'], 'B': ['C', 'D'], 'C': ['D'], 'D': ['C'], 'E': ['F'], 'F': ['C'] } ''' def find_path(graph, start, end, path=[]): print(' =:= ',graph[start]) path = path + [start] if start == end: return path if start not in graph: return None for node in graph[start]: if node not in path: newpath = find_path(graph, node, end, path) if newpath: return newpath return None print(graph) # val = find_path(graph, 'A', 'D') # print(val) ''' def minRoads(input1): graph,start,end = input_to_graph(input1) print ('graph : ', graph) def path_finder(graph,start,end,path =[]): path = path + [start] if start == end: return path if start not in graph: return None for n in graph[start]: print(' = ',n) if n not in path: newpath = path_finder(graph, n, end, path) print(newpath) input('***') if newpath: return newpath return None # output = path_finder(graph, start, end) # return output def find_shortest_path(graph, start, end, path=[]): path = path + [start] if start == end: return path if start not in graph: return None shortest = None for node in graph[start]: if node not in path: newpath = find_shortest_path(graph, node, end, path) if newpath: if not shortest or len(newpath) < len(shortest): shortest = newpath print(shortest) return shortest # value = find_shortest_path(graph, start, end) # print(value) # input() def find_all_paths(graph, start, end, path=[]): path = path + [start] if start == end: return [path] if start not in graph: return [] paths = [] for node in graph[start]: if node not in path: newpaths = find_all_paths(graph, node, end, path) for newpath in newpaths: paths.append(newpath) return paths value = find_all_paths(graph, start, end) print(value) print(len(value)) input() def to_close_path(graph,start,end,input1): out = [] for node in graph: if end in graph[node]: # print('end : ',end) # print('node : ',node) for check in input1: print ('check : ',check) if (str(end) in check and str(node) in check): out.append(node) return len(node) # val = to_close_path(graph, start, end,input1) # g = nx.Graph(graph) # print(val) # return val import itertools def input_to_graph(list1): graph = {} value = [i.split('#') for i in list1] for i in value: if i[0] not in graph: graph[i[0]] = [] graph[i[0]].append(i[1]) else: graph[i[0]].append(i[1]) start = list1[0].split('#')[0] end = list1[-1].split('#')[1] print('start : ',start) print('end : ',end) print ('graph = = ', graph) return graph,start,end final_op = minRoads(['1#2', '1#5', '2#5', '2#3','6#3', '3#4', '4#5', '4#6']) print(final_op) { '1': ['2', '5'], '2': ['5', '3'], '6': ['3'], '3': ['4'], '4': ['5', '6'] }
[ "prabakarand@meritgroup.com" ]
prabakarand@meritgroup.com
f9c2e895848e29de025d232cc5c22a9f8636eaab
8612c9a33ecf63a668d3e63572e2c9fbbdec969f
/rover.py
06835c9eb549f95de7a2c69d13003d1210430985
[]
no_license
rickhenderson/rover
f4c1203d45a56f6ca77a6a34fb5053f460f9f0b4
b01aebd677d6a8a005a80000e4da97f967fead0f
refs/heads/master
2021-01-21T13:26:12.283479
2016-05-17T02:25:45
2016-05-17T02:25:45
45,221,716
1
0
null
null
null
null
UTF-8
Python
false
false
2,259
py
""" rover.py Module to store functions to control an autonomous rover. Created by: Rick Henderson Created on: April 18, 2016 Notes: April 18, 2016 * Added clean up routine because GPIO isn't exposed in user programs. * Turns OK on smooth surface. Use 1 sec for 90 degree turn. * Will buy Pi Servo Hat since Pi has inaccurate PWM signals which could be causing the problem. Updated April 18, 2016: Pin 7 controls right motors in forward direction Pin 11 - right backward Pin 15 - Left side motors forward Pin 13 - Right side motors backwards """ import RPi.GPIO as GPIO import time # Set mode and output pins */ GPIO.setmode(GPIO.BOARD) GPIO.setup(7, GPIO.OUT) GPIO.setup(11, GPIO.OUT) GPIO.setup(13, GPIO.OUT) GPIO.setup(15, GPIO.OUT) ### Function definitions def moveForward( intTime ): " Move the rover forward for intTime seconds." # Set and a signal # To drive motor forward, set pins 7 and 15 to True. print("Moving forward...") GPIO.output(7, True) GPIO.output(15, True) # Sleep the processor so the motors continue to turn. time.sleep(intTime) # Set the pins to false to stop. GPIO.output(7, False) GPIO.output(15, False) return; def moveBackward( intTime ): "This function moves the rover backwards for intTime seconds." print("Moving backward...") GPIO.output(11, True) GPIO.output(13, True) # Sleep during duration of move time.sleep(intTime) # Set the outputs to false to stop motors GPIO.output(11, False) GPIO.output(13, False) return; def turnRight( intTime ): # Try 0.97 seconds for 90 degree turn print("Turning right...") GPIO.output(7, True) GPIO.output(13, True) # Sleep the processor so the motors continue to turn. time.sleep(intTime) # Set the pins to false to stop. GPIO.output(7, False) GPIO.output(13, False) return; def turnLeft( intTime ): # Try 0.97 seconds for 90 degree turn print("Turning left...") GPIO.output(11, True) GPIO.output(15, True) # Sleep the processor so the motors continue to turn. time.sleep(intTime) # Set the pins to false to stop. GPIO.output(11, False) GPIO.output(15, False) return; def cleanup(): GPIO.cleanup()
[ "rick.henderson.blog@gmail.com" ]
rick.henderson.blog@gmail.com
e5edea763ca70912e923ffe5f7aec21187b17bea
ec57255f8eca5e869ad9537448df8ec4af05ace5
/Q5_FloydWarshall.py
d4ca8bf2876566463ac73689837da29a5782cf42
[]
no_license
EduardoLussi/INE5413_A1
399b47ff12e0fc425ebb2f1390f3cf4f9ee2eda6
40a4a9c2c2c423b3b43a20d67c21f8dee1684ff5
refs/heads/master
2023-06-26T20:25:42.119488
2021-08-06T00:10:57
2021-08-06T00:10:57
378,901,687
0
0
null
null
null
null
UTF-8
Python
false
false
749
py
from Q1_Grafo import Grafo def printSolution(D): # Exibe solução for i, vDist in enumerate(D): text = f"{i+1}:" for dist in vDist: text += f"{dist}," print(text[:-1]) def FloydWarshall(grafo): D = [] for u in grafo.vertices: # Monta matriz D de adjacências Di = [] for v in grafo.vertices: Di.append(grafo.peso(u, v)) D.append(Di) for ki, k in enumerate(grafo.vertices): # Executa o algoritmo for ui, u in enumerate(grafo.vertices): for vi, v in enumerate(grafo.vertices): # Tenta inserir vértice k no caminho entre u e v D[ui][vi] = min(D[ui][vi], D[ui][ki] + D[ki][vi]) printSolution(D)
[ "eduardolussi@gmail.com" ]
eduardolussi@gmail.com
d425739853edd3970661241960467b810be5829e
ab5731ae6e190a9b44b1cddbd11af89277302de9
/read_json/data_json.py
686c168a2ed574d935bcf65b3bbd202919f755d4
[]
no_license
MachineLP/py_workSpace
e532781aab51c54a87602c387acd3199f9a75140
7937f3706e8d2d8a0e25ba0648bee6d1fcb27234
refs/heads/master
2021-08-29T02:56:02.415509
2021-08-23T10:38:59
2021-08-23T10:38:59
117,516,956
22
18
null
null
null
null
UTF-8
Python
false
false
607
py
# -*- coding: utf-8 -*- """ Created on 2017 10.17 @author: liupeng """ import sys import numpy as np import json as js class load_image_from_json(object): def __init__(self, json_file): self.json_file = json_file def __del__(self): pass def js_load(self): f = open(self.json_file, 'r') js_data = js.load(f) return js_data if __name__ == "__main__": all_data = load_image_from_json('0(6015).json').js_load() for data in all_data: print (data['image_id']) print (data['keypoint']['human1'])
[ "noreply@github.com" ]
MachineLP.noreply@github.com
5ef7b4cea460a62d8436af126e6c3999e86174ac
fca84273984ec2805817caa4a3de34862a6a6d1c
/pytorch/convert_tf_checkpoint_to_pytorch.py
3ecaab0f9e118820ac7c7b346251eda933a9e3dd
[ "Apache-2.0", "LicenseRef-scancode-public-domain" ]
permissive
whaleloops/bert
a2fb5fdb785328630379965dcae3efe63608021f
33804ccd32e6b1599629ceaf7bdaef7916c05270
refs/heads/master
2020-04-04T11:02:02.191243
2019-01-07T21:31:15
2019-01-07T21:31:15
155,876,385
0
0
Apache-2.0
2018-11-02T14:21:36
2018-11-02T14:21:35
null
UTF-8
Python
false
false
5,475
py
# coding=utf-8 # Copyright 2018 The HugginFace Inc. team. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. """Convert BERT checkpoint.""" from __future__ import absolute_import from __future__ import division from __future__ import print_function import os import re import argparse import numpy as np def fullmatch(regex, string, flags=0): """Emulate python-3.4 re.fullmatch().""" return re.match("(?:" + regex + r")\Z", string, flags=flags) def convert_tf_checkpoint_to_tmp(tf_checkpoint_path, bert_config_file): import tensorflow as tf import pickle config_path = os.path.abspath(bert_config_file) tf_path = os.path.abspath(tf_checkpoint_path) print("Converting TensorFlow checkpoint from {} with config at {}".format(tf_path, config_path)) # Load weights from TF model TODO init_vars = tf.train.list_variables(tf_path) names = [] arrays = [] for name, shape in init_vars: print("Loading TF weight {} with shape {}".format(name, shape)) array = tf.train.load_variable(tf_path, name) names.append(name) arrays.append(array) with open("tmp_names", "wb") as fp: #Pickling pickle.dump(names, fp) with open("tmp_arrays", "wb") as fp: #Pickling pickle.dump(arrays, fp) def convert_tmp_to_pytorch(bert_config_file, pytorch_dump_path): import torch from modeling import BertConfig, BertForPreTraining import pickle with open("tmp_names", "rb") as fp: # Unpickling # names = pickle.load(fp, encoding='iso-8859-1') names = pickle.load(fp) with open("tmp_arrays", "rb") as fp: # Unpickling # arrays = pickle.load(fp, encoding='iso-8859-1') arrays = pickle.load(fp) # Initialise PyTorch model config = BertConfig.from_json_file(bert_config_file) print("Building PyTorch model from configuration: {}".format(str(config))) model = BertForPreTraining(config) for name, array in zip(names, arrays): name = name.split('/') # adam_v and adam_m are variables used in AdamWeightDecayOptimizer to calculated m and v # which are not required for using pretrained model if name[-1] in ["adam_v", "adam_m", 'global_step']: print("Skipping {}".format("/".join(name))) continue pointer = model for m_name in name: if fullmatch(r'[A-Za-z]+_\d+', m_name): # if re.fullmatch(r'[A-Za-z]+_\d+', m_name): l = re.split(r'_(\d+)', m_name) else: l = [m_name] if l[0] == 'kernel': pointer = getattr(pointer, 'weight') elif l[0] == 'output_bias': pointer = getattr(pointer, 'bias') elif l[0] == 'output_weights': pointer = getattr(pointer, 'weight') else: pointer = getattr(pointer, l[0]) if len(l) >= 2: num = int(l[1]) pointer = pointer[num] if m_name[-11:] == '_embeddings': pointer = getattr(pointer, 'weight') elif m_name == 'kernel': array = np.transpose(array) try: assert pointer.shape == array.shape except AssertionError as e: e.args += (pointer.shape, array.shape) raise print("Initialize PyTorch weight {}".format(name)) pointer.data = torch.from_numpy(array) # Save pytorch-model print("Save PyTorch model to {}".format(pytorch_dump_path)) torch.save(model.state_dict(), pytorch_dump_path) if __name__ == "__main__": parser = argparse.ArgumentParser() ## Required parameters parser.add_argument("--tf_checkpoint_path", default = None, type = str, required = True, help = "Path the TensorFlow checkpoint path.") parser.add_argument("--bert_config_file", default = None, type = str, required = True, help = "The config json file corresponding to the pre-trained BERT model. \n" "This specifies the model architecture.") parser.add_argument("--pytorch_dump_path", default = None, type = str, required = True, help = "Path to the output PyTorch model.") parser.add_argument("--mode", default = None, type = int, required = True, help = "which step to take") args = parser.parse_args() if args.mode==0: convert_tf_checkpoint_to_tmp(args.tf_checkpoint_path, args.bert_config_file) else: convert_tmp_to_pytorch(args.bert_config_file, args.pytorch_dump_path)
[ "yzc315@qq.com" ]
yzc315@qq.com
a7bdff8f69ddd94725909603406c96e8774ecbfa
ae2308622f2801e78ee4348fba2c650dcec5f340
/venv/lib/python3.6/site-packages/alembic/util/compat.py
d0e6672c5cf2ba19788dd6906357214507873138
[]
no_license
formika92/PyQtApp
425e49923312b35ef549ef58e8bf73361a54018d
460c6ba336fdb964d208585b3afab0d3ad829ea0
refs/heads/main
2023-08-01T05:33:29.130245
2021-09-12T13:22:50
2021-09-12T13:22:50
403,931,964
0
0
null
null
null
null
UTF-8
Python
false
false
994
py
import io import os import sys from sqlalchemy.util import inspect_getfullargspec # noqa from sqlalchemy.util.compat import inspect_formatargspec # noqa is_posix = os.name == "posix" py39 = sys.version_info >= (3, 9) py38 = sys.version_info >= (3, 8) py37 = sys.version_info >= (3, 7) string_types = (str,) binary_type = bytes text_type = str # produce a wrapper that allows encoded text to stream # into a given buffer, but doesn't close it. # not sure of a more idiomatic approach to this. class EncodedIO(io.TextIOWrapper): def close(self) -> None: pass if py39: from importlib import resources as importlib_resources else: import importlib_resources # noqa if py38: from importlib import metadata as importlib_metadata else: import importlib_metadata # noqa def importlib_metadata_get(group): ep = importlib_metadata.entry_points() if hasattr(ep, "select"): return ep.select(group=group) else: return ep.get(group, ())
[ "formika92@gmail.com" ]
formika92@gmail.com
dcb7f041c57fee79d04bba5bbd702f3f2f745b55
d304239374ec8a8da2ac961d9cd00e5446536c3d
/KodleAI3.py
caa556dd8ec586df67ac965e7931bf560a9d9d5c
[ "MIT" ]
permissive
Zahidsqldba07/CodinGame_GitC
c4f010a7c737458c1860d5782d9d8bded6b8c9b8
f55db74dc53d8f2e8d71bc652dc792e6d005adf2
refs/heads/master
2023-03-16T15:51:48.940119
2018-05-01T05:15:18
2018-05-01T05:15:18
null
0
0
null
null
null
null
UTF-8
Python
false
false
62,000
py
import sys import math import random ################### # Debugging Flags # ################### MSG_CONTENT = "" MSG_MAXLEN = 42 MSG_RATE = 12 MSG_RANDIDX = -1 MSG_DELAY = MSG_MAXLEN MSG_START = 0 MSG_END = MSG_MAXLEN MSG_OUTPUT = True SHOW_RESOLUTION = False SHOW_ENEMY_ATTACKS = False ######################### # Hitchhiker's Guide :O # ######################### HITCHHIKER_GALAXY_QUOTES = ['Many were increasingly of the opinion that they\xe2\x80\x99d all made a big mistake in coming down from the trees in the first place. And some said that even the trees had been a bad move, and that no one should ever have left the oceans.', '\xe2\x80\x9cMy doctor says that I have a malformed public-duty gland and a natural deficiency in moral fibre,\xe2\x80\x9d Ford muttered to himself, \xe2\x80\x9cand that I am therefore excused from saving Universes.\xe2\x80\x9d', 'Isn\xe2\x80\x99t it enough to see that a garden is beautiful without having to believe that there are fairies at the bottom of it too?', 'A common mistake that people make when trying to design something completely foolproof is to underestimate the ingenuity of complete fools.', 'Curiously enough, the only thing that went through the mind of the bowl of petunias as it fell was Oh no, not again. Many people have speculated that if we knew exactly why the bowl of petunias had thought that we would know a lot more about the nature of the Universe than we do now.', 'The reason why it was published in the form of a micro sub meson electronic component is that if it were printed in normal book form, an interstellar hitchhiker would require several inconveniently large buildings to carry it around in.', '\xe2\x80\x9cForty-two,\xe2\x80\x9d said Deep Thought, with infinite majesty and calm.', 'Not unnaturally, many elevators imbued with intelligence and precognition became terribly frustrated with the mindless business of going up and down, up and down, experimented briefly with the notion of going sideways, as a sort of existential protest, demanded participation in the decision-making process and finally took to squatting in basements sulking.', 'Make it totally clear that this gun has a right end and a wrong end. Make it totally clear to anyone standing at the wrong end that things are going badly for them. If that means sticking all sort of spikes and prongs and blackened bits all over it then so be it. This is not a gun for hanging over the fireplace or sticking in the umbrella stand, it is a gun for going out and making people miserable with.', 'In the end, it was the Sunday afternoons he couldn\xe2\x80\x99t cope with, and that terrible listlessness that starts to set in about 2:55, when you know you\xe2\x80\x99ve taken all the baths that you can usefully take that day, that however hard you stare at any given paragraph in the newspaper you will never actually read it, or use the revolutionary new pruning technique it describes, and that as you stare at the clock the hands will move relentlessly on to four o\xe2\x80\x99clock, and you will enter the long dark teatime of the soul.', 'He gazed keenly into the distance and looked as if he would quite like the wind to blow his hair back dramatically at that point, but the wind was busy fooling around with some leaves a little way off.', 'He hoped and prayed that there wasn\xe2\x80\x99t an afterlife. Then he realized there was a contradiction involved here and merely hoped that there wasn\xe2\x80\x99t an afterlife.', '\xe2\x80\x9cIt seemed to me,\xe2\x80\x9d said Wonko the Sane, \xe2\x80\x9cthat any civilization that had so far lost its head as to need to include a set of detailed instructions for use in a packet of toothpicks, was no longer a civilization in which I could live and stay sane.\xe2\x80\x9d', '\xe2\x80\x9cNothing travels faster than the speed of light with the possible exception of bad news, which obeys its own special laws.\xe2\x80\x9d', 'Protect me from knowing what I don\xe2\x80\x99t need to know. Protect me from even knowing that there are things to know that I don\xe2\x80\x99t know. Protect me from knowing that I decided not to know about the things that I decided not to know about. Amen.', 'All you really need to know for the moment is that the universe is a lot more complicated than you might think, even if you start from a position of thinking it\xe2\x80\x99s pretty damn complicated in the first place.', 'In the beginning the Universe was created. This has made a lot of people very angry and been widely regarded as a bad move.', 'Don\xe2\x80\x99t Panic.', 'Don\xe2\x80\x99t Panic.'] ####################### # Behavioural Toggles # ####################### SIMULATE_ENEMY = True ######################## # Behavioural Controls # ######################## MAP_RUSH_SIZE = 13 BOMB_SCORE_THRESHOLD = 0.57 BOMB_SCORE_THRESHOLD_LARGE = 1.03 MAX_LINK_DISTANCE = 7 ENEMY_MAX_LINK = 5 # Game Statics MAX_INT = 65535 FACTORY_UPGRADE_COST = 10 BOMB_PRODUCTION_COOLDOWN = 5 # Target Scoring Constants PRODUCTION_MULTIPLIER = 10 BOMB_TROOP_THRESHOLD = 25 # Movement Constants TROOP_OFFENSIVE = 1.00 # Sends this % of troops against superior enemies TROOP_DEFENSIVE = 1.00 # Sends this % of troops to reinforce friendly targets TROOP_OFFENSIVE_MULTIPLIER = 1.17 TROOP_EXCESS_NEUTRAL = 1 TROOP_EXCESS_ENEMY = 1 ENEMY_OFFENSIVE = 1.53 # How offensive is the enemy ENEMY_DEFENSIVE = 1.00 # How defensive is the enemy ENEMY_EXCESS_NEUTRAL = 1 ENEMY_EXCESS_ENEMY = 1 # Game Variables NUM_FACTORIES = 0 GAME_TURNS = 0 INITIAL_FACTORY = -1 INITIAL_FACTORY_ENEMY = -1 FRONTLINE_FACTORY = -1 FRONTLINE_DISTANCE = MAX_INT CYBORGS_OWN = 0 CYBORGS_ENEMY = 0 num_bombs = 2 # Map Variables adjList = [] # Adjacency List ordered by shortest distance adjMatrix = [] # Adjacency Matrix factoryInfo = [] # Information regarding each factory troopInfo = [] # Packets for each troop movement bombInfo = [] # Packets for each bomb movement # Floyd-Warshall APSP matrix with backtracking floydWarMatrix = [] # Store shortest distance floydWarPath = [] # Stores complete path to objective floydWarNext = [] #TODO: Optimization --> Stores next target? # Simulation for next n turns SIMUL_TURNS = 21 simulFac = [] # Simulated Factories for attack options # Actions turnMoves = [] # Commands for current turn turnBombs = [] # Commands to send bombs turnIncs = [] # Commands to upgrade factories turnOne = True # Selector for initialization turn events # Helper Functions def readMaxAvailTroops(simulStates): # if (simulStates[0].production == 0): # Non-production factory # return (simulStates[0].troops, 0) turn = 0 ttt = MAX_INT availTroops = MAX_INT # Decide whether factory has been overrun if (simulStates[-1].owner == -1): # Overrun by enemy enProducedTroops = 0 enProduction = simulStates[-1].production enFinalTroops = simulStates[-1].troops for i in range(2, len(simulStates)): if (simulStates[-i].owner == -1): if (simulStates[-i].cooldown <=0): enProducedTroops += enProduction ttt = len(simulStates)-i else: break availTroops = enFinalTroops - enProducedTroops availTroops = -availTroops else: for state in simulStates: curTroops = state.troops if (state.owner == 1) else -state.troops if (curTroops < availTroops and ((turn < ttt) if availTroops < 0 else True)): availTroops = curTroops ttt = turn turn += 1 return (availTroops, ttt) def readMaxEnemyTroops(simulStates): # if (simulStates[0].production == 0): # Non-production factory # return (simulStates[0].troops, 0) turn = 0 ttt = MAX_INT availTroops = MAX_INT # Decide whether factory has been overrun if (simulStates[-1].owner == 1): # Overrun by enemy enProducedTroops = 0 enProduction = simulStates[-1].production enFinalTroops = simulStates[-1].troops for i in range(2, len(simulStates)): if (simulStates[-i].owner == -1): enProducedTroops += enProduction ttt = len(simulStates)-i else: break availTroops = enFinalTroops - enProducedTroops availTroops = -availTroops else: for state in simulStates: curTroops = state.troops if (state.owner == -1) else -state.troops if (curTroops < availTroops and ((turn < ttt) if availTroops < 0 else True)): availTroops = curTroops ttt = turn turn += 1 return (availTroops, ttt) # Decision Making def scoreTarget(tgtID, curID): distanceMultiplier = (float)(1.0/max(1,(adjMatrix[curID][tgtID]**2))) score = 0 score += 7 if factoryInfo[tgtID].troops < factoryInfo[curID].troops else 0 score += factoryInfo[tgtID].production*PRODUCTION_MULTIPLIER*distanceMultiplier # Rewards production score -= max(5, factoryInfo[tgtID].troops*0.5)*distanceMultiplier # Penalizes troops # print("{0} Score: {1}".format(tgtID, score), file=sys.stderr) return score def scoreRedistribution(tgtID, curID, closestEnemyDistance): score = closestEnemyDistance # distanceMultiplier = (float)(1.0/max(1,closestEnemyDistance)**2) # score = 0 # score += 7 if factoryInfo[tgtID].troops < factoryInfo[curID].troops else 0 # score += factoryInfo[tgtID].production*PRODUCTION_MULTIPLIER*distanceMultiplier # Rewards production # score -= max(5, factoryInfo[tgtID].troops*0.5)*distanceMultiplier # Penalizes troops # print("{0} Score: {1}".format(tgtID, score), file=sys.stderr) return score def scoreBomb(tgtID, curID, resolutions): if (tgtID == curID): return 0 targetStates = resolutions[tgtID] ttt = adjMatrix[curID][tgtID]+1 tttState = targetStates[ttt] distanceMultiplier = (float)(1.0/max(1,(ttt**2))) # print("Dist Mult: {0} | ttt: {1}".format(distanceMultiplier, ttt), file=sys.stderr) score = 0 score += tttState.production*PRODUCTION_MULTIPLIER*distanceMultiplier # Rewards production # print("Production score: {0}".format(score), file=sys.stderr) score += max(10, tttState.troops)*distanceMultiplier # Rewards troops # print("{0} Score: {1}".format(tgtID, score), file=sys.stderr) return score def should_bomb(tgtID, curID, resolutions): # print("Testing target Factory {0}:".format(tgtID), file=sys.stderr) if (tgtID == curID): return False targetStates = resolutions[tgtID] ttt = adjMatrix[curID][tgtID]+1 tttState = targetStates[ttt] # print("Ttt state: Owner->{0} | Troops->{1} | Production->{2}".format(tttState.owner, tttState.troops, tttState.production), file=sys.stderr) if (tttState.owner != -1): return False if (num_bombs < 1): return False if (tttState.troops > BOMB_TROOP_THRESHOLD): return True if (tttState.production > 2): return True return False def should_reinforce(facID): if (factoryInfo[facID].owner != 1): return False if (factoryInfo[facID].troops < 1): return False if (factoryInfo[facID].production < 3): return False return True def needed_upgradeTroops(curFac, tgtFac, resolutions): ttt = floydWarMatrix[curFac.ID][tgtFac.ID]+1 arrivalState = resolutions[tgtFac.ID][ttt] if (arrivalState.owner == -1 and arrivalState.troops > 0): return -1 if (arrivalState.production < 3): requestTroops = FACTORY_UPGRADE_COST - (arrivalState.troops if arrivalState.owner == 1 else -arrivalState.troops) if (requestTroops > 0): return requestTroops return -1 def needed_reinforcements(ttt, availTroops, resolution): arrivalState = resolution[ttt] print("State: Owner->{0} | Troops->{1}".format(arrivalState.owner, arrivalState.troops), file=sys.stderr) if (arrivalState.production < 1): #TODO: Do not reinforce no production factories? return -1 #TODO: Will be in time to reinforce? requestTroopsTup = readMaxAvailTroops(resolution) requestTroops = requestTroopsTup[0] # Reads how many troops needed requestTurn = requestTroopsTup[1] # Reads when it is needed print("Requested troops: {0} by turn: {1}".format(requestTroops, requestTurn), file=sys.stderr) if (requestTroops < 0): return min(availTroops, -requestTroops) return -1 def simulateEnemySmart(enemyFac, resolutions): # Storing enemy movements actions = [] # Simulate enemy attacks if (enemyFac.troops < 1): return actions curTroops = min(enemyFac.troops, readMaxEnemyTroops(resolutions[enemyFac.ID])[0]) if (SHOW_ENEMY_ATTACKS): print("Simulating enemy attacks from Factory {0}|Current Troops: {1}".format(enemyFac.ID, curTroops), file=sys.stderr) validTargets = [] for adj in range(NUM_FACTORIES): ignore = False targetFac = factoryInfo[adj] # Filters targets and add some to valid target list if (targetFac.owner == -1): ignore = True # Ignore 'own' factories else: if (targetFac.production == 0): ignore = True # Ignores factories that do not give production # Adds valid targets if (ignore): continue else: validTargets.append(targetFac) # Naive case: no cyborgs! for targetFac in validTargets: if (curTroops < 1): return actions if (targetFac.troops == 0 and targetFac.owner == 0): actions.append(MOVE([enemyFac.ID, targetFac.ID, 1])) curTroops -= 1 # Weighs targets weightedTargets = [] for targetFac in validTargets: weightedTargets.append((targetFac, scoreTarget(targetFac.ID, enemyFac.ID))) weightedTargets = sorted(weightedTargets, key=lambda x: x[1], reverse=True) # Attacks targets in weighted order for targetTup in weightedTargets: if (curTroops < 1): return actions targetFac = targetTup[0] targetStates = resolutions[targetFac.ID] ttt = adjMatrix[enemyFac.ID][targetFac.ID]+1 # Do not simulate enemy movements beyond immediacy if (ttt > ENEMY_MAX_LINK): continue tttState = targetStates[ttt] if (SHOW_ENEMY_ATTACKS): print("Enemy attacking: {0}".format(targetFac.ID), file=sys.stderr) targetAttack = False targetTroops = 0 # Determines how many troops to send if (tttState.owner == 0): targetTroops = int((tttState.troops+ENEMY_EXCESS_NEUTRAL)*ENEMY_OFFENSIVE) if (targetTroops <= curTroops): targetAttack = True elif (tttState.owner == 1): targetTroops = int((tttState.troops+ENEMY_EXCESS_ENEMY)*ENEMY_OFFENSIVE) if (targetTroops <= curTroops): targetAttack = True else: targetTroops = curTroops targetAttack = True # Issues attack command if available if (targetAttack): originID = enemyFac.ID targetID = targetFac.ID closestIntermediate = floydWarPath[enemyFac.ID][targetFac.ID][0] if (closestIntermediate != -1): targetID = closestIntermediate actions.append(MOVE([originID, targetID, targetTroops])) if (SHOW_ENEMY_ATTACKS): print(actions[-1].printCmd(), file=sys.stderr) curTroops -= targetTroops return actions # Classes class FactoryMsg(object): def __init__(self, entityID, args): self.ID = entityID self.owner = args[0] self.troops = args[1] self.production = args[2] self.cooldown = args[3] def updateOwnership(self): if (self.troops < 0): self.owner *= -1 self.troops = abs(self.troops) class TroopMsg(object): def __init__(self, entityID, args): self.ID = entityID self.owner = args[0] self.origin = args[1] self.target = args[2] self.size = args[3] self.ttt = args[4] def isEnemy(self): return (self.owner == -1) class BombMsg(object): def __init__(self, entityID, args): self.ID = entityID self.owner = args[0] self.origin = args[1] self.target = args[2] self.ttt = args[3] def isEnemy(self): return (self.owner == -1) class Action(object): def __init__(self, entityType): self.form = entityType self.origin = -1 self.target = -1 self.size = -1 def isMove(self): return (self.form == "MOVE") class MOVE(Action): def __init__(self, args): Action.__init__(self, "MOVE") self.origin = int(args[0]) self.target = int(args[1]) self.size = int(args[2]) def printCmd(self): return "MOVE {0} {1} {2}".format(self.origin, self.target, self.size) class BOMB(Action): def __init__(self, args): Action.__init__(self, "BOMB") self.origin = int(args[0]) self.target = int(args[1]) def printCmd(self): return "BOMB {0} {1}".format(self.origin, self.target) class INC(Action): def __init__(self, args): Action.__init__(self, "INC") self.origin = int(args[0]) def printCmd(self): return "INC {0}".format(self.origin) class FactorySimulation(object): def __init__(self, facID, args): self.ID = facID self.owner = int(args[0]) self.troops = int(args[1]) self.production = int(args[2]) self.cooldown = int(args[3]) def tick(self): if (self.cooldown > 0): self.cooldown -= 1 if (self.owner != 0 and self.cooldown <= 0): self.troops += self.production def bombed(self): self.troops -= 0.5*self.troops if 0.5*self.troops > 10 else self.troops self.cooldown = BOMB_PRODUCTION_COOLDOWN def procPacket(self, packet): if (packet.owner == self.owner): self.troops += packet.size else: self.troops -= packet.size if (self.troops < 0): self.troops = abs(self.troops) self.owner = packet.owner class Factory(object): def __init__(self, facID): self.ID = facID self.owner = 0 self.troops = 0 self.production = 0 self.cooldown = 0 self.incomming = [] self.outgoing = [] #TODO: not necessary? since outgoing == incomming somewhere else self.actions = [] self.blacklist = [] # Blacklisted enemy targets self.TROOP_OFFENSIVE = TROOP_OFFENSIVE # Local threshold self.TROOP_DEFENSIVE = TROOP_DEFENSIVE # Local threshold def tick(self): del self.incomming[:] del self.outgoing[:] del self.actions[:] del self.blacklist[:] def update(self, args): self.owner = args[0] self.troops = args[1] self.production = args[2] self.cooldown = args[3] def updateBlacklist(self, argList): self.blacklist = argList def pushIncomming(self, packet): self.incomming.append(packet) def delIncomming(self, packetID): idList = [pack.ID for pack in self.incomming] if (packetID not in idList): # Error, packet not found return False else: del self.incomming[idList.index(packetID)] return True def getAvailTroops(self, simulStates): curTroops = min(self.troops, readMaxAvailTroops(simulStates[self.ID])[0]) return curTroops def closestEnemy(self): nearestFactory = -1 nearestDistance = MAX_INT for facID in range(NUM_FACTORIES): if (adjMatrix[self.ID][facID] < nearestDistance and factoryInfo[facID].owner == -1): nearestDistance = adjMatrix[self.ID][facID] nearestFactory = facID if (nearestFactory != -1): return (nearestFactory, nearestDistance) else: return (nearestFactory, MAX_INT) def closestFriendly(self): nearestFactory = -1 nearestDistance = MAX_INT for facID in range(NUM_FACTORIES): if (facID == self.ID): continue if (adjMatrix[self.ID][facID] < nearestDistance and factoryInfo[facID].owner == 1): nearestDistance = adjMatrix[self.ID][facID] nearestFactory = facID if (nearestFactory != -1): return (nearestFactory, nearestDistance) else: return (nearestFactory, MAX_INT) def viable_upgrade(self, resolution, prevUpgrades): updatedResolutions = [] # Builds updated states for next FACTORY_UPGRADE_COST turns for i in range(min(SIMUL_TURNS, FACTORY_UPGRADE_COST)): curState = resolution[i] newState = FactoryMsg(curState.ID, [curState.owner, curState.troops, curState.production, curState.cooldown]) newState.troops = curState.troops - FACTORY_UPGRADE_COST*(prevUpgrades+1) + i*(prevUpgrades+1) newState.updateOwnership() updatedResolutions.append(newState) # Checks for viability given an upgrade for state in updatedResolutions: if (state.owner != 1): return False return True ''' Simulation function - Takes incomming troop packets - Runs turn-by-turn simulation - Outputs an array of states for SIMUL_TURNS turns ''' def resolve(self): #TODO: Huge function, simulates game till last troop packet arrives # Generates array to store simulation curState = FactorySimulation(self.ID, (self.owner, self.troops, self.production, self.cooldown)) simulMap = [] packetIdx = 0 # If there's no contention, extend current state if (len(self.incomming) == 0): for turn in range(SIMUL_TURNS): # Ticks cooldown timer and produces troops if (turn > 0): curState.tick() # Explodes bombs for bomb in bombInfo: if (bomb.owner == 1 and bomb.target == self.ID and bomb.ttt < 1): curState.bombed() # Stores current turn simulated result args = (curState.owner, curState.troops, curState.production, curState.cooldown) facState = FactoryMsg(self.ID, args) simulMap.append(facState) # Computes a turn-by-turn simulation upon this factory else: self.incomming = sorted(self.incomming, key=lambda x: x.ttt) # Sort by time to target # Simulates ownership for SIMUL_TURNS turns # print("Starting resolution for Factory {0}...".format(self.ID), file=sys.stderr) for turn in range(SIMUL_TURNS): # Produces Units if (turn > 0): curState.tick() # Resolves Battles curTtt = 0 tttPackets = [] while (packetIdx < len(self.incomming) and self.incomming[packetIdx].ttt <= turn): # print("Turn {0}:".format(turn), file=sys.stderr) # print("Packet: Owner->{0} | Troops->{1}".format(self.incomming[packetIdx].owner, self.incomming[packetIdx].size), file=sys.stderr) # print("Current Troops in Factory: {0}".format(curState.troops), file=sys.stderr) #BUG_FIX: Resolves all packets comming at the same time prior to resolving to curState if (self.incomming[packetIdx].ttt > curTtt): curTtt = self.incomming[packetIdx].ttt # Process last ttt's list of packets if (len(tttPackets) == 1): # Only 1 packet curState.procPacket(tttPackets[-1]) del tttPackets[:] elif (len(tttPackets) > 1): curTroops = 0 for packet in tttPackets: if (packet.owner == 1): curTroops += packet.size else: curTroops -= packet.size curOwner = 1 if curTroops > 0 else -1 args = (curOwner, tttPackets[-1].origin, self.ID, abs(curTroops), 0) newPacket = TroopMsg((random.randint(2,100)*-100), args) curState.procPacket(newPacket) del tttPackets[:] if (self.incomming[packetIdx].ttt == curTtt): tttPackets.append(self.incomming[packetIdx]) # print("Resolved Troops in Factory: {0}".format(curState.troops), file=sys.stderr) packetIdx += 1 # Process the last turn's packets if (len(tttPackets) == 1): # Only 1 packet curState.procPacket(tttPackets[-1]) del tttPackets[:] elif (len(tttPackets) > 1): curTroops = 0 for packet in tttPackets: if (packet.owner == 1): curTroops += packet.size else: curTroops -= packet.size curOwner = 1 if curTroops > 0 else -1 args = (curOwner, tttPackets[-1].origin, self.ID, abs(curTroops), 0) newPacket = TroopMsg((random.randint(2,100)*-100), args) curState.procPacket(newPacket) del tttPackets[:] # Explodes bombs for bomb in bombInfo: #BUG_FIX: bomb.ttt < 1 ==> turn >= bomb.ttt if (bomb.owner == 1 and bomb.target == self.ID and turn >= bomb.ttt): curState.bombed() # Stores current turn simulated result args = (curState.owner, curState.troops, curState.production, curState.cooldown) facState = FactoryMsg(self.ID, args) simulMap.append(facState) #DEBUG: Prints out states of each turn if (SHOW_RESOLUTION): print("======================\nResolved Factory {0}:\n======================".format(self.ID), file=sys.stderr) print("Initial Troop count: {0}".format(self.troops), file=sys.stderr) for i in range(7): print("Step {0}: Owner->{1} | Troops->{2} | Production->{3} | Cooldown->{4}".format(i, simulMap[i].owner, simulMap[i].troops, simulMap[i].production, simulMap[i].cooldown), file=sys.stderr) print("Max Available Units: {0}".format(readMaxAvailTroops(simulMap)[0]), file=sys.stderr) print("Turns before being overrun: {0}".format(readMaxAvailTroops(simulMap)[1]), file=sys.stderr) return simulMap # Outputs list of simulated factory state tuples ''' Reinforce function - Takes a list of targets to be reinforced - Weighs targets - Sends reinforcements if available ''' def reinforce(self, simulStates): #TODO: How to bring troops to the front? curTroops = min(self.troops, readMaxAvailTroops(simulStates[self.ID])[0]) print("Factory {0} Reinforcing...|Current Troops: {1}".format(self.ID, curTroops), file=sys.stderr) if (curTroops < 1): return self.actions # Get connected friendly reinforcible factories adjMyFactories = [facTup[0] for facTup in adjList[self.ID] if (factoryInfo[facTup[0]].owner == 1)] # Weighs targets weightedTargets = [] for target in adjMyFactories: weightedTargets.append((target, scoreRedistribution(target, self.ID, factoryInfo[target].closestEnemy()[1]))) weightedTargets = sorted(weightedTargets, key=lambda x: x[1], reverse=True) # Reinforces targets in weighted order for targetTup in weightedTargets: if (curTroops < 1): self.troops = curTroops return self.actions target = targetTup[0] ttt = floydWarMatrix[self.ID][target]+1 print("Reinforcing factory {0}:".format(target), file=sys.stderr) requestTroops = needed_reinforcements(ttt, curTroops, simulStates[target]) if (requestTroops < 0): continue self.actions.append(MOVE([self.ID, target, requestTroops])) print(self.actions[-1].printCmd(), file=sys.stderr) curTroops -= requestTroops self.troops = curTroops return self.actions ''' Attack function - Prioritizes Upgrade if base will not get overrun in the future - Gets a list of valid targets (enemy + neutrals) not in blacklist - Weigh valid targets - Issues attack commands by priority of weight ''' def attack(self, simulStates): #TODO: Where to upgrade factories?? if (self.production == 0 and self.ID != INITIAL_FACTORY): self.TROOP_OFFENSIVE = 1 self.TROOP_DEFENSIVE = 1 else: self.TROOP_OFFENSIVE = TROOP_OFFENSIVE self.TROOP_DEFENSIVE = TROOP_DEFENSIVE curTroops = min(self.troops, readMaxAvailTroops(simulStates[self.ID])[0]) print("Factory {0}|Current Troops: {1}".format(self.ID, curTroops), file=sys.stderr) if (curTroops < 1): self.troops = curTroops return self.actions validTargets = [] for adj in adjList[self.ID]: ignore = False targetFac = factoryInfo[adj[0]] targetStates = simulStates[adj[0]] ttt = floydWarMatrix[self.ID][targetFac.ID]+1 # print("Evaluating target Factory: {0}".format(adj[0]), file=sys.stderr) # Filters targets and add some to valid target list if (targetStates[ttt].owner == 1): # print("IGNORE -> Owned", file=sys.stderr) ignore = True # Ignore our own factories (no attack necessary) else: if (targetFac.production == 0): # print("IGNORE -> Production 0", file=sys.stderr) ignore = True # Ignore factories that do not give production # Ignores blacklisted targets if (targetFac.ID in self.blacklist): # print("IGNORE -> Blacklisted", file=sys.stderr) ignore = True # Adds valid targets if (ignore): continue else: # print("VALID! :)", file=sys.stderr) validTargets.append(targetFac) # Naive case: no cyborgs! for targetFac in validTargets: if (curTroops < 1): self.troops = curTroops return self.actions ttt = floydWarMatrix[self.ID][targetFac.ID]+1 targetState = simulStates[targetFac.ID][ttt] if (targetState.troops == 0 and targetState.owner == 0): self.actions.append(MOVE([self.ID, targetFac.ID, 1])) print(self.actions[-1].printCmd(), file=sys.stderr) curTroops -= 1 targetFac = None #TODO: Removes target from list? validTargets = [fac for fac in validTargets if fac != None] # Removes None-types #TODO: Ad-Hoc upgrades (temporary) upgradeFactory = True curProduction = self.production upgrades = 0 #EXPERIMENTAL: Don't too aggressively upgrade factories close to the enemy adjFriendlyTup = self.closestFriendly() adjEnemyTup = self.closestEnemy() # if (adjFriendlyTup[0] == -1): # Initial Factory or only factory # if (adjEnemyTup[0] != -1): # if (adjEnemyTup[1] < MAP_RUSH_SIZE): # upgradeFactory = False if (adjFriendlyTup[0] != -1 and adjEnemyTup[0] != -1): # print("Testing viability for upgrade based on distance to enemy", file=sys.stderr) # print("Distance to friendly factory {0}: {1} | Distance to enemy factory {2}: {3}".format(adjFriendlyTup[0], adjFriendlyTup[1], adjEnemyTup[0], adjEnemyTup[1]), file=sys.stderr) if (adjEnemyTup[1] <= adjFriendlyTup[1] and (CYBORGS_OWN - CYBORGS_ENEMY) < FACTORY_UPGRADE_COST): upgradeFactory = False # Decides suitability for upgrading while (upgradeFactory): # Safety check for troops available if (curTroops < FACTORY_UPGRADE_COST): upgradeFactory = False # Disables upgrades if nearby neutral exists with production # On the condition that one can take it # And such a move would bring about more overall units than upgrading neutralFactories = [] for targetFac in validTargets: targetStates = simulStates[targetFac.ID] ttt = floydWarMatrix[self.ID][targetFac.ID]+1 tttState = targetStates[ttt] if (tttState.owner == 0 and tttState.production > 0): tttDiff = FACTORY_UPGRADE_COST - ttt if (tttDiff < 0 or tttState.production*tttDiff > FACTORY_UPGRADE_COST and tttState.troops < curTroops): neutralFactories.append(targetFac.ID) if (len(neutralFactories) > 0): upgradeFactory = False # Checks conditions for an upgrade if (curProduction == 3 or not self.viable_upgrade(simulStates[self.ID], upgrades)): upgradeFactory = False # Upgrades Current Factory if (upgradeFactory): upgrades += 1 curProduction += 1 print("Upgrading factory with {0} troops at level {1} production".format(curTroops, factoryInfo[self.ID].production), file=sys.stderr) self.actions.append(INC([self.ID])) curTroops -= FACTORY_UPGRADE_COST # Weighs targets weightedTargets = [] for targetFac in validTargets: weightedTargets.append((targetFac, scoreTarget(targetFac.ID, self.ID))) weightedTargets = sorted(weightedTargets, key=lambda x: x[1], reverse=True) # Prioritizes targets that can be overwhelmed overwhelmTargets = [] ignoreTargets = [] # Classifies targets for targetTup in weightedTargets: if (curTroops < 1): self.troops = curTroops return self.actions targetFac = targetTup[0] targetStates = simulStates[targetFac.ID] ttt = floydWarMatrix[self.ID][targetFac.ID]+1 tttState = targetStates[ttt] # Checks that troops won't arrive before bomb :O ignore = False for bomb in bombInfo: if (bomb.owner == 1): print("Bomb from {0}->{1} arrives in: {2} | Attack arrives in: {3}".format(bomb.origin, bomb.target, bomb.ttt, ttt), file=sys.stderr) if (bomb.target == targetFac.ID and ttt <= bomb.ttt): ignore = True break if (ignore): ignoreTargets.append(targetFac) continue targetAttack = False targetTroops = 0 if (tttState.owner == 0): # Neutral Target targetTroops = tttState.troops+TROOP_EXCESS_NEUTRAL if (targetTroops <= curTroops): # Can overwhelm target targetAttack = True else: # Enemy Target targetTroops = int((tttState.troops+TROOP_EXCESS_ENEMY)*TROOP_OFFENSIVE_MULTIPLIER)+1 if (targetTroops <= curTroops): # Can overwhelm target targetAttack = True # Adds target to priority list if can be overwhelmed if (targetAttack): overwhelmTargets.append(targetFac) self.actions.append(MOVE([self.ID, targetFac.ID, targetTroops])) print(self.actions[-1].printCmd(), file=sys.stderr) curTroops -= targetTroops # Attacks targets in weighted order for targetTup in weightedTargets: if (curTroops < 1): self.troops = curTroops return self.actions targetFac = targetTup[0] # Filters targets on ignore list or priority list if (targetFac in ignoreTargets or targetFac in overwhelmTargets): continue targetStates = simulStates[targetFac.ID] ttt = floydWarMatrix[self.ID][targetFac.ID]+1 tttState = targetStates[ttt] print("Attacking: {0} | ttt: {1} | tttState: Owner->{2} Troops->{3}".format(targetFac.ID, ttt, tttState.owner, tttState.troops), file=sys.stderr) # Determines how many troops to send targetAttack = False targetTroops = 0 if (tttState.owner == 0): # Neutral Target targetTroops = tttState.troops+TROOP_EXCESS_NEUTRAL if (targetTroops <= curTroops): # Can overwhelm target print("Overwhelming...", file=sys.stderr) targetAttack = True #EXPERIMENTAL: Disabling suspension of attacks # elif (targetTroops <= curTroops+self.production): # Able to target next turn # print("Suspend attacks", file=sys.stderr) # self.troops = curTroops # return self.actions else: # Unable to overwhelm target immediately targetTroops = int(self.TROOP_OFFENSIVE*curTroops) print("Cannot overwhelm, sending {0} troops".format(targetTroops), file=sys.stderr) targetAttack = True elif (tttState.owner == -1): # Enemy Target # We only attack when our attack can overwhelm enemy targetTroops = int((tttState.troops+TROOP_EXCESS_ENEMY)*TROOP_OFFENSIVE_MULTIPLIER)+1 if (targetTroops <= curTroops): print("ENEMY! Sending {0} troops".format(targetTroops), file=sys.stderr) targetAttack = True # Issues attack command if available if (targetAttack): self.actions.append(MOVE([self.ID, targetFac.ID, targetTroops])) print(self.actions[-1].printCmd(), file=sys.stderr) curTroops -= targetTroops self.troops = curTroops return self.actions ''' Upgrade function - Sends troops to nearby factories to facilitate their upgrading ''' def upgrade(self, simulStates): curTroops = min(self.troops, readMaxAvailTroops(simulStates[self.ID])[0]) print("Factory {0} Sending troops for Upgrading...|Current Troops: {1}".format(self.ID, curTroops), file=sys.stderr) if (curTroops < 1): self.troops = curTroops return self.actions # Scans for nearby factories for adj in adjList[self.ID]: if (curTroops < 1): self.troops = curTroops return self.actions adjFac = factoryInfo[adj[0]] #EXPERIMENTAL: We send units in bulk requestTroops = min(curTroops, needed_upgradeTroops(self, adjFac, simulStates)) # requestTroops = needed_upgradeTroops(self, adjFac, simulStates) if (requestTroops > 0 and requestTroops <= curTroops): self.actions.append(MOVE([self.ID, adjFac.ID, requestTroops])) print(self.actions[-1].printCmd(), file=sys.stderr) curTroops -= requestTroops self.troops = curTroops return self.actions ''' Redistribution function - Scans for nearby friendly factories closer than self to enemy - Sends excess troops proportionally to those factories ''' def redistribute(self, simulStates): curTroops = min(self.troops, readMaxAvailTroops(simulStates[self.ID])[0]) print("Factory {0} Redistributing...|Current Troops: {1}".format(self.ID, curTroops), file=sys.stderr) if (curTroops < 1): return self.actions #TODO: If have excess troops, send them off proportionally to nearby friendly factories? # Get connected friendly reinforcible factories adjMyFactories = [facTup[0] for facTup in adjList[self.ID] if (factoryInfo[facTup[0]].owner == 1)] myDistToEnemy = self.closestEnemy()[1] print("My distance to enemy: {0}".format(myDistToEnemy), file=sys.stderr) # Get list of 'frontline' friendly factories adjFrontlineFactories = [facID for facID in adjMyFactories if (len([enID for enID in range(NUM_FACTORIES) if factoryInfo[enID].owner == -1]) > 0) and factoryInfo[facID].closestEnemy()[1] < myDistToEnemy] weightedFrontlineFactories = [] for facID in adjFrontlineFactories: print("Adjacent factory distance to enemy: {0}".format(factoryInfo[facID].closestEnemy()[1]), file=sys.stderr) weightedFrontlineFactories.append((facID, scoreRedistribution(facID, self.ID, factoryInfo[facID].closestEnemy()[1]))) weightedFrontlineFactories = sorted(weightedFrontlineFactories, key=lambda x: x[1]) # Sends available troops based on score totScore = 0 minScore = MAX_INT scoreList = [scoreTup[1] for scoreTup in weightedFrontlineFactories] limTroops = 0 if self.production == 3 else FACTORY_UPGRADE_COST totTroops = max(0, curTroops - limTroops) for score in scoreList: # Get min score if (score < minScore): minScore = score for score in scoreList: # Transform range of scoreList to [0, INF) score -= minScore totScore += score for scoreTup in weightedFrontlineFactories: if (curTroops <= limTroops): self.troops = curTroops return self.actions normScore = scoreTup[1] - minScore weightedTroops = max(curTroops,int((float)(normScore/max(1,totScore))*totTroops)) if (weightedTroops <= curTroops): self.actions.append(MOVE([self.ID, scoreTup[0], weightedTroops])) print(self.actions[-1].printCmd(), file=sys.stderr) curTroops -= weightedTroops # Just send whatever amts of troops off to the highest-weighted factory if (curTroops > 0 and len(weightedFrontlineFactories) > 0): self.actions.append(MOVE([self.ID, weightedFrontlineFactories[0][0], curTroops])) print(self.actions[-1].printCmd(), file=sys.stderr) curTroops -= curTroops self.troops = curTroops return self.actions class Strategizer(object): def __init__(self, resolutions, simulation, bombs, incs, simulIDCounter): self.resolutions = resolutions # 2D list of FactoryMsg objects self.actions = [] self.evalActions = [] self.blacklistedEnemies = [] # Enemies we can overpower self.simulation = simulation self.bombs = bombs self.incs = incs self.simulIDCounter = simulIDCounter ''' Simulated pushing of troop packets to targeted factories - Takes some list of actions and 'executes' them - Results in troop packets pushed to incomming queue for targeted factories ''' def simulate(self, actions): # print("Simulating: ", file=sys.stderr) for move in actions: if (move.isMove()): if (move.size < 1): # Prunes off no troop packets continue args = [1, move.origin, move.target, move.size, adjMatrix[move.origin][move.target]+1] curPacket = TroopMsg(self.simulIDCounter, args) self.simulIDCounter += 1 self.simulation[move.target].pushIncomming(curPacket) # print("Pushed: "+move.print()+" to Factory: {0} | CurPackets: {1}".format(move.target, len(self.simulation[move.target].incomming)), file=sys.stderr) ''' Conservative troop processing strategy - Block attacks to resolved targets - Orders priority of troop movement as such: 1) Reinforces nearby factories 2) Attack nearby factories 3) Sends troops to upgrade nearby factories 4) Redistributes remaining troops to nearby factories ''' def execute(self): # Prune off excess attacks myFactories = [self.simulation[facID] for facID in range(NUM_FACTORIES) if (self.simulation[facID].owner == 1)] # Own factories for i in range(len(self.resolutions)): simulState = self.resolutions[i] if (simulState[-1].owner == 1 and self.simulation[i].owner != 1): print("Battle for {0} resolved in our favor, preventing further troops".format(i), file=sys.stderr) # Add target to blacklist self.blacklistedEnemies.append(i) # 1) Sends reinforcements for fac in myFactories: print("Factory {0} reinforcing...".format(fac.ID), file=sys.stderr) fac.reinforce(self.resolutions) # 2) Re-evaluates attack options for fac in myFactories: print("======================\nFactory {0} attacking...\n======================".format(fac.ID), file=sys.stderr) fac.updateBlacklist(self.blacklistedEnemies) fac.attack(self.resolutions) # 3) Runs troop movements for upgrades upgradeFactories = [self.simulation[facID] for facID in range(NUM_FACTORIES) if should_reinforce(facID)] for fac in upgradeFactories: fac.upgrade(self.resolutions) # 4) Redistributes excess troops for fac in myFactories: fac.redistribute(self.resolutions) ''' Redirects troops along floyd-warshall path instead of naive direct pathing ''' def redirect(self): #TODO: run floyd-warshall per turn? # Runs simulation for redirecting myFactories = [self.simulation[facID] for facID in range(NUM_FACTORIES) if (self.simulation[facID].owner == 1)] # Own factories for fac in myFactories: self.evalActions.extend(fac.actions) self.simulate(self.evalActions) # Re-paths troop packets for fac in self.simulation: # print("Redirecting for target Factory {0} | Packets: {1}".format(fac.ID, len(fac.incomming)), file=sys.stderr) delList = [] for troop in fac.incomming: closestIntermediate = floydWarPath[troop.origin][fac.ID][0] ttt = floydWarMatrix[troop.origin][closestIntermediate]+1 closestIntermediateOwner = self.resolutions[closestIntermediate][ttt].owner # print("Attempting Redirect:\nTroop destination: {0}\nOrigin: {1}\nIntermediate: {2}".format(fac.ID, troop.origin, closestIntermediate), file=sys.stderr) if (closestIntermediate != fac.ID): troop.target = closestIntermediate troop.ttt = ttt self.simulation[closestIntermediate].pushIncomming(troop) # print("Redirection troop: {0}-->{1} from initial target {2}".format(troop.origin, closestIntermediate, fac.ID), file=sys.stderr) delList.append(troop.ID) if (len(delList) > 0): for i in range(len(delList)): fac.delIncomming(delList[i]) def prune(self): #TODO: prunes excess troops sent and orgnize co-ordinated attacks return None def whack(self): #TODO: Barrage with all available troops myFactories = [self.simulation[facID] for facID in range(NUM_FACTORIES) if (self.simulation[facID].owner == 1)] # Own factories whackActions = [] #TODO: All focus whack on a single enemy factory? for fac in myFactories: if (fac.getAvailTroops(self.resolutions) < 1 or fac.production < 3): continue adjEnemy = fac.closestEnemy()[0] if (adjEnemy != -1): targetID = adjEnemy closestIntermediate = floydWarPath[fac.ID][targetID][0] if (closestIntermediate != -1): targetID = closestIntermediate whackActions.append(MOVE([fac.ID, targetID, fac.getAvailTroops(self.resolutions)])) print(whackActions[-1].printCmd(), file=sys.stderr) fac.troops -= fac.getAvailTroops(self.resolutions) self.simulate(whackActions) return None def printCmd(self): # Adds movement commands for fac in self.simulation: for troop in fac.incomming: self.actions.append(MOVE([troop.origin,fac.ID,troop.size]).printCmd()) # Adds bomb commands for bomb in self.bombs: self.actions.append(bomb.printCmd()) # Adds upgrade commands for action in self.evalActions: if (action.form == "INC"): self.actions.append(action.printCmd()) for inc in self.incs: self.actions.append(inc.printCmd()) # Adds in debuggin message if (MSG_OUTPUT): self.actions.append("MSG {0}".format(MSG_CONTENT)) # Outputs current turn's actions if (len(self.actions) < 1): print("WAIT") else: outputCommand = "" for cmd in self.actions: outputCommand += ";" outputCommand += cmd print(outputCommand[1:]) # Handle Inputs NUM_FACTORIES = int(input()) # Number of factories for i in range(NUM_FACTORIES): # Initialize Factories adjList.append([]) adjMatrix.append([0 for x in range(NUM_FACTORIES)]) floydWarMatrix.append([MAX_INT for x in range(NUM_FACTORIES)]) # Matrix to store shortest distances floydWarPath.append([[-1] for x in range(NUM_FACTORIES)]) # Matrix to store path floydWarNext.append([-1 for x in range(NUM_FACTORIES)]) # Optimized matrix storing only next target factoryInfo.append(Factory(i)) simulFac.append(Factory(i)) link_count = int(input()) # Number of links between factories for i in range(link_count): # Initialize adjList/adjMatrix factory_1, factory_2, distance = [int(j) for j in input().split()] adjList[factory_1].append((factory_2, distance)) adjList[factory_2].append((factory_1, distance)) adjMatrix[factory_1][factory_2] = distance adjMatrix[factory_2][factory_1] = distance # Stores links into floyd-warshall graph #TODO: do not store if distance > 5? floydWarMatrix[factory_1][factory_2] = distance floydWarMatrix[factory_2][factory_1] = distance floydWarPath[factory_1][factory_2] = [factory_2] floydWarPath[factory_2][factory_1] = [factory_1] floydWarNext[factory_1][factory_2] = factory_2 floydWarNext[factory_2][factory_1] = factory_1 for i in range(NUM_FACTORIES): # Filter out paths > MAX_LINK_DISTANCE whilst preserving at least 1 link minLinkDistance = MAX_INT minLinkTarget = [] numLinks = 0 for j in range(len(floydWarMatrix[i])): if (floydWarMatrix[i][j] < minLinkDistance): minLinkDistance = floydWarMatrix[i][j] minLinkTarget.append(j) if (floydWarMatrix[i][j] > MAX_LINK_DISTANCE): floydWarMatrix[i][j] = MAX_INT floydWarPath[i][j] = [-1] floydWarNext[i][j] = -1 else: numLinks += 1 if (numLinks < 1): # Establish shortest link for minLink in minLinkTarget: floydWarMatrix[i][minLink] = minLinkDistance floydWarPath[i][minLink] = [minLink] floydWarNext[i][minLink] = minLink minLinkDistance = MAX_INT minLinkTarget = [] numLinks = 0 for j in range(len(adjList[i])): if (adjList[i][j][1] < minLinkDistance): minLinkDistance = adjList[i][j][1] minLinkTarget.append(adjList[i][j][0]) if (adjList[i][j][1] > MAX_LINK_DISTANCE): adjList[i][j] = None else: numLinks += 1 if (numLinks < 1): for minLink in minLinkTarget: adjList[i][minLink] = (minLink, minLinkDistance) adjList[i] = [adjList[i][idx] for idx in range(len(adjList[i])) if adjList[i][idx] is not None] for i in range(NUM_FACTORIES): # Sort adjList by order of increasing distance adjList[i] = sorted(adjList[i], key=lambda x: x[1]) # Floyd-Warshall to compute All-Pair Shortest-Paths for k in range(NUM_FACTORIES): for i in range(NUM_FACTORIES): for j in range(NUM_FACTORIES): if (i==j or k==j): continue intermediate = floydWarMatrix[i][k] + floydWarMatrix[k][j] + 1 if (intermediate < floydWarMatrix[i][j]): newPath = [k] newPath.extend(floydWarPath[k][j]) floydWarPath[i][j] = newPath floydWarNext[i][j] = floydWarNext[k][j] floydWarMatrix[i][j] = intermediate elif (intermediate == floydWarMatrix[i][j] and len(floydWarPath[i][j]) < len(floydWarPath[k][j])+1): newPath = [k] newPath.extend(floydWarPath[k][j]) floydWarPath[i][j] = newPath floydWarNext[i][j] = floydWarNext[k][j] floydWarMatrix[i][j] = intermediate # Game Loop while True: del troopInfo[:] # Resets turn variables del bombInfo[:] del turnMoves[:] del turnBombs[:] del turnIncs[:] CYBORGS_OWN = 0 CYBORGS_ENEMY = 0 GAME_TURNS += 1 myFactories = [] simulIDCounter = -100 for i in range(NUM_FACTORIES): # Ticks each factory factoryInfo[i].tick() simulFac[i].tick() # Reads game turn state entity_count = int(input()) # the number of entities (e.g. factories and troops) for i in range(entity_count): entity_id, entity_type, arg_1, arg_2, arg_3, arg_4, arg_5 = input().split() entity_id = int(entity_id) args = [int(arg_1), int(arg_2), int(arg_3), int(arg_4), int(arg_5)] if (entity_type == "FACTORY"): factoryInfo[entity_id].update(args) simulFac[entity_id].update(args) if (factoryInfo[entity_id].owner == 1): myFactories.append(entity_id) CYBORGS_OWN += factoryInfo[entity_id].troops elif (factoryInfo[entity_id].owner == -1): CYBORGS_ENEMY += factoryInfo[entity_id].troops elif (entity_type == "TROOP"): curPacket = TroopMsg(entity_id, args) factoryInfo[curPacket.target].pushIncomming(curPacket) troopInfo.append(curPacket) if (curPacket.owner == 1): CYBORGS_OWN += curPacket.size elif (curPacket.owner == -1): CYBORGS_ENEMY += curPacket.size elif (entity_type == "BOMB"): curPacket = BombMsg(entity_id, args) bombInfo.append(curPacket) # Searches for enemy's initial location if (INITIAL_FACTORY_ENEMY == -1 or INITIAL_FACTORY == -1): for i in range(len(factoryInfo)): curFac = factoryInfo[i] if (curFac.owner == 1 and INITIAL_FACTORY == -1): INITIAL_FACTORY = curFac.ID if (curFac.owner == -1 and INITIAL_FACTORY_ENEMY == -1): INITIAL_FACTORY_ENEMY = curFac.ID print("Map Distance: {0}".format(adjMatrix[INITIAL_FACTORY][INITIAL_FACTORY_ENEMY]), file=sys.stderr) if (adjMatrix[INITIAL_FACTORY][INITIAL_FACTORY_ENEMY] >= MAP_RUSH_SIZE): BOMB_SCORE_THRESHOLD = BOMB_SCORE_THRESHOLD_LARGE # Searches for frontline factory FRONTLINE_FACTORY = -1 FRONTLINE_DISTANCE = MAX_INT for i in range(len(factoryInfo)): curFac = factoryInfo[i] if (curFac.owner == 1): # Determine a 'frontline' factory # Find shortest distance to enemy closestEnemyTup = curFac.closestEnemy() nearestFactory = closestEnemyTup[0] nearestDistance = closestEnemyTup[1] if (nearestFactory != -1 and nearestDistance < FRONTLINE_DISTANCE): FRONTLINE_DISTANCE = nearestDistance FRONTLINE_FACTORY = curFac.ID print("Determined FRONTLINE factory: {0}".format(FRONTLINE_FACTORY), file=sys.stderr) #TODO: Simulates Nearby enemies' attacks upon self currentSituation = [fac.resolve() for fac in factoryInfo] if (SIMULATE_ENEMY): enemies = [fac for fac in factoryInfo if fac.owner == -1] enemyActions = [] # Storing enemy movements for enemyFac in enemies: # Simulates enemy attacks enemyActions.extend(simulateEnemySmart(enemyFac, currentSituation)) # Enemy has made some moves, add to simulation if (len(enemyActions) > 0): for action in enemyActions: if (action.isMove()): args = (-1, action.origin, action.target, action.size, adjMatrix[action.origin][action.target] + 1) enemyPacket = TroopMsg(simulIDCounter, args) simulIDCounter += 1 factoryInfo[enemyPacket.target].pushIncomming(enemyPacket) enemySimulatedSituation = [fac.resolve() for fac in factoryInfo] if (SIMULATE_ENEMY) else currentSituation # Launch BOMBS! #TODO: Launch bombs in prune()? if (num_bombs > 0 and FRONTLINE_FACTORY != -1): print("Attempting BOMB | Scoring from Factory {0}".format(FRONTLINE_FACTORY), file=sys.stderr) # Scores all enemy factores for bombing! :D bombTargets = [(fac.ID, scoreBomb(fac.ID, (FRONTLINE_FACTORY if factoryInfo[fac.ID].closestFriendly()[0] == -1 else factoryInfo[fac.ID].closestFriendly()[0]), enemySimulatedSituation)) for fac in factoryInfo] bombTargets = sorted(bombTargets, key=lambda x: x[1], reverse=True) for targetTup in bombTargets: if (num_bombs < 1 or len(myFactories) < 1): break target = targetTup[0] score = targetTup[1] # Find the closest base to launch bomb from nearestFactory = factoryInfo[target].closestFriendly()[0] if (nearestFactory == -1): nearestFactory = FRONTLINE_FACTORY # Do not bomb a target that would be captured upon ttt if (not should_bomb(target, nearestFactory, enemySimulatedSituation)): continue print("Factory {0} Score: {1}".format(target, score), file=sys.stderr) launch = True # Only bomb targets above threshold score if (score < BOMB_SCORE_THRESHOLD): continue # Do not bomb same target twice for bomb in bombInfo: if (bomb.owner == 1 and bomb.target == target): launch = False break if (not launch): continue turnMoves.append(BOMB([nearestFactory, target])) num_bombs -= 1 #EXPERIMENTAL: Add own bombs into simulation args = (1, nearestFactory, target, adjMatrix[nearestFactory][target]+1) bombInfo.append(BombMsg(simulIDCounter, args)) simulIDCounter += 1 # Constructs simulated scenario to feed into strategizer for move in turnMoves: print(move.printCmd(), file=sys.stderr) if (move.isMove()): args = [1, move.origin, move.target, move.size, adjMatrix[move.origin][move.target]+1] curPacket = TroopMsg(simulIDCounter, args) simulIDCounter += 1 simulFac[move.target].pushIncomming(curPacket) else: if (move.form == "BOMB"): turnBombs.append(move) elif (move.form == "INC"): turnIncs.append(move) # Feed Strategizer strategize = Strategizer(enemySimulatedSituation, simulFac, turnBombs, turnIncs, simulIDCounter) # Strategize! strategize.execute() # Executes strategy for turn strategize.redirect() # Redirects troops and paths them via floyd-warshall strategize.prune() # Prunes and organizes co-ordinated attacks strategize.whack() # All out constant barrage of attacks # Fun little MSG if (MSG_OUTPUT): random.seed() if (MSG_RANDIDX == -1): MSG_RANDIDX = random.randint(0,len(HITCHHIKER_GALAXY_QUOTES)-1) elif (MSG_START >= MSG_END): MSG_RANDIDX = random.randint(0,len(HITCHHIKER_GALAXY_QUOTES)-1) MSG_START = 0 MSG_DELAY = MSG_MAXLEN MSG_END = MSG_MAXLEN delay = ">" if (MSG_DELAY <= 0): MSG_START += MSG_RATE if (MSG_END < len(HITCHHIKER_GALAXY_QUOTES[MSG_RANDIDX])): MSG_END += min(len(HITCHHIKER_GALAXY_QUOTES[MSG_RANDIDX])-MSG_END, MSG_RATE) if (MSG_DELAY > 0): for i in range(MSG_DELAY): delay += " " MSG_DELAY -= min(MSG_RATE, MSG_DELAY) MSG_CONTENT = delay+HITCHHIKER_GALAXY_QUOTES[MSG_RANDIDX][min(len(HITCHHIKER_GALAXY_QUOTES[MSG_RANDIDX]), MSG_START):min(len(HITCHHIKER_GALAXY_QUOTES[MSG_RANDIDX]), MSG_END)] # Output final strategy for the turn strategize.printCmd()
[ "devyaoyh@gmail.com" ]
devyaoyh@gmail.com
d5fcb9b809cc8fb4258e72d8c48de1fa360a2a87
572e4478e5f8edc308e41e5f801d89528653e1f0
/temp/test_data.py
5bf4b5442e335372e4aec5bcbf21fdcf6b328595
[]
no_license
dbwodlf3/image_albar_skew
facb8f3e830b276c343853e4b4e1d3e8d1fcfe83
d24bda1e563b81c74e3cd83260afb93fa03e76ef
refs/heads/master
2020-09-10T21:46:48.240551
2019-11-15T09:39:23
2019-11-15T09:39:23
221,843,687
0
0
null
null
null
null
UTF-8
Python
false
false
48,858
py
import cv2 import numpy as np kernel = np.ones((5,5), np.uint8) img = cv2.imread("test2.png") img_gray = cv2.cvtColor(img, cv2.COLOR_BGR2GRAY) img_gray_blur = cv2.GaussianBlur(img_gray, (5,5), 0) img_canny = cv2.Canny(img_gray, 50, 200) img_canny_dilation = cv2.dilate(img_canny, kernel, iterations=3) test_data = \ [((0, 915), (1, 915), 17), ((1, 916), (2, 915), 16), ((2, 916), (3, 915), 31), ((3, 916), (4, 915), 31), ((4, 916), (5, 915), 33), ((5, 916), (6, 915), 33), ((6, 916), (7, 915), 33), ((7, 916), (8, 915), 33), ((8, 916), (9, 915), 33), ((9, 916), (10, 915), 33), ((10, 916), (11, 1182), 33), ((11, 1183), (12, 1182), 17), ((12, 1183), (13, 1182), 17), ((13, 1183), (14, 1182), 17), ((14, 1183), (15, 1182), 17), ((15, 1183), (16, 1182), 17), ((16, 1183), (17, 1184), 17), ((17, 1185), (81, 112), 14), ((81, 113), (82, 104), 28), ((82, 105), (83, 102), 44), ((83, 103), (84, 101), 82), ((84, 102), (85, 95), 113), ((85, 96), (86, 93), 142), ((86, 94), (87, 87), 149), ((87, 88), (88, 86), 156), ((88, 87), (89, 85), 157), ((89, 86), (90, 83), 158), ((90, 84), (91, 80), 176), ((91, 81), (92, 76), 225), ((92, 77), (93, 74), 275), ((93, 75), (94, 74), 283), ((94, 75), (95, 72), 285), ((95, 73), (96, 72), 291), ((96, 73), (97, 71), 369), ((97, 72), (98, 70), 402), ((98, 71), (99, 68), 450), ((99, 69), (100, 67), 492), ((100, 68), (101, 67), 509), ((101, 68), (102, 66), 536), ((102, 67), (103, 65), 512), ((103, 66), (104, 64), 509), ((104, 65), (105, 64), 488), ((105, 65), (106, 63), 510), ((106, 64), (107, 62), 539), ((107, 63), (108, 61), 545), ((108, 62), (109, 60), 559), ((109, 61), (110, 60), 564), ((110, 61), (111, 59), 587), ((111, 60), (112, 59), 576), ((112, 60), (113, 58), 577), ((113, 59), (114, 56), 581), ((114, 57), (115, 56), 599), ((115, 57), (116, 56), 602), ((116, 57), (117, 56), 619), ((117, 57), (118, 55), 617), ((118, 56), (119, 54), 613), ((119, 55), (120, 54), 593), ((120, 55), (121, 53), 580), ((121, 54), (122, 52), 579), ((122, 53), (123, 52), 576), ((123, 53), (124, 52), 572), ((124, 53), (125, 52), 569), ((125, 53), (126, 51), 572), ((126, 52), (127, 51), 576), ((127, 52), (128, 51), 580), ((128, 52), (129, 51), 591), ((129, 52), (130, 51), 591), ((130, 52), (131, 51), 596), ((131, 52), (132, 51), 619), ((132, 52), (133, 51), 622), ((133, 52), (134, 51), 625), ((134, 52), (135, 50), 641), ((135, 51), (136, 50), 653), ((136, 51), (137, 50), 662), ((137, 51), (138, 50), 664), ((138, 51), (139, 50), 658), ((139, 51), (140, 50), 664), ((140, 51), (141, 50), 665), ((141, 51), (142, 50), 664), ((142, 51), (143, 50), 647), ((143, 51), (144, 50), 670), ((144, 51), (145, 50), 653), ((145, 51), (146, 50), 661), ((146, 51), (147, 50), 669), ((147, 51), (148, 50), 666), ((148, 51), (149, 50), 637), ((149, 51), (150, 50), 605), ((150, 51), (151, 50), 574), ((151, 51), (152, 50), 533), ((152, 51), (153, 50), 483), ((153, 51), (154, 50), 474), ((154, 51), (155, 50), 494), ((155, 51), (156, 51), 498), ((156, 52), (157, 51), 488), ((157, 52), (158, 51), 451), ((158, 52), (159, 52), 437), ((159, 53), (160, 53), 435), ((160, 54), (161, 53), 432), ((161, 54), (162, 54), 453), ((162, 55), (163, 54), 470), ((163, 55), (164, 55), 435), ((164, 56), (165, 55), 431), ((165, 56), (166, 56), 414), ((166, 57), (167, 58), 403), ((167, 59), (168, 58), 394), ((168, 59), (169, 62), 379), ((169, 63), (170, 62), 376), ((170, 63), (171, 62), 374), ((171, 63), (172, 62), 370), ((172, 63), (173, 62), 364), ((173, 63), (174, 62), 334), ((174, 63), (175, 62), 321), ((175, 63), (176, 62), 334), ((176, 63), (177, 62), 360), ((177, 63), (178, 62), 363), ((178, 63), (179, 62), 383), ((179, 63), (180, 62), 381), ((180, 63), (181, 62), 379), ((181, 63), (182, 63), 383), ((182, 64), (183, 63), 389), ((183, 64), (184, 63), 417), ((184, 64), (185, 63), 431), ((185, 64), (186, 64), 459), ((186, 65), (187, 64), 485), ((187, 65), (188, 65), 497), ((188, 66), (189, 65), 520), ((189, 66), (190, 65), 536), ((190, 66), (191, 66), 552), ((191, 67), (192, 66), 586), ((192, 67), (193, 67), 602), ((193, 68), (194, 67), 607), ((194, 68), (195, 67), 621), ((195, 68), (196, 68), 639), ((196, 69), (197, 69), 639), ((197, 70), (198, 70), 631), ((198, 71), (199, 71), 648), ((199, 72), (200, 71), 659), ((200, 72), (201, 71), 657), ((201, 72), (202, 71), 660), ((202, 72), (203, 71), 663), ((203, 72), (204, 72), 661), ((204, 73), (205, 73), 661), ((205, 74), (206, 73), 657), ((206, 74), (207, 73), 654), ((207, 74), (208, 73), 646), ((208, 74), (209, 74), 656), ((209, 75), (210, 74), 640), ((210, 75), (211, 74), 631), ((211, 75), (212, 75), 627), ((212, 76), (213, 76), 636), ((213, 77), (214, 77), 642), ((214, 78), (215, 78), 618), ((215, 79), (216, 78), 614), ((216, 79), (217, 79), 605), ((217, 80), (218, 79), 582), ((218, 80), (219, 80), 582), ((219, 81), (220, 77), 567), ((220, 78), (221, 75), 578), ((221, 76), (222, 74), 570), ((222, 75), (223, 74), 575), ((223, 75), (224, 74), 559), ((224, 75), (225, 74), 577), ((225, 75), (226, 74), 579), ((226, 75), (227, 74), 576), ((227, 75), (228, 74), 578), ((228, 75), (229, 74), 588), ((229, 75), (230, 74), 599), ((230, 75), (231, 74), 625), ((231, 75), (232, 74), 612), ((232, 75), (233, 74), 642), ((233, 75), (234, 74), 648), ((234, 75), (235, 74), 676), ((235, 75), (236, 74), 685), ((236, 75), (237, 74), 702), ((237, 75), (238, 75), 720), ((238, 76), (239, 75), 727), ((239, 76), (240, 77), 705), ((240, 78), (241, 101), 696), ((241, 102), (242, 102), 660), ((242, 103), (243, 105), 644), ((243, 106), (244, 133), 638), ((244, 134), (245, 133), 623), ((245, 134), (246, 133), 620), ((246, 134), (247, 133), 639), ((247, 134), (248, 132), 653), ((248, 133), (249, 132), 683), ((249, 133), (250, 132), 699), ((250, 133), (251, 132), 696), ((251, 133), (252, 132), 670), ((252, 133), (253, 132), 657), ((253, 133), (254, 132), 664), ((254, 133), (255, 132), 634), ((255, 133), (256, 132), 635), ((256, 133), (257, 132), 632), ((257, 133), (258, 132), 634), ((258, 133), (259, 132), 638), ((259, 133), (260, 132), 623), ((260, 133), (261, 132), 620), ((261, 133), (262, 132), 623), ((262, 133), (263, 132), 633), ((263, 133), (264, 132), 658), ((264, 133), (265, 132), 664), ((265, 133), (266, 132), 695), ((266, 133), (267, 132), 696), ((267, 133), (268, 132), 692), ((268, 133), (269, 132), 707), ((269, 133), (270, 131), 730), ((270, 132), (271, 131), 747), ((271, 132), (272, 131), 766), ((272, 132), (273, 131), 759), ((273, 132), (274, 131), 765), ((274, 132), (275, 131), 783), ((275, 132), (276, 131), 797), ((276, 132), (277, 130), 829), ((277, 131), (278, 130), 843), ((278, 131), (279, 130), 850), ((279, 131), (280, 130), 850), ((280, 131), (281, 130), 855), ((281, 131), (282, 130), 861), ((282, 131), (283, 130), 865), ((283, 131), (284, 130), 869), ((284, 131), (285, 130), 895), ((285, 131), (286, 130), 904), ((286, 131), (287, 130), 905), ((287, 131), (288, 130), 935), ((288, 131), (289, 130), 940), ((289, 131), (290, 130), 943), ((290, 131), (291, 130), 942), ((291, 131), (292, 129), 950), ((292, 130), (293, 129), 948), ((293, 130), (294, 129), 936), ((294, 130), (295, 129), 935), ((295, 130), (296, 129), 941), ((296, 130), (297, 129), 953), ((297, 130), (298, 129), 938), ((298, 130), (299, 129), 930), ((299, 130), (300, 129), 929), ((300, 130), (301, 129), 944), ((301, 130), (302, 129), 937), ((302, 130), (303, 129), 935), ((303, 130), (304, 129), 930), ((304, 130), (305, 129), 930), ((305, 130), (306, 129), 928), ((306, 130), (307, 129), 928), ((307, 130), (308, 129), 908), ((308, 130), (309, 129), 902), ((309, 130), (310, 129), 911), ((310, 130), (311, 128), 918), ((311, 129), (312, 128), 922), ((312, 129), (313, 128), 932), ((313, 129), (314, 128), 944), ((314, 129), (315, 128), 942), ((315, 129), (316, 128), 931), ((316, 129), (317, 128), 924), ((317, 129), (318, 128), 918), ((318, 129), (319, 128), 922), ((319, 129), (320, 127), 910), ((320, 128), (321, 127), 899), ((321, 128), (322, 127), 887), ((322, 128), (323, 127), 888), ((323, 128), (324, 127), 888), ((324, 128), (325, 127), 882), ((325, 128), (326, 127), 882), ((326, 128), (327, 127), 872), ((327, 128), (328, 127), 860), ((328, 128), (329, 127), 838), ((329, 128), (330, 127), 814), ((330, 128), (331, 127), 793), ((331, 128), (332, 127), 781), ((332, 128), (333, 127), 750), ((333, 128), (334, 127), 737), ((334, 128), (335, 127), 729), ((335, 128), (336, 127), 720), ((336, 128), (337, 127), 722), ((337, 128), (338, 127), 734), ((338, 128), (339, 127), 736), ((339, 128), (340, 127), 712), ((340, 128), (341, 127), 724), ((341, 128), (342, 126), 732), ((342, 127), (343, 126), 739), ((343, 127), (344, 126), 716), ((344, 127), (345, 126), 687), ((345, 127), (346, 126), 708), ((346, 127), (347, 126), 694), ((347, 127), (348, 126), 689), ((348, 127), (349, 126), 670), ((349, 127), (350, 126), 671), ((350, 127), (351, 126), 689), ((351, 127), (352, 126), 701), ((352, 127), (353, 126), 688), ((353, 127), (354, 126), 690), ((354, 127), (355, 126), 689), ((355, 127), (356, 126), 706), ((356, 127), (357, 126), 708), ((357, 127), (358, 126), 677), ((358, 127), (359, 126), 682), ((359, 127), (360, 125), 674), ((360, 126), (361, 125), 669), ((361, 126), (362, 125), 665), ((362, 126), (363, 125), 648), ((363, 126), (364, 125), 627), ((364, 126), (365, 125), 603), ((365, 126), (366, 125), 583), ((366, 126), (367, 125), 566), ((367, 126), (368, 124), 561), ((368, 125), (369, 124), 573), ((369, 125), (370, 124), 561), ((370, 125), (371, 124), 552), ((371, 125), (372, 124), 556), ((372, 125), (373, 124), 543), ((373, 125), (374, 124), 550), ((374, 125), (375, 124), 541), ((375, 125), (376, 124), 523), ((376, 125), (377, 124), 510), ((377, 125), (378, 124), 495), ((378, 125), (379, 124), 487), ((379, 125), (380, 124), 493), ((380, 125), (381, 124), 480), ((381, 125), (382, 124), 479), ((382, 125), (383, 124), 468), ((383, 125), (384, 124), 458), ((384, 125), (385, 124), 444), ((385, 125), (386, 124), 427), ((386, 125), (387, 124), 431), ((387, 125), (388, 124), 423), ((388, 125), (389, 124), 412), ((389, 125), (390, 124), 379), ((390, 125), (391, 124), 357), ((391, 125), (392, 124), 372), ((392, 125), (393, 123), 371), ((393, 124), (394, 123), 362), ((394, 124), (395, 123), 382), ((395, 124), (396, 123), 369), ((396, 124), (397, 123), 365), ((397, 124), (398, 123), 373), ((398, 124), (399, 123), 370), ((399, 124), (400, 123), 380), ((400, 124), (401, 123), 367), ((401, 124), (402, 122), 373), ((402, 123), (403, 122), 374), ((403, 123), (404, 122), 365), ((404, 123), (405, 122), 381), ((405, 123), (406, 122), 376), ((406, 123), (407, 122), 370), ((407, 123), (408, 122), 369), ((408, 123), (409, 122), 365), ((409, 123), (410, 122), 374), ((410, 123), (411, 122), 372), ((411, 123), (412, 122), 361), ((412, 123), (413, 122), 355), ((413, 123), (414, 122), 332), ((414, 123), (415, 122), 322), ((415, 123), (416, 122), 309), ((416, 123), (417, 121), 289), ((417, 122), (418, 121), 274), ((418, 122), (419, 121), 254), ((419, 122), (420, 121), 246), ((420, 122), (421, 121), 228), ((421, 122), (422, 121), 208), ((422, 122), (423, 121), 200), ((423, 122), (424, 121), 181), ((424, 122), (425, 121), 162), ((425, 122), (426, 121), 158), ((426, 122), (427, 121), 131), ((427, 122), (428, 121), 119), ((428, 122), (429, 121), 106), ((429, 122), (430, 121), 87), ((430, 122), (431, 121), 86), ((431, 122), (432, 121), 57), ((432, 122), (433, 121), 46), ((433, 122), (434, 121), 46), ((434, 122), (435, 121), 46), ((435, 122), (436, 121), 46), ((436, 122), (437, 121), 46), ((437, 122), (438, 121), 46), ((438, 122), (439, 121), 45), ((439, 122), (440, 121), 45), ((440, 122), (441, 121), 44), ((441, 122), (442, 120), 45), ((442, 121), (443, 120), 46), ((443, 121), (444, 120), 46), ((444, 121), (445, 119), 46), ((445, 120), (446, 119), 47), ((446, 120), (447, 119), 47), ((447, 120), (448, 119), 63), ((448, 120), (449, 119), 66), ((449, 120), (450, 119), 67), ((450, 120), (451, 119), 70), ((451, 120), (452, 119), 71), ((452, 120), (453, 119), 71), ((453, 120), (454, 119), 71), ((454, 120), (455, 119), 74), ((455, 120), (456, 119), 88), ((456, 120), (457, 119), 99), ((457, 120), (458, 119), 104), ((458, 120), (459, 119), 105), ((459, 120), (460, 119), 108), ((460, 120), (461, 119), 110), ((461, 120), (462, 119), 113), ((462, 120), (463, 119), 114), ((463, 120), (464, 119), 117), ((464, 120), (465, 119), 131), ((465, 120), (466, 119), 134), ((466, 120), (467, 119), 135), ((467, 120), (468, 119), 137), ((468, 120), (469, 119), 139), ((469, 120), (470, 119), 142), ((470, 120), (471, 119), 142), ((471, 120), (472, 119), 142), ((472, 120), (473, 119), 145), ((473, 120), (474, 118), 146), ((474, 119), (475, 118), 149), ((475, 119), (476, 118), 150), ((476, 119), (477, 118), 152), ((477, 119), (478, 118), 172), ((478, 119), (479, 118), 196), ((479, 119), (480, 118), 202), ((480, 119), (481, 118), 222), ((481, 119), (482, 118), 226), ((482, 119), (483, 118), 227), ((483, 119), (484, 117), 230), ((484, 118), (485, 117), 233), ((485, 118), (486, 117), 241), ((486, 118), (487, 117), 247), ((487, 118), (488, 117), 265), ((488, 118), (489, 117), 267), ((489, 118), (490, 117), 273), ((490, 118), (491, 117), 277), ((491, 118), (492, 117), 290), ((492, 118), (493, 117), 299), ((493, 118), (494, 117), 314), ((494, 118), (495, 117), 324), ((495, 118), (496, 117), 327), ((496, 118), (497, 117), 334), ((497, 118), (498, 117), 339), ((498, 118), (499, 116), 347), ((499, 117), (500, 116), 350), ((500, 117), (501, 116), 355), ((501, 117), (502, 116), 352), ((502, 117), (503, 116), 349), ((503, 117), (504, 116), 348), ((504, 117), (505, 116), 348), ((505, 117), (506, 116), 342), ((506, 117), (507, 116), 339), ((507, 117), (508, 116), 348), ((508, 117), (509, 116), 345), ((509, 117), (510, 116), 343), ((510, 117), (511, 116), 342), ((511, 117), (512, 116), 339), ((512, 117), (513, 116), 344), ((513, 117), (514, 116), 350), ((514, 117), (515, 116), 351), ((515, 117), (516, 116), 352), ((516, 117), (517, 116), 340), ((517, 117), (518, 116), 333), ((518, 117), (519, 116), 328), ((519, 117), (520, 116), 323), ((520, 117), (521, 115), 319), ((521, 116), (522, 115), 320), ((522, 116), (523, 115), 320), ((523, 116), (524, 115), 309), ((524, 116), (525, 114), 304), ((525, 115), (526, 114), 304), ((526, 115), (527, 114), 306), ((527, 115), (528, 114), 307), ((528, 115), (529, 114), 304), ((529, 115), (530, 114), 306), ((530, 115), (531, 114), 298), ((531, 115), (532, 114), 300), ((532, 115), (533, 114), 296), ((533, 115), (534, 114), 289), ((534, 115), (535, 114), 287), ((535, 115), (536, 114), 283), ((536, 115), (537, 114), 281), ((537, 115), (538, 114), 282), ((538, 115), (539, 114), 279), ((539, 115), (540, 114), 277), ((540, 115), (541, 114), 275), ((541, 115), (542, 114), 274), ((542, 115), (543, 114), 273), ((543, 115), (544, 114), 270), ((544, 115), (545, 114), 268), ((545, 115), (546, 114), 268), ((546, 115), (547, 113), 267), ((547, 114), (548, 113), 267), ((548, 114), (549, 113), 267), ((549, 114), (550, 113), 267), ((550, 114), (551, 113), 256), ((551, 114), (552, 113), 249), ((552, 114), (553, 113), 263), ((553, 114), (554, 113), 274), ((554, 114), (555, 113), 289), ((555, 114), (556, 113), 290), ((556, 114), (557, 113), 306), ((557, 114), (558, 113), 315), ((558, 114), (559, 113), 316), ((559, 114), (560, 113), 322), ((560, 114), (561, 113), 323), ((561, 114), (562, 113), 328), ((562, 114), (563, 113), 323), ((563, 114), (564, 113), 350), ((564, 114), (565, 112), 352), ((565, 113), (566, 112), 354), ((566, 113), (567, 112), 354), ((567, 113), (568, 112), 367), ((568, 113), (569, 112), 372), ((569, 113), (570, 112), 381), ((570, 113), (571, 112), 383), ((571, 113), (572, 112), 386), ((572, 113), (573, 112), 389), ((573, 113), (574, 112), 390), ((574, 113), (575, 112), 390), ((575, 113), (576, 112), 393), ((576, 113), (577, 112), 394), ((577, 113), (578, 111), 394), ((578, 112), (579, 111), 404), ((579, 112), (580, 111), 405), ((580, 112), (581, 111), 401), ((581, 112), (582, 111), 393), ((582, 112), (583, 111), 392), ((583, 112), (584, 111), 381), ((584, 112), (585, 111), 379), ((585, 112), (586, 111), 380), ((586, 112), (587, 111), 378), ((587, 112), (588, 111), 380), ((588, 112), (589, 111), 377), ((589, 112), (590, 111), 372), ((590, 112), (591, 111), 364), ((591, 112), (592, 111), 363), ((592, 112), (593, 111), 362), ((593, 112), (594, 111), 364), ((594, 112), (595, 111), 359), ((595, 112), (596, 111), 360), ((596, 112), (597, 111), 359), ((597, 112), (598, 111), 362), ((598, 112), (599, 111), 357), ((599, 112), (600, 111), 360), ((600, 112), (601, 111), 356), ((601, 112), (602, 110), 350), ((602, 111), (603, 110), 332), ((603, 111), (604, 110), 333), ((604, 111), (605, 110), 333), ((605, 111), (606, 110), 332), ((606, 111), (607, 110), 327), ((607, 111), (608, 110), 326), ((608, 111), (609, 109), 324), ((609, 110), (610, 109), 329), ((610, 110), (611, 109), 330), ((611, 110), (612, 109), 333), ((612, 110), (613, 109), 326), ((613, 110), (614, 109), 324), ((614, 110), (615, 109), 317), ((615, 110), (616, 109), 317), ((616, 110), (617, 109), 315), ((617, 110), (618, 109), 310), ((618, 110), (619, 109), 305), ((619, 110), (620, 109), 288), ((620, 110), (621, 108), 282), ((621, 109), (622, 108), 287), ((622, 109), (623, 108), 285), ((623, 109), (624, 108), 285), ((624, 109), (625, 108), 286), ((625, 109), (626, 108), 282), ((626, 109), (627, 108), 278), ((627, 109), (628, 108), 275), ((628, 109), (629, 108), 260), ((629, 109), (630, 108), 268), ((630, 109), (631, 108), 268), ((631, 109), (632, 108), 270), ((632, 109), (633, 108), 287), ((633, 109), (634, 108), 316), ((634, 109), (635, 108), 323), ((635, 109), (636, 108), 323), ((636, 109), (637, 108), 326), ((637, 109), (638, 108), 327), ((638, 109), (639, 108), 323), ((639, 109), (640, 108), 337), ((640, 109), (641, 108), 336), ((641, 109), (642, 108), 328), ((642, 109), (643, 108), 326), ((643, 109), (644, 108), 324), ((644, 109), (645, 108), 324), ((645, 109), (646, 108), 326), ((646, 109), (647, 107), 326), ((647, 108), (648, 107), 348), ((648, 108), (649, 107), 362), ((649, 108), (650, 107), 367), ((650, 108), (651, 107), 390), ((651, 108), (652, 107), 395), ((652, 108), (653, 107), 399), ((653, 108), (654, 107), 400), ((654, 108), (655, 107), 404), ((655, 108), (656, 107), 402), ((656, 108), (657, 107), 410), ((657, 108), (658, 107), 408), ((658, 108), (659, 107), 406), ((659, 108), (660, 107), 399), ((660, 108), (661, 107), 395), ((661, 108), (662, 107), 385), ((662, 108), (663, 107), 391), ((663, 108), (664, 106), 394), ((664, 107), (665, 106), 397), ((665, 107), (666, 106), 409), ((666, 107), (667, 106), 411), ((667, 107), (668, 106), 411), ((668, 107), (669, 106), 416), ((669, 107), (670, 106), 418), ((670, 107), (671, 106), 420), ((671, 107), (672, 106), 414), ((672, 107), (673, 106), 417), ((673, 107), (674, 105), 436), ((674, 106), (675, 105), 443), ((675, 106), (676, 105), 428), ((676, 106), (677, 105), 425), ((677, 106), (678, 105), 422), ((678, 106), (679, 105), 420), ((679, 106), (680, 105), 402), ((680, 106), (681, 105), 403), ((681, 106), (682, 105), 403), ((682, 106), (683, 105), 387), ((683, 106), (684, 105), 393), ((684, 106), (685, 105), 409), ((685, 106), (686, 105), 397), ((686, 106), (687, 105), 402), ((687, 106), (688, 104), 397), ((688, 105), (689, 104), 400), ((689, 105), (690, 104), 401), ((690, 105), (691, 103), 398), ((691, 104), (692, 103), 400), ((692, 104), (693, 103), 401), ((693, 104), (694, 103), 390), ((694, 104), (695, 103), 390), ((695, 104), (696, 103), 390), ((696, 104), (697, 103), 390), ((697, 104), (698, 103), 376), ((698, 104), (699, 103), 373), ((699, 104), (700, 103), 370), ((700, 104), (701, 103), 367), ((701, 104), (702, 103), 359), ((702, 104), (703, 103), 335), ((703, 104), (704, 103), 310), ((704, 104), (705, 103), 323), ((705, 104), (706, 103), 331), ((706, 104), (707, 103), 325), ((707, 104), (708, 103), 328), ((708, 104), (709, 103), 317), ((709, 104), (710, 103), 320), ((710, 104), (711, 103), 347), ((711, 104), (712, 103), 352), ((712, 104), (713, 103), 351), ((713, 104), (714, 103), 345), ((714, 104), (715, 103), 358), ((715, 104), (716, 103), 362), ((716, 104), (717, 103), 375), ((717, 104), (718, 103), 394), ((718, 104), (719, 103), 404), ((719, 104), (720, 103), 401), ((720, 104), (721, 103), 402), ((721, 104), (722, 103), 397), ((722, 104), (723, 103), 397), ((723, 104), (724, 103), 394), ((724, 104), (725, 103), 397), ((725, 104), (726, 102), 400), ((726, 103), (727, 102), 407), ((727, 103), (728, 102), 406), ((728, 103), (729, 102), 401), ((729, 103), (730, 102), 405), ((730, 103), (731, 102), 401), ((731, 103), (732, 102), 394), ((732, 103), (733, 102), 392), ((733, 103), (734, 101), 387), ((734, 102), (735, 101), 379), ((735, 102), (736, 101), 368), ((736, 102), (737, 101), 359), ((737, 102), (738, 101), 346), ((738, 102), (739, 101), 345), ((739, 102), (740, 101), 311), ((740, 102), (741, 101), 312), ((741, 102), (742, 101), 298), ((742, 102), (743, 101), 294), ((743, 102), (744, 101), 294), ((744, 102), (745, 101), 291), ((745, 102), (746, 101), 292), ((746, 102), (747, 101), 286), ((747, 102), (748, 100), 253), ((748, 101), (749, 100), 254), ((749, 101), (750, 100), 255), ((750, 101), (751, 100), 255), ((751, 101), (752, 100), 252), ((752, 101), (753, 100), 254), ((753, 101), (754, 100), 254), ((754, 101), (755, 100), 255), ((755, 101), (756, 100), 255), ((756, 101), (757, 100), 260), ((757, 101), (758, 100), 261), ((758, 101), (759, 100), 263), ((759, 101), (760, 100), 266), ((760, 101), (761, 100), 282), ((761, 101), (762, 100), 300), ((762, 101), (763, 100), 310), ((763, 101), (764, 100), 345), ((764, 101), (765, 100), 362), ((765, 101), (766, 100), 371), ((766, 101), (767, 100), 371), ((767, 101), (768, 100), 371), ((768, 101), (769, 100), 367), ((769, 101), (770, 99), 367), ((770, 100), (771, 99), 367), ((771, 100), (772, 99), 363), ((772, 100), (773, 98), 362), ((773, 99), (774, 98), 368), ((774, 99), (775, 98), 366), ((775, 99), (776, 98), 363), ((776, 99), (777, 98), 360), ((777, 99), (778, 98), 359), ((778, 99), (779, 98), 357), ((779, 99), (780, 98), 353), ((780, 99), (781, 98), 349), ((781, 99), (782, 98), 331), ((782, 99), (783, 98), 329), ((783, 99), (784, 98), 326), ((784, 99), (785, 98), 325), ((785, 99), (786, 98), 325), ((786, 99), (787, 98), 325), ((787, 99), (788, 98), 319), ((788, 99), (789, 98), 315), ((789, 99), (790, 98), 295), ((790, 99), (791, 98), 291), ((791, 99), (792, 98), 279), ((792, 99), (793, 98), 272), ((793, 99), (794, 98), 264), ((794, 99), (795, 98), 241), ((795, 99), (796, 98), 228), ((796, 99), (797, 97), 202), ((797, 98), (798, 97), 195), ((798, 98), (799, 97), 151), ((799, 98), (800, 97), 136), ((800, 98), (801, 97), 113), ((801, 98), (802, 97), 112), ((802, 98), (803, 97), 110), ((803, 98), (804, 97), 101), ((804, 98), (805, 97), 82), ((805, 98), (806, 97), 46), ((806, 98), (807, 97), 46), ((807, 98), (808, 97), 46), ((808, 98), (809, 74), 45), ((809, 75), (810, 74), 59), ((810, 75), (811, 74), 60), ((811, 75), (812, 74), 60), ((812, 75), (813, 74), 60), ((813, 75), (814, 74), 60), ((814, 75), (815, 74), 61), ((815, 75), (816, 74), 61), ((816, 75), (817, 74), 61), ((817, 75), (818, 74), 61), ((818, 75), (819, 74), 62), ((819, 75), (820, 74), 62), ((820, 75), (821, 74), 62), ((821, 75), (822, 74), 61), ((822, 75), (823, 74), 61), ((823, 75), (824, 74), 61), ((824, 75), (825, 96), 59), ((825, 97), (826, 96), 46), ((826, 97), (827, 96), 61), ((827, 97), (828, 96), 79), ((828, 97), (829, 96), 106), ((829, 97), (830, 96), 113), ((830, 97), (831, 96), 117), ((831, 97), (832, 95), 137), ((832, 96), (833, 95), 145), ((833, 96), (834, 95), 153), ((834, 96), (835, 95), 168), ((835, 96), (836, 95), 177), ((836, 96), (837, 95), 181), ((837, 96), (838, 95), 183), ((838, 96), (839, 95), 186), ((839, 96), (840, 95), 202), ((840, 96), (841, 95), 226), ((841, 96), (842, 95), 229), ((842, 96), (843, 95), 241), ((843, 96), (844, 95), 244), ((844, 96), (845, 95), 269), ((845, 96), (846, 95), 290), ((846, 96), (847, 95), 300), ((847, 96), (848, 95), 308), ((848, 96), (849, 95), 311), ((849, 96), (850, 95), 322), ((850, 96), (851, 95), 350), ((851, 96), (852, 95), 353), ((852, 96), (853, 95), 360), ((853, 96), (854, 94), 383), ((854, 95), (855, 94), 400), ((855, 95), (856, 93), 412), ((856, 94), (857, 93), 412), ((857, 94), (858, 93), 435), ((858, 94), (859, 93), 450), ((859, 94), (860, 93), 476), ((860, 94), (861, 93), 482), ((861, 94), (862, 93), 489), ((862, 94), (863, 93), 487), ((863, 94), (864, 93), 499), ((864, 94), (865, 93), 506), ((865, 94), (866, 93), 577), ((866, 94), (867, 93), 594), ((867, 94), (868, 93), 616), ((868, 94), (869, 93), 633), ((869, 94), (870, 93), 641), ((870, 94), (871, 93), 650), ((871, 94), (872, 93), 655), ((872, 94), (873, 93), 664), ((873, 94), (874, 93), 675), ((874, 94), (875, 93), 681), ((875, 94), (876, 93), 683), ((876, 94), (877, 93), 688), ((877, 94), (878, 92), 692), ((878, 93), (879, 92), 698), ((879, 93), (880, 92), 699), ((880, 93), (881, 92), 704), ((881, 93), (882, 92), 703), ((882, 93), (883, 92), 696), ((883, 93), (884, 92), 719), ((884, 93), (885, 92), 723), ((885, 93), (886, 92), 742), ((886, 93), (887, 92), 758), ((887, 93), (888, 92), 769), ((888, 93), (889, 92), 779), ((889, 93), (890, 92), 806), ((890, 93), (891, 92), 798), ((891, 93), (892, 91), 803), ((892, 92), (893, 91), 814), ((893, 92), (894, 91), 840), ((894, 92), (895, 91), 842), ((895, 92), (896, 91), 839), ((896, 92), (897, 91), 845), ((897, 92), (898, 91), 839), ((898, 92), (899, 91), 837), ((899, 92), (900, 91), 832), ((900, 92), (901, 91), 826), ((901, 92), (902, 90), 819), ((902, 91), (903, 90), 822), ((903, 91), (904, 90), 820), ((904, 91), (905, 90), 814), ((905, 91), (906, 90), 802), ((906, 91), (907, 90), 803), ((907, 91), (908, 90), 803), ((908, 91), (909, 90), 798), ((909, 91), (910, 90), 795), ((910, 91), (911, 90), 787), ((911, 91), (912, 90), 791), ((912, 91), (913, 90), 789), ((913, 91), (914, 90), 779), ((914, 91), (915, 90), 772), ((915, 91), (916, 90), 748), ((916, 91), (917, 90), 740), ((917, 91), (918, 90), 739), ((918, 91), (919, 90), 728), ((919, 91), (920, 90), 734), ((920, 91), (921, 90), 724), ((921, 91), (922, 90), 717), ((922, 91), (923, 90), 706), ((923, 91), (924, 90), 710), ((924, 91), (925, 90), 714), ((925, 91), (926, 90), 713), ((926, 91), (927, 90), 710), ((927, 91), (928, 90), 720), ((928, 91), (929, 90), 711), ((929, 91), (930, 90), 704), ((930, 91), (931, 90), 710), ((931, 91), (932, 90), 695), ((932, 91), (933, 89), 691), ((933, 90), (934, 89), 709), ((934, 90), (935, 89), 735), ((935, 90), (936, 88), 732), ((936, 89), (937, 88), 714), ((937, 89), (938, 88), 710), ((938, 89), (939, 88), 693), ((939, 89), (940, 88), 692), ((940, 89), (941, 88), 667), ((941, 89), (942, 88), 655), ((942, 89), (943, 88), 663), ((943, 89), (944, 88), 660), ((944, 89), (945, 88), 661), ((945, 89), (946, 88), 665), ((946, 89), (947, 88), 666), ((947, 89), (948, 88), 668), ((948, 89), (949, 88), 669), ((949, 89), (950, 88), 666), ((950, 89), (951, 88), 666), ((951, 89), (952, 88), 665), ((952, 89), (953, 88), 656), ((953, 89), (954, 88), 641), ((954, 89), (955, 88), 638), ((955, 89), (956, 88), 637), ((956, 89), (957, 87), 623), ((957, 88), (958, 87), 627), ((958, 88), (959, 87), 620), ((959, 88), (960, 87), 614), ((960, 88), (961, 87), 583), ((961, 88), (962, 87), 580), ((962, 88), (963, 87), 591), ((963, 88), (964, 87), 565), ((964, 88), (965, 87), 564), ((965, 88), (966, 87), 566), ((966, 88), (967, 87), 555), ((967, 88), (968, 87), 527), ((968, 88), (969, 87), 523), ((969, 88), (970, 87), 518), ((970, 88), (971, 87), 516), ((971, 88), (972, 87), 517), ((972, 88), (973, 87), 521), ((973, 88), (974, 87), 520), ((974, 88), (975, 87), 520), ((975, 88), (976, 87), 520), ((976, 88), (977, 86), 514), ((977, 87), (978, 86), 509), ((978, 87), (979, 86), 493), ((979, 87), (980, 86), 493), ((980, 87), (981, 86), 491), ((981, 87), (982, 86), 497), ((982, 87), (983, 86), 498), ((983, 87), (984, 86), 498), ((984, 87), (985, 86), 493), ((985, 87), (986, 86), 494), ((986, 87), (987, 85), 475), ((987, 86), (988, 85), 475), ((988, 86), (989, 85), 476), ((989, 86), (990, 85), 472), ((990, 86), (991, 85), 466), ((991, 86), (992, 85), 466), ((992, 86), (993, 85), 462), ((993, 86), (994, 85), 450), ((994, 86), (995, 85), 439), ((995, 86), (996, 85), 434), ((996, 86), (997, 85), 424), ((997, 86), (998, 85), 404), ((998, 86), (999, 85), 402), ((999, 86), (1000, 85), 397), ((1000, 86), (1001, 85), 385), ((1001, 86), (1002, 85), 355), ((1002, 86), (1003, 85), 342), ((1003, 86), (1004, 85), 334), ((1004, 86), (1005, 85), 329), ((1005, 86), (1006, 84), 314), ((1006, 85), (1007, 84), 306), ((1007, 85), (1008, 84), 300), ((1008, 85), (1009, 84), 289), ((1009, 85), (1010, 84), 276), ((1010, 85), (1011, 84), 262), ((1011, 85), (1012, 84), 217), ((1012, 85), (1013, 84), 209), ((1013, 85), (1014, 84), 184), ((1014, 85), (1015, 84), 161), ((1015, 85), (1016, 84), 155), ((1016, 85), (1017, 84), 150), ((1017, 85), (1018, 84), 131), ((1018, 85), (1019, 84), 124), ((1019, 85), (1020, 83), 101), ((1020, 84), (1021, 83), 100), ((1021, 84), (1022, 83), 99), ((1022, 84), (1023, 83), 98), ((1023, 84), (1024, 83), 98), ((1024, 84), (1025, 83), 99), ((1025, 84), (1026, 83), 99), ((1026, 84), (1027, 83), 99), ((1027, 84), (1028, 83), 99), ((1028, 84), (1029, 83), 98), ((1029, 84), (1030, 83), 98), ((1030, 84), (1031, 83), 109), ((1031, 84), (1032, 82), 109), ((1032, 83), (1033, 82), 105), ((1033, 83), (1034, 82), 102), ((1034, 83), (1035, 82), 97), ((1035, 83), (1036, 82), 93), ((1036, 83), (1037, 82), 89), ((1037, 83), (1038, 82), 89), ((1038, 83), (1039, 82), 86), ((1039, 83), (1040, 82), 61), ((1040, 83), (1041, 82), 61), ((1041, 83), (1042, 82), 61), ((1042, 83), (1043, 82), 61), ((1043, 83), (1044, 82), 61), ((1044, 83), (1045, 82), 75), ((1045, 83), (1046, 82), 71), ((1046, 83), (1047, 82), 89), ((1047, 83), (1048, 82), 98), ((1048, 83), (1049, 82), 99), ((1049, 83), (1050, 82), 100), ((1050, 83), (1051, 82), 103), ((1051, 83), (1052, 82), 111), ((1052, 83), (1053, 82), 120), ((1053, 83), (1054, 82), 126), ((1054, 83), (1055, 82), 137), ((1055, 83), (1056, 82), 140), ((1056, 83), (1057, 82), 148), ((1057, 83), (1058, 82), 168), ((1058, 83), (1059, 81), 170), ((1059, 82), (1060, 81), 181), ((1060, 82), (1061, 81), 197), ((1061, 82), (1062, 81), 209), ((1062, 82), (1063, 81), 215), ((1063, 82), (1064, 81), 223), ((1064, 82), (1065, 81), 232), ((1065, 82), (1066, 80), 241), ((1066, 81), (1067, 80), 248), ((1067, 81), (1068, 80), 252), ((1068, 81), (1069, 80), 259), ((1069, 81), (1070, 80), 265), ((1070, 81), (1071, 80), 269), ((1071, 81), (1072, 80), 272), ((1072, 81), (1073, 80), 274), ((1073, 81), (1074, 80), 277), ((1074, 81), (1075, 80), 280), ((1075, 81), (1076, 80), 297), ((1076, 81), (1077, 80), 305), ((1077, 81), (1078, 80), 326), ((1078, 81), (1079, 80), 331), ((1079, 81), (1080, 80), 355), ((1080, 81), (1081, 80), 365), ((1081, 81), (1082, 80), 372), ((1082, 81), (1083, 80), 379), ((1083, 81), (1084, 80), 388), ((1084, 81), (1085, 80), 397), ((1085, 81), (1086, 80), 399), ((1086, 81), (1087, 79), 405), ((1087, 80), (1088, 79), 411), ((1088, 80), (1089, 79), 430), ((1089, 80), (1090, 79), 474), ((1090, 80), (1091, 79), 512), ((1091, 80), (1092, 79), 519), ((1092, 80), (1093, 79), 543), ((1093, 80), (1094, 79), 551), ((1094, 80), (1095, 79), 563), ((1095, 80), (1096, 79), 584), ((1096, 80), (1097, 79), 601), ((1097, 80), (1098, 79), 618), ((1098, 80), (1099, 79), 625), ((1099, 80), (1100, 79), 625), ((1100, 80), (1101, 79), 627), ((1101, 80), (1102, 79), 631), ((1102, 80), (1103, 79), 652), ((1103, 80), (1104, 79), 661), ((1104, 80), (1105, 79), 667), ((1105, 80), (1106, 78), 673), ((1106, 79), (1107, 78), 681), ((1107, 79), (1108, 78), 692), ((1108, 79), (1109, 78), 682), ((1109, 79), (1110, 78), 681), ((1110, 79), (1111, 78), 678), ((1111, 79), (1112, 78), 683), ((1112, 79), (1113, 77), 690), ((1113, 78), (1114, 77), 690), ((1114, 78), (1115, 77), 692), ((1115, 78), (1116, 77), 717), ((1116, 78), (1117, 77), 729), ((1117, 78), (1118, 77), 726), ((1118, 78), (1119, 77), 732), ((1119, 78), (1120, 77), 737), ((1120, 78), (1121, 77), 754), ((1121, 78), (1122, 77), 773), ((1122, 78), (1123, 77), 779), ((1123, 78), (1124, 77), 776), ((1124, 78), (1125, 77), 783), ((1125, 78), (1126, 77), 788), ((1126, 78), (1127, 77), 767), ((1127, 78), (1128, 77), 730), ((1128, 78), (1129, 77), 718), ((1129, 78), (1130, 77), 721), ((1130, 78), (1131, 77), 723), ((1131, 78), (1132, 76), 736), ((1132, 77), (1133, 76), 737), ((1133, 77), (1134, 76), 736), ((1134, 77), (1135, 76), 743), ((1135, 77), (1136, 76), 764), ((1136, 77), (1137, 76), 775), ((1137, 77), (1138, 76), 795), ((1138, 77), (1139, 76), 797), ((1139, 77), (1140, 76), 807), ((1140, 77), (1141, 76), 811), ((1141, 77), (1142, 76), 812), ((1142, 77), (1143, 76), 812), ((1143, 77), (1144, 76), 809), ((1144, 77), (1145, 76), 811), ((1145, 77), (1146, 76), 811), ((1146, 77), (1147, 76), 810), ((1147, 77), (1148, 76), 808), ((1148, 77), (1149, 75), 806), ((1149, 76), (1150, 75), 801), ((1150, 76), (1151, 75), 805), ((1151, 76), (1152, 75), 798), ((1152, 76), (1153, 75), 794), ((1153, 76), (1154, 75), 765), ((1154, 76), (1155, 75), 764), ((1155, 76), (1156, 75), 765), ((1156, 76), (1157, 75), 761), ((1157, 76), (1158, 75), 769), ((1158, 76), (1159, 75), 758), ((1159, 76), (1160, 75), 754), ((1160, 76), (1161, 75), 749), ((1161, 76), (1162, 75), 748), ((1162, 76), (1163, 75), 744), ((1163, 76), (1164, 75), 744), ((1164, 76), (1165, 75), 740), ((1165, 76), (1166, 75), 722), ((1166, 76), (1167, 75), 710), ((1167, 76), (1168, 75), 709), ((1168, 76), (1169, 75), 699), ((1169, 76), (1170, 75), 688), ((1170, 76), (1171, 75), 667), ((1171, 76), (1172, 74), 652), ((1172, 75), (1173, 74), 642), ((1173, 75), (1174, 74), 626), ((1174, 75), (1175, 74), 604), ((1175, 75), (1176, 74), 603), ((1176, 75), (1177, 74), 606), ((1177, 75), (1178, 74), 604), ((1178, 75), (1179, 74), 599), ((1179, 75), (1180, 74), 599), ((1180, 75), (1181, 74), 603), ((1181, 75), (1182, 74), 582), ((1182, 75), (1183, 74), 575), ((1183, 75), (1184, 74), 562), ((1184, 75), (1185, 74), 565), ((1185, 75), (1186, 74), 550), ((1186, 75), (1187, 74), 546), ((1187, 75), (1188, 74), 538), ((1188, 75), (1189, 73), 520), ((1189, 74), (1190, 73), 514), ((1190, 74), (1191, 73), 514), ((1191, 74), (1192, 72), 506), ((1192, 73), (1193, 72), 506), ((1193, 73), (1194, 72), 504), ((1194, 73), (1195, 72), 493), ((1195, 73), (1196, 72), 483), ((1196, 73), (1197, 72), 482), ((1197, 73), (1198, 72), 478), ((1198, 73), (1199, 72), 472), ((1199, 73), (1200, 72), 442), ((1200, 73), (1201, 72), 435), ((1201, 73), (1202, 72), 433), ((1202, 73), (1203, 72), 425), ((1203, 73), (1204, 72), 407), ((1204, 73), (1205, 72), 401), ((1205, 73), (1206, 72), 389), ((1206, 73), (1207, 72), 362), ((1207, 73), (1208, 72), 360), ((1208, 73), (1209, 72), 355), ((1209, 73), (1210, 72), 336), ((1210, 73), (1211, 72), 336), ((1211, 73), (1212, 72), 332), ((1212, 73), (1213, 72), 336), ((1213, 73), (1214, 72), 335), ((1214, 73), (1215, 72), 332), ((1215, 73), (1216, 72), 339), ((1216, 73), (1217, 71), 337), ((1217, 72), (1218, 71), 334), ((1218, 72), (1219, 71), 329), ((1219, 72), (1220, 71), 325), ((1220, 72), (1221, 71), 328), ((1221, 72), (1222, 71), 308), ((1222, 72), (1223, 71), 309), ((1223, 72), (1224, 71), 316), ((1224, 72), (1225, 71), 316), ((1225, 72), (1226, 71), 315), ((1226, 72), (1227, 71), 315), ((1227, 72), (1228, 71), 314), ((1228, 72), (1229, 71), 315), ((1229, 72), (1230, 71), 318), ((1230, 72), (1231, 71), 317), ((1231, 72), (1232, 71), 317), ((1232, 72), (1233, 71), 316), ((1233, 72), (1234, 71), 313), ((1234, 72), (1235, 70), 293), ((1235, 71), (1236, 70), 293), ((1236, 71), (1237, 70), 289), ((1237, 71), (1238, 70), 288), ((1238, 71), (1239, 70), 287), ((1239, 71), (1240, 70), 277), ((1240, 71), (1241, 70), 277), ((1241, 71), (1242, 70), 275), ((1242, 71), (1243, 70), 271), ((1243, 71), (1244, 70), 269), ((1244, 71), (1245, 70), 267), ((1245, 71), (1246, 70), 266), ((1246, 71), (1247, 70), 263), ((1247, 71), (1248, 70), 254), ((1248, 71), (1249, 69), 250), ((1249, 70), (1250, 69), 234), ((1250, 70), (1251, 69), 225), ((1251, 70), (1252, 69), 223), ((1252, 70), (1253, 69), 220), ((1253, 70), (1254, 69), 218), ((1254, 70), (1255, 69), 211), ((1255, 70), (1256, 69), 210), ((1256, 70), (1257, 69), 210), ((1257, 70), (1258, 11), 204), ((1258, 12), (1259, 9), 214), ((1259, 10), (1260, 9), 216), ((1260, 10), (1261, 9), 211), ((1261, 10), (1262, 9), 209), ((1262, 10), (1263, 9), 207), ((1263, 10), (1264, 9), 202), ((1264, 10), (1265, 9), 185), ((1265, 10), (1266, 9), 183), ((1266, 10), (1267, 9), 177), ((1267, 10), (1268, 9), 172), ((1268, 10), (1269, 9), 170), ((1269, 10), (1270, 9), 164), ((1270, 10), (1271, 9), 148), ((1271, 10), (1272, 9), 148), ((1272, 10), (1273, 10), 147), ((1273, 11), (1274, 68), 146), ((1274, 69), (1275, 67), 130), ((1275, 68), (1276, 67), 130), ((1276, 68), (1277, 67), 128), ((1277, 68), (1278, 67), 124), ((1278, 68), (1279, 67), 123), ((1279, 68), (1280, 67), 122), ((1280, 68), (1281, 67), 115), ((1281, 68), (1282, 67), 111), ((1282, 68), (1283, 67), 110), ((1283, 68), (1284, 67), 107), ((1284, 68), (1285, 67), 93), ((1285, 68), (1286, 67), 92), ((1286, 68), (1287, 67), 76), ((1287, 68), (1288, 67), 76), ((1288, 68), (1289, 67), 76), ((1289, 68), (1290, 67), 76), ((1290, 68), (1291, 67), 75), ((1291, 68), (1292, 67), 75), ((1292, 68), (1293, 67), 75), ((1293, 68), (1294, 67), 75), ((1294, 68), (1295, 67), 75), ((1295, 68), (1296, 66), 75), ((1296, 67), (1297, 66), 76), ((1297, 67), (1298, 66), 75), ((1298, 67), (1299, 66), 75), ((1299, 67), (1300, 66), 75), ((1300, 67), (1301, 66), 75), ((1301, 67), (1302, 66), 75), ((1302, 67), (1303, 66), 74), ((1303, 67), (1304, 66), 74), ((1304, 67), (1305, 66), 74), ((1305, 67), (1306, 66), 74), ((1306, 67), (1307, 66), 74), ((1307, 67), (1308, 66), 72), ((1308, 67), (1309, 66), 72), ((1309, 67), (1310, 66), 72), ((1310, 67), (1311, 66), 72), ((1311, 67), (1312, 66), 72), ((1312, 67), (1313, 66), 71), ((1313, 67), (1314, 65), 71), ((1314, 66), (1315, 65), 71), ((1315, 66), (1316, 65), 71), ((1316, 66), (1317, 65), 71), ((1317, 66), (1318, 65), 72), ((1318, 66), (1319, 65), 69), ((1319, 66), (1320, 65), 66), ((1320, 66), (1321, 65), 45), ((1321, 66), (1322, 64), 45), ((1322, 65), (1323, 64), 46), ((1323, 65), (1324, 64), 46), ((1324, 65), (1325, 64), 45), ((1325, 65), (1326, 64), 46), ((1326, 65), (1327, 64), 46), ((1327, 65), (1328, 64), 46), ((1328, 65), (1329, 64), 46), ((1329, 65), (1330, 64), 46), ((1330, 65), (1331, 64), 46), ((1331, 65), (1332, 64), 46), ((1332, 65), (1333, 64), 46), ((1333, 65), (1334, 64), 46), ((1334, 65), (1335, 64), 46), ((1335, 65), (1336, 64), 45), ((1336, 65), (1337, 64), 44), ((1337, 65), (1338, 64), 44), ((1338, 65), (1339, 64), 44), ((1339, 65), (1340, 64), 44), ((1340, 65), (1341, 64), 44), ((1341, 65), (1342, 64), 45), ((1342, 65), (1343, 64), 45), ((1343, 65), (1344, 64), 45), ((1344, 65), (1345, 64), 45), ((1345, 65), (1346, 64), 45), ((1346, 65), (1347, 64), 45), ((1347, 65), (1348, 64), 45), ((1348, 65), (1349, 64), 45), ((1349, 65), (1350, 64), 44), ((1350, 65), (1351, 64), 44), ((1351, 65), (1352, 64), 44), ((1352, 65), (1353, 63), 44), ((1353, 64), (1354, 63), 45), ((1354, 64), (1355, 63), 44), ((1355, 64), (1356, 62), 44), ((1356, 63), (1357, 62), 45), ((1357, 63), (1358, 62), 45), ((1358, 63), (1359, 62), 45), ((1359, 63), (1360, 62), 45), ((1360, 63), (1361, 62), 45), ((1361, 63), (1362, 62), 45), ((1362, 63), (1363, 62), 45), ((1363, 63), (1364, 62), 44), ((1364, 63), (1365, 62), 44), ((1365, 63), (1366, 62), 45), ((1366, 63), (1367, 62), 45), ((1367, 63), (1368, 62), 45), ((1368, 63), (1369, 62), 46), ((1369, 63), (1370, 62), 47), ((1370, 63), (1371, 62), 65), ((1371, 63), (1372, 62), 80), ((1372, 63), (1373, 61), 90), ((1373, 62), (1374, 61), 119), ((1374, 62), (1375, 61), 125), ((1375, 62), (1376, 61), 143), ((1376, 62), (1377, 61), 165), ((1377, 62), (1378, 61), 170), ((1378, 62), (1379, 61), 195), ((1379, 62), (1380, 61), 206), ((1380, 62), (1381, 61), 221), ((1381, 62), (1382, 61), 240), ((1382, 62), (1383, 61), 252), ((1383, 62), (1384, 61), 276), ((1384, 62), (1385, 61), 288), ((1385, 62), (1386, 61), 299), ((1386, 62), (1387, 61), 319), ((1387, 62), (1388, 61), 333), ((1388, 62), (1389, 61), 350), ((1389, 62), (1390, 62), 366), ((1390, 63), (1391, 86), 376), ((1391, 87), (1392, 105), 375), ((1392, 106), (1393, 109), 371), ((1393, 110), (1394, 134), 377), ((1394, 135), (1395, 147), 377), ((1395, 148), (1396, 165), 376), ((1396, 166), (1397, 186), 372), ((1397, 187), (1398, 187), 370), ((1398, 188), (1399, 213), 383), ((1399, 214), (1400, 228), 380), ((1400, 229), (1401, 239), 375), ((1401, 240), (1402, 260), 379), ((1402, 261), (1403, 271), 379), ((1403, 272), (1404, 293), 375), ((1404, 294), (1405, 309), 384), ((1405, 310), (1406, 323), 372), ((1406, 324), (1407, 344), 375), ((1407, 345), (1408, 355), 375), ((1408, 356), (1409, 371), 373), ((1409, 372), (1410, 386), 380), ((1410, 387), (1411, 400), 380), ((1411, 401), (1412, 421), 377), ((1412, 422), (1413, 432), 390), ((1413, 433), (1414, 446), 392), ((1414, 447), (1415, 467), 381), ((1415, 468), (1416, 477), 380), ((1416, 478), (1417, 495), 373), ((1417, 496), (1418, 514), 375), ((1418, 515), (1419, 526), 376), ((1419, 527), (1420, 549), 373), ((1420, 550), (1421, 557), 369), ((1421, 558), (1422, 577), 378), ((1422, 578), (1423, 598), 373), ((1423, 599), (1424, 603), 367), ((1424, 604), (1425, 624), 374), ((1425, 625), (1426, 644), 375), ((1426, 645), (1427, 658), 361), ((1427, 659), (1428, 681), 367), ((1428, 682), (1429, 683), 362), ((1429, 684), (1430, 708), 367), ((1430, 709), (1431, 724), 374), ((1431, 725), (1432, 734), 361), ((1432, 735), (1433, 756), 370), ((1433, 757), (1434, 766), 371), ((1434, 767), (1435, 784), 366), ((1435, 785), (1436, 799), 371), ((1436, 800), (1437, 811), 369), ((1437, 812), (1438, 832), 370), ((1438, 833), (1439, 847), 368), ((1439, 848), (1440, 859), 370), ((1440, 860), (1441, 880), 377), ((1441, 881), (1442, 894), 368), ((1442, 895), (1443, 909), 365), ((1443, 910), (1444, 927), 369), ((1444, 928), (1445, 937), 358), ((1445, 938), (1446, 958), 347), ((1446, 959), (1447, 968), 326), ((1447, 969), (1448, 986), 316), ((1448, 987), (1449, 1007), 298), ((1449, 1008), (1450, 1009), 277), ((1450, 1010), (1451, 1033), 275), ((1451, 1034), (1452, 1047), 251), ((1452, 1048), (1453, 1065), 237), ((1453, 1066), (1454, 1088), 219), ((1454, 1089), (1455, 1094), 196), ((1455, 1095), (1456, 1117), 190), ((1456, 1118), (1457, 1132), 167), ((1457, 1133), (1458, 1142), 152), ((1458, 1143), (1459, 1173), 142), ((1459, 1174), (1460, 1177), 111), ((1460, 1178), (1461, 1197), 106), ((1461, 1198), (1462, 69), 86), ((1462, 70), (1463, 68), 82), ((1463, 69), (1464, 67), 75), ((1464, 68), (1465, 67), 57), ((1465, 68), (1466, 66), 66), ((1466, 67), (1467, 65), 64), ((1467, 66), (1468, 64), 63), ((1468, 65), (1469, 64), 77), ((1469, 65), (1470, 63), 95), ((1470, 64), (1471, 62), 97), ((1471, 63), (1472, 62), 98), ((1472, 63), (1473, 61), 98), ((1473, 62), (1474, 60), 99), ((1474, 61), (1475, 60), 136), ((1475, 61), (1476, 59), 153), ((1476, 60), (1477, 58), 197), ((1477, 59), (1478, 57), 214), ((1478, 58), (1479, 56), 232), ((1479, 57), (1480, 56), 235), ((1480, 57), (1481, 56), 257), ((1481, 57), (1482, 55), 262), ((1482, 56), (1483, 54), 271), ((1483, 55), (1484, 54), 277), ((1484, 55), (1485, 53), 280), ((1485, 54), (1486, 52), 318), ((1486, 53), (1487, 52), 328), ((1487, 53), (1488, 52), 335), ((1488, 53), (1489, 52), 338), ((1489, 53), (1490, 52), 362), ((1490, 53), (1491, 52), 381), ((1491, 53), (1492, 52), 383), ((1492, 53), (1493, 52), 385), ((1493, 53), (1494, 52), 424), ((1494, 53), (1495, 52), 442), ((1495, 53), (1496, 52), 460), ((1496, 53), (1497, 52), 469), ((1497, 53), (1498, 52), 485), ((1498, 53), (1499, 52), 499), ((1499, 53), (1500, 52), 504), ((1500, 53), (1501, 52), 551), ((1501, 53), (1502, 53), 555), ((1502, 54), (1503, 53), 553), ((1503, 54), (1504, 54), 552), ((1504, 55), (1505, 54), 551), ((1505, 55), (1506, 55), 566), ((1506, 56), (1507, 56), 560), ((1507, 57), (1508, 56), 566), ((1508, 57), (1509, 56), 590), ((1509, 57), (1510, 57), 588), ((1510, 58), (1511, 58), 614), ((1511, 59), (1512, 58), 669), ((1512, 59), (1513, 58), 676), ((1513, 59), (1514, 59), 685), ((1514, 60), (1515, 59), 692), ((1515, 60), (1516, 60), 752), ((1516, 61), (1517, 60), 758), ((1517, 61), (1518, 61), 745), ((1518, 62), (1519, 61), 776), ((1519, 62), (1520, 62), 797), ((1520, 63), (1521, 62), 806), ((1521, 63), (1522, 63), 808), ((1522, 64), (1523, 64), 806), ((1523, 65), (1524, 64), 769), ((1524, 65), (1525, 64), 770), ((1525, 65), (1526, 65), 785), ((1526, 66), (1527, 106), 792), ((1527, 107), (1528, 131), 754), ((1528, 132), (1529, 132), 727), ((1529, 133), (1530, 137), 702), ((1530, 138), (1531, 141), 693), ((1531, 142), (1532, 199), 681), ((1532, 200), (1533, 201), 651), ((1533, 202), (1534, 63), 630), ((1534, 64), (1535, 62), 645), ((1535, 63), (1536, 62), 668), ((1536, 63), (1537, 62), 630), ((1537, 63), (1538, 62), 638), ((1538, 63), (1539, 62), 618), ((1539, 63), (1540, 62), 619), ((1540, 63), (1541, 62), 613), ((1541, 63), (1542, 62), 590), ((1542, 63), (1543, 62), 562), ((1543, 63), (1544, 62), 540), ((1544, 63), (1545, 61), 543), ((1545, 62), (1546, 61), 582), ((1546, 62), (1547, 61), 613), ((1547, 62), (1548, 60), 591), ((1548, 61), (1549, 60), 598), ((1549, 61), (1550, 59), 585), ((1550, 60), (1551, 59), 590), ((1551, 60), (1552, 58), 613), ((1552, 59), (1553, 57), 580), ((1553, 58), (1554, 56), 576), ((1554, 57), (1555, 55), 572), ((1555, 56), (1556, 54), 590), ((1556, 55), (1557, 52), 629), ((1557, 53), (1558, 51), 635), ((1558, 52), (1559, 51), 624), ((1559, 52), (1560, 51), 627), ((1560, 52), (1561, 51), 654), ((1561, 52), (1562, 51), 648), ((1562, 52), (1563, 51), 621), ((1563, 52), (1564, 51), 642), ((1564, 52), (1565, 51), 643), ((1565, 52), (1566, 51), 627), ((1566, 52), (1567, 51), 649), ((1567, 52), (1568, 51), 653), ((1568, 52), (1569, 51), 659), ((1569, 52), (1570, 51), 649), ((1570, 52), (1571, 51), 642), ((1571, 52), (1572, 51), 657), ((1572, 52), (1573, 52), 638), ((1573, 53), (1574, 53), 618), ((1574, 54), (1575, 59), 648), ((1575, 60), (1576, 59), 648), ((1576, 60), (1577, 59), 652), ((1577, 60), (1578, 59), 656), ((1578, 60), (1579, 59), 656), ((1579, 60), (1580, 59), 637), ((1580, 60), (1581, 59), 621), ((1581, 60), (1582, 59), 612), ((1582, 60), (1583, 59), 653), ((1583, 60), (1584, 59), 671), ((1584, 60), (1585, 59), 708), ((1585, 60), (1586, 62), 735), ((1586, 63), (1587, 86), 736), ((1587, 87), (1588, 88), 712), ((1588, 89), (1589, 88), 719), ((1589, 89), (1590, 88), 745), ((1590, 89), (1591, 88), 779), ((1591, 89), (1592, 88), 796), ((1592, 89), (1593, 88), 777), ((1593, 89), (1594, 88), 777), ((1594, 89), (1595, 88), 777), ((1595, 89), (1596, 88), 778), ((1596, 89), (1597, 88), 785), ((1597, 89), (1598, 88), 811), ((1598, 89), (1599, 88), 799), ((1599, 89), (1600, 88), 807), ((1600, 89), (1601, 133), 807), ((1601, 134), (1602, 133), 806), ((1602, 134), (1603, 134), 811), ((1603, 135), (1604, 200), 809), ((1604, 201), (1605, 200), 812), ((1605, 201), (1606, 200), 804), ((1606, 201), (1607, 200), 799), ((1607, 201), (1608, 251), 819), ((1608, 252), (1609, 251), 805), ((1609, 252), (1610, 251), 827), ((1610, 252), (1611, 253), 831), ((1611, 254), (1612, 299), 847), ((1612, 300), (1613, 299), 833), ((1613, 300), (1614, 301), 837), ((1614, 302), (1615, 347), 827), ((1615, 348), (1616, 347), 813), ((1616, 348), (1617, 384), 818), ((1617, 385), (1618, 386), 758), ((1618, 387), (1619, 86), 745), ((1619, 87), (1620, 64), 728), ((1620, 65), (1621, 63), 742), ((1621, 64), (1622, 62), 743), ((1622, 63), (1623, 62), 741), ((1623, 63), (1624, 62), 768), ((1624, 63), (1625, 62), 769), ((1625, 63), (1626, 62), 750), ((1626, 63), (1627, 62), 762), ((1627, 63), (1628, 62), 774), ((1628, 63), (1629, 62), 738), ((1629, 63), (1630, 62), 731), ((1630, 63), (1631, 62), 760), ((1631, 63), (1632, 62), 751), ((1632, 63), (1633, 62), 759), ((1633, 63), (1634, 62), 751), ((1634, 63), (1635, 61), 740), ((1635, 62), (1636, 61), 718), ((1636, 62), (1637, 61), 738), ((1637, 62), (1638, 60), 704), ((1638, 61), (1639, 60), 727), ((1639, 61), (1640, 59), 728), ((1640, 60), (1641, 59), 716), ((1641, 60), (1642, 58), 720), ((1642, 59), (1643, 58), 722), ((1643, 59), (1644, 57), 744), ((1644, 58), (1645, 56), 768), ((1645, 57), (1646, 56), 736), ((1646, 57), (1647, 55), 732), ((1647, 56), (1648, 53), 746), ((1648, 54), (1649, 52), 729), ((1649, 53), (1650, 50), 749), ((1650, 51), (1651, 50), 761), ((1651, 51), (1652, 50), 747), ((1652, 51), (1653, 50), 746), ((1653, 51), (1654, 50), 744), ((1654, 51), (1655, 50), 725), ((1655, 51), (1656, 50), 709)]
[ "dbwodlf3@naver.com" ]
dbwodlf3@naver.com
d2b5a47ddc782506bfba00b7042c810354ca91ce
828ae8d9936b735c6ecb13514fae76dde59199f2
/src/sync/page_down.py
aeed2cf1cbe0432a5cc806ebd04192ff49ec4302
[]
no_license
KenJi544/async_training
a8630e2c3d090a68ee467c86d7ed5d7302221830
a9b02536c7661b4003eeb5cf911cc4ba78972481
refs/heads/master
2020-03-28T21:11:29.295064
2018-10-19T06:57:53
2018-10-19T06:57:53
149,136,500
0
0
null
null
null
null
UTF-8
Python
false
false
343
py
import requests from .util.loggin_util import logger def download_page(url): logger.info("downloading the page") page = request.get(url) logger.debug(f"page status : {page.status_code}") if page.status_code == 200: logger.info("page downloaded with succes") else: logger.warning("page didn't downloaded")
[ "grigori@smartsoftdev.eu" ]
grigori@smartsoftdev.eu
b35422cbf3d8501bfd9d006f2035134b3d022010
327a8fe2743bde7f49b19914e4d62091cb7c79d6
/upload/wsgi.py
d97d7643e5921ed05ee7ec9f48320185ec321262
[ "MIT" ]
permissive
danrneal/raft-drf-exercise
3de78d115e02a3739911feb30e1b96f482b873e0
f62d2f05cd085f7a8d9b89f4ecee2c76feb4b47e
refs/heads/main
2023-08-03T17:04:14.583022
2021-09-22T19:53:08
2021-09-22T19:53:08
312,690,985
0
0
MIT
2021-09-22T19:53:09
2020-11-13T21:47:48
Python
UTF-8
Python
false
false
389
py
""" WSGI config for upload project. It exposes the WSGI callable as a module-level variable named ``application``. For more information on this file, see https://docs.djangoproject.com/en/3.1/howto/deployment/wsgi/ """ import os from django.core.wsgi import get_wsgi_application os.environ.setdefault('DJANGO_SETTINGS_MODULE', 'upload.settings') application = get_wsgi_application()
[ "dan.r.neal@gmail.com" ]
dan.r.neal@gmail.com
1c007a72ebede5a6f4735902bc08972873a7d79c
07841d4b6497028f651b9fb7a028322875e08e9c
/src/ftc_scoring.py
82b5cdbb3ffdc7ef75802320b898411f1cde2825
[]
no_license
JIceberg/Raider
e1e922b158577595fc6695ad2e7bb5ccaa2df4c2
d829c1f4df362c688546be5bce2f2ab9fb0c3ac2
refs/heads/main
2023-03-20T20:40:21.229978
2021-03-16T04:15:59
2021-03-16T04:15:59
328,736,742
2
0
null
null
null
null
UTF-8
Python
false
false
1,968
py
import requests from bs4 import BeautifulSoup def lookup_team(team): values = {} url = "http://www.ftcstats.org/2021/index.html" with requests.Session() as s: with s.get(url) as page: soup = BeautifulSoup(page.content, 'html.parser') rows = soup.findAll('tr', class_="trow") found = False for row in rows: data = row.findAll('td') team_number = data[1].find('a') if not team_number: continue else: num = int(team_number.getText()) if team == num and not found: found = True values['team_name'] = data[2].find('abbr').getText() values['opr'] = data[3].getText() values['rank'] = data[0].getText() url = "http://www.ftcstats.org/2021/georgia.html" with requests.Session() as s: with s.get(url) as page: soup = BeautifulSoup(page.content, 'html.parser') rows = soup.findAll('tr', class_="trow") found = False for row in rows: data = row.findAll('td') team_number = data[1].find('a') if not team_number: continue else: num = int(team_number.getText()) if team == num and not found: found = True values['state_rank'] = data[0].getText() return values def get_rank(team) -> str: data = lookup_team(team) if 'rank' not in data: return "Could not find team!" res = data["team_name"] + " is rank " + data["rank"] res += " globally with an OPR of " + data["opr"] + "." if 'state_rank' not in data: return res else: return res + " In Georgia, the team is rank " + data['state_rank'] + "."
[ "jisenberg3@gatech.edu" ]
jisenberg3@gatech.edu
d87050e9f0620d49c9b7e96014c4fa531605ba4a
64ab5b65afdf8d950c4b56ad2259133b95fc2fec
/zeus/migrations/e373a7bffa18_unique_build_failures.py
c118ddf8f86aee0ea630a9b38be70d3beae61969
[ "Apache-2.0" ]
permissive
getsentry/zeus
3e88895443b23278fdb4c25121422ee214630512
6d4a490c19ebe406b551641a022ca08f26c21fcb
refs/heads/master
2023-09-01T14:20:11.396306
2021-04-30T17:08:33
2021-04-30T17:08:33
96,131,433
222
27
Apache-2.0
2022-06-01T03:17:16
2017-07-03T16:39:35
Python
UTF-8
Python
false
false
897
py
"""unique_build_failures Revision ID: e373a7bffa18 Revises: 54bbb66a65a6 Create Date: 2020-03-13 09:25:38.492704 """ from alembic import op import sqlalchemy as sa # revision identifiers, used by Alembic. revision = "e373a7bffa18" down_revision = "54bbb66a65a6" branch_labels = () depends_on = None def upgrade(): # first we clean up duplicate rows connection = op.get_bind() connection.execute( """ DELETE FROM failurereason a USING failurereason b WHERE a.id > b.id AND a.reason = b.reason AND a.build_id = b.build_id """ ) op.create_index( "unq_failurereason_buildonly", "failurereason", ["build_id", "reason"], unique=True, postgresql_where=sa.text("job_id IS NULL"), ) def downgrade(): op.drop_index("unq_failurereason_buildonly", table_name="failurereason")
[ "dcramer@gmail.com" ]
dcramer@gmail.com
a1ebf96d93a3e1ae78d6189b078630bb4fcf8d52
7f90f49237b30e404161b4670233d023efb7b43b
/第二章 python核心/HX02_linux系统编程/01进程/test/jc10_子进程多种方式小结.py
a42c62f02979b3b07ae8548d92ebb3d3b86fd1b6
[]
no_license
FangyangJz/Black_Horse_Python_Code
c5e93415109699cc42ffeae683f422da80176350
34f6c929484de7e223a4bcd020bc241bb7201a3d
refs/heads/master
2020-03-23T01:52:42.069393
2018-07-14T12:05:12
2018-07-14T12:05:12
140,942,688
2
0
null
null
null
null
UTF-8
Python
false
false
451
py
# !/usr/bin/env python # -*- coding:utf-8 -*- # author: Fangyang time:2018/3/31 # (1) fork, 只用于linux (不推荐) ret = os.fork() if ret == 0: # 子进程 else: # 父进程 # (2) Process(target=xxx), 还有一个 class Xxx(Process): p1 = Process(target=func) p1.start() # 主进程也能干点活 # (3) pool (推荐) pool = Pool(3) pool.apply_async(xxxx) # 主进程一般用来等待, 不干活, 真正的任务在子进程中执行
[ "fangyang.jing@hotmail.com" ]
fangyang.jing@hotmail.com
f95e001f83ea29c873d684224d81e484c9e2fcf7
7ae88e7e37fe4f472d3ab9bf2533a8b0e1b20e78
/mozilla_l10n/convert_from_github/screenshots-monorepo-convert.py
dc908cd81b7a3e5f9ea5aeac459cc63334b480d3
[]
no_license
mathjazz/scripts
753cfa08c02c9bcb6a0df7fe938e0fb98d13c456
2e32220fd6449079b0f9520913c977c2be5e8fcc
refs/heads/master
2020-12-04T00:51:38.906775
2019-12-18T12:58:00
2019-12-18T13:01:56
231,544,375
0
0
null
2020-01-03T08:23:33
2020-01-03T08:23:32
null
UTF-8
Python
false
false
4,022
py
#!/usr/bin/env python3 # Example: # ./screenshots-monorepo-convert.py ~/github/screenshots-hg/ ~/mozilla/mercurial/l10n_clones/locales # Add --push to push to remote repository import argparse from concurrent import futures import json import os import subprocess import sys from tempfile import mkstemp from functools import partial # Relative path to locales folder in the GitHub project gh_path_locales = 'locales' # Filename in GitHub gh_filename = 'screenshots.ftl' # Full path and filename in Mercurial l10n repository hg_file = 'browser/browser/screenshots.ftl' # Initial changeset for rebase. To get this, run in the GitHub repository: # hg log -r : -l 1 -T"{node}" initial_changeset = '3fb30a9f2505b9ffb5bb1add96c19fe3bb258820' def hg_pull(repo): return subprocess.run( ['hg', '--cwd', repo, 'pull', '-u'], stdout=subprocess.PIPE).stdout.decode('utf-8') def migrate(project_locale, args): hg_locale = project_locale # Special case ja-JP-mac (we need to read 'ja') if project_locale == 'ja-JP-mac': hg_locale = 'ja' repo = os.path.join(args.l10n_path, hg_locale) out = '' out += 'Starting migration for {}\n'.format(hg_locale) out += hg_pull(repo) fd, filemap = mkstemp(text=True) try: with os.fdopen(fd, 'w') as fh: fh.write('''\ include "{gh_path}/{locale}/{gh_filename}" rename "{gh_path}/{locale}/{gh_filename}" "{hg_file}" '''.format( gh_path=gh_path_locales, locale=project_locale, gh_filename=gh_filename, hg_file=hg_file )) shamap = os.path.join(args.l10n_path, hg_locale, '.hg', 'shamap') if os.path.isfile(shamap): os.remove(shamap) content = subprocess.run( [ 'hg', 'log', '-r', 'default', "-T" + initial_changeset + " {node}\n" ], cwd=repo, stdout=subprocess.PIPE).stdout.decode('utf-8') with open(shamap, 'w') as fh: fh.write(content) subprocess.run( ['hg', 'convert', '--filemap', filemap, args.project_path, repo], stdout=subprocess.PIPE ).stdout.decode('utf-8') if args.push: out += subprocess.run( ['hg', 'push', '-r', 'default'], cwd=repo, stdout=subprocess.PIPE ).stdout.decode('utf-8') # Pull again out += hg_pull(repo) finally: os.remove(filemap) out += 'Finished migration for {}\n'.format(hg_locale) return out def main(): parser = argparse.ArgumentParser() parser.add_argument('--push', action='store_true', help='push results upstream') parser.add_argument('-p', default=4, metavar='N', help='Run N parallel jobs') parser.add_argument('project_path', metavar='Path to converted GitHub project') parser.add_argument( 'l10n_path', metavar='Path to folder with clones of all l10n-central repositories') args = parser.parse_args() # Get a list of locales in the project project_locales = [ dir for dir in os.listdir(os.path.join(args.project_path, gh_path_locales)) if dir != 'en-US' and not dir.startswith('.') ] # Add ja-JP-mac project_locales.append('ja-JP-mac') project_locales.sort() # Limit to one locale for testing project_locales = ['it'] handle = [] skip = [] for project_locale in project_locales: if os.path.isdir(os.path.join(args.l10n_path, project_locale)): handle.append(project_locale) else: skip.append(project_locale) migrate_fn = partial(migrate, args=args) with futures.ThreadPoolExecutor(max_workers=int(args.p)) as executor: for stdout in executor.map(migrate_fn, handle): sys.stdout.write(stdout) if skip: print('Skipped these locales: {}'.format(', '.join(skip))) if __name__ == "__main__": main()
[ "flodolo@mozilla.com" ]
flodolo@mozilla.com
61c00f543bd77b38fc7b8a2418e3931bac1010e2
ef7760e3d51ab8991a1bdd41b4bf4de178cf8ad9
/sp500_app.py
4edfd2be3b14f8b6ff94c66aa911785e25952366
[]
no_license
tundao912/datascience
e7dfb31322073100d118652d7558ff05df02a202
cc67f5a21bd21f3a38aeb1c04d1b042a4d4f927e
refs/heads/master
2023-05-29T10:35:29.172968
2021-05-19T15:45:34
2021-05-19T15:45:34
368,921,628
0
0
null
null
null
null
UTF-8
Python
false
false
2,276
py
import streamlit as st import pandas as pd import base64 import matplotlib.pyplot as plt import yfinance as yf st.title('S&P 500 App') st.markdown(""" This app retrieves the list of the **S&P 500** (from wikipedia) and its corresponding stock closing price (year-to-date) * **Python libs:** base64, pandas, streamlit * **Data source:** [Wikipedia](https://www.wikipedia.org/). """) st.sidebar.header('User Input Features') @st.cache(suppress_st_warning=True) def load_data(): url = 'https://en.wikipedia.org/wiki/List_of_S%26P_500_companies' html = pd.read_html(url, header=0) df = html[0] return df df = load_data() sector_unique = df['GICS Sector'].unique() sector = df.groupby('GICS Sector') sorted_sector_unique = sorted(sector_unique) selected_sector = st.sidebar.multiselect('Sector', sorted_sector_unique, sorted_sector_unique) df_selected_sector = df[ (df['GICS Sector'].isin(selected_sector)) ] st.header('Display Companies in Selected Sector') st.write('Data dimension: ' + str(df_selected_sector.shape[0]) + ' rows and ' + str(df_selected_sector.shape[1]) + ' columns') st.dataframe(df_selected_sector) def filedownload(df): csv = df.to_csv(index=False) b64 = base64.b64encode(csv.encode()).decode() href = f'<a href="data:file/csv;base64,{b64}" download="sp500.csv">Download CSV file</a>' return href st.markdown(filedownload(df_selected_sector), unsafe_allow_html=True) st.set_option('deprecation.showPyplotGlobalUse', False) data = yf.download( tickers=list(df_selected_sector[:10].Symbol), period='ytd', interval='1d', group_by='ticker', auto_adjust=True, prepost=True ) def price_plot(symbol): df2 = pd.DataFrame(data[symbol].Close) df2['Date'] = df2.index plt.fill_between(df2.Date, df2.Close, color='skyblue', alpha=0.3) plt.plot(df2.Date, df2.Close, color='skyblue', alpha=0.8) plt.xticks(rotation=90) plt.title(symbol, fontweight= 'bold') plt.xlabel('Date', fontweight='bold') plt.ylabel('Closing Price', fontweight='bold') return st.pyplot() num_company = st.sidebar.slider('Number of companies: ', 1, 5) if st.button('Show Plots'): st.header('Stock Closing Price') for i in list(df_selected_sector.Symbol)[:num_company]: price_plot(i)
[ "tung.dao912@gmail.com" ]
tung.dao912@gmail.com
72c0b00f5161bc813e48b07068412ddbfebac6fd
4e61fbe0f0d4b667b665a53b9ff65e15ce6decb6
/ImageSelectionGUI_v9.py
733fd24636b09559d32a298acf17980ef5c3dc84
[]
no_license
sgkuntz/OxygenCode
79b48a5d12ed1d5ab811614546cd6124ea866130
47504538535d32fa96ddde29fbe2452fcc5d4ab5
refs/heads/master
2021-01-10T04:16:30.665508
2015-10-16T09:19:27
2015-10-16T09:19:27
44,127,696
0
0
null
null
null
null
UTF-8
Python
false
false
15,311
py
# try writing a gui for image analysis (select the image that is at the right time point) # python ImageSelectionGUI_v7.py 5 -m -e cephalic_furrow_formation # python ImageSelectionGUI_v7.py 5 -e cephalic_furrow_formation from Tkinter import * from PIL import Image, ImageTk import os, re, sys, string # select events eventList = [] possibleEventList = ['posterior_gap','pole_bud_appears','nuclei_at_periphery','pole_cells_form','yolk_contraction','cellularization_begins','membrane_reaches_yolk', 'pole_cells_migrate','cephalic_furrow_formation','pole_cell_invagination','cephalic_furrow_reclines','amnioproctodeal_invagination','amnioproctodeal_invaginationA','amnioproctodeal_invagination_begins','amnioproctodeal_invagination_ends', 'transversal_fold_formation','anterior-midgut_primordium','stomodeal_plate_forms','stomodeum_invagination','clypeolabral_lobe_forms', 'germband_maxima','clypeolabrum_rotates','posterior_gap_before_germband_shortens','germband_retraction_starts', 'amnioserosa','germband_retracted','dorsal_divot','clypeolabrum_retracts','anal_plate_forms','midgut_unified','clypeolabrum_ventral_lobe_even', 'gnathal_lobes_pinch','head_involution_done','heart-shaped_midgut','convoluted_gut','muscle_contractions','trachea_fill','hatch'] if '-e' in sys.argv: for entry in sys.argv: if entry in possibleEventList: eventList.append(entry) mainEvent = entry else: eventList = possibleEventList if mainEvent not in os.listdir('.'): os.mkdir(mainEvent) # read in the TimeLapseInstructions_run_trialX.txt, this can be tailored to what T and Sp are desired speciesToAnalyze = str(raw_input('species to analyze: ')) temperatureToAnalyze = str(raw_input('temperature to analyze: ')) if '-m' in sys.argv: timeLapseInfoFile = open(str(raw_input('Time lapse instructions file input (eg. TimeLapseInstructions_run_trialX.txt): ')), 'r') recordOutput = open(str(raw_input('Output file (eg. TimeLapseCorrections_trialX.txt): ')), 'w') else: timeLapseInfoFile = open('TimeLapseInstructions_run_trial15.txt','r') # default, can update to other trials if len(temperatureToAnalyze) == 4: recordOutput = open(mainEvent + '/'+'TimeLapseCorrections_trial15_'+ speciesToAnalyze + '_' + temperatureToAnalyze +'.txt', 'w') elif len(temperatureToAnalyze) ==2: recordOutput = open(mainEvent + '/'+'TimeLapseCorrections_trial15_'+ speciesToAnalyze + '_' + temperatureToAnalyze +'.0.txt', 'w') recordOutput.write('conditions' + '\t' + 'event' + '\t' + 'date/position' + '\t' + 'finalTimepoint' + '\t' + 'dilation' + '\n') recordlist = [] numberOfImages = int(sys.argv[1]) imageDirectory = '/Volumes/Coluber/Imaging/' # imageDirectory = '/Desktop/Imaging/' timelapseInfoList = [] conditionDict = {} for i in timeLapseInfoFile: [date, position, firstFilename, orientation, fileNameStructure, mryTime, tfTime, strain, temperature, scaling, zStack, filler] = re.split("[\s]",i) # line = re.split("[\s]",i) if speciesToAnalyze == strain: if temperatureToAnalyze == temperature: timelapseInfoList.append((date, position, firstFilename, orientation, fileNameStructure, mryTime, tfTime, strain, temperature, scaling, zStack)) if temperature+strain not in conditionDict: conditionDict[temperature+strain] = [] if (date+'_'+position, firstFilename[:25], orientation, len(firstFilename), mryTime, tfTime, strain, temperature, scaling) not in conditionDict[temperature+strain]: conditionDict[temperature+strain].append((date+'_'+position, firstFilename[:25], orientation, len(firstFilename), mryTime, tfTime, strain, temperature, scaling)) conditionDict[temperature+strain] = sorted(list(set(conditionDict[temperature+strain]))) # determine the conditions present conditionList = conditionDict.keys() conditionList.sort() statusCall = 'proceed' imageCall = 'aligned' class App: # define the App, which should record which button is pressed def __init__(self, master, timepoint, animal, event, condition, date, position, nameA, nameB, timeDepth, tNameLength, dilation): frame = Frame(master) frame.grid() self.frame = frame self.quit_button = Button(text="No matches", fg = "red", padx = 50, pady = 15, command=self.noMatches) self.quit_button.grid(row=1, column=3) self.next_button = Button(text="Next Images", padx = 50, pady = 15, command=self.nextImages) self.next_button.grid(row=1, column = 4) self.previous_button = Button(text="Previous Images", padx = 40, pady = 15, command=self.previousImages) self.previous_button.grid(row=1, column = 2) self.jump_next = Button(text=">>", padx = 20, pady = 15, command=self.jumpNext) self.jump_next.grid(row=1, column = 5) self.jump_previous = Button(text="<<", padx = 20, pady = 15, command=self.jumpPrevious) self.jump_previous.grid(row=1, column = 1) self.jump_next = Button(text=">>>", padx = 20, pady = 15, command=self.jumpNextNext) self.jump_next.grid(row=1, column = 6) self.jump_previous = Button(text="<<<", padx = 20, pady = 15, command=self.jumpPreviousPrevious) self.jump_previous.grid(row=1, column = 0) if imageCall == 'aligned': self.switch_to_originals = Button(text="Switch to originals", padx = 40, pady = 10, command=self.switchOriginal) self.switch_to_originals.grid(row=0, column = 4) elif imageCall == 'original': self.switch_to_aligned = Button(text="Switch to aligned", padx = 40, pady = 10, command=self.switchAligned) self.switch_to_aligned.grid(row=0, column = 4) self.increaseZstack = Button(text="+ z", padx = 20, pady = 5, command=self.increaseZ) self.increaseZstack.grid(row=0, column = 3) self.decreaseZstack = Button(text="- z", padx = 20, pady = 5, command=self.decreaseZ) self.decreaseZstack.grid(row=0, column = 2) self.v = IntVar() self.v.set(0) self.timepoint = int(timepoint) self.animal = animal self.event = event self.condition = condition self.dilation = dilation for number in range(timeDepth): if self.timepoint > timeDepth: if imageCall == 'aligned': importImage = Image.open(imageDirectory+ date +'/'+ position +'/aligned/'+ nameA+'0'*(tNameLength-len(str(self.timepoint-3+number)))+str(self.timepoint-3+number)+nameB) elif imageCall == 'original': importImage = Image.open(imageDirectory+ date +'/'+ position +'/'+ nameA+'0'*(tNameLength-len(str(self.timepoint-3+number)))+str(self.timepoint-3+number)+nameB) importImage = importImage.resize((250,705), Image.ANTIALIAS) else: if imageCall == 'aligned': importImage = Image.open(imageDirectory+ date +'/'+ position +'/aligned/'+ nameA+'0'*(tNameLength-len(str(self.timepoint+number)))+str(self.timepoint+number)+nameB) elif imageCall == 'original': importImage = Image.open(imageDirectory+ date +'/'+ position +'/'+ nameA+'0'*(tNameLength-len(str(self.timepoint+number)))+str(self.timepoint+number)+nameB) importImage = importImage.resize((250,705), Image.ANTIALIAS) embryoImage = ImageTk.PhotoImage(importImage) label = Label(image=embryoImage) label.image = embryoImage b = Radiobutton(master, image = label.image, variable = self.v, value = number, indicatoron=0, command= self.matchFound) b.grid(row=2, column=number) del importImage, embryoImage, b def matchFound(self): self.frame.quit() recordlist.append((self.condition, self.event, self.animal, self.timepoint, 1+self.v.get())) print 'recording data:', self.condition, self.event, self.animal, self.timepoint, 1+self.v.get() recordOutput.write(str(self.condition) + '\t' + str(self.event) + '\t' + str(self.animal) + '\t' + str(self.timepoint + 1 + self.v.get() - 3) + '\t' + self.dilation + '\n') global statusCall statusCall = 'proceed' def nextImages(self): self.frame.quit() global statusCall statusCall = 'next' def previousImages(self): self.frame.quit() global statusCall statusCall = 'previous' def jumpNext(self): self.frame.quit() global statusCall statusCall = 'jumpnext' def jumpPrevious(self): self.frame.quit() global statusCall statusCall = 'jumpprevious' def jumpNextNext(self): self.frame.quit() global statusCall statusCall = 'jumpnextnext' def jumpPreviousPrevious(self): self.frame.quit() global statusCall statusCall = 'jumppreviousprevious' def noMatches(self): self.frame.quit() recordlist.append((self.condition, self.event, self.animal, self.timepoint, 0)) recordOutput.write(str(self.condition) + '\t' + str(self.event) + '\t' + str(self.animal) + '\t' + 'NaN' + '\t' + self.dilation + '\n') global statusCall statusCall = 'proceed' def switchOriginal(self): self.frame.quit() global imageCall imageCall = 'original' global statusCall statusCall = 'refresh' def switchAligned(self): self.frame.quit() global imageCall imageCall = 'aligned' global statusCall statusCall = 'refresh' def increaseZ(self): self.frame.quit() global statusCall statusCall = 'zUp' def decreaseZ(self): self.frame.quit() global statusCall statusCall = 'zDown' root = Tk() # this generates the window recordlist_AllConditions = [] focusFileNames = os.listdir("./FocusFiles/") for condition in conditionList: recordlist_AllEvents = [] for devEvent in eventList: event = possibleEventList.index(devEvent) # for index, x in enumerate(possibleEventList): # if x == devEvent: # event = index print devEvent, event # for event in range(35): # len(eventList)): recordlist_AllAnimals = [] for (animal, firstFilename, orientation, fileStructure, mry, tf, species, temperature, scaling) in conditionDict[condition]: try: zRecord = [] tList = [] focusList = [] for focusFileName in focusFileNames: # print focusFileName, animal[:8], animal[9:] if animal[:8]+'_'+animal[9:] in focusFileName: zRecord.append(focusFileName[-5:-4]) if zRecord == []: print "no focus files", firstFilename break # zPos = 0 for zPos in zRecord: # print 'ImageProcessing/TrialSubsets_'+animal[:8]+'_'+animal[9:]+'_'+str(zPos)+'_EventTimesTrial_avg_'+species+'_'+temperature+'_'+ scaling+'.txt' eventFile = open('ImageProcessing/TrialSubsets_'+animal[:8]+'_'+animal[9:]+'_'+str(zPos)+'_EventTimesTrial_avg_'+species+'_'+temperature+'_'+ scaling+'.txt', 'r') line = eventFile.read() entry = re.split("[\s]",line) focusFile = open('FocusFiles/FocusScoresUnaligned_'+animal[:8]+'_'+animal[9:]+'_'+zPos+'.txt','r') lines = focusFile.readlines() focusScore = re.split("[\s]",lines[int(float(entry[event]))]) tList.append((int(float(entry[event])),int(zPos))) focusList.append(float(focusScore[1])) # find the max zScore and return the zPos and time [estTime,zPos] = tList[focusList.index(max(focusList))] if fileStructure == 28 or fileStructure == 31 or fileStructure == 33 or fileStructure == 36: tCallLength = 3 elif fileStructure == 29 or fileStructure == 32 or fileStructure == 34 or fileStructure == 37: tCallLength = 4 if fileStructure == 28 or fileStructure == 29: filenameB = '.jpg' elif fileStructure == 31 or fileStructure == 32: filenameB = '_z'+str(zPos)+'.jpg' elif fileStructure == 33 or fileStructure == 34: filenameB = '_ch00.jpg' elif fileStructure == 36 or fileStructure == 37: filenameB = '_z'+str(zPos)+'_ch00.jpg' w = Label(root, text="Pick the image that matches "+ devEvent, wraplength=275) w.grid(row=0, column = 0) app = App(root, estTime, animal, devEvent, condition, animal[:8], animal[9:], firstFilename[:21], filenameB, numberOfImages, tCallLength, scaling) print 'matlab estimate is:', estTime # 'program will run, matlab estimate is:', estTime recordlist = [] root.mainloop() # start running the program while statusCall <> 'proceed': while statusCall == 'refresh': app = App(root, estTime, animal, devEvent, condition, animal[:8], animal[9:], firstFilename[:21], filenameB, numberOfImages, tCallLength, scaling) root.mainloop() while statusCall == 'zUp': if len(filenameB) == 12 or len(filenameB) == 7: filenameC = '_z' + str(int(filenameB[2:3])+1) + filenameB[3:] # update z via filenameB, see if file exists zStatus = os.path.exists(imageDirectory+ animal[:8] +'/'+ animal[9:] +'/aligned/'+ firstFilename[:21]+'0'*(tCallLength)+filenameC) else: zStatus = False if zStatus == True: filenameB = filenameC else: print 'already at max z' app = App(root, estTime, animal, devEvent, condition, animal[:8], animal[9:], firstFilename[:21], filenameB, numberOfImages, tCallLength, scaling) root.mainloop() while statusCall == 'zDown': if len(filenameB) == 12 or len(filenameB) == 7: filenameC = '_z' + str(int(filenameB[2:3])-1) + filenameB[3:] # update z via filenameB, see if file exists zStatus = os.path.exists(imageDirectory+ animal[:8] +'/'+ animal[9:] +'/aligned/'+ firstFilename[:21]+'0'*(tCallLength)+filenameC) else: zStatus = False if zStatus == True: filenameB = filenameC else: print 'already at min z' app = App(root, estTime, animal, devEvent, condition, animal[:8], animal[9:], firstFilename[:21], filenameB, numberOfImages, tCallLength, scaling) root.mainloop() while statusCall == 'next': estTime += numberOfImages app = App(root, estTime, animal, devEvent, condition, animal[:8], animal[9:], firstFilename[:21], filenameB, numberOfImages, tCallLength, scaling) root.mainloop() while statusCall == 'previous': if estTime > numberOfImages*1.5: estTime -= numberOfImages else: print 'already at beginning' app = App(root, estTime, animal, devEvent, condition, animal[:8], animal[9:], firstFilename[:21], filenameB, numberOfImages, tCallLength, scaling) root.mainloop() while statusCall == 'jumpnext': estTime += numberOfImages*5 app = App(root, estTime, animal, devEvent, condition, animal[:8], animal[9:], firstFilename[:21], filenameB, numberOfImages, tCallLength, scaling) root.mainloop() while statusCall == 'jumpprevious': if estTime > numberOfImages*6: estTime -= numberOfImages*5 app = App(root, estTime, animal, devEvent, condition, animal[:8], animal[9:], firstFilename[:21], filenameB, numberOfImages, tCallLength, scaling) root.mainloop() while statusCall == 'jumpnextnext': estTime += numberOfImages*25 app = App(root, estTime, animal, devEvent, condition, animal[:8], animal[9:], firstFilename[:21], filenameB, numberOfImages, tCallLength, scaling) root.mainloop() while statusCall == 'jumppreviousprevious': if estTime > numberOfImages*26: estTime -= numberOfImages*25 app = App(root, estTime, animal, devEvent, condition, animal[:8], animal[9:], firstFilename[:21], filenameB, numberOfImages, tCallLength, scaling) root.mainloop() # print 'program has run, status is: ', statusCall recordlist_AllAnimals.append(recordlist) except: print "no EventTimesTrial file", firstFilename recordlist_AllEvents.append((event, recordlist_AllAnimals)) # save times for all events recordlist_AllConditions.append((condition, recordlist_AllEvents)) # save times for all conditions # save the data or process it
[ "sgkuntz@berkeley.edu" ]
sgkuntz@berkeley.edu
f432773e59e03334229c89d8eeec0a82cddd3d78
feca7fb4e8baddfaeee72c3df03a84ba9645e87a
/working/brouillon.py
afb2607188625e251bdfe2c10e3991e1b1018a35
[]
no_license
sherr3h/Gaming-Text-Analysis
f2a9b3944465b5fa9464dfce2562e47af2711a99
7aa4e1f4d1daf9627f92cbf84fd9f05c4c6e6917
refs/heads/master
2020-08-07T22:09:37.382541
2019-12-06T15:47:03
2019-12-06T15:47:03
213,599,544
2
0
null
null
null
null
UTF-8
Python
false
false
1,021
py
import pandas as pd import datetime from datetime import timedelta import numpy as np import re import os from Parser import info from Parser import parser from Parser_Financial import parser_financial from Parser_Financial import price_variation from textblob import TextBlob from datetime import timedelta from datetime import date # from sklearn.neural_network import MLPClassifier # X = [[0., 0.], [1., 1.]] # y = [0, 1] # clf = MLPClassifier(solver='lbfgs', alpha=1e-5,hidden_layer_sizes=(90, 2), random_state=1) # # clf.fit(X, y) x = input("John") print(x) #######################################################ARCHIVES##################################################################################### # classifiers = [ # svm.SVR(), # linear_model.SGDRegressor(), # linear_model.BayesianRidge(), # linear_model.LassoLars(), # linear_model.ARDRegression(), # linear_model.PassiveAggressiveRegressor(), # linear_model.TheilSenRegressor(), # linear_model.LinearRegression()]
[ "noreply@github.com" ]
sherr3h.noreply@github.com
c99877be4297fa99c457ac8168b09170931dda91
c9bffb231a577c349804540cfa3c727e809ea5b2
/com/utils/log.py
5b9762a7654a00c47d5b89f04099e62d6b2931fc
[]
no_license
laowng/Binance-News-Getting
2d8c71615aac54b70f59ec828dde384c5028041e
223467c76cef116a3bd1a0f5993cebc56cfbb0d1
refs/heads/main
2023-01-28T02:30:01.483134
2020-12-09T12:20:05
2020-12-09T12:20:05
319,312,491
4
1
null
null
null
null
GB18030
Python
false
false
2,024
py
import time import os import logging class Log(): def __init__(self,log_dir): if not os.path.exists(log_dir): os.mkdir(log_dir) self.log_path=os.path.join(log_dir,"log.txt") def write(self,*args): with open(self.log_path, "a",encoding='utf-8') as log: log.writelines(self.get_date()+":") for i,info in enumerate(args): log.writelines("\t"+str(i)+": "+info) log.writelines("\n") def get_date(self): return time.strftime("%m-%d %H:%M:%S", time.localtime()) def get(self,i:int): with open(self.log_path, "r",encoding='utf-8') as log: lines=log.readlines() message=lines[-i] for line in lines[-i+1:]: message+="\n"+line return message def get_log(): curPath = os.path.abspath(os.path.dirname(__file__)) root_path = os.path.split(os.path.split(curPath)[0])[0] logger = logging.getLogger() logger.setLevel(logging.NOTSET) # Log等级总开关 # 创建一个handler,用于写入日志文件 rq = time.strftime('%Y%m%d', time.localtime(time.time())) log_path = root_path + '/Logs/' os.makedirs(log_path,exist_ok=True) log_name = log_path + rq + '.log' logfile = log_name fh = logging.FileHandler(logfile, mode='a',encoding="utf-8") fh.setLevel(logging.INFO) # 输出到file的log等级的开关 # 定义handler的输出格式 formatter = logging.Formatter("%(asctime)s - %(filename)s[line:%(lineno)d] - %(levelname)s: %(message)s") fh.setFormatter(formatter) rf_handler = logging.StreamHandler(sys.stderr) rf_handler.setLevel(logging.ERROR) rf_handler.setFormatter(formatter) logger.addHandler(fh) logger.addHandler(rf_handler) # 使用logger.XX来记录错误,这里的"error"可以根据所需要的级别进行修改 return logger if __name__ == '__main__': log=Log("./") log.write("aaa","bbb","ccc") log.write("aadddddda","bddddbb","ccc")
[ "wangwen@snnu.edu.cn" ]
wangwen@snnu.edu.cn
1dc34a70d54fe0218a1f36925c42925187f60b1a
506adfb65627e1ac8dc65bdd18ae0f4318d5e3cd
/docs/Solvers_Raymond_Hettinger/python/einstein.py
9079b40a26ea0bd33f091641efb351d3cfec71af
[ "MIT" ]
permissive
winpython/winpython_afterdoc
d6d9557c12bc6cbf615b3d85ba02df7b794ea1f6
7e417462c243f9aaa11c2537249bd88355efd1c5
refs/heads/master
2023-06-27T22:55:23.430067
2023-06-11T09:57:31
2023-06-11T09:57:31
23,197,567
16
10
MIT
2023-08-20T11:43:58
2014-08-21T18:06:42
null
UTF-8
Python
false
false
2,499
py
from sat_utils import solve_one, from_dnf, one_of from sys import intern from pprint import pprint houses = ['1', '2', '3', '4', '5' ] groups = [ ['dane', 'brit', 'swede', 'norwegian', 'german' ], ['yellow', 'red', 'white', 'green', 'blue' ], ['horse', 'cat', 'bird', 'fish', 'dog' ], ['water', 'tea', 'milk', 'coffee', 'root beer'], ['pall mall', 'prince', 'blue master', 'dunhill', 'blends' ], ] values = [value for group in groups for value in group] def comb(value, house): 'Format how a value is shown at a given house' return intern(f'{value} {house}') def found_at(value, house): 'Value known to be at a specific house' return [(comb(value, house),)] def same_house(value1, value2): 'The two values occur in the same house: brit1 & red1 | brit2 & red2 ...' return from_dnf([(comb(value1, i), comb(value2, i)) for i in houses]) def consecutive(value1, value2): 'The values are in consecutive houses: green1 & white2 | green2 & white3 ...' return from_dnf([(comb(value1, i), comb(value2, j)) for i, j in zip(houses, houses[1:])]) def beside(value1, value2): 'The values occur side-by-side: blends1 & cat2 | blends2 & cat1 ...' return from_dnf([(comb(value1, i), comb(value2, j)) for i, j in zip(houses, houses[1:])] + [(comb(value2, i), comb(value1, j)) for i, j in zip(houses, houses[1:])] ) cnf = [] # each house gets exactly one value from each attribute group for house in houses: for group in groups: cnf += one_of(comb(value, house) for value in group) # each value gets assigned to exactly one house for value in values: cnf += one_of(comb(value, house) for house in houses) cnf += same_house('brit', 'red') cnf += same_house('swede', 'dog') cnf += same_house('dane', 'tea') cnf += consecutive('green', 'white') cnf += same_house('green', 'coffee') cnf += same_house('pall mall', 'bird') cnf += same_house('yellow', 'dunhill') cnf += found_at('milk', 3) cnf += found_at('norwegian', 1) cnf += beside('blends', 'cat') cnf += beside('horse', 'dunhill') cnf += same_house('blue master', 'root beer') cnf += same_house('german', 'prince') cnf += beside('norwegian', 'blue') cnf += beside('blends', 'water') pprint(solve_one(cnf))
[ "stonebig34@gmail.com" ]
stonebig34@gmail.com
dab5e2c2641d2c78be9cee19f9c5cd8c9caa4572
bf1bc5bfba2d8b50b7663580dfddd71da7dcab61
/codingame/code-of-the-rings/complex3.py
01163a82b8b5b47a706ddc64c1ff636d0b0c30a6
[]
no_license
kpbochenek/algorithms
459a4377def13d5d45e3e0becf489c9edd033a5e
f39d50fe6cd3798a8a77a14b33eecc45412927fa
refs/heads/master
2021-05-02T09:35:54.077621
2016-12-27T18:45:13
2016-12-27T18:45:13
38,165,785
0
1
null
null
null
null
UTF-8
Python
false
false
3,145
py
#!/bin/python import sys import math MOVE_LEFT = '<' MOVE_RIGHT = '>' INCREASE = '+' DECREASE = '-' SPELL = '.' START_LOOP = '[' STOP_LOOP = ']' A0 = ord('A') - 1 Z0 = ord('Z') + 1 ALPHABET_LEN = Z0 - A0 ZONES_LEN = 30 def letter_distance_move(l1, l2): l1o, l2o = ord(l1), ord(l2) if l1 == l2: return (0, INCREASE) if l1 == ' ': return min((l2o - A0, INCREASE), (Z0 - l2o, DECREASE)) elif l2 == ' ': return min((Z0 - l1o, INCREASE), (l1o - A0, DECREASE)) else: if l1o < l2o: dist = l2o - l1o return min((dist, INCREASE), (ALPHABET_LEN - dist, DECREASE)) else: dist = l1o - l2o return min((dist, DECREASE), (ALPHABET_LEN - dist, INCREASE)) def zone_distance_move(z1, z2): if z1 == z2: return (0, MOVE_RIGHT) if z1 < z2: dist = z2 - z1 return min((dist, MOVE_RIGHT), (ZONES_LEN - dist, MOVE_LEFT)) else: dist = z1 - z2 return min((dist, MOVE_LEFT), (ZONES_LEN - dist, MOVE_RIGHT)) class GameState: def __init__(self): self.zones = [' ' for x in range(ZONES_LEN)] self.pos = 0 self.output = [] self.moves = 0 def make_move_and_change_letter(self, new_zone, new_letter): move = zone_distance_move(self.pos, new_zone) self.output.extend([move[1]] * move[0]) self.pos = new_zone move = letter_distance_move(self.zones[self.pos], new_letter) self.output.extend([move[1]] * move[0]) self.zones[self.pos] = new_letter self.moves += 1 def clone(self): gs = GameState() gs.zones = self.zones[:] gs.pos = self.pos gs.output = self.output[:] gs.moves = self.moves return gs def score(self): return len(self.output) def calculate_distance(pos, i): return zone_distance_move(pos, i)[0] def calculate_change(a, b): return letter_distance_move(a, b)[0] def generate_states(splits, use_letters, cstate): if not use_letters: return [cstate] new_states = [] for target_zone in range(ZONES_LEN): d = calculate_distance(cstate.pos, target_zone) change = calculate_change(cstate.zones[target_zone], use_letters[0]) new_states.append((d + change, target_zone)) result = [] for (cost, tzone) in sorted(new_states)[:splits]: nstate = cstate.clone() nstate.make_move_and_change_letter(tzone, use_letters[0]) nstate.output.append(SPELL) result.extend(generate_states(splits, use_letters[1:], nstate)) return result if __name__ == '__main__': magicPhrase = input() magicPhraseLen = len(magicPhrase) states = [GameState()] splits, deep = 2, 5 i = 0 while i < magicPhraseLen: truedeep = min(deep, magicPhraseLen - i) global_states = [] for state in states: global_states.extend(generate_states(splits, magicPhrase[i:i+truedeep], state)) states = sorted(global_states, key=lambda s: s.score())[:10] i += truedeep print("".join(states[0].output))
[ "krzychosan@gmail.com" ]
krzychosan@gmail.com
bdd2cca9bb9cdeb0136d0359b5e5d4f9724f3dfe
e1a4fcdff2fc92650b161da9dd1a81f44a73cb42
/shop_engine/models.py
89f526445d46aaf5fe74a5f14a7ff2b32071480c
[]
no_license
djcors/inmersa
f7c228fb80aa6a0014ec0cde2d6aa2ad5563d0b0
386d6882ba5dda2e2be39817520c9934912f21e4
refs/heads/master
2021-01-12T11:02:36.018720
2016-11-08T00:59:12
2016-11-08T00:59:12
72,796,857
0
0
null
null
null
null
UTF-8
Python
false
false
756
py
# -*- coding: utf-8 -*- from django.db import models from django.utils.translation import ugettext_lazy as _ from django.contrib.auth.models import User from products_engine.models import Plato class Compra(models.Model): usuario = models.ForeignKey(User, related_name='apps_compras', verbose_name=_(u'Usuario')) plato = models.ForeignKey(Plato, verbose_name=_(u"Plato")) identificador = models.CharField(_(u'Código de la compra'), blank=True, null=True, max_length=15) valor = models.PositiveIntegerField(_(u"Valor"), default=0) class Meta: verbose_name = "Compra" verbose_name_plural = "Compras" def __str__(self): return self.plato.nombre from .signals import *
[ "djcors@gmail.com" ]
djcors@gmail.com
c3db9b0dd06cc6a056e6642d2f5ecbfb6276af25
73817d7de7c8f6b245505bf9572c62e57aa155dc
/emotiondetection/emotiondetection/manage.py
281b6205c613759ef48c9d88a53ba93b6aed180c
[]
no_license
jainaagam96/Song-sonic
1fa02b47e5ceb5707cf323b357918dda5cb602a6
fc4605f7e5200b2d47a2fdd255f45d39b32fa100
refs/heads/main
2023-07-26T12:59:53.033809
2021-08-31T11:15:10
2021-08-31T11:15:10
401,451,015
1
0
null
null
null
null
UTF-8
Python
false
false
636
py
#!/usr/bin/env python """Django's command-line utility for administrative tasks.""" import os import sys def main(): os.environ.setdefault('DJANGO_SETTINGS_MODULE', 'emotiondetection.settings') try: from django.core.management import execute_from_command_line except ImportError as exc: raise ImportError( "Couldn't import Django. Are you sure it's installed and " "available on your PYTHONPATH environment variable? Did you " "forget to activate a virtual environment?" ) from exc execute_from_command_line(sys.argv) if __name__ == '__main__': main()
[ "44803762+jainaagam96@users.noreply.github.com" ]
44803762+jainaagam96@users.noreply.github.com
b73f43953012ddb423295001500745fc93163534
20eaefe7d45fdff08bfc4f365775503c5a772c86
/tests/dev-basic-cosmic-rocky
89a7b864fb9cfb2f1a50f6f0445c836ea5d82638
[ "Apache-2.0" ]
permissive
jayk-canonical/charm-rabbitmq-server
6becbbff3125816e8dc4292f976fb10afe5713e4
a388bf52c89ba2a890a81353fe4210e5bfa4e487
refs/heads/master
2020-04-21T10:28:24.682207
2019-01-21T16:23:59
2019-01-21T16:29:45
169,487,309
0
0
NOASSERTION
2019-02-06T22:34:23
2019-02-06T22:34:23
null
UTF-8
Python
false
false
830
#!/usr/bin/env python # # Copyright 2016 Canonical Ltd # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. """Amulet tests on a basic rabbitmq-server deployment on cosmic-rocky.""" from basic_deployment import RmqBasicDeployment if __name__ == '__main__': deployment = RmqBasicDeployment(series='cosmic') deployment.run_tests()
[ "ryan.beisner@canonical.com" ]
ryan.beisner@canonical.com
2729f90f81f677b774814ae668f71f955e24f147
4846b5a8687bed9481f7ac67d2c90f3329cee7a3
/docs/conf.py
2b50c694beed64a3daae0f0f62000f85181cb51c
[ "MIT" ]
permissive
athiwatp/pygtfs
b9018293d4972e2c7f083b1ca15409df1287a187
6cf075a304efb8bed09659e80aabbaf36c88c97c
refs/heads/master
2021-01-16T17:42:53.193525
2014-01-22T19:31:55
2014-01-22T19:31:55
null
0
0
null
null
null
null
UTF-8
Python
false
false
8,314
py
#!/usr/bin/env python3 # -*- coding: utf-8 -*- # # pygtfs documentation build configuration file, created by # sphinx-quickstart on Wed Jan 22 11:52:42 2014. # # This file is execfile()d with the current directory set to its # containing dir. # # Note that not all possible configuration values are present in this # autogenerated file. # # All configuration values have a default; values that are commented out # serve to show the default. import sys import os # If extensions (or modules to document with autodoc) are in another directory, # add these directories to sys.path here. If the directory is relative to the # documentation root, use os.path.abspath to make it absolute, like shown here. #sys.path.insert(0, os.path.abspath('.')) # -- General configuration ------------------------------------------------ # If your documentation needs a minimal Sphinx version, state it here. #needs_sphinx = '1.0' # Add any Sphinx extension module names here, as strings. They can be # extensions coming with Sphinx (named 'sphinx.ext.*') or your custom # ones. extensions = [ 'sphinx.ext.autodoc', 'sphinx.ext.doctest', 'sphinx.ext.todo', 'sphinx.ext.coverage', 'sphinx.ext.viewcode', ] # Add any paths that contain templates here, relative to this directory. templates_path = ['_templates'] # The suffix of source filenames. source_suffix = '.rst' # The encoding of source files. #source_encoding = 'utf-8-sig' # The master toctree document. master_doc = 'index' # General information about the project. project = 'pygtfs' copyright = '2014, Yaron de Leeuw' # The version info for the project you're documenting, acts as replacement for # |version| and |release|, also used in various other places throughout the # built documents. # # The short X.Y version. version = '0.1' # The full version, including alpha/beta/rc tags. release = '0.1.0' # The language for content autogenerated by Sphinx. Refer to documentation # for a list of supported languages. #language = None # There are two options for replacing |today|: either, you set today to some # non-false value, then it is used: #today = '' # Else, today_fmt is used as the format for a strftime call. #today_fmt = '%B %d, %Y' # List of patterns, relative to source directory, that match files and # directories to ignore when looking for source files. exclude_patterns = ['_build'] # The reST default role (used for this markup: `text`) to use for all # documents. #default_role = None # If true, '()' will be appended to :func: etc. cross-reference text. #add_function_parentheses = True # If true, the current module name will be prepended to all description # unit titles (such as .. function::). #add_module_names = True # If true, sectionauthor and moduleauthor directives will be shown in the # output. They are ignored by default. #show_authors = False # The name of the Pygments (syntax highlighting) style to use. pygments_style = 'sphinx' # A list of ignored prefixes for module index sorting. #modindex_common_prefix = [] # If true, keep warnings as "system message" paragraphs in the built documents. #keep_warnings = False # -- Options for HTML output ---------------------------------------------- # The theme to use for HTML and HTML Help pages. See the documentation for # a list of builtin themes. html_theme = 'default' # Theme options are theme-specific and customize the look and feel of a theme # further. For a list of options available for each theme, see the # documentation. #html_theme_options = {} # Add any paths that contain custom themes here, relative to this directory. #html_theme_path = [] # The name for this set of Sphinx documents. If None, it defaults to # "<project> v<release> documentation". #html_title = None # A shorter title for the navigation bar. Default is the same as html_title. #html_short_title = None # The name of an image file (relative to this directory) to place at the top # of the sidebar. #html_logo = None # The name of an image file (within the static path) to use as favicon of the # docs. This file should be a Windows icon file (.ico) being 16x16 or 32x32 # pixels large. #html_favicon = None # Add any paths that contain custom static files (such as style sheets) here, # relative to this directory. They are copied after the builtin static files, # so a file named "default.css" will overwrite the builtin "default.css". html_static_path = ['_static'] # Add any extra paths that contain custom files (such as robots.txt or # .htaccess) here, relative to this directory. These files are copied # directly to the root of the documentation. #html_extra_path = [] # If not '', a 'Last updated on:' timestamp is inserted at every page bottom, # using the given strftime format. #html_last_updated_fmt = '%b %d, %Y' # If true, SmartyPants will be used to convert quotes and dashes to # typographically correct entities. #html_use_smartypants = True # Custom sidebar templates, maps document names to template names. #html_sidebars = {} # Additional templates that should be rendered to pages, maps page names to # template names. #html_additional_pages = {} # If false, no module index is generated. #html_domain_indices = True # If false, no index is generated. #html_use_index = True # If true, the index is split into individual pages for each letter. #html_split_index = False # If true, links to the reST sources are added to the pages. #html_show_sourcelink = True # If true, "Created using Sphinx" is shown in the HTML footer. Default is True. #html_show_sphinx = True # If true, "(C) Copyright ..." is shown in the HTML footer. Default is True. #html_show_copyright = True # If true, an OpenSearch description file will be output, and all pages will # contain a <link> tag referring to it. The value of this option must be the # base URL from which the finished HTML is served. html_use_opensearch = 'https://pygtfs.readthedocs.org/' # This is the file name suffix for HTML files (e.g. ".xhtml"). #html_file_suffix = None # Output file base name for HTML help builder. htmlhelp_basename = 'pygtfsdoc' # -- Options for LaTeX output --------------------------------------------- latex_elements = { # The paper size ('letterpaper' or 'a4paper'). #'papersize': 'letterpaper', # The font size ('10pt', '11pt' or '12pt'). #'pointsize': '10pt', # Additional stuff for the LaTeX preamble. #'preamble': '', } # Grouping the document tree into LaTeX files. List of tuples # (source start file, target name, title, # author, documentclass [howto, manual, or own class]). latex_documents = [ ('index', 'pygtfs.tex', 'pygtfs Documentation', 'Yaron de Leeuw', 'manual'), ] # The name of an image file (relative to this directory) to place at the top of # the title page. #latex_logo = None # For "manual" documents, if this is true, then toplevel headings are parts, # not chapters. #latex_use_parts = False # If true, show page references after internal links. #latex_show_pagerefs = False # If true, show URL addresses after external links. #latex_show_urls = False # Documents to append as an appendix to all manuals. #latex_appendices = [] # If false, no module index is generated. #latex_domain_indices = True # -- Options for manual page output --------------------------------------- # One entry per manual page. List of tuples # (source start file, name, description, authors, manual section). man_pages = [ ('index', 'pygtfs', 'pygtfs Documentation', ['Yaron de Leeuw'], 1) ] # If true, show URL addresses after external links. #man_show_urls = False # -- Options for Texinfo output ------------------------------------------- # Grouping the document tree into Texinfo files. List of tuples # (source start file, target name, title, author, # dir menu entry, description, category) texinfo_documents = [ ('index', 'pygtfs', 'pygtfs Documentation', 'Yaron de Leeuw', 'pygtfs', 'One line description of project.', 'Miscellaneous'), ] # Documents to append as an appendix to all manuals. #texinfo_appendices = [] # If false, no module index is generated. #texinfo_domain_indices = True # How to display URL addresses: 'footnote', 'no', or 'inline'. #texinfo_show_urls = 'footnote' # If true, do not generate a @detailmenu in the "Top" node's menu. #texinfo_no_detailmenu = False
[ "jarondl@server.fake" ]
jarondl@server.fake
463df5265956ce8f9be95db8cb4e136e5a16db5e
e3cbf8a625b266839cfb56285a5e625f01ae8cbf
/testNumPy.py
f385fa8a77611413b6c7c158070702690b418226
[]
no_license
zjscsdn/cheat-engine-QQSpeed-By-python
a561eeae66e6968f4c8cd7cf63ca6c7d1a8692bd
b09b76fd67274a30f85998754f842725ce4ff3ee
refs/heads/master
2023-07-12T22:20:43.502149
2021-08-19T05:50:38
2021-08-19T05:50:38
null
0
0
null
null
null
null
UTF-8
Python
false
false
587
py
import numpy as np def first_subarray(full_array, sub_array): n = len(full_array) k = len(sub_array) matches = np.where([( full_array[start_ix] == sub_array[0] and full_array[start_ix + 2] == sub_array[2] and full_array[start_ix + 3] == sub_array[3] ) for start_ix in range(0, n - k + 1)]) return matches # arr = [1, 2, 3, 1, 3, 1, 2, 4] # arr2 = np.array([1, 3, 1]) # indexTemp = np.where( arr[:1] == 3 ) # print(indexTemp) a = [0, 1, 2, 3, 4, 5, 6, 1, 3, 3, 4] b = [1, 0, 3, 4] c = np.append(a, b) print(c) print(first_subarray(a, b))
[ "xudazhu.z" ]
xudazhu.z
3a8df5bd1ae0bae4ca755a9613765b60c5e7f2fd
07d3442cb612ed574de3f13577fda3b9cbca34b8
/Archive Formats/fmt_laserlight_res.py
cbf558e6ba39cd8c301a6f94443c2909e0ecca7c
[ "MIT" ]
permissive
TheDeverEric/noesis-scripts
3153f879fe51faf10b98f7ce022e1ed6336082e5
0a96ccbcac304c91dc21d252e0e4c6f10e0aaa16
refs/heads/master
2020-03-23T17:11:37.850054
2018-07-21T22:11:28
2018-07-21T22:11:28
141,847,999
0
0
null
null
null
null
UTF-8
Python
false
false
1,223
py
#------------------------------------------------------------------------------- # Name: Laser Light *.RES # Purpose: Extract Archive # # Author: Eric Van Hoven # # Created: 01/09/2017 # Copyright: (c) Eric Van Hoven 2017 # Licence: <MIT License> #------------------------------------------------------------------------------- from inc_noesis import * def registerNoesisTypes(): handle = noesis.register("Laser Light (DOS)", ".res") noesis.setHandlerExtractArc(handle, resExtract) return 1 def resExtract(fileName, fileLen, justChecking): with open(fileName, "rb") as fs: if justChecking: return 1 fcount = noeUnpack("<H", fs.read(2))[0] for i in range(fcount): fs.read(1) #fnsz fileName = noeStrFromBytes(noeParseToZero(fs.read(0xC))) offset = noeUnpack("<I", fs.read(4))[0] size = noeUnpack("<I", fs.read(4))[0] fs.read(1) #2 byte tablepos = fs.tell() fs.seek(offset, 0) print("Writing", fileName) rapi.exportArchiveFile(fileName, fs.read(size)) fs.seek(tablepos, 0) return 1
[ "noreply@github.com" ]
TheDeverEric.noreply@github.com
6a27ab74d53e5ac53d5734c115cad15d4de6af08
a16ffedb5a456fe46e1a105b26f81a5eefe682a7
/flyte/pack/errors.py
9e5964f191760d18c973751b4e8596958a9a3360
[]
no_license
ExpediaGroup/flyte-client-python
1faabceb6a44261517944799a3ff26d891cd5e0a
94ec7727a99a22e824632db9541df42dfe57b553
refs/heads/master
2023-04-13T03:17:01.095604
2020-08-25T13:30:07
2020-08-25T13:30:07
212,380,902
0
2
null
2023-04-10T07:17:57
2019-10-02T15:49:32
Python
UTF-8
Python
false
false
472
py
class PackError(Exception): """Base class for pack errors""" def __init__(self, msg, original_exception): super(PackError, self).__init__(msg + (": %s" % original_exception)) self.original_exception = original_exception class SendEventError(PackError): """ Error raised when send event fails """ def __init__(self, event, original_exception): super().__init__("Failed when sending event %s" % event, original_exception)
[ "isaac.asensio@gmail.com" ]
isaac.asensio@gmail.com